diff --git a/.gitignore b/.gitignore
index 1fd9d30f7dc579375e4d65672b777e5556793664..fe4df04f77ef74c6c1167052980790e636aad427 100644
--- a/.gitignore
+++ b/.gitignore
@@ -5,6 +5,7 @@
 /.settings
 /www/css
 /www/less/lib
+/www/wdn
 /.buildpath
 /vendor
-/tmp
\ No newline at end of file
+/tmp
diff --git a/.settings/org.eclipse.php.core.prefs b/.settings/org.eclipse.php.core.prefs
deleted file mode 100644
index 2187f6d6b69a07f0950acb4115ca6f1c171706d4..0000000000000000000000000000000000000000
--- a/.settings/org.eclipse.php.core.prefs
+++ /dev/null
@@ -1,3 +0,0 @@
-#Thu Apr 15 08:48:11 CDT 2010
-eclipse.preferences.version=1
-include_path=0;/UNL_Search
diff --git a/Gruntfile.js b/Gruntfile.js
new file mode 100644
index 0000000000000000000000000000000000000000..3aca2de9f1227a5e42a05a769ca27f80edc30b78
--- /dev/null
+++ b/Gruntfile.js
@@ -0,0 +1,125 @@
+var every = require('lodash/collection/every');
+var fs = require('fs');
+
+module.exports = function (grunt) {
+  var lessDir = 'www/less';
+  var lessVendorDir = lessDir + '/lib';
+  var cssDir = 'www/css';
+  var jsDir = 'www/js';
+
+  var cssFiles = [
+    'search',
+    'search-google',
+  ];
+
+  var jsFiles = [
+    jsDir + '/search.js',
+  ];
+
+  var wdnMixinLibBaseUrl = 'https://raw.githubusercontent.com/unl/wdntemplates/4.1/wdn/templates_4.1/less/_mixins/';
+  var wdnMixins = [
+    'breakpoints.less',
+    'colors.less',
+    'fonts.less',
+  ];
+  var allMixinsExist = every(wdnMixins, function(value) {
+    return fs.existsSync(lessVendorDir + '/' + value);
+  });
+
+  var lessFiles = {};
+  cssFiles.forEach(function(file) {
+    lessFiles[cssDir + '/' + file + '.css'] = lessDir + '/' + file + '.less';
+  });
+
+  var builtJsFiles = {};
+  builtJsFiles[jsDir + '/search.min.js'] = jsFiles;
+
+  var autoprefixPlugin = new (require('less-plugin-autoprefix'))({browsers: ["last 2 versions"]});
+  var cleanCssPlugin = new (require('less-plugin-clean-css'))();
+
+  // load all grunt tasks matching the ['grunt-*', '@*/grunt-*'] patterns
+  require('load-grunt-tasks')(grunt);
+
+  grunt.initConfig({
+    'curl-dir': {
+      'less-libs': {
+        src: wdnMixins.map(function(file) {
+          return wdnMixinLibBaseUrl + file;
+        }),
+        dest: lessVendorDir
+      }
+    },
+    less: {
+      all: {
+        options: {
+            paths: [lessDir],
+            plugins: [
+              autoprefixPlugin,
+              cleanCssPlugin
+            ]
+          },
+          files: lessFiles
+      }
+    },
+    uglify: {
+      options: {
+        sourceMap: true
+      },
+      all: {
+        files: builtJsFiles
+      }
+    },
+    requirejs: {
+      all: {
+        options: {
+          appDir: 'www/js/embed-src/',
+          baseUrl: './',
+          dir: 'www/js/embed/',
+          optimize: 'uglify2',
+          logLevel: 2,
+          preserveLicenseComments: false,
+          generateSourceMaps: true,
+          paths: {
+            'requireLib': 'require'
+          },
+          map: {
+            "*": {
+              css: 'require-css/css'
+            }
+          },
+          modules: [
+            {
+              name: 'all',
+              create: true,
+              include: ['requireLib', 'require-css/css', 'ga', 'main'],
+              exclude: ['require-css/normalize']
+            }
+          ]
+        }
+      }
+    },
+    clean: {
+      css: Object.keys(lessFiles).concat(lessVendorDir),
+      js: Object.keys(builtJsFiles).concat(jsDir + '/**/*.map')
+    },
+    watch: {
+      less: {
+        files: lessDir + '/**/*.less',
+        tasks: ['less']
+      }
+    }
+  });
+
+  // establish grunt default
+  var defaultTasks = ['less', 'uglify', 'requirejs'];
+  var localTasks = defaultTasks.slice();
+  if (!allMixinsExist) {
+    defaultTasks.unshift('curl-dir');
+  }
+  grunt.registerTask('default', defaultTasks);
+  grunt.registerTask('all-local', localTasks);
+
+  // legacy targets from Makefile
+  grunt.registerTask('all', ['default']);
+  grunt.registerTask('js', ['uglify']);
+};
diff --git a/Makefile b/Makefile
deleted file mode 100644
index 9e0e49f50b690f7dcb70887558f94da850576d53..0000000000000000000000000000000000000000
--- a/Makefile
+++ /dev/null
@@ -1,62 +0,0 @@
-SHELL := /bin/bash
-CURL := curl
-
-# NodeJS Find/Install
-NODE_PATH = $(shell ./find-node-or-install)
-PATH := $(NODE_PATH):$(shell echo $$PATH)
-
-# External Build Tools
-NODE_DIR = node_modules
-LESSC = $(NODE_DIR)/less/bin/lessc
-UGLIFYJS = $(NODE_DIR)/uglify-js/bin/uglifyjs
-
-# Local Vars
-LESS_LIB = www/less/lib
-
-# External Dependencies
-LESSHAT := $(LESS_LIB)/lesshat.less
-WDN_MIXINS := \
-	$(LESS_LIB)/breakpoints.less \
-	$(LESS_LIB)/colors.less \
-	$(LESS_LIB)/fonts.less
-
-WDN_LIB_RAW = https://raw.githubusercontent.com/unl/wdntemplates/master/wdn/templates_4.0/less/_mixins/
-LESSHAT_RAW = https://raw.githubusercontent.com/csshat/lesshat/c8c211b2442734bfc1ae2509ff0ccebdc2e73664/build/lesshat.less
-
-# Built Files
-CSS_OBJ = www/css/search.css
-JS_OBJ = www/js/search.min.js
-
-all: less js
-
-less: $(CSS_OBJ)
-
-js: $(JS_OBJ)
-
-clean:
-	rm -r $(NODE_DIR)
-	rm -r $(LESS_LIB)
-	rm $(JS_OBJ)
-	rm $(CSS_OBJ)
-	
-$(CSS_OBJ): www/less/search.less $(LESSC) $(LESSHAT) $(WDN_MIXINS)
-	$(LESSC) --clean-css $< $@
-	
-$(LESSC):
-	npm install less less-plugin-clean-css
-
-$(LESS_LIB)/%.less:
-	@mkdir -p $(@D)
-	$(CURL) -s $(WDN_LIB_RAW)$(@F) -o $@
-
-$(LESSHAT):
-	@mkdir -p $(@D)
-	$(CURL) -s $(LESSHAT_RAW) -o $@
-	
-$(UGLIFYJS):
-	npm install uglify-js
-	
-$(JS_OBJ): www/js/search.js $(UGLIFYJS)
-	$(UGLIFYJS) -c -m -o $@ -p 2 --source-map $(<).map --source-map-url $(<F).map $<
-	
-.PHONY: all less js clean
diff --git a/README b/README.md
similarity index 100%
rename from README
rename to README.md
diff --git a/composer.json b/composer.json
index c808794d96cb13d50d141fc723f4d1b58f8d0055..c55bb57f31140c9bd5175e121465fd096238b59f 100644
--- a/composer.json
+++ b/composer.json
@@ -1,4 +1,9 @@
 {
+  "autoload": {
+    "psr-0": {
+      "UNL": "src/"
+    }
+  },
   "require": {
     "unl/php-wdn-templates": "^4.1",
     "ezyang/htmlpurifier": "^4.7"
diff --git a/composer.lock b/composer.lock
index 8066e9d8192e01036c08cc2bd5ea19889f21e9ba..7f4fb35d4806462c5339d181be39b158ec1cbc6d 100644
--- a/composer.lock
+++ b/composer.lock
@@ -4,7 +4,7 @@
         "Read more about it at https://getcomposer.org/doc/01-basic-usage.md#composer-lock-the-lock-file",
         "This file is @generated automatically"
     ],
-    "hash": "2d845b7f75c033016d222d604c9c8c3b",
+    "hash": "f17d4e9d564c0acba4f1de21967b413c",
     "content-hash": "c6195cd1756aa110358f46cb9356f29b",
     "packages": [
         {
@@ -53,16 +53,16 @@
         },
         {
             "name": "unl/php-dwt-parser",
-            "version": "v1.0.0",
+            "version": "v1.0.1",
             "source": {
                 "type": "git",
                 "url": "https://github.com/unl/phpdwtparser.git",
-                "reference": "0b49f94c19fb21299fe768ada2ac64989b7c6fbb"
+                "reference": "1de8770c4d8675771d1529c2f81d96e0aa51931f"
             },
             "dist": {
                 "type": "zip",
-                "url": "https://api.github.com/repos/unl/phpdwtparser/zipball/0b49f94c19fb21299fe768ada2ac64989b7c6fbb",
-                "reference": "0b49f94c19fb21299fe768ada2ac64989b7c6fbb",
+                "url": "https://api.github.com/repos/unl/phpdwtparser/zipball/1de8770c4d8675771d1529c2f81d96e0aa51931f",
+                "reference": "1de8770c4d8675771d1529c2f81d96e0aa51931f",
                 "shasum": ""
             },
             "require": {
@@ -100,7 +100,7 @@
             ],
             "description": "A PHP library for parsing DWT files and turning them into PHP classes",
             "homepage": "http://wdn.unl.edu/",
-            "time": "2015-12-14 23:51:40"
+            "time": "2016-01-05 21:35:46"
         },
         {
             "name": "unl/php-wdn-templates",
@@ -208,16 +208,16 @@
         },
         {
             "name": "zendframework/zend-code",
-            "version": "2.6.1",
+            "version": "2.6.2",
             "source": {
                 "type": "git",
                 "url": "https://github.com/zendframework/zend-code.git",
-                "reference": "f6c2713c9c5628ccce62d5db3a129c7066af06df"
+                "reference": "c4e8f976a772cfb14b47dabd69b5245a423082b4"
             },
             "dist": {
                 "type": "zip",
-                "url": "https://api.github.com/repos/zendframework/zend-code/zipball/f6c2713c9c5628ccce62d5db3a129c7066af06df",
-                "reference": "f6c2713c9c5628ccce62d5db3a129c7066af06df",
+                "url": "https://api.github.com/repos/zendframework/zend-code/zipball/c4e8f976a772cfb14b47dabd69b5245a423082b4",
+                "reference": "c4e8f976a772cfb14b47dabd69b5245a423082b4",
                 "shasum": ""
             },
             "require": {
@@ -256,7 +256,7 @@
                 "code",
                 "zf2"
             ],
-            "time": "2015-11-24 15:49:25"
+            "time": "2016-01-05 05:58:37"
         },
         {
             "name": "zendframework/zend-eventmanager",
diff --git a/config.sample.php b/config.sample.php
index 33db7427c12bc742ab050fc86a5a22d7aa5929ee..cb8ec5323e4eb4e21e278ea707b4ae607b308f7e 100644
--- a/config.sample.php
+++ b/config.sample.php
@@ -3,10 +3,7 @@
 ini_set('display_errors', false);
 error_reporting(E_ALL);
 
-set_include_path(dirname(__FILE__).'/src:'.dirname(__FILE__).'/lib/php:'.get_include_path());
-
-require_once 'UNL/Autoload.php';
-require_once __DIR__ . '/vendor/autoload.php';
+require __DIR__ . '/vendor/autoload.php';
 
 /* A Google Loader API Key is presumably needed to ensure proper functionality.
  * Register for an API Key at http://code.google.com/apis/loader/signup.html
diff --git a/find-node-or-install b/find-node-or-install
deleted file mode 100755
index 37a3e86b04e3a9205f5c8d95ea9e40e4c32cbda5..0000000000000000000000000000000000000000
--- a/find-node-or-install
+++ /dev/null
@@ -1,58 +0,0 @@
-#!/bin/bash
-##############################################################################
-# Finds the bin directory where node and npm are installed, or installs a
-# local copy of them in a temp folder if not found. Then outputs where they
-# are.
-#
-# Usage and install instructions:
-# https://github.com/hugojosefson/find-node-or-install
-##############################################################################
-
-# Creates temp dir which stays the same every time this script executes
-function setTEMP_DIR()
-{
-  local NEW_OS_SUGGESTED_TEMP_FILE=$(mktemp -t asdXXXXX)
-  local OS_ROOT_TEMP_DIR=$(dirname ${NEW_OS_SUGGESTED_TEMP_FILE})
-  rm ${NEW_OS_SUGGESTED_TEMP_FILE}
-  TEMP_DIR=${OS_ROOT_TEMP_DIR}/nvm
-  mkdir -p ${TEMP_DIR}
-}
-
-# Break on error
-set -e
-
-# Try to find node, but don't break if not found
-NODE=$(which node || true)
-
-if [[ -n "${NODE}" ]]; then
-  # Good. We found it.
-  echo $(dirname ${NODE})
-else
-  # Did not find node. Better install it.
-  # Do it in a temp dir, which stays the same every time this script executes
-  setTEMP_DIR
-  cd ${TEMP_DIR}
-
-  # Do we have nvm here?
-  if [[ ! -d "nvm" ]]; then
-    git clone git://github.com/creationix/nvm.git >/dev/null
-  fi
-
-  # Clear and set NVM_* env variables to our installation
-  mkdir -p .nvm
-  export NVM_DIR=$( (cd .nvm && pwd) )
-  unset NVM_PATH
-  unset NVM_BIN
-
-  # Load nvm into current shell
-  . nvm/nvm.sh >/dev/null
-
-  # Install and use latest 0.10.* node
-  nvm install 0.10 >/dev/null
-  nvm alias default 0.10 >/dev/null
-  nvm use default >/dev/null
-
-  # Find and output node's bin directory
-  NODE=$(which node)
-  echo $(dirname ${NODE})
-fi
diff --git a/lib/.configsnapshots/configsnapshot-2010-04-15 09-10-17.xml b/lib/.configsnapshots/configsnapshot-2010-04-15 09-10-17.xml
deleted file mode 100644
index 36af4d2110de43e69ac5fba9f69347089b54db32..0000000000000000000000000000000000000000
--- a/lib/.configsnapshots/configsnapshot-2010-04-15 09-10-17.xml	
+++ /dev/null
@@ -1,2 +0,0 @@
-<?xml version="1.0"?>
-<pearconfig version="1.0"><php_dir>/Users/bbieber/Documents/workspace/UNL_Search/lib/php</php_dir><ext_dir>/usr/local/php5/lib/php/extensions/no-debug-non-zts-20060613/</ext_dir><cfg_dir>/Users/bbieber/Documents/workspace/UNL_Search/lib/cfg</cfg_dir><doc_dir>/Users/bbieber/Documents/workspace/UNL_Search/lib/docs</doc_dir><bin_dir>/usr/local/bin</bin_dir><data_dir>/Users/bbieber/Documents/workspace/UNL_Search/lib/data</data_dir><www_dir>/Users/bbieber/Documents/workspace/UNL_Search/lib/www</www_dir><test_dir>/Users/bbieber/Documents/workspace/UNL_Search/lib/tests</test_dir><src_dir>/Users/bbieber/Documents/workspace/UNL_Search/lib/src</src_dir><php_bin>/usr/local/bin/php</php_bin><php_ini>/usr/local/lib/php.ini</php_ini><php_prefix></php_prefix><php_suffix></php_suffix></pearconfig>
diff --git a/lib/.configsnapshots/configsnapshot-2011-03-10 14-06-27.xml b/lib/.configsnapshots/configsnapshot-2011-03-10 14-06-27.xml
deleted file mode 100644
index fc3fd54b3e71b85d208a67189f87afb956f7733a..0000000000000000000000000000000000000000
--- a/lib/.configsnapshots/configsnapshot-2011-03-10 14-06-27.xml	
+++ /dev/null
@@ -1,2 +0,0 @@
-<?xml version="1.0"?>
-<pearconfig version="1.0"><php_dir>/Users/bbieber/Documents/workspace/UNL_Search/trunk/lib/php</php_dir><ext_dir>/usr/local/lib/php/extensions/no-debug-non-zts-20090626/</ext_dir><cfg_dir>/Users/bbieber/Documents/workspace/UNL_Search/trunk/lib/cfg</cfg_dir><doc_dir>/Users/bbieber/Documents/workspace/UNL_Search/trunk/lib/docs</doc_dir><bin_dir>/usr/local/bin</bin_dir><data_dir>/Users/bbieber/Documents/workspace/UNL_Search/trunk/lib/data</data_dir><www_dir>/Users/bbieber/Documents/workspace/UNL_Search/trunk/lib/www</www_dir><test_dir>/Users/bbieber/Documents/workspace/UNL_Search/trunk/lib/tests</test_dir><src_dir>/Users/bbieber/Documents/workspace/UNL_Search/trunk/lib/src</src_dir><php_bin>/usr/local/bin/php</php_bin><php_ini>/usr/local/lib/php.ini</php_ini><php_prefix></php_prefix><php_suffix></php_suffix></pearconfig>
diff --git a/lib/.configsnapshots/configsnapshot-2011-08-30 16-34-36.xml b/lib/.configsnapshots/configsnapshot-2011-08-30 16-34-36.xml
deleted file mode 100644
index eab7b1fc697873e0ba14633a142314e6dc8f7de6..0000000000000000000000000000000000000000
--- a/lib/.configsnapshots/configsnapshot-2011-08-30 16-34-36.xml	
+++ /dev/null
@@ -1,2 +0,0 @@
-<?xml version="1.0"?>
-<pearconfig version="1.0"><php_dir>/Users/bbieber/Documents/workspace/UNL_Search/lib/php</php_dir><ext_dir>/usr/local/lib/php/extensions/no-debug-non-zts-20090626/</ext_dir><cfg_dir>/Users/bbieber/Documents/workspace/UNL_Search/lib/cfg</cfg_dir><doc_dir>/Users/bbieber/Documents/workspace/UNL_Search/lib/docs</doc_dir><bin_dir>/usr/local/bin</bin_dir><data_dir>/Users/bbieber/Documents/workspace/UNL_Search/lib/data</data_dir><www_dir>/Users/bbieber/Documents/workspace/UNL_Search/lib/www</www_dir><test_dir>/Users/bbieber/Documents/workspace/UNL_Search/lib/tests</test_dir><src_dir>/Users/bbieber/Documents/workspace/UNL_Search/lib/src</src_dir><php_bin>/usr/local/bin/php</php_bin><php_ini>/usr/local/lib/php.ini</php_ini><php_prefix></php_prefix><php_suffix></php_suffix></pearconfig>
diff --git a/lib/.configsnapshots/configsnapshot-2014-04-14 09-00-33.xml b/lib/.configsnapshots/configsnapshot-2014-04-14 09-00-33.xml
deleted file mode 100644
index af55c0bc2f89d44f3c2b7859214409897c61c35c..0000000000000000000000000000000000000000
--- a/lib/.configsnapshots/configsnapshot-2014-04-14 09-00-33.xml	
+++ /dev/null
@@ -1,2 +0,0 @@
-<?xml version="1.0"?>
-<pearconfig version="1.0"><php_dir>/Users/kabel/Documents/workspace/UNL_Search/lib/php</php_dir><ext_dir>/usr/lib/php/extensions/no-debug-non-zts-20100525</ext_dir><cfg_dir>/Users/kabel/Documents/workspace/UNL_Search/lib/cfg</cfg_dir><doc_dir>/Users/kabel/Documents/workspace/UNL_Search/lib/docs</doc_dir><bin_dir>/usr/bin</bin_dir><data_dir>/Users/kabel/Documents/workspace/UNL_Search/lib/data</data_dir><www_dir>/Users/kabel/Documents/workspace/UNL_Search/lib/www</www_dir><test_dir>/Users/kabel/Documents/workspace/UNL_Search/lib/tests</test_dir><src_dir>/Users/kabel/Documents/workspace/UNL_Search/lib/src</src_dir><php_bin>/usr/bin/php</php_bin><php_ini>/etc/php.ini</php_ini><php_prefix></php_prefix><php_suffix></php_suffix></pearconfig>
diff --git a/lib/.pear2registry b/lib/.pear2registry
deleted file mode 100644
index 149ebb1b7140853237287420807cead8370ce07c..0000000000000000000000000000000000000000
Binary files a/lib/.pear2registry and /dev/null differ
diff --git a/lib/.xmlregistry/channels/channel-__uri.xml b/lib/.xmlregistry/channels/channel-__uri.xml
deleted file mode 100644
index 987a5938d21ff15cb9d5a48bd0f9ba85a01366e8..0000000000000000000000000000000000000000
--- a/lib/.xmlregistry/channels/channel-__uri.xml
+++ /dev/null
@@ -1,13 +0,0 @@
-<?xml version="1.0" encoding="UTF-8"?>
-<channel version="1.0" xmlns="http://pear.php.net/channel-1.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://pear.php.net/channel-1.0http://pear.php.net/dtd/channel-1.0.xsd">
- <name>__uri</name>
- <suggestedalias>__uri</suggestedalias>
- <summary>Pseudo-channel for static packages</summary>
- <servers>
-  <primary>
-   <xmlrpc>
-    <function version="1.0">****</function>
-   </xmlrpc>
-  </primary>
- </servers>
-</channel>
diff --git a/lib/.xmlregistry/channels/channel-doc.php.net.xml b/lib/.xmlregistry/channels/channel-doc.php.net.xml
deleted file mode 100644
index d221a21bb166d01bd1460fba227cb8c11378aecb..0000000000000000000000000000000000000000
--- a/lib/.xmlregistry/channels/channel-doc.php.net.xml
+++ /dev/null
@@ -1,14 +0,0 @@
-<?xml version="1.0" encoding="UTF-8"?>
-<channel version="1.0" xmlns="http://pear.php.net/channel-1.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://pear.php.net/channel-1.0http://pear.php.net/dtd/channel-1.0.xsd">
- <name>doc.php.net</name>
- <summary>PHP Documentation team</summary>
- <suggestedalias>phpdocs</suggestedalias>
- <servers>
-  <primary>
-   <rest>
-    <baseurl type="REST1.0">http://doc.php.net/rest/</baseurl>
-    <baseurl type="REST1.1">http://doc.php.net/rest/</baseurl>
-   </rest>
-  </primary>
- </servers>
-</channel>
diff --git a/lib/.xmlregistry/channels/channel-htmlpurifier.org.xml b/lib/.xmlregistry/channels/channel-htmlpurifier.org.xml
deleted file mode 100644
index 0c057ddc67c37b4d0d0719f2a9bd355f208fa5b8..0000000000000000000000000000000000000000
--- a/lib/.xmlregistry/channels/channel-htmlpurifier.org.xml
+++ /dev/null
@@ -1,14 +0,0 @@
-<?xml version="1.0" encoding="UTF-8"?>
-<channel version="1.0" xmlns="http://pear.php.net/channel-1.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://pear.php.net/channel-1.0http://pear.php.net/dtd/channel-1.0.xsd">
- <name>htmlpurifier.org</name>
- <summary>PEAR channel for HTML Purifier library</summary>
- <suggestedalias>hp</suggestedalias>
- <servers>
-  <primary>
-   <rest>
-    <baseurl type="REST1.0">http://htmlpurifier.org/Chiara_PEAR_Server_REST/</baseurl>
-    <baseurl type="REST1.1">http://htmlpurifier.org/Chiara_PEAR_Server_REST/</baseurl>
-   </rest>
-  </primary>
- </servers>
-</channel>
diff --git a/lib/.xmlregistry/channels/channel-pear.php.net.xml b/lib/.xmlregistry/channels/channel-pear.php.net.xml
deleted file mode 100644
index c7098913388f024799a647718a87e499845383cc..0000000000000000000000000000000000000000
--- a/lib/.xmlregistry/channels/channel-pear.php.net.xml
+++ /dev/null
@@ -1,32 +0,0 @@
-<?xml version="1.0" encoding="UTF-8"?>
-<channel version="1.0" xmlns="http://pear.php.net/channel-1.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://pear.php.net/channel-1.0http://pear.php.net/dtd/channel-1.0.xsd">
- <name>pear.php.net</name>
- <suggestedalias>pear</suggestedalias>
- <summary>PHP Extension and Application Repository</summary>
- <servers>
-  <primary>
-   <rest>
-    <baseurl type="REST1.0">http://pear.php.net/rest/</baseurl>
-    <baseurl type="REST1.1">http://pear.php.net/rest/</baseurl>
-    <baseurl type="REST1.2">http://pear.php.net/rest/</baseurl>
-    <baseurl type="REST1.3">http://pear.php.net/rest/</baseurl>
-   </rest>
-  </primary>
-  <mirror host="us.pear.php.net">
-   <rest>
-    <baseurl type="REST1.0">http://us.pear.php.net/rest/</baseurl>
-    <baseurl type="REST1.1">http://us.pear.php.net/rest/</baseurl>
-    <baseurl type="REST1.2">http://us.pear.php.net/rest/</baseurl>
-    <baseurl type="REST1.3">http://us.pear.php.net/rest/</baseurl>
-   </rest>
-  </mirror>
-  <mirror host="de.pear.php.net" ssl="yes" port="3452">
-   <rest>
-    <baseurl type="REST1.0">https://de.pear.php.net:3452/rest/</baseurl>
-    <baseurl type="REST1.1">https://de.pear.php.net:3452/rest/</baseurl>
-    <baseurl type="REST1.2">https://de.pear.php.net:3452/rest/</baseurl>
-    <baseurl type="REST1.3">https://de.pear.php.net:3452/rest/</baseurl>
-   </rest>
-  </mirror>
- </servers>
-</channel>
diff --git a/lib/.xmlregistry/channels/channel-pear.unl.edu.xml b/lib/.xmlregistry/channels/channel-pear.unl.edu.xml
deleted file mode 100644
index 54bc5112df020cfa260abebaf9c024ec2984d8e5..0000000000000000000000000000000000000000
--- a/lib/.xmlregistry/channels/channel-pear.unl.edu.xml
+++ /dev/null
@@ -1,15 +0,0 @@
-<?xml version="1.0" encoding="UTF-8"?>
-<channel version="1.0" xmlns="http://pear.php.net/channel-1.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://pear.php.net/channel-1.0http://pear.php.net/dtd/channel-1.0.xsd">
- <name>pear.unl.edu</name>
- <summary>UNL PHP Extension and Application Repository</summary>
- <suggestedalias>unl</suggestedalias>
- <servers>
-  <primary>
-   <rest>
-    <baseurl type="REST1.0">http://pear.unl.edu/Chiara_PEAR_Server_REST/</baseurl>
-    <baseurl type="REST1.1">http://pear.unl.edu/Chiara_PEAR_Server_REST/</baseurl>
-    <baseurl type="REST1.3">http://pear.unl.edu/Chiara_PEAR_Server_REST/</baseurl>
-   </rest>
-  </primary>
- </servers>
-</channel>
diff --git a/lib/.xmlregistry/channels/channel-pear2.php.net.xml b/lib/.xmlregistry/channels/channel-pear2.php.net.xml
deleted file mode 100644
index dbcaccb25a38268191e77901c6f3be7714a91477..0000000000000000000000000000000000000000
--- a/lib/.xmlregistry/channels/channel-pear2.php.net.xml
+++ /dev/null
@@ -1,16 +0,0 @@
-<?xml version="1.0" encoding="UTF-8"?>
-<channel version="1.0" xmlns="http://pear.php.net/channel-1.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://pear.php.net/channel-1.0http://pear.php.net/dtd/channel-1.0.xsd">
- <name>pear2.php.net</name>
- <suggestedalias>pear2</suggestedalias>
- <summary>PEAR packages for PHP 5.3+ installed by Pyrus</summary>
- <servers>
-  <primary>
-   <rest>
-    <baseurl type="REST1.0">http://pear2.php.net/rest/</baseurl>
-    <baseurl type="REST1.1">http://pear2.php.net/rest/</baseurl>
-    <baseurl type="REST1.2">http://pear2.php.net/rest/</baseurl>
-    <baseurl type="REST1.3">http://pear2.php.net/rest/</baseurl>
-   </rest>
-  </primary>
- </servers>
-</channel>
diff --git a/lib/.xmlregistry/channels/channel-pecl.php.net.xml b/lib/.xmlregistry/channels/channel-pecl.php.net.xml
deleted file mode 100644
index cd6b257fc15d400fb0f1bcc38cdf57437c288a2b..0000000000000000000000000000000000000000
--- a/lib/.xmlregistry/channels/channel-pecl.php.net.xml
+++ /dev/null
@@ -1,25 +0,0 @@
-<?xml version="1.0" encoding="UTF-8"?>
-<channel version="1.0" xmlns="http://pear.php.net/channel-1.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://pear.php.net/channel-1.0http://pear.php.net/dtd/channel-1.0.xsd">
- <name>pecl.php.net</name>
- <suggestedalias>pecl</suggestedalias>
- <summary>PHP Extension Community Library</summary>
- <validatepackage version="1.0">PEAR_Validator_PECL</validatepackage>
- <servers>
-  <primary>
-   <xmlrpc>
-    <function version="1.0">logintest</function>
-    <function version="1.0">package.listLatestReleases</function>
-    <function version="1.0">package.listAll</function>
-    <function version="1.0">package.info</function>
-    <function version="1.0">package.getDownloadURL</function>
-    <function version="1.0">package.getDepDownloadURL</function>
-    <function version="1.0">package.search</function>
-    <function version="1.0">channel.listAll</function>
-   </xmlrpc>
-   <rest>
-    <baseurl type="REST1.0">http://pecl.php.net/rest/</baseurl>
-    <baseurl type="REST1.1">http://pecl.php.net/rest/</baseurl>
-   </rest>
-  </primary>
- </servers>
-</channel>
diff --git a/lib/.xmlregistry/channels/channelalias-__uri.txt b/lib/.xmlregistry/channels/channelalias-__uri.txt
deleted file mode 100644
index 9e550d0400c45929b0ab93c775a8a3f04c66f6b9..0000000000000000000000000000000000000000
--- a/lib/.xmlregistry/channels/channelalias-__uri.txt
+++ /dev/null
@@ -1 +0,0 @@
-__uri
\ No newline at end of file
diff --git a/lib/.xmlregistry/channels/channelalias-hp.txt b/lib/.xmlregistry/channels/channelalias-hp.txt
deleted file mode 100644
index 652f390dc87df37bb4f176cf32d0c8c03846f99a..0000000000000000000000000000000000000000
--- a/lib/.xmlregistry/channels/channelalias-hp.txt
+++ /dev/null
@@ -1 +0,0 @@
-htmlpurifier.org
\ No newline at end of file
diff --git a/lib/.xmlregistry/channels/channelalias-pear.txt b/lib/.xmlregistry/channels/channelalias-pear.txt
deleted file mode 100644
index f4730b991be41ec5fec3805cd68ce31a53963ca5..0000000000000000000000000000000000000000
--- a/lib/.xmlregistry/channels/channelalias-pear.txt
+++ /dev/null
@@ -1 +0,0 @@
-pear.php.net
\ No newline at end of file
diff --git a/lib/.xmlregistry/channels/channelalias-pear2.txt b/lib/.xmlregistry/channels/channelalias-pear2.txt
deleted file mode 100644
index 7911749f249888395a8754f5cb8ec2880c4039cb..0000000000000000000000000000000000000000
--- a/lib/.xmlregistry/channels/channelalias-pear2.txt
+++ /dev/null
@@ -1 +0,0 @@
-pear2.php.net
\ No newline at end of file
diff --git a/lib/.xmlregistry/channels/channelalias-pecl.txt b/lib/.xmlregistry/channels/channelalias-pecl.txt
deleted file mode 100644
index 2de48f1b005bd518dbb92e2b68df9d49431398d7..0000000000000000000000000000000000000000
--- a/lib/.xmlregistry/channels/channelalias-pecl.txt
+++ /dev/null
@@ -1 +0,0 @@
-pecl.php.net
\ No newline at end of file
diff --git a/lib/.xmlregistry/channels/channelalias-phpdocs.txt b/lib/.xmlregistry/channels/channelalias-phpdocs.txt
deleted file mode 100644
index 1e733d9cdf2d0df16d75b2d3e558d8d290158e9a..0000000000000000000000000000000000000000
--- a/lib/.xmlregistry/channels/channelalias-phpdocs.txt
+++ /dev/null
@@ -1 +0,0 @@
-doc.php.net
\ No newline at end of file
diff --git a/lib/.xmlregistry/channels/channelalias-unl.txt b/lib/.xmlregistry/channels/channelalias-unl.txt
deleted file mode 100644
index 674f01203962aefef0830ba386e0ad456924c94c..0000000000000000000000000000000000000000
--- a/lib/.xmlregistry/channels/channelalias-unl.txt
+++ /dev/null
@@ -1 +0,0 @@
-pear.unl.edu
\ No newline at end of file
diff --git a/lib/.xmlregistry/packages/htmlpurifier.org/HTMLPurifier/4.0.0-info.xml b/lib/.xmlregistry/packages/htmlpurifier.org/HTMLPurifier/4.0.0-info.xml
deleted file mode 100644
index 923a353dd2277f48601c8a31ea0da4ec5dd34790..0000000000000000000000000000000000000000
--- a/lib/.xmlregistry/packages/htmlpurifier.org/HTMLPurifier/4.0.0-info.xml
+++ /dev/null
@@ -1,396 +0,0 @@
-<?xml version="1.0" encoding="UTF-8"?>
-<package xmlns="http://pear.php.net/dtd/package-2.0" xmlns:tasks="http://pear.php.net/dtd/tasks-1.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" packagerversion="1.8.1" version="2.0" xsi:schemaLocation="http://pear.php.net/dtd/tasks-1.0     http://pear.php.net/dtd/tasks-1.0.xsd     http://pear.php.net/dtd/package-2.0     http://pear.php.net/dtd/package-2.0.xsd">
- <name>HTMLPurifier</name>
- <channel>htmlpurifier.org</channel>
- <summary>Standards-compliant HTML filter</summary>
- <description>HTML Purifier is an HTML filter that will remove all malicious code
-    (better known as XSS) with a thoroughly audited, secure yet permissive
-    whitelist and will also make sure your documents are standards
-    compliant.</description>
- <lead>
-  <name>Edward Z. Yang</name>
-  <user>ezyang</user>
-  <email>admin@htmlpurifier.org</email>
-  <active>yes</active>
- </lead>
- <date>2010-04-15</date>
- <time>09:10:17</time>
- <version>
-  <release>4.0.0</release>
-  <api>4.0</api>
- </version>
- <stability>
-  <release>stable</release>
-  <api>stable</api>
- </stability>
- <license uri="http://www.gnu.org/licenses/lgpl.html">LGPL</license>
- <notes>
-HTML Purifier 4.0 is a major feature release focused on configuration
-It deprecates the $config-&gt;set('Ns', 'Directive', $value) syntax for
-$config-&gt;set('Ns.Directive', $value); both syntaxes work but the
-former will throw errors.  There are also some new features:  robust
-support for name/id, configuration inheritance, remove nbsp in
-the RemoveEmpty autoformatter, userland configuration directives
-and configuration serialization.
- </notes>
- <contents>
-  <dir name="/">
-   <file baseinstalldir="/" md5sum="8b1819c0ed397d313e5c76b062e6264d" name="HTMLPurifier/VarParserException.php" role="php"/>
-   <file baseinstalldir="/" md5sum="faa91653d527c5229b49253658ca80dd" name="HTMLPurifier/VarParser/Native.php" role="php"/>
-   <file baseinstalldir="/" md5sum="5e05d7b4f800f3cbca03efb3537277cb" name="HTMLPurifier/VarParser/Flexible.php" role="php"/>
-   <file baseinstalldir="/" md5sum="629508f0959354d4ebd99c527e704036" name="HTMLPurifier/VarParser.php" role="php"/>
-   <file baseinstalldir="/" md5sum="dbcd0c8ef8f54df0bf8945d5a61b2a9c" name="HTMLPurifier/URISchemeRegistry.php" role="php"/>
-   <file baseinstalldir="/" md5sum="dc9834550ddfe8edfc4a7c55bf32c05b" name="HTMLPurifier/URIScheme/nntp.php" role="php"/>
-   <file baseinstalldir="/" md5sum="2187e2b929cf26764e2a4acb24beaf46" name="HTMLPurifier/URIScheme/news.php" role="php"/>
-   <file baseinstalldir="/" md5sum="b847abc08adc931880036bcddde2362a" name="HTMLPurifier/URIScheme/mailto.php" role="php"/>
-   <file baseinstalldir="/" md5sum="add878b1199b2907f31135e89baebc12" name="HTMLPurifier/URIScheme/https.php" role="php"/>
-   <file baseinstalldir="/" md5sum="9e58f88917c4cbc385ba52c20c78e832" name="HTMLPurifier/URIScheme/http.php" role="php"/>
-   <file baseinstalldir="/" md5sum="18245d29655347bfb39c3342476a2d96" name="HTMLPurifier/URIScheme/ftp.php" role="php"/>
-   <file baseinstalldir="/" md5sum="4122f8aeaf11cc424c9a720c07ba0724" name="HTMLPurifier/URIScheme.php" role="php"/>
-   <file baseinstalldir="/" md5sum="d52d2040f01112af0e00f8b9bac38267" name="HTMLPurifier/URIParser.php" role="php"/>
-   <file baseinstalldir="/" md5sum="af92dd990abc627653f029dca94ed2d2" name="HTMLPurifier/URIFilter/Munge.php" role="php"/>
-   <file baseinstalldir="/" md5sum="f60d09064deb7203990b68895c6c8d66" name="HTMLPurifier/URIFilter/MakeAbsolute.php" role="php"/>
-   <file baseinstalldir="/" md5sum="a520831064417a45e03fd669b0f8256c" name="HTMLPurifier/URIFilter/HostBlacklist.php" role="php"/>
-   <file baseinstalldir="/" md5sum="f75e2069424d0b4f60988b1e8344cde8" name="HTMLPurifier/URIFilter/DisableExternalResources.php" role="php"/>
-   <file baseinstalldir="/" md5sum="9df1553f001cd2e5e574be075396a575" name="HTMLPurifier/URIFilter/DisableExternal.php" role="php"/>
-   <file baseinstalldir="/" md5sum="62112e5c17a05698309321ea85935061" name="HTMLPurifier/URIFilter.php" role="php"/>
-   <file baseinstalldir="/" md5sum="549903c3c3bfa86d91d3c2e2c8e065db" name="HTMLPurifier/URIDefinition.php" role="php"/>
-   <file baseinstalldir="/" md5sum="b150e8e19a71f29c19d7fdff69b4fd3d" name="HTMLPurifier/URI.php" role="php"/>
-   <file baseinstalldir="/" md5sum="9dcddc344c2d6d44698479dead8beead" name="HTMLPurifier/UnitConverter.php" role="php"/>
-   <file baseinstalldir="/" md5sum="ed32af45fe9dba652840c42075a7cdf3" name="HTMLPurifier/TokenFactory.php" role="php"/>
-   <file baseinstalldir="/" md5sum="a1ee2cf2a31f87fe63b5702ff82ed9ba" name="HTMLPurifier/Token/Text.php" role="php"/>
-   <file baseinstalldir="/" md5sum="21a3ed284d9cded0eba7e6910192f92b" name="HTMLPurifier/Token/Tag.php" role="php"/>
-   <file baseinstalldir="/" md5sum="abb859525c52a506e5f58c309431f3ca" name="HTMLPurifier/Token/Start.php" role="php"/>
-   <file baseinstalldir="/" md5sum="6dc6cdb4e980b6ffb9bb18ae73236ca9" name="HTMLPurifier/Token/End.php" role="php"/>
-   <file baseinstalldir="/" md5sum="b38096253b7361aa606beabbd361e744" name="HTMLPurifier/Token/Empty.php" role="php"/>
-   <file baseinstalldir="/" md5sum="0a93e4fcea3cf8114eec37914806e54f" name="HTMLPurifier/Token/Comment.php" role="php"/>
-   <file baseinstalldir="/" md5sum="cebdc28d8a702d0d2dfceb8c27196812" name="HTMLPurifier/Token.php" role="php"/>
-   <file baseinstalldir="/" md5sum="5e45fd1e8d10be6b9f4da28c765532ee" name="HTMLPurifier/TagTransform/Simple.php" role="php"/>
-   <file baseinstalldir="/" md5sum="a8e11a0600b535514f7d790fcb0e008e" name="HTMLPurifier/TagTransform/Font.php" role="php"/>
-   <file baseinstalldir="/" md5sum="3516a182bdf938206958c01134604b23" name="HTMLPurifier/TagTransform.php" role="php"/>
-   <file baseinstalldir="/" md5sum="74b777f59ffc04a9bcd19c815983d9f1" name="HTMLPurifier/tags" role="php"/>
-   <file baseinstalldir="/" md5sum="d2040cbc74c4ce31449d127719bcc6cb" name="HTMLPurifier/StringHashParser.php" role="php"/>
-   <file baseinstalldir="/" md5sum="934cbbd131e387f9e2cf0921e0c88936" name="HTMLPurifier/StringHash.php" role="php"/>
-   <file baseinstalldir="/" md5sum="3e085d73ce91a3d38f3017b112d07a0d" name="HTMLPurifier/Strategy/ValidateAttributes.php" role="php"/>
-   <file baseinstalldir="/" md5sum="6c6dbc3f24bccf2fdbfdbe9fe0912653" name="HTMLPurifier/Strategy/RemoveForeignElements.php" role="php"/>
-   <file baseinstalldir="/" md5sum="310ba416548021da80413cf04a90cce8" name="HTMLPurifier/Strategy/MakeWellFormed.php" role="php"/>
-   <file baseinstalldir="/" md5sum="48272af4271d1d6cc193052d9a175222" name="HTMLPurifier/Strategy/FixNesting.php" role="php"/>
-   <file baseinstalldir="/" md5sum="0324f1ab3397cb1544a51257994f576a" name="HTMLPurifier/Strategy/Core.php" role="php"/>
-   <file baseinstalldir="/" md5sum="55d2b2fd0577ebdcbbbf1312f4e6eb6e" name="HTMLPurifier/Strategy/Composite.php" role="php"/>
-   <file baseinstalldir="/" md5sum="05823f704d950d3a9debbd3784e4aaea" name="HTMLPurifier/Strategy.php" role="php"/>
-   <file baseinstalldir="/" md5sum="d17e7d5f8bc24cfc07f97aa7b014c4cd" name="HTMLPurifier/PropertyListIterator.php" role="php"/>
-   <file baseinstalldir="/" md5sum="319d75a5f8e6bbc8c644056a68a4aaec" name="HTMLPurifier/PropertyList.php" role="php"/>
-   <file baseinstalldir="/" md5sum="a46e55a618e944c96bbd09e5cfcf8cc1" name="HTMLPurifier/Printer/HTMLDefinition.php" role="php"/>
-   <file baseinstalldir="/" md5sum="d1d09c86a9c81b526bbd44c847344b6d" name="HTMLPurifier/Printer/CSSDefinition.php" role="php"/>
-   <file baseinstalldir="/" md5sum="512c6d0717c3fcb0bb0997594cdf7f3f" name="HTMLPurifier/Printer/ConfigForm.php" role="php"/>
-   <file baseinstalldir="/" md5sum="ee5990d6bb62017463a7a8d72c8288b5" name="HTMLPurifier/Printer/ConfigForm.js" role="php"/>
-   <file baseinstalldir="/" md5sum="c02f2fa8100745b88a85ed30e883fbc2" name="HTMLPurifier/Printer/ConfigForm.css" role="php"/>
-   <file baseinstalldir="/" md5sum="530db343c69ec3d4ba27e09e4b837903" name="HTMLPurifier/Printer.php" role="php"/>
-   <file baseinstalldir="/" md5sum="4d14a6fa6959c5c6993391b9946b57fe" name="HTMLPurifier/PercentEncoder.php" role="php"/>
-   <file baseinstalldir="/" md5sum="0f6893d064ab38c573384140159dd275" name="HTMLPurifier/Lexer/PH5P.php" role="php"/>
-   <file baseinstalldir="/" md5sum="8643ddf9638ba444abb3f0d14a906f1a" name="HTMLPurifier/Lexer/PEARSax3.php" role="php"/>
-   <file baseinstalldir="/" md5sum="461417b2a89ff805874fb3200edecc3a" name="HTMLPurifier/Lexer/DOMLex.php" role="php"/>
-   <file baseinstalldir="/" md5sum="f4a371e75951a563aa06c76afec748d5" name="HTMLPurifier/Lexer/DirectLex.php" role="php"/>
-   <file baseinstalldir="/" md5sum="a9d40a8c5ae52525e876cf061358bc1e" name="HTMLPurifier/Lexer.php" role="php"/>
-   <file baseinstalldir="/" md5sum="39382c387dc2a7dac903c2b63849a9a6" name="HTMLPurifier/Length.php" role="php"/>
-   <file baseinstalldir="/" md5sum="58a26316f701ac79ca439ce4d874b9d3" name="HTMLPurifier/LanguageFactory.php" role="php"/>
-   <file baseinstalldir="/" md5sum="7246930b43b3e3caea10e6bce02fa95e" name="HTMLPurifier/Language/messages/en.php" role="php"/>
-   <file baseinstalldir="/" md5sum="146f1c2d41e1fdf85f334a05a0dd41ca" name="HTMLPurifier/Language/messages/en-x-testmini.php" role="php"/>
-   <file baseinstalldir="/" md5sum="c1ea035c3a68aee24f6d4c264ee79d6b" name="HTMLPurifier/Language/messages/en-x-test.php" role="php"/>
-   <file baseinstalldir="/" md5sum="f645558786c86be0b603b7cfc82f7e12" name="HTMLPurifier/Language/classes/en-x-test.php" role="php"/>
-   <file baseinstalldir="/" md5sum="34c9de227562f8967141cbf9f565c289" name="HTMLPurifier/Language.php" role="php"/>
-   <file baseinstalldir="/" md5sum="027296ea99d041b96bfb9f86b4b2246f" name="HTMLPurifier/Injector/SafeObject.php" role="php"/>
-   <file baseinstalldir="/" md5sum="f6216052673d05748b26bfcbd51689f7" name="HTMLPurifier/Injector/RemoveEmpty.php" role="php"/>
-   <file baseinstalldir="/" md5sum="dbfe4673baeefc27fb505c867d56c5d4" name="HTMLPurifier/Injector/PurifierLinkify.php" role="php"/>
-   <file baseinstalldir="/" md5sum="a205c290b398a25a7f4b76a5401e54c4" name="HTMLPurifier/Injector/Linkify.php" role="php"/>
-   <file baseinstalldir="/" md5sum="e0ba2c64ec1ff45452069ea4a61194c8" name="HTMLPurifier/Injector/DisplayLinkURI.php" role="php"/>
-   <file baseinstalldir="/" md5sum="0d1dc975105ef1208e3228586335abaf" name="HTMLPurifier/Injector/AutoParagraph.php" role="php"/>
-   <file baseinstalldir="/" md5sum="9f1d4fac7ab8e8ba0a94a13cdfb5c644" name="HTMLPurifier/Injector.php" role="php"/>
-   <file baseinstalldir="/" md5sum="41e2004626f0e87d894ad091f91f6554" name="HTMLPurifier/IDAccumulator.php" role="php"/>
-   <file baseinstalldir="/" md5sum="b3fe48fa29465d75928b5a2917d4ba30" name="HTMLPurifier/HTMLModuleManager.php" role="php"/>
-   <file baseinstalldir="/" md5sum="4927a47ebe2721507baaddf7f66da265" name="HTMLPurifier/HTMLModule/XMLCommonAttributes.php" role="php"/>
-   <file baseinstalldir="/" md5sum="cbdf3deab781644fcc25dde08b441727" name="HTMLPurifier/HTMLModule/Tidy/XHTMLAndHTML4.php" role="php"/>
-   <file baseinstalldir="/" md5sum="7f514a82cfd85b03d712274b5d249954" name="HTMLPurifier/HTMLModule/Tidy/XHTML.php" role="php"/>
-   <file baseinstalldir="/" md5sum="a00c39ef28493892552b3f3e452cf992" name="HTMLPurifier/HTMLModule/Tidy/Transitional.php" role="php"/>
-   <file baseinstalldir="/" md5sum="5215ba83a8f645d50077b748ab344b8a" name="HTMLPurifier/HTMLModule/Tidy/Strict.php" role="php"/>
-   <file baseinstalldir="/" md5sum="ad27e0f4952db6bd52a6798ce252c812" name="HTMLPurifier/HTMLModule/Tidy/Proprietary.php" role="php"/>
-   <file baseinstalldir="/" md5sum="f6bed98e1a7ebae0e09764956bdac4f2" name="HTMLPurifier/HTMLModule/Tidy/Name.php" role="php"/>
-   <file baseinstalldir="/" md5sum="4837b4cb0776cc1af14a21c1b877e078" name="HTMLPurifier/HTMLModule/Tidy.php" role="php"/>
-   <file baseinstalldir="/" md5sum="65b57e9b356a4d13b6f0c65dfcd337dd" name="HTMLPurifier/HTMLModule/Text.php" role="php"/>
-   <file baseinstalldir="/" md5sum="ad4c41177390713e568bdd96848e37f5" name="HTMLPurifier/HTMLModule/Target.php" role="php"/>
-   <file baseinstalldir="/" md5sum="7d6e6c2595498da192d69006c46d769d" name="HTMLPurifier/HTMLModule/Tables.php" role="php"/>
-   <file baseinstalldir="/" md5sum="4770bf322cefdc9b155d9faf2851e21f" name="HTMLPurifier/HTMLModule/StyleAttribute.php" role="php"/>
-   <file baseinstalldir="/" md5sum="074b0eb6b6c34a1992ab65aa67e29a35" name="HTMLPurifier/HTMLModule/Scripting.php" role="php"/>
-   <file baseinstalldir="/" md5sum="d02bfe5bcd269deac0cd7886ae288364" name="HTMLPurifier/HTMLModule/SafeObject.php" role="php"/>
-   <file baseinstalldir="/" md5sum="59f3c3ddec2793fdb18084a2b6da20b6" name="HTMLPurifier/HTMLModule/SafeEmbed.php" role="php"/>
-   <file baseinstalldir="/" md5sum="c87f9de5628a72270943de5496d36ddf" name="HTMLPurifier/HTMLModule/Ruby.php" role="php"/>
-   <file baseinstalldir="/" md5sum="aae031812e9fbe29dff05f23e1b4cda5" name="HTMLPurifier/HTMLModule/Proprietary.php" role="php"/>
-   <file baseinstalldir="/" md5sum="e503304a642c6786f6a11eb3ead87ddd" name="HTMLPurifier/HTMLModule/Presentation.php" role="php"/>
-   <file baseinstalldir="/" md5sum="a7cca883348645c6a77ec7db0932a610" name="HTMLPurifier/HTMLModule/Object.php" role="php"/>
-   <file baseinstalldir="/" md5sum="24b18ff07b334f19fc8c1e5f184d2570" name="HTMLPurifier/HTMLModule/NonXMLCommonAttributes.php" role="php"/>
-   <file baseinstalldir="/" md5sum="9765121a41a8e2a372a65c6bd3b32789" name="HTMLPurifier/HTMLModule/Name.php" role="php"/>
-   <file baseinstalldir="/" md5sum="21bac4a6658e819d2b0c807351f300c1" name="HTMLPurifier/HTMLModule/List.php" role="php"/>
-   <file baseinstalldir="/" md5sum="e36d4f596bd85f285d243013495c8dcb" name="HTMLPurifier/HTMLModule/Legacy.php" role="php"/>
-   <file baseinstalldir="/" md5sum="911df038afaefbc0f662a3d6fa8d9554" name="HTMLPurifier/HTMLModule/Image.php" role="php"/>
-   <file baseinstalldir="/" md5sum="bb4790cbd4a68e90a2d1fb8b820d7147" name="HTMLPurifier/HTMLModule/Hypertext.php" role="php"/>
-   <file baseinstalldir="/" md5sum="73153b86492552a9fbb88340c770963f" name="HTMLPurifier/HTMLModule/Forms.php" role="php"/>
-   <file baseinstalldir="/" md5sum="5475ee52a8791d170b841cd6ad905094" name="HTMLPurifier/HTMLModule/Edit.php" role="php"/>
-   <file baseinstalldir="/" md5sum="381c8ba0950e07c6c82c42a642385800" name="HTMLPurifier/HTMLModule/CommonAttributes.php" role="php"/>
-   <file baseinstalldir="/" md5sum="e129432b77bb64fdc290d13987c45596" name="HTMLPurifier/HTMLModule/Bdo.php" role="php"/>
-   <file baseinstalldir="/" md5sum="9cbb7c9019e68203ca205eff77a61fe5" name="HTMLPurifier/HTMLModule.php" role="php"/>
-   <file baseinstalldir="/" md5sum="75a3e23b95fd758922132c79fdca9e56" name="HTMLPurifier/HTMLDefinition.php" role="php"/>
-   <file baseinstalldir="/" md5sum="51925aaea7436e6a75f4ccae2597d806" name="HTMLPurifier/Generator.php" role="php"/>
-   <file baseinstalldir="/" md5sum="5c61e7f9db9239ad5f23a4ef94e83d14" name="HTMLPurifier/Filter/YouTube.php" role="php"/>
-   <file baseinstalldir="/" md5sum="739249b8ed7c1e1ff906931b13d477f6" name="HTMLPurifier/Filter/ExtractStyleBlocks.php" role="php"/>
-   <file baseinstalldir="/" md5sum="33181bbe7f6e7e839796e73d4d2a790d" name="HTMLPurifier/Filter.php" role="php"/>
-   <file baseinstalldir="/" md5sum="6549f2e00060fd671149191f1e94eaf3" name="HTMLPurifier/Exception.php" role="php"/>
-   <file baseinstalldir="/" md5sum="3cc9e13fb56fb8816bd478e46522a926" name="HTMLPurifier/ErrorStruct.php" role="php"/>
-   <file baseinstalldir="/" md5sum="5aee849a4ef4f610cd383752697f6966" name="HTMLPurifier/ErrorCollector.php" role="php"/>
-   <file baseinstalldir="/" md5sum="85a29be7cf7434024284aeb333659c0b" name="HTMLPurifier/EntityParser.php" role="php"/>
-   <file baseinstalldir="/" md5sum="5e2066baba7c0c0de8ff0ecc38ce2a5c" name="HTMLPurifier/EntityLookup/entities.ser" role="php"/>
-   <file baseinstalldir="/" md5sum="1ebc1f6db1134f98ba757d16bec67d0a" name="HTMLPurifier/EntityLookup.php" role="php"/>
-   <file baseinstalldir="/" md5sum="fc3fee6ae7b5cfa04ce2c4ba8699a98b" name="HTMLPurifier/Encoder.php" role="php"/>
-   <file baseinstalldir="/" md5sum="b0025522437a72f339de994d0e26dd1d" name="HTMLPurifier/ElementDef.php" role="php"/>
-   <file baseinstalldir="/" md5sum="0ab0a6b2a7d358ab8532d897e8bfe729" name="HTMLPurifier/DoctypeRegistry.php" role="php"/>
-   <file baseinstalldir="/" md5sum="512fcd900313924eb7902442186a06cc" name="HTMLPurifier/Doctype.php" role="php"/>
-   <file baseinstalldir="/" md5sum="1df8a4f27f64b5473b41e4666f787c6d" name="HTMLPurifier/DefinitionCacheFactory.php" role="php"/>
-   <file baseinstalldir="/" md5sum="1e9429a2030745d25d245d9f06f7f065" name="HTMLPurifier/DefinitionCache/Serializer/README" role="php"/>
-   <file baseinstalldir="/" md5sum="d63b0aeacf255afb75982a14f1dd0daf" name="HTMLPurifier/DefinitionCache/Serializer.php" role="php"/>
-   <file baseinstalldir="/" md5sum="e27dfb4700f20a6ccd1ab8e498ce0ac6" name="HTMLPurifier/DefinitionCache/Null.php" role="php"/>
-   <file baseinstalldir="/" md5sum="9e8b84835e638f4f835e43405c50900f" name="HTMLPurifier/DefinitionCache/Decorator/Template.php.in" role="php"/>
-   <file baseinstalldir="/" md5sum="8acd4ef5453cc2c25612a665f46ca836" name="HTMLPurifier/DefinitionCache/Decorator/Memory.php" role="php"/>
-   <file baseinstalldir="/" md5sum="31e3ea9d5988c5a1ae3f369ddccbfead" name="HTMLPurifier/DefinitionCache/Decorator/Cleanup.php" role="php"/>
-   <file baseinstalldir="/" md5sum="f185adab8aad39c577d9d4900ed61b81" name="HTMLPurifier/DefinitionCache/Decorator.php" role="php"/>
-   <file baseinstalldir="/" md5sum="db24b53bab53b8ffa40b197e06078fe4" name="HTMLPurifier/DefinitionCache.php" role="php"/>
-   <file baseinstalldir="/" md5sum="a188cbe72b81f021578b989d1566f0b3" name="HTMLPurifier/Definition.php" role="php"/>
-   <file baseinstalldir="/" md5sum="d6018966da297fe60eeba65b9adc843a" name="HTMLPurifier/CSSDefinition.php" role="php"/>
-   <file baseinstalldir="/" md5sum="c1ed36707d08237daa646b3b8eeb30a4" name="HTMLPurifier/Context.php" role="php"/>
-   <file baseinstalldir="/" md5sum="1bd2243d0d7b68504723ebc5dddd0ea2" name="HTMLPurifier/ContentSets.php" role="php"/>
-   <file baseinstalldir="/" md5sum="9a57bfdb6b774679e2f5593d4c67d7f5" name="HTMLPurifier/ConfigSchema/ValidatorAtom.php" role="php"/>
-   <file baseinstalldir="/" md5sum="d9327f8aaab4fdc364107d0779310b3b" name="HTMLPurifier/ConfigSchema/Validator.php" role="php"/>
-   <file baseinstalldir="/" md5sum="5f3ddeed8119e52e8a83d9a2a292302b" name="HTMLPurifier/ConfigSchema/schema/URI.OverrideAllowedSchemes.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="0b4694fa209765c9eb4017787db4cfa2" name="HTMLPurifier/ConfigSchema/schema/URI.MungeSecretKey.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="35af9b45b2e0e12d68b23ce62a78fe0b" name="HTMLPurifier/ConfigSchema/schema/URI.MungeResources.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="63a87a1f19518c7dc68ff3cd05896656" name="HTMLPurifier/ConfigSchema/schema/URI.Munge.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="b59e10aecfd047b3a16a321d10d0f3ef" name="HTMLPurifier/ConfigSchema/schema/URI.MakeAbsolute.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="1c3c1d44844d5a053480f31b93102434" name="HTMLPurifier/ConfigSchema/schema/URI.HostBlacklist.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="e9867d9bf1a9e50f832f0d95ed04106c" name="HTMLPurifier/ConfigSchema/schema/URI.Host.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="bd2f650220fe184f7b3569141e506e34" name="HTMLPurifier/ConfigSchema/schema/URI.DisableResources.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="ec8e59c56d5c044651291bc2fd3ec2df" name="HTMLPurifier/ConfigSchema/schema/URI.DisableExternalResources.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="379b2f38f7a446c97d0cecf80b57eb12" name="HTMLPurifier/ConfigSchema/schema/URI.DisableExternal.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="bdacaee370b43ee3f42057e1ce9acc5d" name="HTMLPurifier/ConfigSchema/schema/URI.Disable.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="19c20a0f38079e050aaca40a1d80153a" name="HTMLPurifier/ConfigSchema/schema/URI.DefinitionRev.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="6ae2a6306a4742c4406a3a7978c8cb8d" name="HTMLPurifier/ConfigSchema/schema/URI.DefinitionID.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="3e8b627ac6dd450053e991531169b401" name="HTMLPurifier/ConfigSchema/schema/URI.DefaultScheme.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="91a4d5beceb354651773fc9dee5eae99" name="HTMLPurifier/ConfigSchema/schema/URI.Base.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="b631543031c811300774cd15ef5705ba" name="HTMLPurifier/ConfigSchema/schema/URI.AllowedSchemes.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="db04b24ca81b77213fb8dc6b4a34e688" name="HTMLPurifier/ConfigSchema/schema/Test.ForceNoIconv.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="1812d786966978cef85926fb306081f1" name="HTMLPurifier/ConfigSchema/schema/Output.TidyFormat.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="782d42061de75233348a3c756e7540b9" name="HTMLPurifier/ConfigSchema/schema/Output.SortAttr.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="20606c0bb24a9ed5e51908cd49b5aa0d" name="HTMLPurifier/ConfigSchema/schema/Output.Newline.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="703a4fcb08a72ac358bf54d1a8363347" name="HTMLPurifier/ConfigSchema/schema/Output.CommentScriptContents.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="d88546ab0eaf014b57e260d070c65ebe" name="HTMLPurifier/ConfigSchema/schema/info.ini" role="php"/>
-   <file baseinstalldir="/" md5sum="bdd5c7ed524c8b4e529e5b0d0b512b0b" name="HTMLPurifier/ConfigSchema/schema/HTML.XHTML.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="6c5f0ed641319d3ed0e70e98f40a3730" name="HTMLPurifier/ConfigSchema/schema/HTML.Trusted.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="580fe57f57c2633dcbf5ea61f03a2c17" name="HTMLPurifier/ConfigSchema/schema/HTML.TidyRemove.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="602bcdee9b9128369fece8dda6ca68d0" name="HTMLPurifier/ConfigSchema/schema/HTML.TidyLevel.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="98c27e81560886a8243301ecf1356a4e" name="HTMLPurifier/ConfigSchema/schema/HTML.TidyAdd.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="2627f4dfc25ae253e56241c1208b1861" name="HTMLPurifier/ConfigSchema/schema/HTML.Strict.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="5aa156444b034221be9647486472d38c" name="HTMLPurifier/ConfigSchema/schema/HTML.SafeObject.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="d7564565bfd9962ead012075a4f785d0" name="HTMLPurifier/ConfigSchema/schema/HTML.SafeEmbed.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="0f3e26408858326c3ea07d07cd6f32ba" name="HTMLPurifier/ConfigSchema/schema/HTML.Proprietary.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="827049a0989ef1af9d513b7cf0ebd088" name="HTMLPurifier/ConfigSchema/schema/HTML.Parent.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="bf719ef499e5092b1745fdc0145544a8" name="HTMLPurifier/ConfigSchema/schema/HTML.MaxImgLength.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="aaa953fcd68ebc340e9cb465e49951b6" name="HTMLPurifier/ConfigSchema/schema/HTML.ForbiddenElements.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="44bc257b528121bd62f852331ebf7583" name="HTMLPurifier/ConfigSchema/schema/HTML.ForbiddenAttributes.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="239a45c10f6eff0a180e0da5f89cf05a" name="HTMLPurifier/ConfigSchema/schema/HTML.Doctype.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="4236b3a52572b275840ea600ffe4c91e" name="HTMLPurifier/ConfigSchema/schema/HTML.DefinitionRev.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="1797469f7d736a99d4e2aa67f5de7acd" name="HTMLPurifier/ConfigSchema/schema/HTML.DefinitionID.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="9a9c021bd1610663aee54f9d830fff0b" name="HTMLPurifier/ConfigSchema/schema/HTML.CustomDoctype.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="27a1c037eda91bea2eee5229e4f1a058" name="HTMLPurifier/ConfigSchema/schema/HTML.CoreModules.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="f7d9ac0023cccb32f6792cbfc82be402" name="HTMLPurifier/ConfigSchema/schema/HTML.BlockWrapper.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="0f39567afbe1f3b9764b1350e494dd4a" name="HTMLPurifier/ConfigSchema/schema/HTML.Attr.Name.UseCDATA.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="8bfa42cf1474478dc3069884a58e9441" name="HTMLPurifier/ConfigSchema/schema/HTML.AllowedModules.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="c7a97b0bb36b164149166153ca40cabe" name="HTMLPurifier/ConfigSchema/schema/HTML.AllowedElements.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="74625ff69c0bb72ac2ea00be938fd4a2" name="HTMLPurifier/ConfigSchema/schema/HTML.AllowedAttributes.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="fe80810deab2b76f801ce09c658a426e" name="HTMLPurifier/ConfigSchema/schema/HTML.Allowed.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="7941c66897f6cbfa436c00232b0c0319" name="HTMLPurifier/ConfigSchema/schema/Filter.YouTube.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="962dc2f6f680a67c76e90ca58defa8ba" name="HTMLPurifier/ConfigSchema/schema/Filter.ExtractStyleBlocks.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="afffc795383c3d375ce1f8d538353004" name="HTMLPurifier/ConfigSchema/schema/Filter.ExtractStyleBlocks.TidyImpl.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="9df7447f59f04e26a711c9cd289c0d02" name="HTMLPurifier/ConfigSchema/schema/Filter.ExtractStyleBlocks.Scope.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="6e099862fb32d89340d934cdc392ba82" name="HTMLPurifier/ConfigSchema/schema/Filter.ExtractStyleBlocks.Escaping.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="e39e05351052579f6db967f06eb34124" name="HTMLPurifier/ConfigSchema/schema/Filter.Custom.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="973b359f1e0c27649c661665b6cce6b5" name="HTMLPurifier/ConfigSchema/schema/CSS.Proprietary.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="636354d2cc7b1e142ed4b4bac719afe7" name="HTMLPurifier/ConfigSchema/schema/CSS.MaxImgLength.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="1c27523a1bf4fb4bc1b5efeb31374bf1" name="HTMLPurifier/ConfigSchema/schema/CSS.DefinitionRev.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="a610159b4dc4b4f090faab367df05913" name="HTMLPurifier/ConfigSchema/schema/CSS.AllowTricky.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="4cdc8843d64b8954826fe63ab800c4a4" name="HTMLPurifier/ConfigSchema/schema/CSS.AllowImportant.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="5766c211d61ee8e63d84221cdfc0c382" name="HTMLPurifier/ConfigSchema/schema/CSS.AllowedProperties.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="eb240130a1906d9c6402db7da045e069" name="HTMLPurifier/ConfigSchema/schema/Core.RemoveScriptContents.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="6d9eb286dd0ad35fc9a42e888e437a11" name="HTMLPurifier/ConfigSchema/schema/Core.RemoveInvalidImg.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="b1994238ead13791bfae55ac6ead56e2" name="HTMLPurifier/ConfigSchema/schema/Core.MaintainLineNumbers.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="6c673a7c23196cdc6b4b430d8d77e4d0" name="HTMLPurifier/ConfigSchema/schema/Core.LexerImpl.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="7d76686be9f82a742690c6bc5ac2172b" name="HTMLPurifier/ConfigSchema/schema/Core.Language.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="f6e08c75224c0681a0933aaa70122db1" name="HTMLPurifier/ConfigSchema/schema/Core.HiddenElements.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="c79d40b21101ebe0f842c84b7f308e97" name="HTMLPurifier/ConfigSchema/schema/Core.EscapeNonASCIICharacters.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="e9f14e5050c5920c7e9006b9f28bd76f" name="HTMLPurifier/ConfigSchema/schema/Core.EscapeInvalidTags.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="27a34d8862655c293db261bfa3b6690f" name="HTMLPurifier/ConfigSchema/schema/Core.EscapeInvalidChildren.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="438f7ac032cb0dd31e053c5791975eb3" name="HTMLPurifier/ConfigSchema/schema/Core.Encoding.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="10b09a0750da4d12c0780bcd83bf40cb" name="HTMLPurifier/ConfigSchema/schema/Core.DirectLexLineNumberSyncInterval.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="f9a2ba865c9358f9acdcb1af76c75248" name="HTMLPurifier/ConfigSchema/schema/Core.ConvertDocumentToFragment.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="89a38cc8baee51e92df7a6f656c958ab" name="HTMLPurifier/ConfigSchema/schema/Core.ColorKeywords.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="8abd158052b5fe867664cb53dc7016ff" name="HTMLPurifier/ConfigSchema/schema/Core.CollectErrors.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="abfa880ace0da126afa0404db057ccf3" name="HTMLPurifier/ConfigSchema/schema/Core.AggressivelyFixLt.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="6ec326585143d337e8aa91a8449076aa" name="HTMLPurifier/ConfigSchema/schema/Cache.SerializerPath.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="ab8bbc7c368a70b8997cee521f0f8266" name="HTMLPurifier/ConfigSchema/schema/Cache.DefinitionImpl.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="3d2523b07cbea92b6928a2c32a3bbbc0" name="HTMLPurifier/ConfigSchema/schema/AutoFormat.RemoveEmpty.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="a8a28c98305dd6a9abb5464acd5c7367" name="HTMLPurifier/ConfigSchema/schema/AutoFormat.RemoveEmpty.RemoveNbsp.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="e53542febfba19782c49cba0a61cc8c2" name="HTMLPurifier/ConfigSchema/schema/AutoFormat.RemoveEmpty.RemoveNbsp.Exceptions.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="28380c89a107c47d614155a10a2cbfdf" name="HTMLPurifier/ConfigSchema/schema/AutoFormat.PurifierLinkify.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="d5f5ebc07893f09271b5910e9515827e" name="HTMLPurifier/ConfigSchema/schema/AutoFormat.PurifierLinkify.DocURL.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="21aea6427b2a3c2dfb298d02e96ec669" name="HTMLPurifier/ConfigSchema/schema/AutoFormat.Linkify.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="bea8bbdbbd31448a02d92663214e984c" name="HTMLPurifier/ConfigSchema/schema/AutoFormat.DisplayLinkURI.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="12dd6d349d980eee22f922e963c001b4" name="HTMLPurifier/ConfigSchema/schema/AutoFormat.Custom.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="6271b4a4b8b7af81af43f19969c2bde3" name="HTMLPurifier/ConfigSchema/schema/AutoFormat.AutoParagraph.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="1b26b5763bb96c96c98abc3236ee6b19" name="HTMLPurifier/ConfigSchema/schema/Attr.IDPrefixLocal.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="41ddfd49fafdfa843b26864ee200d983" name="HTMLPurifier/ConfigSchema/schema/Attr.IDPrefix.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="376c4ef45a5ca3cb19d77774856ddfdf" name="HTMLPurifier/ConfigSchema/schema/Attr.IDBlacklistRegexp.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="97ddc74ca5ad0affb327e1f593ede768" name="HTMLPurifier/ConfigSchema/schema/Attr.IDBlacklist.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="d96aa90796e69c12456daf563af1179a" name="HTMLPurifier/ConfigSchema/schema/Attr.ForbiddenClasses.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="b08ddfb891716ac35c74b281827371b8" name="HTMLPurifier/ConfigSchema/schema/Attr.EnableID.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="d0bb87419dd6922763aaa8c4331d53fd" name="HTMLPurifier/ConfigSchema/schema/Attr.DefaultTextDir.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="a5d0f2c37dc21f4ca4c0aea1143bc906" name="HTMLPurifier/ConfigSchema/schema/Attr.DefaultInvalidImageAlt.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="f8d19a8c404092f2f789ddb18cbe2c93" name="HTMLPurifier/ConfigSchema/schema/Attr.DefaultInvalidImage.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="35d99a66652595c744ebe8b0ffe48165" name="HTMLPurifier/ConfigSchema/schema/Attr.DefaultImageAlt.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="417ac415d2e698fa41b3272c3357eae2" name="HTMLPurifier/ConfigSchema/schema/Attr.ClassUseCDATA.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="cf02eb79ccac04001536539185d9112b" name="HTMLPurifier/ConfigSchema/schema/Attr.AllowedRev.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="e7572119a13e8d41d980954283020b1b" name="HTMLPurifier/ConfigSchema/schema/Attr.AllowedRel.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="a2a1e573097a562d5bf0e15e87033db8" name="HTMLPurifier/ConfigSchema/schema/Attr.AllowedFrameTargets.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="c7e804eef84fd4e84555da46f5e67d78" name="HTMLPurifier/ConfigSchema/schema/Attr.AllowedClasses.txt" role="php"/>
-   <file baseinstalldir="/" md5sum="9d2d7c8e8a29bc9ba915d2ec0af4ed89" name="HTMLPurifier/ConfigSchema/schema.ser" role="php"/>
-   <file baseinstalldir="/" md5sum="2da487ed0053dd17f8f4c13a7b3cf04d" name="HTMLPurifier/ConfigSchema/InterchangeBuilder.php" role="php"/>
-   <file baseinstalldir="/" md5sum="b67c7f7562c9eac082a960b3be9f5f1f" name="HTMLPurifier/ConfigSchema/Interchange/Id.php" role="php"/>
-   <file baseinstalldir="/" md5sum="3b11731a184f921ad82632a4d5ca8ea3" name="HTMLPurifier/ConfigSchema/Interchange/Directive.php" role="php"/>
-   <file baseinstalldir="/" md5sum="16ec96e01b7a93a75f6c0d27a3044d2c" name="HTMLPurifier/ConfigSchema/Interchange.php" role="php"/>
-   <file baseinstalldir="/" md5sum="31bf3afba867409fdf11f75eaa3725fd" name="HTMLPurifier/ConfigSchema/Exception.php" role="php"/>
-   <file baseinstalldir="/" md5sum="2f3ef23752e2cb399fea85c3368b2d47" name="HTMLPurifier/ConfigSchema/Builder/Xml.php" role="php"/>
-   <file baseinstalldir="/" md5sum="a9d77f36c69fcdeeaffdddccf53b1aea" name="HTMLPurifier/ConfigSchema/Builder/ConfigSchema.php" role="php"/>
-   <file baseinstalldir="/" md5sum="37ccb7351a8bcc8c49bba3c2d312996d" name="HTMLPurifier/ConfigSchema.php" role="php"/>
-   <file baseinstalldir="/" md5sum="aefeb82b17623a6d0594a084afb664b4" name="HTMLPurifier/Config.php" role="php"/>
-   <file baseinstalldir="/" md5sum="98c3856ffede2c519fa703dee541fc01" name="HTMLPurifier/ChildDef/Table.php" role="php"/>
-   <file baseinstalldir="/" md5sum="538d675731b05c7483ec31e1ae55ca4a" name="HTMLPurifier/ChildDef/StrictBlockquote.php" role="php"/>
-   <file baseinstalldir="/" md5sum="682f8da336f2a1dad1cd7880d4848076" name="HTMLPurifier/ChildDef/Required.php" role="php"/>
-   <file baseinstalldir="/" md5sum="6b324d68260f872dc1a9312608af70bf" name="HTMLPurifier/ChildDef/Optional.php" role="php"/>
-   <file baseinstalldir="/" md5sum="22f2d339fcb60c536e651f80f03f7c82" name="HTMLPurifier/ChildDef/Empty.php" role="php"/>
-   <file baseinstalldir="/" md5sum="13c44a1aaf1ab1b25744758cd1831b4f" name="HTMLPurifier/ChildDef/Custom.php" role="php"/>
-   <file baseinstalldir="/" md5sum="3c557d08cadb051c7e1711376da3acb8" name="HTMLPurifier/ChildDef/Chameleon.php" role="php"/>
-   <file baseinstalldir="/" md5sum="281eaa00a5e3ff98b611b5ebca97bcb0" name="HTMLPurifier/ChildDef.php" role="php"/>
-   <file baseinstalldir="/" md5sum="de2d3205b26e42deaa94d8d74e3692c4" name="HTMLPurifier/Bootstrap.php" role="php"/>
-   <file baseinstalldir="/" md5sum="53aebf76f83099026c95c03844ecf39b" name="HTMLPurifier/AttrValidator.php" role="php"/>
-   <file baseinstalldir="/" md5sum="b1ba10c4bcd37a7f5e9a6c97a81b18c8" name="HTMLPurifier/AttrTypes.php" role="php"/>
-   <file baseinstalldir="/" md5sum="45c48b09a03a9abef719748ce27c4728" name="HTMLPurifier/AttrTransform/Textarea.php" role="php"/>
-   <file baseinstalldir="/" md5sum="aeeb086b76d4bcb87d8a36a61b7ca644" name="HTMLPurifier/AttrTransform/ScriptRequired.php" role="php"/>
-   <file baseinstalldir="/" md5sum="e6239d696e5a698544d8aecef02871da" name="HTMLPurifier/AttrTransform/SafeParam.php" role="php"/>
-   <file baseinstalldir="/" md5sum="6575e1225807af9eb79e3c005b028591" name="HTMLPurifier/AttrTransform/SafeObject.php" role="php"/>
-   <file baseinstalldir="/" md5sum="c9814258f610f4cbc17b6a511289b329" name="HTMLPurifier/AttrTransform/SafeEmbed.php" role="php"/>
-   <file baseinstalldir="/" md5sum="03c2f1e68d493f53430c42d4c8806166" name="HTMLPurifier/AttrTransform/NameSync.php" role="php"/>
-   <file baseinstalldir="/" md5sum="563026acbdd46b682f91cdfea1103ce8" name="HTMLPurifier/AttrTransform/Name.php" role="php"/>
-   <file baseinstalldir="/" md5sum="0c9bfa9cdc93cff8714b237e854f4595" name="HTMLPurifier/AttrTransform/Length.php" role="php"/>
-   <file baseinstalldir="/" md5sum="17dd8373c191efd5c95bfe5fb79ed8fe" name="HTMLPurifier/AttrTransform/Lang.php" role="php"/>
-   <file baseinstalldir="/" md5sum="a0ee62ef96c7ac5c6add36ef47f9ba47" name="HTMLPurifier/AttrTransform/Input.php" role="php"/>
-   <file baseinstalldir="/" md5sum="107148ff2b640ff7afbfc59e638812f5" name="HTMLPurifier/AttrTransform/ImgSpace.php" role="php"/>
-   <file baseinstalldir="/" md5sum="87bd7efd4aaaa1f439a0a948d2c48a52" name="HTMLPurifier/AttrTransform/ImgRequired.php" role="php"/>
-   <file baseinstalldir="/" md5sum="f1f2fb8deb98f319592e4f55545facee" name="HTMLPurifier/AttrTransform/EnumToCSS.php" role="php"/>
-   <file baseinstalldir="/" md5sum="faca234a22422d5cf69ca7068145eac8" name="HTMLPurifier/AttrTransform/Border.php" role="php"/>
-   <file baseinstalldir="/" md5sum="b7d7e4d45de29fc50eefdc97e760e6d5" name="HTMLPurifier/AttrTransform/BoolToCSS.php" role="php"/>
-   <file baseinstalldir="/" md5sum="ec7f74671186c8e5e93a381cce6470fa" name="HTMLPurifier/AttrTransform/BgColor.php" role="php"/>
-   <file baseinstalldir="/" md5sum="3e6afa73230fc31d74eb382bd42bb18a" name="HTMLPurifier/AttrTransform/BdoDir.php" role="php"/>
-   <file baseinstalldir="/" md5sum="1decd9fa8e0777811024260549d29aaa" name="HTMLPurifier/AttrTransform/Background.php" role="php"/>
-   <file baseinstalldir="/" md5sum="18870fa532d982a78f20d00e93b6ba3e" name="HTMLPurifier/AttrTransform.php" role="php"/>
-   <file baseinstalldir="/" md5sum="44004a19ee045f386993905c84600d61" name="HTMLPurifier/AttrDef/URI/IPv6.php" role="php"/>
-   <file baseinstalldir="/" md5sum="da52096d6feb81bd8a40f9d5ed439139" name="HTMLPurifier/AttrDef/URI/IPv4.php" role="php"/>
-   <file baseinstalldir="/" md5sum="38b3ca8b1c3522fbbd27bce785bc58ab" name="HTMLPurifier/AttrDef/URI/Host.php" role="php"/>
-   <file baseinstalldir="/" md5sum="cebebf0d99b63ecd2072f37e69055b6c" name="HTMLPurifier/AttrDef/URI/Email/SimpleCheck.php" role="php"/>
-   <file baseinstalldir="/" md5sum="958e3072379737950b8ce0f6823ac8eb" name="HTMLPurifier/AttrDef/URI/Email.php" role="php"/>
-   <file baseinstalldir="/" md5sum="05afd73beee5b644bc49790b7a0dde0f" name="HTMLPurifier/AttrDef/URI.php" role="php"/>
-   <file baseinstalldir="/" md5sum="0ad9dcd58ce4f104006b59a9df51802a" name="HTMLPurifier/AttrDef/Text.php" role="php"/>
-   <file baseinstalldir="/" md5sum="8fcf6999bbd3f2cd9d3780182d91be7d" name="HTMLPurifier/AttrDef/Switch.php" role="php"/>
-   <file baseinstalldir="/" md5sum="04a72938e4c07553d9a18ae6649cd90f" name="HTMLPurifier/AttrDef/Lang.php" role="php"/>
-   <file baseinstalldir="/" md5sum="f57bc53b7c7a29b0c4324e0ad2039c2a" name="HTMLPurifier/AttrDef/Integer.php" role="php"/>
-   <file baseinstalldir="/" md5sum="95962e03883b9a84496487a1f8af5da3" name="HTMLPurifier/AttrDef/HTML/Pixels.php" role="php"/>
-   <file baseinstalldir="/" md5sum="8face464a844799e3aab2e9f4f918868" name="HTMLPurifier/AttrDef/HTML/Nmtokens.php" role="php"/>
-   <file baseinstalldir="/" md5sum="122498f21ff87dcab5ec8f1dfb51d39c" name="HTMLPurifier/AttrDef/HTML/MultiLength.php" role="php"/>
-   <file baseinstalldir="/" md5sum="ed11d4126e34e45fd127650a45f0ee56" name="HTMLPurifier/AttrDef/HTML/LinkTypes.php" role="php"/>
-   <file baseinstalldir="/" md5sum="a38926a6e784e67d5cd7e9d657802214" name="HTMLPurifier/AttrDef/HTML/Length.php" role="php"/>
-   <file baseinstalldir="/" md5sum="bd36cb0c65c586c2d1dff7a44a4bf0dc" name="HTMLPurifier/AttrDef/HTML/ID.php" role="php"/>
-   <file baseinstalldir="/" md5sum="96026f3e8ffdc70e533f306e63322923" name="HTMLPurifier/AttrDef/HTML/FrameTarget.php" role="php"/>
-   <file baseinstalldir="/" md5sum="ed699f61359c5d7ab046d248253e5d9e" name="HTMLPurifier/AttrDef/HTML/Color.php" role="php"/>
-   <file baseinstalldir="/" md5sum="fa319109d0c0e5989a24f550c884c1b5" name="HTMLPurifier/AttrDef/HTML/Class.php" role="php"/>
-   <file baseinstalldir="/" md5sum="c579b5a145c447f1880c7bc6d3db774c" name="HTMLPurifier/AttrDef/HTML/Bool.php" role="php"/>
-   <file baseinstalldir="/" md5sum="1a11be0015a161c2a11d6c51305f45fa" name="HTMLPurifier/AttrDef/Enum.php" role="php"/>
-   <file baseinstalldir="/" md5sum="aea3d16cd52cbdf70ec2c9fd6e28b166" name="HTMLPurifier/AttrDef/CSS/URI.php" role="php"/>
-   <file baseinstalldir="/" md5sum="54f6f27a44bdb66d6197a46ba89213e8" name="HTMLPurifier/AttrDef/CSS/TextDecoration.php" role="php"/>
-   <file baseinstalldir="/" md5sum="10afadc403e14974645b3e1c17f83adb" name="HTMLPurifier/AttrDef/CSS/Percentage.php" role="php"/>
-   <file baseinstalldir="/" md5sum="0f1f03450117004aabb529c43f154334" name="HTMLPurifier/AttrDef/CSS/Number.php" role="php"/>
-   <file baseinstalldir="/" md5sum="2c4560cf0dd700ae39c0a553140ffd1b" name="HTMLPurifier/AttrDef/CSS/Multiple.php" role="php"/>
-   <file baseinstalldir="/" md5sum="3d888cc157a4ea616dc1e94dd5f1c21e" name="HTMLPurifier/AttrDef/CSS/ListStyle.php" role="php"/>
-   <file baseinstalldir="/" md5sum="6774b03e0b29672961ad4fba15c25787" name="HTMLPurifier/AttrDef/CSS/Length.php" role="php"/>
-   <file baseinstalldir="/" md5sum="9a9a4ef13940096bbe18037d54cb056f" name="HTMLPurifier/AttrDef/CSS/ImportantDecorator.php" role="php"/>
-   <file baseinstalldir="/" md5sum="59ca381609f084649bf71d8093eab3a9" name="HTMLPurifier/AttrDef/CSS/FontFamily.php" role="php"/>
-   <file baseinstalldir="/" md5sum="c14c12936339b03f24e9b50cd5273450" name="HTMLPurifier/AttrDef/CSS/Font.php" role="php"/>
-   <file baseinstalldir="/" md5sum="54e42fbf58fe9c70ef082d6a8f8be821" name="HTMLPurifier/AttrDef/CSS/Filter.php" role="php"/>
-   <file baseinstalldir="/" md5sum="a112e7c263f001b9ac062ea64201cccd" name="HTMLPurifier/AttrDef/CSS/DenyElementDecorator.php" role="php"/>
-   <file baseinstalldir="/" md5sum="ac75113a9cbfe6bfe8d3afe36444f272" name="HTMLPurifier/AttrDef/CSS/Composite.php" role="php"/>
-   <file baseinstalldir="/" md5sum="4bd2e4e9cd6e71ca7a6cb5e62700b380" name="HTMLPurifier/AttrDef/CSS/Color.php" role="php"/>
-   <file baseinstalldir="/" md5sum="0301346329aae91bae8924c90d3d4688" name="HTMLPurifier/AttrDef/CSS/Border.php" role="php"/>
-   <file baseinstalldir="/" md5sum="ecc93e18d1aeea6e8231119575e40e9c" name="HTMLPurifier/AttrDef/CSS/BackgroundPosition.php" role="php"/>
-   <file baseinstalldir="/" md5sum="8a16f12cb9b9f6d941b7a82f1c40862c" name="HTMLPurifier/AttrDef/CSS/Background.php" role="php"/>
-   <file baseinstalldir="/" md5sum="f0232cc2a7573418b8ebe5efcf108c46" name="HTMLPurifier/AttrDef/CSS/AlphaValue.php" role="php"/>
-   <file baseinstalldir="/" md5sum="6caf3a641704cee2aeb15b4eb1c287c9" name="HTMLPurifier/AttrDef/CSS.php" role="php"/>
-   <file baseinstalldir="/" md5sum="c2ac5eb00e5fe0dfe53793a532243826" name="HTMLPurifier/AttrDef.php" role="php"/>
-   <file baseinstalldir="/" md5sum="5b1067853574bae62d9cd70370ff10af" name="HTMLPurifier/AttrCollections.php" role="php"/>
-   <file baseinstalldir="/" md5sum="23904b4310c99fa9da91bff4bd3b223a" name="HTMLPurifier.safe-includes.php" role="php"/>
-   <file baseinstalldir="/" md5sum="a630aa63016ded28453e109edc35d331" name="HTMLPurifier.php" role="php"/>
-   <file baseinstalldir="/" md5sum="25043ef5e632f88e8d5c825a8516a1cc" name="HTMLPurifier.kses.php" role="php"/>
-   <file baseinstalldir="/" md5sum="d1c01716d0f9c51bc61183466eb7e4c1" name="HTMLPurifier.includes.php" role="php"/>
-   <file baseinstalldir="/" md5sum="f09594e7a7db5826b4b3aef3b9f874ed" name="HTMLPurifier.func.php" role="php"/>
-   <file baseinstalldir="/" md5sum="4bb70e5ba6b06a23b8416cc0e59254bb" name="HTMLPurifier.autoload.php" role="php"/>
-   <file baseinstalldir="/" md5sum="0f6dba2689f471c382240c8d2d7892ba" name="HTMLPurifier.auto.php" role="php"/>
-  </dir>
- </contents>
- <dependencies>
-  <required>
-   <php>
-    <min>5.0.0</min>
-   </php>
-   <pearinstaller>
-    <min>1.4.3</min>
-   </pearinstaller>
-  </required>
- </dependencies>
- <phprelease>
-  <changelog>
-   <release>
-    <version>
-     <release>4.0.0</release>
-     <api>4.0</api>
-    </version>
-    <stability>
-     <release>stable</release>
-     <api>stable</api>
-    </stability>
-    <date>2009-07-07</date>
-    <license uri="http://www.gnu.org/licenses/lgpl.html">LGPL</license>
-    <notes>
-HTML Purifier 4.0 is a major feature release focused on configuration
-It deprecates the $config-&gt;set('Ns', 'Directive', $value) syntax for
-$config-&gt;set('Ns.Directive', $value); both syntaxes work but the
-former will throw errors.  There are also some new features:  robust
-support for name/id, configuration inheritance, remove nbsp in
-the RemoveEmpty autoformatter, userland configuration directives
-and configuration serialization.
-   </notes>
-   </release>
-  </changelog>
- </phprelease>
-</package>
diff --git a/lib/.xmlregistry/packages/pear.unl.edu/UNL_Autoload/0.5.0-info.xml b/lib/.xmlregistry/packages/pear.unl.edu/UNL_Autoload/0.5.0-info.xml
deleted file mode 100644
index e42cd50595111d19c604db954a48b397b18a30db..0000000000000000000000000000000000000000
--- a/lib/.xmlregistry/packages/pear.unl.edu/UNL_Autoload/0.5.0-info.xml
+++ /dev/null
@@ -1,58 +0,0 @@
-<?xml version="1.0" encoding="UTF-8"?>
-<package xmlns="http://pear.php.net/dtd/package-2.0" xmlns:tasks="http://pear.php.net/dtd/tasks-1.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" packagerversion="1.8.0alpha1" version="2.0" xsi:schemaLocation="http://pear.php.net/dtd/tasks-1.0     http://pear.php.net/dtd/tasks-1.0.xsd     http://pear.php.net/dtd/package-2.0     http://pear.php.net/dtd/package-2.0.xsd">
- <name>UNL_Autoload</name>
- <channel>pear.unl.edu</channel>
- <summary>An autoloader implementation for UNL PEAR packages</summary>
- <description>This package provides an autoloader for classes beginning
- with UNL_ and is mainly used for autoloading package files from http://pear.unl.edu/.</description>
- <lead>
-  <name>Brett Bieber</name>
-  <user>saltybeagle</user>
-  <email>brett.bieber@gmail.com</email>
-  <active>yes</active>
- </lead>
- <date>2010-04-15</date>
- <time>09:16:05</time>
- <version>
-  <release>0.5.0</release>
-  <api>0.5.0</api>
- </version>
- <stability>
-  <release>alpha</release>
-  <api>alpha</api>
- </stability>
- <license uri="http://www1.unl.edu/wdn/wiki/Software_License">BSD License</license>
- <notes>* First release.</notes>
- <contents>
-  <dir name="/">
-   <file baseinstalldir="/" md5sum="2d13c44763ebe506f915d211dcd8f00a" name="UNL/Autoload.php" role="php"/>
-  </dir>
- </contents>
- <dependencies>
-  <required>
-   <php>
-    <min>5.2.0</min>
-   </php>
-   <pearinstaller>
-    <min>1.4.3</min>
-   </pearinstaller>
-  </required>
- </dependencies>
- <phprelease>
-  <changelog>
-   <release>
-    <version>
-     <release>0.5.0</release>
-     <api>0.5.0</api>
-    </version>
-    <stability>
-     <release>alpha</release>
-     <api>alpha</api>
-    </stability>
-    <date>2008-11-10</date>
-    <license uri="http://www1.unl.edu/wdn/wiki/Software_License">BSD License</license>
-    <notes>* First release.</notes>
-   </release>
-  </changelog>
- </phprelease>
-</package>
diff --git a/lib/.xmlregistry/packages/pear.unl.edu/UNL_Cache_Lite/0.1.0-info.xml b/lib/.xmlregistry/packages/pear.unl.edu/UNL_Cache_Lite/0.1.0-info.xml
deleted file mode 100644
index a0fd9417fa39625754378e57092db98879ceee19..0000000000000000000000000000000000000000
--- a/lib/.xmlregistry/packages/pear.unl.edu/UNL_Cache_Lite/0.1.0-info.xml
+++ /dev/null
@@ -1,72 +0,0 @@
-<?xml version="1.0" encoding="UTF-8"?>
-<package xmlns="http://pear.php.net/dtd/package-2.0" xmlns:tasks="http://pear.php.net/dtd/tasks-1.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" packagerversion="1.9.0" version="2.0" xsi:schemaLocation="http://pear.php.net/dtd/tasks-1.0     http://pear.php.net/dtd/tasks-1.0.xsd     http://pear.php.net/dtd/package-2.0     http://pear.php.net/dtd/package-2.0.xsd">
- <name>UNL_Cache_Lite</name>
- <channel>pear.unl.edu</channel>
- <summary>Basic caching library</summary>
- <description>This is a port of the Cache_Lite package from PEAR, with support for PHP 5 and
-exceptions.
-This package is a little cache system optimized for file containers. It is fast
-and safe (because it uses file locking and/or anti-corruption tests).</description>
- <lead>
-  <name>Brett Bieber</name>
-  <user>saltybeagle</user>
-  <email>brett.bieber@gmail.com</email>
-  <active>yes</active>
- </lead>
- <date>2011-03-10</date>
- <time>14:06:49</time>
- <version>
-  <release>0.1.0</release>
-  <api>0.1.0</api>
- </version>
- <stability>
-  <release>beta</release>
-  <api>beta</api>
- </stability>
- <license uri="http://www.gnu.org/licenses/lgpl-3.0.txt">LGPL</license>
- <notes>
-Port of cache lite, remove PEAR dependency, use exceptions instead of PEAR_Error.
- </notes>
- <contents>
-  <dir name="/">
-   <file baseinstalldir="/" md5sum="ea88bd9816a106e30ac2939a28679fc7" name="UNL/Cache/Lite/Output.php" role="php"/>
-   <file baseinstalldir="/" md5sum="537413f3d9e949be31a1dd9f42c1dd5c" name="UNL/Cache/Lite/NestedOutput.php" role="php"/>
-   <file baseinstalldir="/" md5sum="95bccdc3a6ec0d54ab4adf3ce03d4b55" name="UNL/Cache/Lite/Function.php" role="php"/>
-   <file baseinstalldir="/" md5sum="33a3fc682d63cef8f5cf126637001662" name="UNL/Cache/Lite/File.php" role="php"/>
-   <file baseinstalldir="/" md5sum="7f02fa5030fe224535a8849aa0d98741" name="UNL/Cache/Lite.php" role="php"/>
-   <file baseinstalldir="/" md5sum="4c638b951a7c8a4dcb94f10abf1d818b" name="TODO" role="data"/>
-   <file baseinstalldir="/" md5sum="085e7fb76fb3fa8ba9e9ed0ce95a43f9" name="LICENSE" role="data"/>
-   <file baseinstalldir="/" md5sum="934071f21c17611811e01396ca604c79" name="docs/technical" role="doc"/>
-   <file baseinstalldir="/" md5sum="516beafae66ea4b9fd7d29ab9c90845d" name="docs/examples" role="doc"/>
-  </dir>
- </contents>
- <dependencies>
-  <required>
-   <php>
-    <min>5.1.2</min>
-   </php>
-   <pearinstaller>
-    <min>1.5.4</min>
-   </pearinstaller>
-  </required>
- </dependencies>
- <phprelease>
-  <changelog>
-   <release>
-    <version>
-     <release>0.1.0</release>
-     <api>0.1.0</api>
-    </version>
-    <stability>
-     <release>beta</release>
-     <api>beta</api>
-    </stability>
-    <date>2009-10-20</date>
-    <license uri="http://www.gnu.org/licenses/lgpl-3.0.txt">LGPL</license>
-    <notes>
-Port of cache lite, remove PEAR dependency, use exceptions instead of PEAR_Error.
-   </notes>
-   </release>
-  </changelog>
- </phprelease>
-</package>
diff --git a/lib/.xmlregistry/packages/pear.unl.edu/UNL_DWT/0.9.0-info.xml b/lib/.xmlregistry/packages/pear.unl.edu/UNL_DWT/0.9.0-info.xml
deleted file mode 100644
index 5f33c0c70795ee002dcc7db4e848e5573b0904e6..0000000000000000000000000000000000000000
--- a/lib/.xmlregistry/packages/pear.unl.edu/UNL_DWT/0.9.0-info.xml
+++ /dev/null
@@ -1,217 +0,0 @@
-<?xml version="1.0" encoding="UTF-8"?>
-<package xmlns="http://pear.php.net/dtd/package-2.1" xmlns:tasks="http://pear.php.net/dtd/tasks-1.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="2.1" xsi:schemaLocation="http://pear.php.net/dtd/tasks-1.0     http://pear.php.net/dtd/tasks-1.0.xsd     http://pear.php.net/dtd/package-2.1     http://pear.php.net/dtd/package-2.1.xsd" packagerversion="2.0.0">
- <name>UNL_DWT</name>
- <channel>pear.unl.edu</channel>
- <summary>This package generates php class files (objects) from Dreamweaver template files.
-</summary>
- <description>
-This package generates php class files (objects) from Dreamweaver template files.
-</description>
- <lead>
-  <name>Brett Bieber</name>
-  <user>saltybeagle</user>
-  <email>brett.bieber@gmail.com</email>
-  <active>yes</active>
- </lead>
- <date>2014-04-14</date>
- <time>09:00:33</time>
- <version>
-  <release>0.9.0</release>
-  <api>0.7.1</api>
- </version>
- <stability>
-  <release>beta</release>
-  <api>beta</api>
- </stability>
- <license uri="http://www1.unl.edu/wdn/wiki/Software_License">BSD</license>
- <notes>Feature Release
-* Add support for immedaitely rendering a scanned DWT [saltybeagle]
-
-Bug Fixes
- * Prevent greedy matching of template regions [spam38]
-</notes>
- <contents>
-  <dir name="/">
-   <file role="php" name="php/UNL/DWT/Scanner.php" md5sum="276e82e5db587c9c18a100e1e877082e"/>
-   <file role="php" name="php/UNL/DWT/Region.php" md5sum="858136d43bf29868dca876783e51d196"/>
-   <file role="php" name="php/UNL/DWT/Generator.php" md5sum="a3b933a0d7f8d81f72836bb2c5fb6914"/>
-   <file role="php" name="php/UNL/DWT/Exception.php" md5sum="5b99b44fbfde7349c6b9e6d9be78e9dc"/>
-   <file role="php" name="php/UNL/DWT/createTemplates.php" md5sum="9089565d275b52e0cd65c52edd50ef18"/>
-   <file role="php" name="php/UNL/DWT.php" md5sum="ca9d707c266ad9150e39d1a9a60c5643"/>
-   <file role="doc" name="doc/pear.unl.edu/UNL_DWT/examples/scanner_example.php" md5sum="2d16f0e62c4227aa28108bf78d74156a"/>
-   <file role="doc" name="doc/pear.unl.edu/UNL_DWT/examples/basic/Template_style1.tpl" md5sum="b524ef4684be7dba47ed8c245577347a"/>
-   <file role="doc" name="doc/pear.unl.edu/UNL_DWT/examples/basic/Template_style1.php" md5sum="096998b112a1e27bddc6c171380d590e"/>
-   <file role="doc" name="doc/pear.unl.edu/UNL_DWT/examples/basic/template_style1.dwt" md5sum="0d5a4f5ca86e9c2a3c0050f39acbb034"/>
-   <file role="doc" name="doc/pear.unl.edu/UNL_DWT/examples/basic/example_style1.php" md5sum="d3f43ac017b9bdf1819cf05a4c4a33a2"/>
-   <file role="doc" name="doc/pear.unl.edu/UNL_DWT/examples/basic/example.test.ini" md5sum="28a080af44b5db3f28c73fa91cdabe99"/>
-   <file role="doc" name="doc/pear.unl.edu/UNL_DWT/examples/basic/example.ini" md5sum="d5f99a1b621d226611d2fe93761db93d"/>
-  </dir>
- </contents>
- <dependencies>
-  <required>
-   <php>
-    <min>5.0.0</min>
-   </php>
-   <pearinstaller>
-    <min>2.0.0a1</min>
-   </pearinstaller>
-   <package>
-    <name>UNL_Templates</name>
-    <channel>pear.unl.edu</channel>
-    <max>0.5.2</max>
-    <conflicts/>
-   </package>
-  </required>
- </dependencies>
- <phprelease>
-  <changelog>
-   <release>
-    <version>
-     <release>0.1.0</release>
-     <api>0.1.0</api>
-    </version>
-    <stability>
-     <release>alpha</release>
-     <api>alpha</api>
-    </stability>
-    <date>2006-01-26</date>
-    <license>PHP License</license>
-    <notes>
-First release, only basic functionality.
-   </notes>
-   </release>
-   <release>
-    <version>
-     <release>0.1.1</release>
-     <api>0.1.0</api>
-    </version>
-    <stability>
-     <release>alpha</release>
-     <api>alpha</api>
-    </stability>
-    <date>2006-02-06</date>
-    <license>PHP License</license>
-    <notes>
-Added generator options generator_include/eclude_regex and extends and extends_location.
-Create dwt_location and tpl_location if it does not exist yet.
-Remove editable region tags for locked regions.
-   </notes>
-   </release>
-   <release>
-    <version>
-     <release>0.1.2</release>
-     <api>0.1.0</api>
-    </version>
-    <stability>
-     <release>alpha</release>
-     <api>alpha</api>
-    </stability>
-    <date>2006-02-24</date>
-    <license>PHP License</license>
-    <notes>
-* Added missing setOption function. Initially only debug option is available.
-* Renamed internally used function between to UNL_DWT_between
-* created externally callable replaceRegions function.
-* debug function for outputting messages levels 0-5.
-   </notes>
-   </release>
-   <release>
-    <version>
-     <release>0.5.0</release>
-     <api>0.1.0</api>
-    </version>
-    <stability>
-     <release>beta</release>
-     <api>beta</api>
-    </stability>
-    <date>2006-08-15</date>
-    <license uri="http://www.php.net/license">PHP License</license>
-    <notes>
-* Fix Bug #16: Locked regions aren't detected correctly.
-				 * Fix Bug #1: Include path modified incorrectly.
-   </notes>
-   </release>
-   <release>
-    <version>
-     <release>0.5.1</release>
-     <api>0.1.0</api>
-    </version>
-    <stability>
-     <release>beta</release>
-     <api>beta</api>
-    </stability>
-    <date>2008-02-07</date>
-    <license uri="http://www.php.net/license">PHP License</license>
-    <notes>
-* Switch to using static properties, PHP 5, add docheader.
-   </notes>
-   </release>
-   <release>
-    <version>
-     <release>0.6.0</release>
-     <api>0.2.0</api>
-    </version>
-    <stability>
-     <release>beta</release>
-     <api>beta</api>
-    </stability>
-    <date>2008-03-26</date>
-    <license uri="http://www1.unl.edu/wdn/wiki/Software_License">BSD</license>
-    <notes>
-Move code around. DWT.php is now in UNL/DWT.php instead of UNL/DWT/DWT.php = not compatible with old versions of UNL_Templates!
-* Switch to using static properties
-* Upgrade a lot of code to PHP 5
-* Add phpdoc headers and coding standards fixes
-* Switch to BSD license.
-   </notes>
-   </release>
-   <release>
-    <version>
-     <release>0.6.1</release>
-     <api>0.2.0</api>
-    </version>
-    <stability>
-     <release>beta</release>
-     <api>beta</api>
-    </stability>
-    <date>2008-04-08</date>
-    <license uri="http://www1.unl.edu/wdn/wiki/Software_License">BSD</license>
-    <notes>
-Change is_a() to instanceof to fix warning.
-   </notes>
-   </release>
-   <release>
-    <version>
-     <release>0.7.0</release>
-     <api>0.7.0</api>
-    </version>
-    <stability>
-     <release>beta</release>
-     <api>beta</api>
-    </stability>
-    <date>2008-06-30</date>
-    <license uri="http://www1.unl.edu/wdn/wiki/Software_License">BSD</license>
-    <notes>
-Move region class into separate file.
-Add scanner for simply scanning a dwt for regions, this does not replace the
-generator, but supplements it.
-   </notes>
-   </release>
-   <release>
-    <version>
-     <release>0.7.1</release>
-     <api>0.7.1</api>
-    </version>
-    <stability>
-     <release>beta</release>
-     <api>beta</api>
-    </stability>
-    <date>2009-07-01</date>
-    <license uri="http://www1.unl.edu/wdn/wiki/Software_License">BSD</license>
-    <notes>
-Declare debug method correctly as static.
-   </notes>
-   </release>
-  </changelog>
- </phprelease>
-</package>
diff --git a/lib/.xmlregistry/packages/pear.unl.edu/UNL_Templates/1.4.0RC3-info.xml b/lib/.xmlregistry/packages/pear.unl.edu/UNL_Templates/1.4.0RC3-info.xml
deleted file mode 100644
index 32d68255e8bfc0481669089faf95283dc0a1c385..0000000000000000000000000000000000000000
--- a/lib/.xmlregistry/packages/pear.unl.edu/UNL_Templates/1.4.0RC3-info.xml
+++ /dev/null
@@ -1,718 +0,0 @@
-<?xml version="1.0" encoding="UTF-8"?>
-<package xmlns="http://pear.php.net/dtd/package-2.1" xmlns:tasks="http://pear.php.net/dtd/tasks-1.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="2.1" xsi:schemaLocation="http://pear.php.net/dtd/tasks-1.0     http://pear.php.net/dtd/tasks-1.0.xsd     http://pear.php.net/dtd/package-2.1     http://pear.php.net/dtd/package-2.1.xsd" packagerversion="2.0.0">
- <name>UNL_Templates</name>
- <channel>pear.unl.edu</channel>
- <summary>The UNL HTML Templates as a PEAR Package.
-</summary>
- <description>
-This package allows you to render UNL Template styled pages using PHP Objects.
-</description>
- <lead>
-  <name>Brett Bieber</name>
-  <user>saltybeagle</user>
-  <email>brett.bieber@gmail.com</email>
-  <active>yes</active>
- </lead>
- <lead>
-  <name>Ned Hummel</name>
-  <user>nhummel2</user>
-  <email>nhummel2@math.unl.edu</email>
-  <active>yes</active>
- </lead>
- <date>2014-04-14</date>
- <time>09:00:33</time>
- <version>
-  <release>1.4.0RC3</release>
-  <api>1.0.0</api>
- </version>
- <stability>
-  <release>beta</release>
-  <api>stable</api>
- </stability>
- <license uri="http://www1.unl.edu/wdn/wiki/Software_License">BSD License</license>
- <notes>Finalize support for version 4.0 of the templates
-
-Templates Supported:
-* Fixed
-* Debug
-* Unlaffiliate
-* Unlaffiliate_debug
-* Unlaffiliate_local
-
-Fixed in this RC:
-* Use local .tpl files instead of always pulling remotely
-* Make HTML and DEP replacements when local files do not exist
-</notes>
- <contents>
-  <dir name="/">
-   <file role="test" name="test/pear.unl.edu/UNL_Templates/UNL_TemplatesTest.php" md5sum="12aa5989d1255dccc299a3dcdd6c6ba8"/>
-   <file role="php" name="php/UNL/Templates/Version4/Unlaffiliate_local.php" md5sum="29aa6297ac4e0232b24ae1a8fe9f308b"/>
-   <file role="php" name="php/UNL/Templates/Version4/Unlaffiliate_debug.php" md5sum="6ea82eb59a907fd102be43ead8cbbaed"/>
-   <file role="php" name="php/UNL/Templates/Version4/Unlaffiliate.php" md5sum="484425e481e37630fa7751f9e11e094a"/>
-   <file role="php" name="php/UNL/Templates/Version4/Local.php" md5sum="3849a40fda6f284fa07b47984c77235f"/>
-   <file role="php" name="php/UNL/Templates/Version4/Fixed.php" md5sum="42734ab8643a005e1551a7613729177d"/>
-   <file role="php" name="php/UNL/Templates/Version4/Debug.php" md5sum="dd25adcf52c589bd099322231ca572e6"/>
-   <file role="php" name="php/UNL/Templates/Version4.php" md5sum="5b57e3495a1e6d946c5177d23c6565f1"/>
-   <file role="php" name="php/UNL/Templates/Version3x1/Unlaffiliate_local.php" md5sum="e3f4b2b27e5cbbd81f3a434fdcd949d4"/>
-   <file role="php" name="php/UNL/Templates/Version3x1/Unlaffiliate_debug.php" md5sum="0e7a53d410d00748c53cb9036d43a178"/>
-   <file role="php" name="php/UNL/Templates/Version3x1/Unlaffiliate.php" md5sum="c9e2423f1508286947525968dddd56cb"/>
-   <file role="php" name="php/UNL/Templates/Version3x1/Local.php" md5sum="b18901fcb9b7d59f0de947f649e0cba7"/>
-   <file role="php" name="php/UNL/Templates/Version3x1/Fixed.php" md5sum="1cdda4bc708879eaeb6052aa50980820"/>
-   <file role="php" name="php/UNL/Templates/Version3x1/Debug.php" md5sum="880a7ec565da26995e7fa4b21163e1d3"/>
-   <file role="php" name="php/UNL/Templates/Version3x1.php" md5sum="2b905fceee314ba84447bbaefdd86073"/>
-   <file role="php" name="php/UNL/Templates/Version3/Unlaffiliate.php" md5sum="40eeca840e02c9e5b2b2b7846bd73397"/>
-   <file role="php" name="php/UNL/Templates/Version3/Shared_column_right.php" md5sum="f9b3c237b7a6b8500ef0d18f4e1c9595"/>
-   <file role="php" name="php/UNL/Templates/Version3/Shared_column_left.php" md5sum="c8e40b9ff760f0d6da578f6f52e85ab2"/>
-   <file role="php" name="php/UNL/Templates/Version3/Secure.php" md5sum="7586ee8d6db673dbef56fe491a0ac517"/>
-   <file role="php" name="php/UNL/Templates/Version3/Popup.php" md5sum="1d63a45e6f7e86585182a09ff8e33962"/>
-   <file role="php" name="php/UNL/Templates/Version3/Mobile.php" md5sum="88ed3fab2afd3f989c53db231ea99715"/>
-   <file role="php" name="php/UNL/Templates/Version3/Liquid.php" md5sum="5ae65bf4c045a5b9b65b726b52d6cd26"/>
-   <file role="php" name="php/UNL/Templates/Version3/Fixed_html5.php" md5sum="183165807ee292fa17a03314c5455a6b"/>
-   <file role="php" name="php/UNL/Templates/Version3/Fixed.php" md5sum="041aae52a187c4986e495a8643b43ae4"/>
-   <file role="php" name="php/UNL/Templates/Version3/Document.php" md5sum="01035abd6b488663747399e74d0065bc"/>
-   <file role="php" name="php/UNL/Templates/Version3/Debug.php" md5sum="05eb7e3f0639e79aeb2e4f5061a356f1"/>
-   <file role="php" name="php/UNL/Templates/Version3/Absolute.php" md5sum="315f0d6be4459208f7733e6e29f99c91"/>
-   <file role="php" name="php/UNL/Templates/Version3.php" md5sum="7edb40844a43918f467f6cf881424aaf"/>
-   <file role="php" name="php/UNL/Templates/Version2/Unlstandardtemplate.php" md5sum="48a0fd1e66226418db0c7c5202343881"/>
-   <file role="php" name="php/UNL/Templates/Version2/Unlframework.php" md5sum="e902fc42cdcb7633fbe07f4d509a1b97"/>
-   <file role="php" name="php/UNL/Templates/Version2/Unlaffiliate.php" md5sum="bdac0dc69918a491efcee2450d99738f"/>
-   <file role="php" name="php/UNL/Templates/Version2/Secure.php" md5sum="f43c4b5320cf2def6d90c71f3e22c1fb"/>
-   <file role="php" name="php/UNL/Templates/Version2/Popup.php" md5sum="0a1b634408248289e89649a49bd7759c"/>
-   <file role="php" name="php/UNL/Templates/Version2/Liquid.php" md5sum="55c715aa91f18226f5be4c3f427b2dea"/>
-   <file role="php" name="php/UNL/Templates/Version2/Fixed.php" md5sum="3fbccc1b6e7a0287577972b4c25a0d19"/>
-   <file role="php" name="php/UNL/Templates/Version2/Document.php" md5sum="ef2068426bb8f73ac706b18a472df967"/>
-   <file role="php" name="php/UNL/Templates/Version2.php" md5sum="d8f5200292c4216e423fc7c5da502e44"/>
-   <file role="php" name="php/UNL/Templates/Version.php" md5sum="c7df0501ec102431d7be6a6cfd133b5b"/>
-   <file role="php" name="php/UNL/Templates/Scanner.php" md5sum="82740c1fadfd1160bb9c67006947ab3b"/>
-   <file role="php" name="php/UNL/Templates/CachingService/UNLCacheLite.php" md5sum="4fa04418d0aa08834b4795caeae5b8c8"/>
-   <file role="php" name="php/UNL/Templates/CachingService/Null.php" md5sum="47991f0e5cffed6d138725a3294f4e6a"/>
-   <file role="php" name="php/UNL/Templates/CachingService/CacheLite.php" md5sum="5b09b184e7d59a2520e99c0b5c66428a"/>
-   <file role="php" name="php/UNL/Templates/CachingService.php" md5sum="07884c3a9bf75657e54782423a088eb4"/>
-   <file role="php" name="php/UNL/Templates.php" md5sum="6f844645177ff75a899210f3a29bfd04"/>
-   <file role="doc" name="doc/pear.unl.edu/UNL_Templates/examples/scanner.php" md5sum="2b116cf09b8d73c439718217d83a32c2"/>
-   <file role="doc" name="doc/pear.unl.edu/UNL_Templates/examples/example1.php" md5sum="a55812397a3979fdc939fc1942b8c23c"/>
-   <file role="doc" name="doc/pear.unl.edu/UNL_Templates/examples/customization/customization_example.php" md5sum="e9769bdf0cf9ec36430b3f70ec687037"/>
-   <file role="doc" name="doc/pear.unl.edu/UNL_Templates/examples/customization/customization_example.html" md5sum="26c8d867af8ffd4d8d60e348573f9c3d"/>
-   <file role="doc" name="doc/pear.unl.edu/UNL_Templates/examples/customization/CustomClass.php" md5sum="43bc783b2215f9668800ce2e80ad457b"/>
-   <file role="doc" name="doc/pear.unl.edu/UNL_Templates/examples/convert.php" md5sum="a7114a3868d0ba54d4ff76b370ea3201"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Unlaffiliate_local.tpl" md5sum="c39c8c2553dd541cade23ed8f0031017"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Unlaffiliate_debug.tpl" md5sum="5013bd2410d9a9d962eec536fee0e855"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Unlaffiliate.tpl" md5sum="91d4b14e957142ceea9dd47e50924813"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Local.tpl" md5sum="90bd85043d58ecfd0d5a87f370aeea45"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Fixed.tpl" md5sum="2b2cc7f7d80c681700c434b5cbf55d2f"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Debug.tpl" md5sum="2e8f964c461d4c321b199c75b4a71f59"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Unlaffiliate_local.tpl" md5sum="0802ccd854dfe1d6a3f0a22ad7ff09c4"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Unlaffiliate_debug.tpl" md5sum="241be8cc9780847dece60b54358de9a3"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Unlaffiliate.tpl" md5sum="5b30670bdbd48ecf9eaa9d6f505693f2"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Local.tpl" md5sum="4eef418e9e527224b9347e635e95dfba"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Fixed.tpl" md5sum="a2151b63d3861496e785f4b10f3b44be"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Debug.tpl" md5sum="037f834d2e9cd17856d83a6fbd0465dc"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Unlaffiliate.tpl" md5sum="6644923a681f49bfd425f5768d01e4a3"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Shared_column_right.tpl" md5sum="84cc265b12115d9c2733a6d03f5a4d85"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Shared_column_left.tpl" md5sum="6003b105b79241b8e001d0f375265747"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Secure.tpl" md5sum="6a5f82b61c2c2191494af9fe1384bdca"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Popup.tpl" md5sum="1f3b340e18024423748839343369443d"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Mobile.tpl" md5sum="aa53260716fc4f1d2fc31d149416b7e0"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Liquid.tpl" md5sum="4b576a99e001b22d3c77b01f72789546"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Fixed_html5.tpl" md5sum="9cedaa7c695c654e0f16fa534e35ec32"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Fixed.tpl" md5sum="783216b7dc343283a21ba3f8a8e5396b"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Document.tpl" md5sum="8a7ecbc31b2a4d85bad056f7c0d06039"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Debug.tpl" md5sum="fe52677e48d48d798d70e9cad4b5c0ed"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Absolute.tpl" md5sum="b3cf17273448a34ac869d4369663e819"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Unlstandardtemplate.tpl" md5sum="2082f29e6219b9fdad0faffb2bf9a427"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Unlframework.tpl" md5sum="465cb4e7eef89560faf0c63065d8a9d3"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Unlaffiliate.tpl" md5sum="9f4650a475623a3cf293998c0e5b3233"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Secure.tpl" md5sum="962fecd9908d504e4749f7eb79dc4736"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Popup.tpl" md5sum="a70442037d218c0dc948638bca8e5e08"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Liquid.tpl" md5sum="1a936fdcd4d17383490bd5aef1219ce8"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Fixed.tpl" md5sum="df5ce334e93b844794699f3cc62d20b9"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Document.tpl" md5sum="61cc4ae92fac84a7d38131769c2298ba"/>
-   <file role="data" name="data/pear.unl.edu/UNL_Templates/cssUNLTemplates.ini" md5sum="e2360f35ff791e3566351d8baa955d5b"/>
-  </dir>
- </contents>
- <dependencies>
-  <required>
-   <php>
-    <min>5.0.0</min>
-   </php>
-   <pearinstaller>
-    <min>2.0.0a1</min>
-   </pearinstaller>
-   <package>
-    <name>UNL_DWT</name>
-    <channel>pear.unl.edu</channel>
-    <min>0.8.0</min>
-   </package>
-  </required>
-  <optional>
-   <package>
-    <name>Cache_Lite</name>
-    <channel>pear.php.net</channel>
-    <min>1.0</min>
-   </package>
-   <package>
-    <name>UNL_Cache_Lite</name>
-    <channel>pear.unl.edu</channel>
-    <min>0.1.0</min>
-   </package>
-  </optional>
- </dependencies>
- <phprelease>
-  <changelog>
-   <release>
-    <version>
-     <release>0.1.0</release>
-     <api>0.1.0</api>
-    </version>
-    <stability>
-     <release>alpha</release>
-     <api>alpha</api>
-    </stability>
-    <date>2006-03-02</date>
-    <license>PHP License</license>
-    <notes>
-First release, only basic functionality, we assume you have /unlpub/templatedependents/ set up on your server already.
-   </notes>
-   </release>
-   <release>
-    <version>
-     <release>0.5.0</release>
-     <api>0.5.0</api>
-    </version>
-    <stability>
-     <release>beta</release>
-     <api>beta</api>
-    </stability>
-    <date>2006-08-14</date>
-    <license uri="http://www.php.net/license">PHP License</license>
-    <notes>
-Updates the package to use the new 2006-08 UNL Templates. Template dependents /ucomm/templatedependents/ are still required outside of this package. Added new replacement functions to handle the template dependent replacements.
-		Removed evalPHPFile function... not needed anymore.
-   </notes>
-   </release>
-   <release>
-    <version>
-     <release>0.5.1</release>
-     <api>0.5.0</api>
-    </version>
-    <stability>
-     <release>beta</release>
-     <api>beta</api>
-    </stability>
-    <date>2007-01-05</date>
-    <license uri="http://www.opensource.org/licenses/bsd-license.php">BSD License</license>
-    <notes>
-Change license to BSD, update tpl_cache to UNL Templates created on 2007-01-05. No other changes.
-	All users with previous versions do not need to upgrade because the server will automatically serve out new tpl files.
-   </notes>
-   </release>
-   <release>
-    <version>
-     <release>0.5.2</release>
-     <api>0.5.0</api>
-    </version>
-    <stability>
-     <release>beta</release>
-     <api>beta</api>
-    </stability>
-    <date>2007-11-29</date>
-    <license uri="http://www.opensource.org/licenses/bsd-license.php">BSD License</license>
-    <notes>
-Add check that file can actually be opened.
-No other changes.
-   </notes>
-   </release>
-   <release>
-    <version>
-     <release>1.0.0RC1</release>
-     <api>1.0.0</api>
-    </version>
-    <stability>
-     <release>beta</release>
-     <api>beta</api>
-    </stability>
-    <date>2008-03-26</date>
-    <license uri="http://www1.unl.edu/wdn/wiki/Software_License">BSD License</license>
-    <notes>
-Feature Release!
-New methods:
-* addHeadLink($href, $relation, $relType = 'rel', array $attributes = array())
-* addScript($url, $type = 'text/javascript')
-* addScriptDeclaration($content, $type = 'text/javascript')
-* addStyleDeclaration($content, $type = 'text/css')
-* addStyleSheet($url, $type = 'text/css', $media = null)
-* __toString()  Now you can just use echo $page;
-
-Auto loading of files - now supporting:
-* optionalfooter=&gt;optionalFooter.html
-* collegenavigationlist=&gt;unitNavigation.html
-
-Other fixes:
-* Use static vars instead of PEAR::getStaticProperty() - fixes E_STRICT warnings
-
-Add example of a custom class with auto-breadcrumb generation and body content loading.
-
-Thanks to Ned Hummel for picking up this baby.
-   </notes>
-   </release>
-   <release>
-    <version>
-     <release>1.0.0RC2</release>
-     <api>1.0.0</api>
-    </version>
-    <stability>
-     <release>beta</release>
-     <api>beta</api>
-    </stability>
-    <date>2008-06-30</date>
-    <license uri="http://www1.unl.edu/wdn/wiki/Software_License">BSD License</license>
-    <notes>
-Feature Release!
-New methods:
-* addHeadLink($href, $relation, $relType = 'rel', array $attributes = array())
-* addScript($url, $type = 'text/javascript')
-* addScriptDeclaration($content, $type = 'text/javascript')
-* addStyleDeclaration($content, $type = 'text/css')
-* addStyleSheet($url, $media = 'all')
-* __toString()  Now you can just use echo $page;
-
-Auto loading of files - now supporting:
-* optionalfooter=&gt;optionalFooter.html
-* collegenavigationlist=&gt;unitNavigation.html
-
-Other fixes:
-* Use static vars instead of PEAR::getStaticProperty() - fixes E_STRICT warnings
-* Remove debug code causing cache to never be used.
-* Fix debugging.
-* Merge UNL_DWT::$options with options from ini file instead of overwriting.
-* Set default timezone to use before we use date functions.
-
-Add example of a custom class with auto-breadcrumb generation and body content loading.
-
-Thanks to Ned Hummel for picking up this baby.
-   </notes>
-   </release>
-   <release>
-    <version>
-     <release>1.0.0RC3</release>
-     <api>1.0.0</api>
-    </version>
-    <stability>
-     <release>beta</release>
-     <api>beta</api>
-    </stability>
-    <date>2008-06-30</date>
-    <license uri="http://www1.unl.edu/wdn/wiki/Software_License">BSD License</license>
-    <notes>
-Feature Release!
-New methods:
-* addHeadLink($href, $relation, $relType = 'rel', array $attributes = array())
-* addScript($url, $type = 'text/javascript')
-* addScriptDeclaration($content, $type = 'text/javascript')
-* addStyleDeclaration($content, $type = 'text/css')
-* addStyleSheet($url, $media = 'all')
-* __toString()  Now you can just use echo $page;
-
-Auto loading of files - now supporting:
-* optionalfooter=&gt;optionalFooter.html
-* collegenavigationlist=&gt;unitNavigation.html
-
-New Remote Template Scanner UNL_Templates_Scanner
-* Scans a rendered UNL Template page for the editable content areas.
-
-Other fixes:
-* Use static vars instead of PEAR::getStaticProperty() - fixes E_STRICT warnings
-* Remove debug code causing cache to never be used.
-* Fix debugging.
-* Merge UNL_DWT::$options with options from ini file instead of overwriting.
-* Set default timezone to use before we use date functions.
-
-Add example of a custom class with auto-breadcrumb generation and body content loading.
-
-Thanks to Ned Hummel for picking up this baby.
-   </notes>
-   </release>
-   <release>
-    <version>
-     <release>1.0.0RC4</release>
-     <api>1.0.0</api>
-    </version>
-    <stability>
-     <release>beta</release>
-     <api>beta</api>
-    </stability>
-    <date>2008-11-06</date>
-    <license uri="http://www1.unl.edu/wdn/wiki/Software_License">BSD License</license>
-    <notes>
-Feature Release!
-New methods:
-* addHeadLink($href, $relation, $relType = 'rel', array $attributes = array())
-* addScript($url, $type = 'text/javascript')
-* addScriptDeclaration($content, $type = 'text/javascript')
-* addStyleDeclaration($content, $type = 'text/css')
-* addStyleSheet($url, $media = 'all')
-* __toString()  Now you can just use echo $page;
-
-Auto loading of files - now supporting:
-* optionalfooter=&gt;optionalFooter.html
-* collegenavigationlist=&gt;unitNavigation.html
-
-New Remote Template Scanner UNL_Templates_Scanner
-* Scans a rendered UNL Template page for the editable content areas.
-
-Other fixes:
-* Use static vars instead of PEAR::getStaticProperty() - fixes E_STRICT warnings
-* Remove debug code causing cache to never be used.
-* Fix debugging.
-* Merge UNL_DWT::$options with options from ini file instead of overwriting.
-* Set default timezone to use before we use date functions.
-* Add newlines after header additions.
-
-Add example of a custom class with auto-breadcrumb generation and body content loading.
-
-Thanks to Ned Hummel for picking up this baby.
-   </notes>
-   </release>
-   <release>
-    <version>
-     <release>1.0.0RC5</release>
-     <api>1.0.0</api>
-    </version>
-    <stability>
-     <release>beta</release>
-     <api>beta</api>
-    </stability>
-    <date>2009-07-01</date>
-    <license uri="http://www1.unl.edu/wdn/wiki/Software_License">BSD License</license>
-    <notes>
-Feature Release!
-Added support for specifying the template version, 2 or 3.
-* UNL_Templates::$options['version'] = 3; to use the new templates.
-
-Additional work to prevent broken pages.
-* If local files are not present for the &lt;!--#include statements, it will grab them remotely.
-* If wdn/templates_3.0 does not exist locally it will use a template with absolute references to prevent broken pages.
-
-New methods:
-* addHeadLink($href, $relation, $relType = 'rel', array $attributes = array())
-* addScript($url, $type = 'text/javascript')
-* addScriptDeclaration($content, $type = 'text/javascript')
-* addStyleDeclaration($content, $type = 'text/css')
-* addStyleSheet($url, $media = 'all')
-* __toString()  Now you can just use echo $page;
-
-Auto loading of files - now supporting:
-* optionalfooter=&gt;optionalFooter.html
-* collegenavigationlist=&gt;unitNavigation.html
-
-New Remote Template Scanner UNL_Templates_Scanner
-* Scans a rendered UNL Template page for the editable content areas.
-
-Other fixes:
-* Use static vars instead of PEAR::getStaticProperty() - fixes E_STRICT warnings
-* Remove debug code causing cache to never be used.
-* Fix debugging.
-* Merge UNL_DWT::$options with options from ini file instead of overwriting.
-* Set default timezone to use before we use date functions.
-* Add newlines after header additions.
-
-Add example of a custom class with auto-breadcrumb generation and body content loading.
-   </notes>
-   </release>
-   <release>
-    <version>
-     <release>1.0.0RC6</release>
-     <api>1.0.0</api>
-    </version>
-    <stability>
-     <release>beta</release>
-     <api>beta</api>
-    </stability>
-    <date>2009-07-13</date>
-    <license uri="http://www1.unl.edu/wdn/wiki/Software_License">BSD License</license>
-    <notes>
-Feature Release!
-Added support for specifying the template version, 2 or 3.
-* UNL_Templates::$options['version'] = 3; to use the new templates.
-
-Additional work to prevent broken pages.
-* If local files are not present for the &lt;!--#include statements, it will grab them remotely.
-* If wdn/templates_3.0 does not exist locally it will use a template with absolute references to prevent broken pages.
-
-New methods:
-* addHeadLink($href, $relation, $relType = 'rel', array $attributes = array())
-* addScript($url, $type = 'text/javascript')
-* addScriptDeclaration($content, $type = 'text/javascript')
-* addStyleDeclaration($content, $type = 'text/css')
-* addStyleSheet($url, $media = 'all')
-* __toString()  Now you can just use echo $page;
-
-Auto loading of files - now supporting:
-* optionalfooter=&gt;optionalFooter.html
-* collegenavigationlist=&gt;unitNavigation.html
-
-New Remote Template Scanner UNL_Templates_Scanner
-* Scans a rendered UNL Template page for the editable content areas.
-
-Other fixes:
-* Use static vars instead of PEAR::getStaticProperty() - fixes E_STRICT warnings
-* Remove debug code causing cache to never be used.
-* Fix debugging.
-* Merge UNL_DWT::$options with options from ini file instead of overwriting.
-* Set default timezone to use before we use date functions.
-* Add newlines after header additions.
-* Fix addScriptDeclaration method to comment out CDATA to prevent syntax errors.
-
-Add example of a custom class with auto-breadcrumb generation and body content loading.
-   </notes>
-   </release>
-   <release>
-    <version>
-     <release>1.0.0RC7</release>
-     <api>1.0.0</api>
-    </version>
-    <stability>
-     <release>beta</release>
-     <api>beta</api>
-    </stability>
-    <date>2009-07-29</date>
-    <license uri="http://www1.unl.edu/wdn/wiki/Software_License">BSD License</license>
-    <notes>
-Feature Release!
-Added support for specifying the template version, 2 or 3.
-* UNL_Templates::$options['version'] = 3; to use the new templates.
-* Added the secure template.
-* Updated Version 3 templates to reflect footer changes.
-
-Additional work to prevent broken pages.
-* If local files are not present for the &lt;!--#include statements, it will grab them remotely.
-* If wdn/templates_3.0 does not exist locally it will use a template with absolute references to prevent broken pages.
-
-New methods:
-* addHeadLink($href, $relation, $relType = 'rel', array $attributes = array())
-* addScript($url, $type = 'text/javascript')
-* addScriptDeclaration($content, $type = 'text/javascript')
-* addStyleDeclaration($content, $type = 'text/css')
-* addStyleSheet($url, $media = 'all')
-* __toString()  Now you can just use echo $page;
-
-Auto loading of files - now supporting:
-* optionalfooter=&gt;optionalFooter.html
-* collegenavigationlist=&gt;unitNavigation.html
-
-New Remote Template Scanner UNL_Templates_Scanner
-* Scans a rendered UNL Template page for the editable content areas.
-
-Other fixes:
-* Use static vars instead of PEAR::getStaticProperty() - fixes E_STRICT warnings
-* Remove debug code causing cache to never be used.
-* Fix debugging.
-* Merge UNL_DWT::$options with options from ini file instead of overwriting.
-* Set default timezone to use before we use date functions.
-* Add newlines after header additions.
-* Fix addScriptDeclaration method to comment out CDATA to prevent syntax errors.
-
-Add example of a custom class with auto-breadcrumb generation and body content loading.
-   </notes>
-   </release>
-   <release>
-    <version>
-     <release>1.0.0RC8</release>
-     <api>1.0.0</api>
-    </version>
-    <stability>
-     <release>beta</release>
-     <api>beta</api>
-    </stability>
-    <date>2009-08-12</date>
-    <license uri="http://www1.unl.edu/wdn/wiki/Software_License">BSD License</license>
-    <notes>
-Feature Release!
-Added support for specifying the template version, 2 or 3.
-* UNL_Templates::$options['version'] = 3; to use the new templates.
-* Added the secure template.
-* Updated Version 3 templates to reflect footer changes.
-
-Additional work to prevent broken pages.
-* If local files are not present for the &lt;!--#include statements, it will grab them remotely.
-* If wdn/templates_3.0 does not exist locally it will use a template with absolute references to prevent broken pages.
-
-New methods:
-* addHeadLink($href, $relation, $relType = 'rel', array $attributes = array())
-* addScript($url, $type = 'text/javascript')
-* addScriptDeclaration($content, $type = 'text/javascript')
-* addStyleDeclaration($content, $type = 'text/css')
-* addStyleSheet($url, $media = 'all')
-* __toString()  Now you can just use echo $page;
-
-Auto loading of files - now supporting:
-* optionalfooter=&gt;optionalFooter.html
-* collegenavigationlist=&gt;unitNavigation.html
-* contactinfo=&gt;footerContactInfo.html
-
-New Remote Template Scanner UNL_Templates_Scanner
-* Scans a rendered UNL Template page for the editable content areas.
-
-Other fixes:
-* Use static vars instead of PEAR::getStaticProperty() - fixes E_STRICT warnings
-* Remove debug code causing cache to never be used.
-* Fix debugging.
-* Merge UNL_DWT::$options with options from ini file instead of overwriting.
-* Set default timezone to use before we use date functions.
-* Add newlines after header additions.
-* Fix addScriptDeclaration method to comment out CDATA to prevent syntax errors.
-
-Add example of a custom class with auto-breadcrumb generation and body content loading.
-   </notes>
-   </release>
-   <release>
-    <version>
-     <release>1.0.0RC9</release>
-     <api>1.0.0</api>
-    </version>
-    <stability>
-     <release>beta</release>
-     <api>beta</api>
-    </stability>
-    <date>2009-09-10</date>
-    <license uri="http://www1.unl.edu/wdn/wiki/Software_License">BSD License</license>
-    <notes>
-Feature Release!
-Added support for specifying the template version, 2 or 3.
-* UNL_Templates::$options['version'] = 3; to use the new templates.
-* Added the secure template.
-* Add debug template.
-* Updated Version 3 templates to reflect footer changes.
-
-Additional work to prevent broken pages.
-* If local files are not present for the &lt;!--#include statements, it will grab them remotely.
-* If wdn/templates_3.0 does not exist locally it will use a template with absolute references to prevent broken pages.
-
-New methods:
-* addHeadLink($href, $relation, $relType = 'rel', array $attributes = array())
-* addScript($url, $type = 'text/javascript')
-* addScriptDeclaration($content, $type = 'text/javascript')
-* addStyleDeclaration($content, $type = 'text/css')
-* addStyleSheet($url, $media = 'all')
-* __toString()  Now you can just use echo $page;
-
-Auto loading of files - now supporting:
-* optionalfooter=&gt;optionalFooter.html
-* collegenavigationlist=&gt;unitNavigation.html
-* contactinfo=&gt;footerContactInfo.html
-
-New Remote Template Scanner UNL_Templates_Scanner
-* Scans a rendered UNL Template page for the editable content areas.
-
-Other fixes:
-* Use static vars instead of PEAR::getStaticProperty() - fixes E_STRICT warnings
-* Remove debug code causing cache to never be used.
-* Fix debugging.
-* Merge UNL_DWT::$options with options from ini file instead of overwriting.
-* Set default timezone to use before we use date functions.
-* Add newlines after header additions.
-* Fix addScriptDeclaration method to comment out CDATA to prevent syntax errors.
-
-Add example of a custom class with auto-breadcrumb generation and body content loading.
-   </notes>
-   </release>
-   <release>
-    <version>
-     <release>1.0.0</release>
-     <api>1.0.0</api>
-    </version>
-    <stability>
-     <release>stable</release>
-     <api>stable</api>
-    </stability>
-    <date>2010-03-26</date>
-    <license uri="http://www1.unl.edu/wdn/wiki/Software_License">BSD License</license>
-    <notes>
-Feature Release!
-Added support for specifying the template version, 2 or 3.
-* UNL_Templates::$options['version'] = 3; to use the new templates.
-* Added the secure template.
-* Add debug template.
-* Updated Version 3 templates to reflect footer changes.
-* Multiple template caching backends are 
-
-Additional work to prevent broken pages.
-* If local files are not present for the &lt;!--#include statements, it will grab them remotely.
-* If wdn/templates_3.0 does not exist locally it will use a template with absolute references to prevent broken pages.
-
-New methods:
-* addHeadLink($href, $relation, $relType = 'rel', array $attributes = array())
-* addScript($url, $type = 'text/javascript')
-* addScriptDeclaration($content, $type = 'text/javascript')
-* addStyleDeclaration($content, $type = 'text/css')
-* addStyleSheet($url, $media = 'all')
-* __toString()  Now you can just use echo $page;
-
-Auto loading of files - now supporting:
-* optionalfooter=&gt;optionalFooter.html
-* collegenavigationlist=&gt;unitNavigation.html
-* contactinfo=&gt;footerContactInfo.html
-
-New Remote Template Scanner UNL_Templates_Scanner
-* Scans a rendered UNL Template page for the editable content areas.
-
-Other fixes:
-* Use static vars instead of PEAR::getStaticProperty() - fixes E_STRICT warnings
-* Remove debug code causing cache to never be used.
-* Fix debugging.
-* Merge UNL_DWT::$options with options from ini file instead of overwriting.
-* Set default timezone to use before we use date functions.
-* Add newlines after header additions.
-* Fix addScriptDeclaration method to comment out CDATA to prevent syntax errors.
-
-Add example of a custom class with auto-breadcrumb generation and body content loading.
-   </notes>
-   </release>
-   <release>
-    <version>
-     <release>1.1.0</release>
-     <api>1.0.0</api>
-    </version>
-    <stability>
-     <release>stable</release>
-     <api>stable</api>
-    </stability>
-    <date>2010-09-09</date>
-    <license uri="http://www1.unl.edu/wdn/wiki/Software_License">BSD License</license>
-    <notes>
-Feature Release!
-* Added the mobile template.
-* Fix support for version 2 templates.
-* Only set templatedependentspath if it has not been set.
-   </notes>
-   </release>
-   <release>
-    <version>
-     <release>1.2.0</release>
-     <api>1.0.0</api>
-    </version>
-    <stability>
-     <release>stable</release>
-     <api>stable</api>
-    </stability>
-    <date>2011-08-17</date>
-    <license uri="http://www1.unl.edu/wdn/wiki/Software_License">BSD License</license>
-    <notes>
-Update .tpl cache so template files are in sync with latest wdntemplates.
-Allow underscores within Version3 template include files.
-
-New templates!
-
- * Fixed_html5
- * Unlaffiliate
-
-Template updates:
-
- * Meta lang fixes
- * Remove IDM region from the secure template
- * Mobile template now supports navigation and move to HTML5
-   </notes>
-   </release>
-  </changelog>
- </phprelease>
-</package>
diff --git a/lib/data/UNL_Cache_Lite/LICENSE b/lib/data/UNL_Cache_Lite/LICENSE
deleted file mode 100644
index 27950e8d20578abb2b348618feb28f0426638820..0000000000000000000000000000000000000000
--- a/lib/data/UNL_Cache_Lite/LICENSE
+++ /dev/null
@@ -1,458 +0,0 @@
-		  GNU LESSER GENERAL PUBLIC LICENSE
-		       Version 2.1, February 1999
-
- Copyright (C) 1991, 1999 Free Software Foundation, Inc.
-     59 Temple Place, Suite 330, Boston, MA  02111-1307  USA
- Everyone is permitted to copy and distribute verbatim copies
- of this license document, but changing it is not allowed.
-
-[This is the first released version of the Lesser GPL.  It also counts
- as the successor of the GNU Library Public License, version 2, hence
- the version number 2.1.]
-
-			    Preamble
-
-  The licenses for most software are designed to take away your
-freedom to share and change it.  By contrast, the GNU General Public
-Licenses are intended to guarantee your freedom to share and change
-free software--to make sure the software is free for all its users.
-
-  This license, the Lesser General Public License, applies to some
-specially designated software packages--typically libraries--of the
-Free Software Foundation and other authors who decide to use it.  You
-can use it too, but we suggest you first think carefully about whether
-this license or the ordinary General Public License is the better
-strategy to use in any particular case, based on the explanations below.
-
-  When we speak of free software, we are referring to freedom of use,
-not price.  Our General Public Licenses are designed to make sure that
-you have the freedom to distribute copies of free software (and charge
-for this service if you wish); that you receive source code or can get
-it if you want it; that you can change the software and use pieces of
-it in new free programs; and that you are informed that you can do
-these things.
-
-  To protect your rights, we need to make restrictions that forbid
-distributors to deny you these rights or to ask you to surrender these
-rights.  These restrictions translate to certain responsibilities for
-you if you distribute copies of the library or if you modify it.
-
-  For example, if you distribute copies of the library, whether gratis
-or for a fee, you must give the recipients all the rights that we gave
-you.  You must make sure that they, too, receive or can get the source
-code.  If you link other code with the library, you must provide
-complete object files to the recipients, so that they can relink them
-with the library after making changes to the library and recompiling
-it.  And you must show them these terms so they know their rights.
-
-  We protect your rights with a two-step method: (1) we copyright the
-library, and (2) we offer you this license, which gives you legal
-permission to copy, distribute and/or modify the library.
-
-  To protect each distributor, we want to make it very clear that
-there is no warranty for the free library.  Also, if the library is
-modified by someone else and passed on, the recipients should know
-that what they have is not the original version, so that the original
-author's reputation will not be affected by problems that might be
-introduced by others.
-
-  Finally, software patents pose a constant threat to the existence of
-any free program.  We wish to make sure that a company cannot
-effectively restrict the users of a free program by obtaining a
-restrictive license from a patent holder.  Therefore, we insist that
-any patent license obtained for a version of the library must be
-consistent with the full freedom of use specified in this license.
-
-  Most GNU software, including some libraries, is covered by the
-ordinary GNU General Public License.  This license, the GNU Lesser
-General Public License, applies to certain designated libraries, and
-is quite different from the ordinary General Public License.  We use
-this license for certain libraries in order to permit linking those
-libraries into non-free programs.
-
-  When a program is linked with a library, whether statically or using
-a shared library, the combination of the two is legally speaking a
-combined work, a derivative of the original library.  The ordinary
-General Public License therefore permits such linking only if the
-entire combination fits its criteria of freedom.  The Lesser General
-Public License permits more lax criteria for linking other code with
-the library.
-
-  We call this license the "Lesser" General Public License because it
-does Less to protect the user's freedom than the ordinary General
-Public License.  It also provides other free software developers Less
-of an advantage over competing non-free programs.  These disadvantages
-are the reason we use the ordinary General Public License for many
-libraries.  However, the Lesser license provides advantages in certain
-special circumstances.
-
-  For example, on rare occasions, there may be a special need to
-encourage the widest possible use of a certain library, so that it becomes
-a de-facto standard.  To achieve this, non-free programs must be
-allowed to use the library.  A more frequent case is that a free
-library does the same job as widely used non-free libraries.  In this
-case, there is little to gain by limiting the free library to free
-software only, so we use the Lesser General Public License.
-
-  In other cases, permission to use a particular library in non-free
-programs enables a greater number of people to use a large body of
-free software.  For example, permission to use the GNU C Library in
-non-free programs enables many more people to use the whole GNU
-operating system, as well as its variant, the GNU/Linux operating
-system.
-
-  Although the Lesser General Public License is Less protective of the
-users' freedom, it does ensure that the user of a program that is
-linked with the Library has the freedom and the wherewithal to run
-that program using a modified version of the Library.
-
-  The precise terms and conditions for copying, distribution and
-modification follow.  Pay close attention to the difference between a
-"work based on the library" and a "work that uses the library".  The
-former contains code derived from the library, whereas the latter must
-be combined with the library in order to run.
-
-		  GNU LESSER GENERAL PUBLIC LICENSE
-   TERMS AND CONDITIONS FOR COPYING, DISTRIBUTION AND MODIFICATION
-
-  0. This License Agreement applies to any software library or other
-program which contains a notice placed by the copyright holder or
-other authorized party saying it may be distributed under the terms of
-this Lesser General Public License (also called "this License").
-Each licensee is addressed as "you".
-
-  A "library" means a collection of software functions and/or data
-prepared so as to be conveniently linked with application programs
-(which use some of those functions and data) to form executables.
-
-  The "Library", below, refers to any such software library or work
-which has been distributed under these terms.  A "work based on the
-Library" means either the Library or any derivative work under
-copyright law: that is to say, a work containing the Library or a
-portion of it, either verbatim or with modifications and/or translated
-straightforwardly into another language.  (Hereinafter, translation is
-included without limitation in the term "modification".)
-
-  "Source code" for a work means the preferred form of the work for
-making modifications to it.  For a library, complete source code means
-all the source code for all modules it contains, plus any associated
-interface definition files, plus the scripts used to control compilation
-and installation of the library.
-
-  Activities other than copying, distribution and modification are not
-covered by this License; they are outside its scope.  The act of
-running a program using the Library is not restricted, and output from
-such a program is covered only if its contents constitute a work based
-on the Library (independent of the use of the Library in a tool for
-writing it).  Whether that is true depends on what the Library does
-and what the program that uses the Library does.
-  
-  1. You may copy and distribute verbatim copies of the Library's
-complete source code as you receive it, in any medium, provided that
-you conspicuously and appropriately publish on each copy an
-appropriate copyright notice and disclaimer of warranty; keep intact
-all the notices that refer to this License and to the absence of any
-warranty; and distribute a copy of this License along with the
-Library.
-
-  You may charge a fee for the physical act of transferring a copy,
-and you may at your option offer warranty protection in exchange for a
-fee.
-
-  2. You may modify your copy or copies of the Library or any portion
-of it, thus forming a work based on the Library, and copy and
-distribute such modifications or work under the terms of Section 1
-above, provided that you also meet all of these conditions:
-
-    a) The modified work must itself be a software library.
-
-    b) You must cause the files modified to carry prominent notices
-    stating that you changed the files and the date of any change.
-
-    c) You must cause the whole of the work to be licensed at no
-    charge to all third parties under the terms of this License.
-
-    d) If a facility in the modified Library refers to a function or a
-    table of data to be supplied by an application program that uses
-    the facility, other than as an argument passed when the facility
-    is invoked, then you must make a good faith effort to ensure that,
-    in the event an application does not supply such function or
-    table, the facility still operates, and performs whatever part of
-    its purpose remains meaningful.
-
-    (For example, a function in a library to compute square roots has
-    a purpose that is entirely well-defined independent of the
-    application.  Therefore, Subsection 2d requires that any
-    application-supplied function or table used by this function must
-    be optional: if the application does not supply it, the square
-    root function must still compute square roots.)
-
-These requirements apply to the modified work as a whole.  If
-identifiable sections of that work are not derived from the Library,
-and can be reasonably considered independent and separate works in
-themselves, then this License, and its terms, do not apply to those
-sections when you distribute them as separate works.  But when you
-distribute the same sections as part of a whole which is a work based
-on the Library, the distribution of the whole must be on the terms of
-this License, whose permissions for other licensees extend to the
-entire whole, and thus to each and every part regardless of who wrote
-it.
-
-Thus, it is not the intent of this section to claim rights or contest
-your rights to work written entirely by you; rather, the intent is to
-exercise the right to control the distribution of derivative or
-collective works based on the Library.
-
-In addition, mere aggregation of another work not based on the Library
-with the Library (or with a work based on the Library) on a volume of
-a storage or distribution medium does not bring the other work under
-the scope of this License.
-
-  3. You may opt to apply the terms of the ordinary GNU General Public
-License instead of this License to a given copy of the Library.  To do
-this, you must alter all the notices that refer to this License, so
-that they refer to the ordinary GNU General Public License, version 2,
-instead of to this License.  (If a newer version than version 2 of the
-ordinary GNU General Public License has appeared, then you can specify
-that version instead if you wish.)  Do not make any other change in
-these notices.
-
-  Once this change is made in a given copy, it is irreversible for
-that copy, so the ordinary GNU General Public License applies to all
-subsequent copies and derivative works made from that copy.
-
-  This option is useful when you wish to copy part of the code of
-the Library into a program that is not a library.
-
-  4. You may copy and distribute the Library (or a portion or
-derivative of it, under Section 2) in object code or executable form
-under the terms of Sections 1 and 2 above provided that you accompany
-it with the complete corresponding machine-readable source code, which
-must be distributed under the terms of Sections 1 and 2 above on a
-medium customarily used for software interchange.
-
-  If distribution of object code is made by offering access to copy
-from a designated place, then offering equivalent access to copy the
-source code from the same place satisfies the requirement to
-distribute the source code, even though third parties are not
-compelled to copy the source along with the object code.
-
-  5. A program that contains no derivative of any portion of the
-Library, but is designed to work with the Library by being compiled or
-linked with it, is called a "work that uses the Library".  Such a
-work, in isolation, is not a derivative work of the Library, and
-therefore falls outside the scope of this License.
-
-  However, linking a "work that uses the Library" with the Library
-creates an executable that is a derivative of the Library (because it
-contains portions of the Library), rather than a "work that uses the
-library".  The executable is therefore covered by this License.
-Section 6 states terms for distribution of such executables.
-
-  When a "work that uses the Library" uses material from a header file
-that is part of the Library, the object code for the work may be a
-derivative work of the Library even though the source code is not.
-Whether this is true is especially significant if the work can be
-linked without the Library, or if the work is itself a library.  The
-threshold for this to be true is not precisely defined by law.
-
-  If such an object file uses only numerical parameters, data
-structure layouts and accessors, and small macros and small inline
-functions (ten lines or less in length), then the use of the object
-file is unrestricted, regardless of whether it is legally a derivative
-work.  (Executables containing this object code plus portions of the
-Library will still fall under Section 6.)
-
-  Otherwise, if the work is a derivative of the Library, you may
-distribute the object code for the work under the terms of Section 6.
-Any executables containing that work also fall under Section 6,
-whether or not they are linked directly with the Library itself.
-
-  6. As an exception to the Sections above, you may also combine or
-link a "work that uses the Library" with the Library to produce a
-work containing portions of the Library, and distribute that work
-under terms of your choice, provided that the terms permit
-modification of the work for the customer's own use and reverse
-engineering for debugging such modifications.
-
-  You must give prominent notice with each copy of the work that the
-Library is used in it and that the Library and its use are covered by
-this License.  You must supply a copy of this License.  If the work
-during execution displays copyright notices, you must include the
-copyright notice for the Library among them, as well as a reference
-directing the user to the copy of this License.  Also, you must do one
-of these things:
-
-    a) Accompany the work with the complete corresponding
-    machine-readable source code for the Library including whatever
-    changes were used in the work (which must be distributed under
-    Sections 1 and 2 above); and, if the work is an executable linked
-    with the Library, with the complete machine-readable "work that
-    uses the Library", as object code and/or source code, so that the
-    user can modify the Library and then relink to produce a modified
-    executable containing the modified Library.  (It is understood
-    that the user who changes the contents of definitions files in the
-    Library will not necessarily be able to recompile the application
-    to use the modified definitions.)
-
-    b) Use a suitable shared library mechanism for linking with the
-    Library.  A suitable mechanism is one that (1) uses at run time a
-    copy of the library already present on the user's computer system,
-    rather than copying library functions into the executable, and (2)
-    will operate properly with a modified version of the library, if
-    the user installs one, as long as the modified version is
-    interface-compatible with the version that the work was made with.
-
-    c) Accompany the work with a written offer, valid for at
-    least three years, to give the same user the materials
-    specified in Subsection 6a, above, for a charge no more
-    than the cost of performing this distribution.
-
-    d) If distribution of the work is made by offering access to copy
-    from a designated place, offer equivalent access to copy the above
-    specified materials from the same place.
-
-    e) Verify that the user has already received a copy of these
-    materials or that you have already sent this user a copy.
-
-  For an executable, the required form of the "work that uses the
-Library" must include any data and utility programs needed for
-reproducing the executable from it.  However, as a special exception,
-the materials to be distributed need not include anything that is
-normally distributed (in either source or binary form) with the major
-components (compiler, kernel, and so on) of the operating system on
-which the executable runs, unless that component itself accompanies
-the executable.
-
-  It may happen that this requirement contradicts the license
-restrictions of other proprietary libraries that do not normally
-accompany the operating system.  Such a contradiction means you cannot
-use both them and the Library together in an executable that you
-distribute.
-
-  7. You may place library facilities that are a work based on the
-Library side-by-side in a single library together with other library
-facilities not covered by this License, and distribute such a combined
-library, provided that the separate distribution of the work based on
-the Library and of the other library facilities is otherwise
-permitted, and provided that you do these two things:
-
-    a) Accompany the combined library with a copy of the same work
-    based on the Library, uncombined with any other library
-    facilities.  This must be distributed under the terms of the
-    Sections above.
-
-    b) Give prominent notice with the combined library of the fact
-    that part of it is a work based on the Library, and explaining
-    where to find the accompanying uncombined form of the same work.
-
-  8. You may not copy, modify, sublicense, link with, or distribute
-the Library except as expressly provided under this License.  Any
-attempt otherwise to copy, modify, sublicense, link with, or
-distribute the Library is void, and will automatically terminate your
-rights under this License.  However, parties who have received copies,
-or rights, from you under this License will not have their licenses
-terminated so long as such parties remain in full compliance.
-
-  9. You are not required to accept this License, since you have not
-signed it.  However, nothing else grants you permission to modify or
-distribute the Library or its derivative works.  These actions are
-prohibited by law if you do not accept this License.  Therefore, by
-modifying or distributing the Library (or any work based on the
-Library), you indicate your acceptance of this License to do so, and
-all its terms and conditions for copying, distributing or modifying
-the Library or works based on it.
-
-  10. Each time you redistribute the Library (or any work based on the
-Library), the recipient automatically receives a license from the
-original licensor to copy, distribute, link with or modify the Library
-subject to these terms and conditions.  You may not impose any further
-restrictions on the recipients' exercise of the rights granted herein.
-You are not responsible for enforcing compliance by third parties with
-this License.
-
-  11. If, as a consequence of a court judgment or allegation of patent
-infringement or for any other reason (not limited to patent issues),
-conditions are imposed on you (whether by court order, agreement or
-otherwise) that contradict the conditions of this License, they do not
-excuse you from the conditions of this License.  If you cannot
-distribute so as to satisfy simultaneously your obligations under this
-License and any other pertinent obligations, then as a consequence you
-may not distribute the Library at all.  For example, if a patent
-license would not permit royalty-free redistribution of the Library by
-all those who receive copies directly or indirectly through you, then
-the only way you could satisfy both it and this License would be to
-refrain entirely from distribution of the Library.
-
-If any portion of this section is held invalid or unenforceable under any
-particular circumstance, the balance of the section is intended to apply,
-and the section as a whole is intended to apply in other circumstances.
-
-It is not the purpose of this section to induce you to infringe any
-patents or other property right claims or to contest validity of any
-such claims; this section has the sole purpose of protecting the
-integrity of the free software distribution system which is
-implemented by public license practices.  Many people have made
-generous contributions to the wide range of software distributed
-through that system in reliance on consistent application of that
-system; it is up to the author/donor to decide if he or she is willing
-to distribute software through any other system and a licensee cannot
-impose that choice.
-
-This section is intended to make thoroughly clear what is believed to
-be a consequence of the rest of this License.
-
-  12. If the distribution and/or use of the Library is restricted in
-certain countries either by patents or by copyrighted interfaces, the
-original copyright holder who places the Library under this License may add
-an explicit geographical distribution limitation excluding those countries,
-so that distribution is permitted only in or among countries not thus
-excluded.  In such case, this License incorporates the limitation as if
-written in the body of this License.
-
-  13. The Free Software Foundation may publish revised and/or new
-versions of the Lesser General Public License from time to time.
-Such new versions will be similar in spirit to the present version,
-but may differ in detail to address new problems or concerns.
-
-Each version is given a distinguishing version number.  If the Library
-specifies a version number of this License which applies to it and
-"any later version", you have the option of following the terms and
-conditions either of that version or of any later version published by
-the Free Software Foundation.  If the Library does not specify a
-license version number, you may choose any version ever published by
-the Free Software Foundation.
-
-  14. If you wish to incorporate parts of the Library into other free
-programs whose distribution conditions are incompatible with these,
-write to the author to ask for permission.  For software which is
-copyrighted by the Free Software Foundation, write to the Free
-Software Foundation; we sometimes make exceptions for this.  Our
-decision will be guided by the two goals of preserving the free status
-of all derivatives of our free software and of promoting the sharing
-and reuse of software generally.
-
-			    NO WARRANTY
-
-  15. BECAUSE THE LIBRARY IS LICENSED FREE OF CHARGE, THERE IS NO
-WARRANTY FOR THE LIBRARY, TO THE EXTENT PERMITTED BY APPLICABLE LAW.
-EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR
-OTHER PARTIES PROVIDE THE LIBRARY "AS IS" WITHOUT WARRANTY OF ANY
-KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE
-IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
-PURPOSE.  THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE
-LIBRARY IS WITH YOU.  SHOULD THE LIBRARY PROVE DEFECTIVE, YOU ASSUME
-THE COST OF ALL NECESSARY SERVICING, REPAIR OR CORRECTION.
-
-  16. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN
-WRITING WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MAY MODIFY
-AND/OR REDISTRIBUTE THE LIBRARY AS PERMITTED ABOVE, BE LIABLE TO YOU
-FOR DAMAGES, INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR
-CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OR INABILITY TO USE THE
-LIBRARY (INCLUDING BUT NOT LIMITED TO LOSS OF DATA OR DATA BEING
-RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD PARTIES OR A
-FAILURE OF THE LIBRARY TO OPERATE WITH ANY OTHER SOFTWARE), EVEN IF
-SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH
-DAMAGES.
-
-		     END OF TERMS AND CONDITIONS
diff --git a/lib/data/UNL_Cache_Lite/TODO b/lib/data/UNL_Cache_Lite/TODO
deleted file mode 100644
index e51a0481dda36e288525616092414aecefb11fc4..0000000000000000000000000000000000000000
--- a/lib/data/UNL_Cache_Lite/TODO
+++ /dev/null
@@ -1,46 +0,0 @@
-
-Patrick O'Lone suggests the following idea which sounds interesting to
-add as an optional mode of Cache_Lite class. 
-(still not tested in the Cache_Lite context)
-
--------------------------------------------------------------------------
-If you use the flags:
-
-ignore_user_abort(true);
-
-$fd = dio_open($szFilename, O_CREATE | O_EXCL | O_TRUNC | O_WRONLY,
-0644);
-if (is_resource($fd)) {
-
-   dio_fcntl($fd, F_SETLKW, array('type' => F_WRLCK));
-   dio_write($fd, $szBuffer);
-   dio_fcntl($fd, F_SETLK, array('type' => F_UNLCK));
-   dio_close($fd);
-
-}
-
-ignore_user_abort(false);
-
-Only the first process will attempt to create a file. Additional
-processes will see that a file already exists (at the system level), and
-will fail. Another thing to note is that the file descriptor must be
-opened using dio_open(), and certain features, like fgets() won't work
-with it. If your just doing a raw write, dio_write() should be just
-fine. The dio_read() function should be used like:
-
-$fd = dio_open($szFilename, O_RDONLY|O_NONBLOCK, 0644);
-if (is_resource($fd)) {
-
-   dio_fcntl($fd, F_SETLKW, array('type' => F_RDLCK));
-   $szBuffer = dio_read($fd, filesize($szFilename));
-   dio_fcntl($fd, F_SETLK, array('type' => F_UNLCK));
-   dio_close($fd);
-
-}
-
-You still use locking to ensure that a write process can finish before
-another attempts to read the file. We also set non-blocking mode in read
-mode so that multiple readers can access the same resource at the same
-time. NOTE: Direct I/O support must be compiled into PHP for these
-features to work (--enable-dio).
--------------------------------------------------------------------------
diff --git a/lib/data/pear.unl.edu/UNL_Templates/cssUNLTemplates.ini b/lib/data/pear.unl.edu/UNL_Templates/cssUNLTemplates.ini
deleted file mode 100644
index 17d132cdffd23d1d92d8c832642f43be346b93aa..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/cssUNLTemplates.ini
+++ /dev/null
@@ -1,9 +0,0 @@
-;php -d include_path=`pwd`/../vendor/php ../vendor/php/UNL/DWT/createTemplates.php cssUNLTemplates.ini
-[UNL_DWT]
-dwt_location    = /Users/bbieber/Documents/workspace/wdntemplates/Templates/
-class_location  = /Users/bbieber/Documents/workspace/UNL_Templates/src/UNL/Templates/Version4
-tpl_location    = /Users/bbieber/Documents/workspace/UNL_Templates/data/tpl_cache/Version4
-class_prefix    = UNL_Templates_Version4_
-generator_exclude_regex = "/^(asp|php)/i"
-extends         = UNL_Templates
-extends_location	= "UNL/Templates.php"
\ No newline at end of file
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Document.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Document.tpl
deleted file mode 100644
index caccfd6889e95717b4a3e85f9cbe58141c86e3ff..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Document.tpl
+++ /dev/null
@@ -1,111 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en" ><!-- InstanceBegin template="/Templates/document.dwt" codeOutsideHTMLIsLocked="false" -->
-<head>
-<meta http-equiv="Content-Type" content="text/html; charset=UTF-8" />
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>UNL | Document Template</title>
-<!-- InstanceEndEditable -->
-<!-- Codebase:UNLFramework 20070105 -->
-<link rel="stylesheet" type="text/css" media="screen" href="/ucomm/templatedependents/templatecss/layouts/main.css" />
-<link rel="stylesheet" type="text/css" media="print" href="/ucomm/templatedependents/templatecss/layouts/print.css"/>
-<script type="text/javascript" src="/ucomm/templatedependents/templatesharedcode/scripts/all_compressed.js"></script>
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/browsersniffers/ie.html" -->
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/comments/developersnote.html" -->
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/metanfavico/metanfavico.html" -->
-
-<!-- InstanceBeginEditable name="head" -->
-<script type="text/javascript">
-var navl2Links = 0; //Default navline2 links to display (zero based counting)
-</script>
-<!-- InstanceEndEditable -->
-
-</head>
-<body id="doc">
-<p class="skipnav"> <a class="skipnav" href="#maincontent">Skip Navigation</a> </p>
-
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/siteheader/siteheader.shtml" -->
-
-<div id="red-header">
-	<div class="clear">
-		<h1>University of Nebraska&ndash;Lincoln</h1>
-		<div id="breadcrumbs"> 
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-<!-- InstanceEndEditable -->
- </div>
-	</div>
-</div>
-<!-- close red-header -->
-
-<div id="container">
-	<div class="clear">
-		<div id="title"> 
-<!-- InstanceBeginEditable name="collegenavigationlist" -->
- 
-<!-- InstanceEndEditable -->
-			<div id="titlegraphic">
-				<!-- WDN: see glossary item 'title graphics' -->
-				
-<!-- InstanceBeginEditable name="titlegraphic" -->
-				<h1>Department</h1>
-				<h2>Taglines - We Do The Heavy Lifting</h2>
-				
-<!-- InstanceEndEditable -->
-</div>
-			<!-- maintitle -->
-		</div>
-		<!-- close title -->
-		
-		<div id="navigation">
-			<h4 id="sec_nav">Navigation</h4>
-			
-
-			<div id="nav_end"></div>
-			
-			<!-- WDN: see glossary item 'sidebar links' -->
-			<div id="leftcollinks"> 
-				<!-- WDN: see glossary item 'sidebar links' -->
-				
- </div>
-		</div>
-		<!-- close navigation -->
-		
-		<div id="main_right" class="mainwrapper">
-			<!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-			
-			<div id="maincontent"> 
-
-				<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/browsersniffers/noscript.html" -->
-				<!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-				
-<!-- InstanceBeginEditable name="maincontentarea" -->
-				<p style="margin:20px; border:3px solid #CC0000;padding:10px; text-align:center"> <strong>Delete this box and place your content here.</strong><br />
-					Remember to validate your pages before publishing! Sample layouts are available through the <a href="http://www.unl.edu/webdevnet/">Web Developer Network</a>. <br />
-					<a href="http://validator.unl.edu/check/referer">Click here to check Validation</a> </p>
-				
-<!-- InstanceEndEditable -->
-				<!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-				
- </div>
-			 </div>
-		<!-- close main right -->
-	</div>
-</div>
-<!-- close container -->
-<div id="footer">
-	<div id="footer_floater"> 
-<!-- InstanceBeginEditable name="optionalfooter" -->
- 
-<!-- InstanceEndEditable -->
-		<div id="copyright"> 
-<!-- InstanceBeginEditable name="footercontent" -->
-			<!--#include virtual="../sharedcode/footer.html" -->
-			
-<!-- InstanceEndEditable -->
- <span><a href="http://jigsaw.w3.org/css-validator/check/referer">CSS</a> <a href="http://validator.unl.edu/check/referer">W3C</a> <a href="http://www1.unl.edu/feeds/">RSS</a> </span><a href="http://www.unl.edu/" title="UNL Home"><img src="/ucomm/templatedependents/templatecss/images/wordmark.png" alt="UNL's wordmark" id="wordmark" /></a></div>
-	</div>
-</div>
-<!-- close footer -->
-<!-- sifr -->
-<script type="text/javascript" src="/ucomm/templatedependents/templatesharedcode/scripts/sifr_replacements.js"></script>
-</body>
-<!-- InstanceEnd --></html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Fixed.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Fixed.tpl
deleted file mode 100644
index 44626d93af9f1c53c95d37cb602f685708b08c41..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Fixed.tpl
+++ /dev/null
@@ -1,137 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en" ><!-- InstanceBegin template="/Templates/fixed.dwt" codeOutsideHTMLIsLocked="false" -->
-<head>
-<meta http-equiv="Content-Type" content="text/html; charset=UTF-8" />
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>UNL | Department | New Page</title>
-<!-- InstanceEndEditable -->
-<!-- Codebase:UNLFramework 20070105 -->
-<link rel="stylesheet" type="text/css" media="screen" href="/ucomm/templatedependents/templatecss/layouts/main.css" />
-<link rel="stylesheet" type="text/css" media="print" href="/ucomm/templatedependents/templatecss/layouts/print.css"/>
-<script type="text/javascript" src="/ucomm/templatedependents/templatesharedcode/scripts/all_compressed.js"></script>
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/browsersniffers/ie.html" -->
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/comments/developersnote.html" -->
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/metanfavico/metanfavico.html" -->
-
-<!-- InstanceBeginEditable name="head" -->
-<script type="text/javascript">
-var navl2Links = 0; //Default navline2 links to display (zero based counting)
-</script>
-<!-- InstanceEndEditable -->
-
-</head>
-<body id="fixed">
-<p class="skipnav"> <a class="skipnav" href="#maincontent">Skip Navigation</a> </p>
-
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/siteheader/siteheader.shtml" -->
-
-<div id="red-header">
-	<div class="clear">
-		<h1>University of Nebraska&ndash;Lincoln</h1>
-		<div id="breadcrumbs"> 
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-			<!-- WDN: see glossary item 'breadcrumbs' -->
-			<ul>
-				<li class="first"><a href="http://www.unl.edu/">UNL</a></li>
-				<li><a href="http://www.unl.edu/">Department</a></li>
-				<li>New Page</li>
-			</ul>
-			
-<!-- InstanceEndEditable -->
- </div>
-	</div>
-</div>
-<!-- close red-header -->
-
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/shelf/shelf.shtml" -->
-
-<div id="container">
-	<div class="clear">
-		<div id="title"> 
-<!-- InstanceBeginEditable name="collegenavigationlist" -->
- 
-<!-- InstanceEndEditable -->
-			<div id="titlegraphic">
-				<!-- WDN: see glossary item 'title graphics' -->
-				
-<!-- InstanceBeginEditable name="titlegraphic" -->
-				<h1>Department</h1>
-				<h2>Taglines - We Do The Heavy Lifting</h2>
-				
-<!-- InstanceEndEditable -->
-</div>
-			<!-- maintitle -->
-		</div>
-		<!-- close title -->
-		
-		<div id="navigation">
-			<h4 id="sec_nav">Navigation</h4>
-			
-
-			<div id="navlinks"> 
-<!-- InstanceBeginEditable name="navlinks" -->
-				<!--#include virtual="../sharedcode/navigation.html" -->
-				
-<!-- InstanceEndEditable -->
-</div>
-			
-
-			<div id="nav_end"></div>
-			
-<!-- InstanceBeginEditable name="leftRandomPromo" -->
-			<div class="image_small_short" id="leftRandomPromo"> <a href="#" id="leftRandomPromoAnchor"><img id="leftRandomPromoImage" alt="" src="/ucomm/templatedependents/templatecss/images/transpixel.gif" /></a>
-				<script type="text/javascript" src="../sharedcode/leftRandomPromo.js"></script>
-			</div>
-			
-<!-- InstanceEndEditable -->
-			<!-- WDN: see glossary item 'sidebar links' -->
-			<div id="leftcollinks"> 
-<!-- InstanceBeginEditable name="leftcollinks" -->
-				<!-- WDN: see glossary item 'sidebar links' -->
-				<!--#include virtual="../sharedcode/relatedLinks.html" -->
-				
-<!-- InstanceEndEditable -->
- </div>
-		</div>
-		<!-- close navigation -->
-		
-		<div id="main_right" class="mainwrapper">
-			<!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-			
-			<div id="maincontent"> 
-
-				<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/browsersniffers/noscript.html" -->
-				<!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-				
-<!-- InstanceBeginEditable name="maincontentarea" -->
-				<p style="margin:20px; border:3px solid #CC0000;padding:10px; text-align:center"> <strong>Delete this box and place your content here.</strong><br />
-					Remember to validate your pages before publishing! Sample layouts are available through the <a href="http://www.unl.edu/webdevnet/">Web Developer Network</a>. <br />
-					<a href="http://validator.unl.edu/check/referer">Click here to check Validation</a> </p>
-				
-<!-- InstanceEndEditable -->
-				<!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-				
- </div>
-			 </div>
-		<!-- close main right -->
-	</div>
-</div>
-<!-- close container -->
-<div id="footer">
-	<div id="footer_floater"> 
-<!-- InstanceBeginEditable name="optionalfooter" -->
- 
-<!-- InstanceEndEditable -->
-		<div id="copyright"> 
-<!-- InstanceBeginEditable name="footercontent" -->
-			<!--#include virtual="../sharedcode/footer.html" -->
-			
-<!-- InstanceEndEditable -->
- <span><a href="http://jigsaw.w3.org/css-validator/check/referer">CSS</a> <a href="http://validator.unl.edu/check/referer">W3C</a> <a href="http://www1.unl.edu/feeds/">RSS</a> </span><a href="http://www.unl.edu/" title="UNL Home"><img src="/ucomm/templatedependents/templatecss/images/wordmark.png" alt="UNL's wordmark" id="wordmark" /></a></div>
-	</div>
-</div>
-<!-- close footer -->
-<!-- sifr -->
-<script type="text/javascript" src="/ucomm/templatedependents/templatesharedcode/scripts/sifr_replacements.js"></script>
-</body>
-<!-- InstanceEnd --></html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Liquid.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Liquid.tpl
deleted file mode 100644
index bcbe8718485706ce70b4b570379fb366d1fc454c..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Liquid.tpl
+++ /dev/null
@@ -1,137 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en" ><!-- InstanceBegin template="/Templates/liquid.dwt" codeOutsideHTMLIsLocked="false" -->
-<head>
-<meta http-equiv="Content-Type" content="text/html; charset=UTF-8" />
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>UNL | Department | New Page</title>
-<!-- InstanceEndEditable -->
-<!-- Codebase:UNLFramework 20070105 -->
-<link rel="stylesheet" type="text/css" media="screen" href="/ucomm/templatedependents/templatecss/layouts/main.css" />
-<link rel="stylesheet" type="text/css" media="print" href="/ucomm/templatedependents/templatecss/layouts/print.css"/>
-<script type="text/javascript" src="/ucomm/templatedependents/templatesharedcode/scripts/all_compressed.js"></script>
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/browsersniffers/ie.html" -->
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/comments/developersnote.html" -->
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/metanfavico/metanfavico.html" -->
-
-<!-- InstanceBeginEditable name="head" -->
-<script type="text/javascript">
-var navl2Links = 0; //Default navline2 links to display (zero based counting)
-</script>
-<!-- InstanceEndEditable -->
-
-</head>
-<body id="liquid">
-<p class="skipnav"> <a class="skipnav" href="#maincontent">Skip Navigation</a> </p>
-
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/siteheader/siteheader.shtml" -->
-
-<div id="red-header">
-	<div class="clear">
-		<h1>University of Nebraska&ndash;Lincoln</h1>
-		<div id="breadcrumbs"> 
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-			<!-- WDN: see glossary item 'breadcrumbs' -->
-			<ul>
-				<li class="first"><a href="http://www.unl.edu/">UNL</a></li>
-				<li><a href="http://www.unl.edu/">Department</a></li>
-				<li>New Page</li>
-			</ul>
-			
-<!-- InstanceEndEditable -->
- </div>
-	</div>
-</div>
-<!-- close red-header -->
-
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/shelf/shelf.shtml" -->
-
-<div id="container">
-	<div class="clear">
-		<div id="title"> 
-<!-- InstanceBeginEditable name="collegenavigationlist" -->
- 
-<!-- InstanceEndEditable -->
-			<div id="titlegraphic">
-				<!-- WDN: see glossary item 'title graphics' -->
-				
-<!-- InstanceBeginEditable name="titlegraphic" -->
-				<h1>Department</h1>
-				<h2>Taglines - We Do The Heavy Lifting</h2>
-				
-<!-- InstanceEndEditable -->
-</div>
-			<!-- maintitle -->
-		</div>
-		<!-- close title -->
-		
-		<div id="navigation">
-			<h4 id="sec_nav">Navigation</h4>
-			
-
-			<div id="navlinks"> 
-<!-- InstanceBeginEditable name="navlinks" -->
-				<!--#include virtual="../sharedcode/navigation.html" -->
-				
-<!-- InstanceEndEditable -->
-</div>
-			
-
-			<div id="nav_end"></div>
-			
-<!-- InstanceBeginEditable name="leftRandomPromo" -->
-			<div class="image_small_short" id="leftRandomPromo"> <a href="#" id="leftRandomPromoAnchor"><img id="leftRandomPromoImage" alt="" src="/ucomm/templatedependents/templatecss/images/transpixel.gif" /></a>
-				<script type="text/javascript" src="../sharedcode/leftRandomPromo.js"></script>
-			</div>
-			
-<!-- InstanceEndEditable -->
-			<!-- WDN: see glossary item 'sidebar links' -->
-			<div id="leftcollinks"> 
-<!-- InstanceBeginEditable name="leftcollinks" -->
-				<!-- WDN: see glossary item 'sidebar links' -->
-				<!--#include virtual="../sharedcode/relatedLinks.html" -->
-				
-<!-- InstanceEndEditable -->
- </div>
-		</div>
-		<!-- close navigation -->
-		
-		<div id="main_right" class="mainwrapper">
-			<!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-			
-			<div id="maincontent"> 
-
-				<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/browsersniffers/noscript.html" -->
-				<!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-				
-<!-- InstanceBeginEditable name="maincontentarea" -->
-				<p style="margin:20px; border:3px solid #CC0000;padding:10px; text-align:center"> <strong>Delete this box and place your content here.</strong><br />
-					Remember to validate your pages before publishing! Sample layouts are available through the <a href="http://www.unl.edu/webdevnet/">Web Developer Network</a>. <br />
-					<a href="http://validator.unl.edu/check/referer">Click here to check Validation</a> </p>
-				
-<!-- InstanceEndEditable -->
-				<!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-				
- </div>
-			 </div>
-		<!-- close main right -->
-	</div>
-</div>
-<!-- close container -->
-<div id="footer">
-	<div id="footer_floater"> 
-<!-- InstanceBeginEditable name="optionalfooter" -->
- 
-<!-- InstanceEndEditable -->
-		<div id="copyright"> 
-<!-- InstanceBeginEditable name="footercontent" -->
-			<!--#include virtual="../sharedcode/footer.html" -->
-			
-<!-- InstanceEndEditable -->
- <span><a href="http://jigsaw.w3.org/css-validator/check/referer">CSS</a> <a href="http://validator.unl.edu/check/referer">W3C</a> <a href="http://www1.unl.edu/feeds/">RSS</a> </span><a href="http://www.unl.edu/" title="UNL Home"><img src="/ucomm/templatedependents/templatecss/images/wordmark.png" alt="UNL's wordmark" id="wordmark" /></a></div>
-	</div>
-</div>
-<!-- close footer -->
-<!-- sifr -->
-<script type="text/javascript" src="/ucomm/templatedependents/templatesharedcode/scripts/sifr_replacements.js"></script>
-</body>
-<!-- InstanceEnd --></html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Popup.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Popup.tpl
deleted file mode 100644
index cc3bcb33aa00c73412638da3d416e3b443b31263..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Popup.tpl
+++ /dev/null
@@ -1,109 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en" ><!-- InstanceBegin template="/Templates/popup.dwt" codeOutsideHTMLIsLocked="false" -->
-<head>
-<meta http-equiv="Content-Type" content="text/html; charset=UTF-8" />
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>UNL | Department | New Page</title>
-<!-- InstanceEndEditable -->
-<!-- Codebase:UNLFramework 20070105 -->
-<link rel="stylesheet" type="text/css" media="screen" href="/ucomm/templatedependents/templatecss/layouts/main.css" />
-<link rel="stylesheet" type="text/css" media="print" href="/ucomm/templatedependents/templatecss/layouts/print.css"/>
-<script type="text/javascript" src="/ucomm/templatedependents/templatesharedcode/scripts/all_compressed.js"></script>
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/browsersniffers/ie.html" -->
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/comments/developersnote.html" -->
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/metanfavico/metanfavico.html" -->
-
-<!-- InstanceBeginEditable name="head" -->
-<script type="text/javascript">
-var navl2Links = 0; //Default navline2 links to display (zero based counting)
-</script>
-<!-- InstanceEndEditable -->
-
-</head>
-<body id="popup">
-<p class="skipnav"> <a class="skipnav" href="#maincontent">Skip Navigation</a> </p>
-
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/siteheader/siteheader.shtml" -->
-
-<div id="red-header">
-	<div class="clear">
-		<h1>University of Nebraska&ndash;Lincoln</h1>
-		<div id="breadcrumbs"> 
-
- </div>
-	</div>
-</div>
-<!-- close red-header -->
-
-<div id="container">
-	<div class="clear">
-		<div id="title"> 
-<!-- InstanceBeginEditable name="collegenavigationlist" -->
- 
-<!-- InstanceEndEditable -->
-			<div id="titlegraphic">
-				<!-- WDN: see glossary item 'title graphics' -->
-				
-<!-- InstanceBeginEditable name="titlegraphic" -->
-				<h1>Department</h1>
-				<h2>Taglines - We Do The Heavy Lifting</h2>
-				
-<!-- InstanceEndEditable -->
-</div>
-			<!-- maintitle -->
-		</div>
-		<!-- close title -->
-		
-		<div id="navigation">
-			<h4 id="sec_nav">Navigation</h4>
-			
-
-			<div id="nav_end"></div>
-			
-			<!-- WDN: see glossary item 'sidebar links' -->
-			<div id="leftcollinks"> 
-
- </div>
-		</div>
-		<!-- close navigation -->
-		
-		<div id="main_right" class="mainwrapper">
-			<!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-			
-			<div id="maincontent"> 
-
-				<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/browsersniffers/noscript.html" -->
-				<!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-				
-<!-- InstanceBeginEditable name="maincontentarea" -->
-				<p style="margin:20px; border:3px solid #CC0000;padding:10px; text-align:center"> <strong>Delete this box and place your content here.</strong><br />
-					Remember to validate your pages before publishing! Sample layouts are available through the <a href="http://www.unl.edu/webdevnet/">Web Developer Network</a>. <br />
-					<a href="http://validator.unl.edu/check/referer">Click here to check Validation</a> </p>
-				
-<!-- InstanceEndEditable -->
-				<!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-				
- </div>
-			 </div>
-		<!-- close main right -->
-	</div>
-</div>
-<!-- close container -->
-<div id="footer">
-	<div id="footer_floater"> 
-<!-- InstanceBeginEditable name="optionalfooter" -->
- 
-<!-- InstanceEndEditable -->
-		<div id="copyright"> 
-<!-- InstanceBeginEditable name="footercontent" -->
-			<!--#include virtual="../sharedcode/footer.html" -->
-			
-<!-- InstanceEndEditable -->
- <span><a href="http://jigsaw.w3.org/css-validator/check/referer">CSS</a> <a href="http://validator.unl.edu/check/referer">W3C</a> <a href="http://www1.unl.edu/feeds/">RSS</a> </span><a href="http://www.unl.edu/" title="UNL Home"><img src="/ucomm/templatedependents/templatecss/images/wordmark.png" alt="UNL's wordmark" id="wordmark" /></a></div>
-	</div>
-</div>
-<!-- close footer -->
-<!-- sifr -->
-<script type="text/javascript" src="/ucomm/templatedependents/templatesharedcode/scripts/sifr_replacements.js"></script>
-</body>
-<!-- InstanceEnd --></html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Secure.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Secure.tpl
deleted file mode 100644
index 53bb949fe3a4bee0549b403a9438650afb19c894..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Secure.tpl
+++ /dev/null
@@ -1,131 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en" ><!-- InstanceBegin template="/Templates/secure.dwt" codeOutsideHTMLIsLocked="false" -->
-<head>
-<meta http-equiv="Content-Type" content="text/html; charset=UTF-8" />
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>UNL | Department | New Page</title>
-<!-- InstanceEndEditable -->
-<!-- Codebase:UNLFramework 20070105 -->
-<link rel="stylesheet" type="text/css" media="screen" href="/ucomm/templatedependents/templatecss/layouts/main.css" />
-<link rel="stylesheet" type="text/css" media="print" href="/ucomm/templatedependents/templatecss/layouts/print.css"/>
-<script type="text/javascript" src="/ucomm/templatedependents/templatesharedcode/scripts/all_compressed.js"></script>
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/browsersniffers/ie.html" -->
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/comments/developersnote.html" -->
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/metanfavico/metanfavico.html" -->
-
-<link rel="stylesheet" type="text/css" media="screen" href="/ucomm/templatedependents/templatecss/layouts/secure.css"/>
-<!-- InstanceBeginEditable name="head" -->
-<script type="text/javascript">
-var navl2Links = 0; //Default navline2 links to display (zero based counting)
-</script>
-<!-- InstanceEndEditable -->
-
-</head>
-<body id="secure">
-<p class="skipnav"> <a class="skipnav" href="#maincontent">Skip Navigation</a> </p>
-
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/siteheader/siteheader_secure.shtml" -->
-
-<div id="red-header">
-	<div class="clear">
-		<h1>University of Nebraska&ndash;Lincoln</h1>
-		<div id="breadcrumbs"> 
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-			<!-- WDN: see glossary item 'breadcrumbs' -->
-			<ul>
-				<li class="first"><a href="http://www.unl.edu/">UNL</a></li>
-				<li><a href="http://www.unl.edu/">Department</a></li>
-				<li>New Page</li>
-			</ul>
-			<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/badges/secure.html" -->
-			
-<!-- InstanceEndEditable -->
- </div>
-	</div>
-</div>
-<!-- close red-header -->
-
-<div id="container">
-	<div class="clear">
-		<div id="title"> 
-<!-- InstanceBeginEditable name="collegenavigationlist" -->
- 
-<!-- InstanceEndEditable -->
-			<div id="titlegraphic">
-				<!-- WDN: see glossary item 'title graphics' -->
-				
-<!-- InstanceBeginEditable name="titlegraphic" -->
-				<h1>Department</h1>
-				<h2>Taglines - We Do The Heavy Lifting</h2>
-				
-<!-- InstanceEndEditable -->
-</div>
-			<!-- maintitle -->
-		</div>
-		<!-- close title -->
-		
-		<div id="navigation">
-			<h4 id="sec_nav">Navigation</h4>
-			
-
-			<div id="navlinks"> 
-<!-- InstanceBeginEditable name="navlinks" -->
-				<!--#include virtual="../sharedcode/navigation.html" -->
-				
-<!-- InstanceEndEditable -->
-</div>
-			
-
-			<div id="nav_end"></div>
-			
-			<!-- WDN: see glossary item 'sidebar links' -->
-			<div id="leftcollinks"> 
-<!-- InstanceBeginEditable name="leftcollinks" -->
-				<!-- WDN: see glossary item 'sidebar links' -->
-				<!--#include virtual="../sharedcode/relatedLinks.html" -->
-				
-<!-- InstanceEndEditable -->
- </div>
-		</div>
-		<!-- close navigation -->
-		
-		<div id="main_right" class="mainwrapper">
-			<!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-			
-			<div id="maincontent"> 
-
-				<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/browsersniffers/noscript.html" -->
-				<!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-				
-<!-- InstanceBeginEditable name="maincontentarea" -->
-				<p style="margin:20px; border:3px solid #CC0000;padding:10px; text-align:center"> <strong>Delete this box and place your content here.</strong><br />
-					Remember to validate your pages before publishing! Sample layouts are available through the <a href="http://www.unl.edu/webdevnet/">Web Developer Network</a>. <br />
-					<a href="http://validator.unl.edu/check/referer">Click here to check Validation</a> </p>
-				
-<!-- InstanceEndEditable -->
-				<!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-				
- </div>
-			 </div>
-		<!-- close main right -->
-	</div>
-</div>
-<!-- close container -->
-<div id="footer">
-	<div id="footer_floater"> 
-<!-- InstanceBeginEditable name="optionalfooter" -->
- 
-<!-- InstanceEndEditable -->
-		<div id="copyright"> 
-<!-- InstanceBeginEditable name="footercontent" -->
-			<!--#include virtual="../sharedcode/footer.html" -->
-			
-<!-- InstanceEndEditable -->
- <span><a href="http://jigsaw.w3.org/css-validator/check/referer">CSS</a> <a href="http://validator.unl.edu/check/referer">W3C</a> <a href="http://www1.unl.edu/feeds/">RSS</a> </span><a href="http://www.unl.edu/" title="UNL Home"><img src="/ucomm/templatedependents/templatecss/images/wordmark.png" alt="UNL's wordmark" id="wordmark" /></a></div>
-	</div>
-</div>
-<!-- close footer -->
-<!-- sifr -->
-<script type="text/javascript" src="/ucomm/templatedependents/templatesharedcode/scripts/sifr_replacements.js"></script>
-</body>
-<!-- InstanceEnd --></html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Unlaffiliate.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Unlaffiliate.tpl
deleted file mode 100644
index dfa57e846e6949c53dd9c75da45a65b032f63553..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Unlaffiliate.tpl
+++ /dev/null
@@ -1,125 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en" ><!-- InstanceBegin template="/Templates/unlaffiliate.dwt" codeOutsideHTMLIsLocked="false" -->
-<head>
-<meta http-equiv="Content-Type" content="text/html; charset=UTF-8" />
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>UNL Redesign</title>
-<!-- InstanceEndEditable -->
-<!-- Codebase:UNLFramework 20061013 -->
-<link rel="stylesheet" type="text/css" media="screen" href="/ucomm/templatedependents/templatecss/layouts/main.css" />
-<link rel="stylesheet" type="text/css" media="print" href="/ucomm/templatedependents/templatecss/layouts/print.css"/>
-<script type="text/javascript" src="/ucomm/templatedependents/templatesharedcode/scripts/all_compressed.js"></script>
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/browsersniffers/ie.html" -->
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/comments/developersnote.html" -->
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/metanfavico/metanfavico.html" -->
-<!-- InstanceBeginEditable name="head" -->
-<link rel="stylesheet" type="text/css" media="all" href="/ucomm/templatedependents/templatecss/layouts/affiliate.css" />
-<!-- InstanceEndEditable -->
-<!-- TemplateParam name="leftRandomPromo" type="boolean" value="true" -->
-</head>
-<body id="affiliate">
-<p class="skipnav"> <a class="skipnav" href="#maincontent">Skip Navigation</a> </p>
-<!-- InstanceBeginEditable name="siteheader" -->
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/siteheader/affiliate.shtml" -->
-<!-- InstanceEndEditable -->
-<div id="red-header">
-	<div class="clear"><!-- InstanceBeginEditable name="affiliate_name" -->
-		<h1>Affiliated Organization Name</h1>
-		
-<!-- InstanceEndEditable -->
-		<div id="breadcrumbs"> 
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-			<!-- WDN: see glossary item 'breadcrumbs' -->
-			<ul>
-				<li class="first"><a href="http://www.unl.edu/">UNL</a></li>
-				<li>UNL Framework</li>
-			</ul>
-			
-<!-- InstanceEndEditable -->
- </div>
-	</div>
-</div>
-<!-- close red-header -->
-<!-- InstanceBeginEditable name="shelf" -->
-
-<!-- InstanceEndEditable -->
-<div id="container">
-	<div class="clear">
-		<div id="title">
-			<div id="titlegraphic">
-				<!-- WDN: see glossary item 'title graphics' -->
-				
-<!-- InstanceBeginEditable name="titlegraphic" -->
-				<h1>Affiliate</h1>
-				<h2>Taglines - We Do The Heavy Lifting</h2>
-				
-<!-- InstanceEndEditable -->
-</div>
-			<!-- maintitle -->
-		</div>
-		<!-- close title -->
-		<div id="navigation">
-			<h4 id="sec_nav">Navigation</h4>
-			<div id="navlinks"> 
-<!-- InstanceBeginEditable name="navlinks" -->
-				<!--#include virtual="../sharedcode/navigation.html" -->
-				
-<!-- InstanceEndEditable -->
-</div>
-			<div id="nav_end"></div>
-			<!-- TemplateBeginIf cond="_document['leftRandomPromo']" -->
-<!-- InstanceBeginEditable name="leftRandomPromo" -->
-			<div class="image_small_short" id="leftRandomPromo"> <a href="#" id="leftRandomPromoAnchor"><img id="leftRandomPromoImage" alt="" src="/ucomm/templatedependents/templatecss/images/transpixel.gif" /></a>
-				<script type="text/javascript" src="../sharedcode/leftRandomPromo.js"></script>
-			</div>
-			
-<!-- InstanceEndEditable -->
-<!-- TemplateEndIf -->
-			<!-- WDN: see glossary item 'sidebar links' -->
-			<div id="leftcollinks"> 
-<!-- InstanceBeginEditable name="leftcollinks" -->
-				<!--#include virtual="../sharedcode/relatedLinks.html" -->
-				
-<!-- InstanceEndEditable -->
- </div>
-		</div>
-		<!-- close navigation -->
-		<div id="main_right" class="mainwrapper">
-			<!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-			
-			<div id="maincontent">
-			<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/browsersniffers/noscript.html" -->
-			<!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-			
-<!-- InstanceBeginEditable name="maincontentarea" -->
-			<h2 class="sec_main">This template is only for affiliates of UNL, or units that have been granted a marketing exemption from the university. Confirm your use of this template before using it!</h2>
-			<p style="margin:20px; border:3px solid #CC0000;padding:10px; text-align:center"> <strong>Delete this box and place your content here.</strong><br />
-				Remember to validate your pages before publishing! Sample layouts are available through the <a href="http://www.unl.edu/webdevnet/">Web Developer Network</a>. <br />
-				<a href="http://validator.unl.edu/check/referer">Click here to check Validation</a> </p>
-			<!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-			
-<!-- InstanceEndEditable -->
-			</div>
-		</div>
-		<!-- close main right -->
-	</div>
-</div>
-<!-- close container -->
-<div id="footer">
-	<div id="footer_floater"> 
-<!-- InstanceBeginEditable name="optionalfooter" -->
- 
-<!-- InstanceEndEditable -->
-		<div id="copyright"> 
-<!-- InstanceBeginEditable name="footercontent" -->
-			<!--#include virtual="../sharedcode/footer.html" -->
-			
-<!-- InstanceEndEditable -->
- <span><a href="http://jigsaw.w3.org/css-validator/check/referer">CSS</a> <a href="http://validator.unl.edu/check/referer">W3C</a> <a href="http://www1.unl.edu/feeds/">RSS</a> </span><a href="http://www.unl.edu/" title="UNL Home"><img src="/ucomm/templatedependents/templatecss/images/wordmark.png" alt="UNL's wordmark" id="wordmark" /></a></div>
-	</div>
-</div>
-<!-- close footer -->
-<!-- sifr -->
-<script type="text/javascript" src="/ucomm/templatedependents/templatesharedcode/scripts/sifr_replacements.js"></script>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Unlframework.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Unlframework.tpl
deleted file mode 100644
index bfd6a5ac32fa3b6b6c60c16e7975d902b93f556c..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Unlframework.tpl
+++ /dev/null
@@ -1,112 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en" ><!-- InstanceBegin template="/Templates/unlframework.dwt" codeOutsideHTMLIsLocked="false" -->
-<head>
-<meta http-equiv="Content-Type" content="text/html; charset=UTF-8" />
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>UNL Redesign</title>
-<!-- InstanceEndEditable -->
-<!-- Codebase:UNLFramework 20070105 -->
-<link rel="stylesheet" type="text/css" media="screen" href="/ucomm/templatedependents/templatecss/layouts/main.css" />
-<link rel="stylesheet" type="text/css" media="print" href="/ucomm/templatedependents/templatecss/layouts/print.css"/>
-<script type="text/javascript" src="/ucomm/templatedependents/templatesharedcode/scripts/all_compressed.js"></script>
-<!-- InstanceBeginEditable name="head" -->
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/browsersniffers/ie.html" -->
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/comments/developersnote.html" -->
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/metanfavico/metanfavico.html" -->
-<!-- InstanceEndEditable -->
-<!-- TemplateParam name="collegenavigation" type="boolean" value="true" --><!-- TemplateParam name="bodyid" type="text" value="" -->
-</head>
-<body id="@@(bodyid)@@">
-<p class="skipnav"> <a class="skipnav" href="#maincontent">Skip Navigation</a> </p>
-<!-- InstanceBeginEditable name="siteheader" -->
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/siteheader/siteheader.shtml" -->
-<!-- InstanceEndEditable -->
-<div id="red-header">
-	<div class="clear">
-		<h1>University of Nebraska&ndash;Lincoln</h1>
-		<div id="breadcrumbs"> 
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-			<!-- WDN: see glossary item 'breadcrumbs' -->
-			<ul>
-				<li class="first"><a href="http://www.unl.edu/">UNL</a></li>
-				<li>UNL Framework</li>
-			</ul>
-			
-<!-- InstanceEndEditable -->
- </div>
-	</div>
-</div>
-<!-- close red-header -->
-<!-- InstanceBeginEditable name="shelf" -->
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/shelf/shelf.shtml" -->
-<!-- InstanceEndEditable -->
-<div id="container">
-	<div class="clear">
-		<div id="title"> <!-- TemplateBeginIf cond="collegenavigation" -->
-<!-- InstanceBeginEditable name="collegenavigationlist" -->
- 
-<!-- InstanceEndEditable -->
-<!-- TemplateEndIf -->
-			<div id="titlegraphic">
-				<!-- WDN: see glossary item 'title graphics' -->
-				
-<!-- InstanceBeginEditable name="titlegraphic" -->
-				<h1>Department</h1>
-				<h2>Taglines - We Do The Heavy Lifting</h2>
-				
-<!-- InstanceEndEditable -->
-</div>
-			<!-- maintitle -->
-		</div>
-		<!-- close title -->
-		
-<!-- InstanceBeginEditable name="leftcolcontent" -->
-		<div id="navigation">
-			<h4 id="sec_nav">Navigation</h4>
-			<div id="navlinks">
-				<!--#include virtual="../sharedcode/navigation.html" -->
-			</div>
-			<div id="nav_end"></div>
-			<div class="image_small_short" id="leftRandomPromo"> <a href="#" id="leftRandomPromoAnchor"><img id="leftRandomPromoImage" alt="" src="/ucomm/templatedependents/templatecss/images/transpixel.gif" /></a>
-				<script type="text/javascript" src="../sharedcode/leftRandomPromo.js"></script>
-			</div>
-			<!-- WDN: see glossary item 'sidebar links' -->
-			<div id="leftcollinks">
-				<!--#include virtual="../sharedcode/relatedLinks.html" -->
-			</div>
-		</div>
-		<!-- close navigation -->
-		
-<!-- InstanceEndEditable -->
-		<div id="main_right" class="mainwrapper">
-			<!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-			
-<!-- InstanceBeginEditable name="maincolcontent" -->
-			<!-- optional main big content image -->
-			<div id="maincontent">
-				<p style="margin:20px; border:3px solid #CC0000;padding:10px; text-align:center"> <strong>Delete this box and place your content here.</strong><br />
-					Remember to validate your pages before publishing! Sample layouts are available through the <a href="http://www.unl.edu/webdevnet/">Web Developer Network</a>. <br />
-					<a href="http://validator.unl.edu/check/referer">Click here to check Validation</a> </p>
-			</div>
-			<!-- close right-area -->
-			
-<!-- InstanceEndEditable -->
- </div>
-		<!-- close main right -->
-	</div>
-</div>
-<!-- close container -->
-<!-- InstanceBeginEditable name="bigfooter" -->
-<div id="footer">
-	<div id="footer_floater">
-		<div id="copyright">
-			<!--#include virtual="../sharedcode/footer.html" -->
-			<span><a href="http://jigsaw.w3.org/css-validator/check/referer">CSS</a> <a href="http://validator.unl.edu/check/referer">W3C</a> <a href="http://www1.unl.edu/feeds/">RSS</a> </span><a href="http://www.unl.edu/" title="UNL Home"><img src="/ucomm/templatedependents/templatecss/images/wordmark.png" alt="UNL's wordmark" id="wordmark" /></a></div>
-	</div>
-</div>
-<!-- InstanceEndEditable -->
-<!-- close footer -->
-<!-- sifr -->
-<script type="text/javascript" src="/ucomm/templatedependents/templatesharedcode/scripts/sifr_replacements.js"></script>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Unlstandardtemplate.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Unlstandardtemplate.tpl
deleted file mode 100644
index bff353a14b810d69b7f0cb54ed809f8f6cf56507..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version2/Unlstandardtemplate.tpl
+++ /dev/null
@@ -1,131 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en" ><!-- InstanceBegin template="/Templates/unlstandardtemplate.dwt" codeOutsideHTMLIsLocked="false" -->
-<head>
-<meta http-equiv="Content-Type" content="text/html; charset=UTF-8" />
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>UNL Redesign</title>
-<!-- InstanceEndEditable -->
-<!-- Codebase:UNLFramework 20070105 -->
-<link rel="stylesheet" type="text/css" media="screen" href="/ucomm/templatedependents/templatecss/layouts/main.css" />
-<link rel="stylesheet" type="text/css" media="print" href="/ucomm/templatedependents/templatecss/layouts/print.css"/>
-<script type="text/javascript" src="/ucomm/templatedependents/templatesharedcode/scripts/all_compressed.js"></script>
-
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/browsersniffers/ie.html" -->
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/comments/developersnote.html" -->
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/metanfavico/metanfavico.html" -->
-<!-- InstanceBeginEditable name="head" -->
-<!-- InstanceEndEditable -->
-<!-- TemplateParam name="leftRandomPromo" type="boolean" value="true" -->
-<!-- InstanceParam name="bodyid" type="text" value="" passthrough="true" -->
-</head>
-<body id="@@@(bodyid)@@@">
-<p class="skipnav"> <a class="skipnav" href="#maincontent">Skip Navigation</a> </p>
-<!-- InstanceBeginEditable name="siteheader" -->
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/siteheader/siteheader.shtml" -->
-<!-- InstanceEndEditable -->
-<div id="red-header">
-	<div class="clear">
-		<h1>University of Nebraska&ndash;Lincoln</h1>
-		<div id="breadcrumbs"> 
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-			<ul>
-				<li class="first"><a href="http://www.unl.edu/">UNL</a></li>
-				<li>UNL Standard Template</li>
-			</ul>
-			
-<!-- InstanceEndEditable -->
- </div>
-	</div>
-</div>
-<!-- close red-header -->
-<!-- InstanceBeginEditable name="shelf" -->
-<!--#include virtual="/ucomm/templatedependents/templatesharedcode/includes/shelf/shelf.shtml" -->
-<!-- InstanceEndEditable -->
-<div id="container">
-	<div class="clear">
-		<div id="title"> 
-<!-- InstanceBeginEditable name="collegenavigationlist" -->
- 
-<!-- InstanceEndEditable -->
-			<div id="titlegraphic">
-				<!-- WDN: see glossary item 'title graphics' -->
-				
-<!-- InstanceBeginEditable name="titlegraphic" -->
-				<h1>Department</h1>
-				<h2>Taglines - We Do The Heavy Lifting</h2>
-				
-<!-- InstanceEndEditable -->
-</div>
-			<!-- maintitle -->
-		</div>
-		<!-- close title -->
-		
-
-		<div id="navigation">
-			<h4 id="sec_nav">Navigation</h4>
-			
-<!-- InstanceBeginEditable name="navcontent" -->
-			<div id="navlinks">
-				<!--#include virtual="../sharedcode/navigation.html" -->
-			</div>
-			
-<!-- InstanceEndEditable -->
-			<div id="nav_end"></div>
-			<!-- TemplateBeginIf cond="_document['leftRandomPromo']" -->
-<!-- InstanceBeginEditable name="leftRandomPromo" -->
-			<div class="image_small_short" id="leftRandomPromo"> <a href="#" id="leftRandomPromoAnchor"><img id="leftRandomPromoImage" alt="" src="/ucomm/templatedependents/templatecss/images/transpixel.gif" /></a>
-				<script type="text/javascript" src="../sharedcode/leftRandomPromo.js"></script>
-			</div>
-			
-<!-- InstanceEndEditable -->
-<!-- TemplateEndIf -->
-			<!-- WDN: see glossary item 'sidebar links' -->
-			<div id="leftcollinks"> 
-<!-- InstanceBeginEditable name="leftcollinks" -->
-				<h3>Related Links</h3>
-				<!--#include virtual="../sharedcode/relatedLinks.html" -->
-				
-<!-- InstanceEndEditable -->
- </div>
-		</div>
-		<!-- close navigation -->
-		
-
-		<div id="main_right" class="mainwrapper">
-			<!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-			
-
-			<div id="maincontent"> 
-<!-- InstanceBeginEditable name="maincontent" -->
-				<p style="margin:20px; border:3px solid #CC0000;padding:10px; text-align:center"> <strong>Delete this box and place your content here.</strong><br />
-					Remember to validate your pages before publishing! Sample layouts are available through the <a href="http://www.unl.edu/webdevnet/">Web Developer Network</a>. <br />
-					<a href="http://validator.unl.edu/check/referer">Click here to check Validation</a> </p>
-				
-<!-- InstanceEndEditable -->
- </div>
-			
- </div>
-		<!-- close main right -->
-	</div>
-</div>
-<!-- close container -->
-
-<div id="footer">
-	<div id="footer_floater"> 
-<!-- InstanceBeginEditable name="optionalfooter" -->
- 
-<!-- InstanceEndEditable -->
-		<div id="copyright"> 
-<!-- InstanceBeginEditable name="footercontent" -->
-			<!--#include virtual="../sharedcode/footer.html" -->
-			
-<!-- InstanceEndEditable -->
- <span><a href="http://jigsaw.w3.org/css-validator/check/referer">CSS</a> <a href="http://validator.unl.edu/check/referer">W3C</a> <a href="http://www1.unl.edu/feeds/">RSS</a> </span><a href="http://www.unl.edu/" title="UNL Home"><img src="/ucomm/templatedependents/templatecss/images/wordmark.png" alt="UNL's wordmark" id="wordmark" /></a></div>
-	</div>
-</div>
-
-<!-- close footer -->
-<!-- sifr -->
-<script type="text/javascript" src="/ucomm/templatedependents/templatesharedcode/scripts/sifr_replacements.js"></script>
-</body>
-<!-- InstanceEnd --></html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Absolute.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Absolute.tpl
deleted file mode 100644
index cd8ac123bc8a06cba0c40c92fde17b1862a01911..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Absolute.tpl
+++ /dev/null
@@ -1,119 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en"><!-- InstanceBegin template="/Templates/absolute.dwt" codeOutsideHTMLIsLocked="false" -->
-<head>
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: absolute.dwt 1390 2010-11-18 15:24:33Z bbieber2 $
--->
-<link rel="stylesheet" type="text/css" media="screen" href="http://www.unl.edu/wdn/templates_3.0/css/all.css" />
-<link rel="stylesheet" type="text/css" media="print" href="http://www.unl.edu/wdn/templates_3.0/css/print.css" />
-<script type="text/javascript" src="http://www.unl.edu/wdn/templates_3.0/scripts/all.js"></script>
-<!--#include virtual="/wdn/templates_3.0/includes/browserspecifics.html" -->
-<!--#include virtual="/wdn/templates_3.0/includes/metanfavico.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>UNL | Department | New Page</title>
-<!-- InstanceEndEditable -->
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-<!-- InstanceEndEditable -->
-</head>
-<body class="fixed">
-<p class="skipnav"> <a class="skipnav" href="#maincontent">Skip Navigation</a> </p>
-<div id="wdn_wrapper">
-    <div id="header"> <a href="http://www.unl.edu/" title="UNL website"><img src="http://www.unl.edu/wdn/templates_3.0/images/logo.png" alt="UNL graphic identifier" id="logo" /></a>
-        <h1>University of Nebraska&ndash;Lincoln</h1>
-        <!--#include virtual="/wdn/templates_3.0/includes/wdnTools.html" -->
-    </div>
-    <div id="wdn_navigation_bar">
-        <div id="breadcrumbs">
-            <!-- WDN: see glossary item 'breadcrumbs' -->
-            
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-            <ul>
-                <li><a href="http://www.unl.edu/" title="University of Nebraska&ndash;Lincoln">UNL</a></li>
-                <li>Department</li>
-            </ul>
-            
-<!-- InstanceEndEditable -->
-</div>
-        <div id="wdn_navigation_wrapper">
-            <div id="navigation">
-<!-- InstanceBeginEditable name="navlinks" -->
-                <!--#include virtual="../sharedcode/navigation.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-        </div>
-    </div>
-    <div id="wdn_content_wrapper">
-        <div id="titlegraphic">
-<!-- InstanceBeginEditable name="titlegraphic" -->
-            <h1>Department</h1>
-            
-<!-- InstanceEndEditable -->
-</div>
-        <div id="pagetitle">
-<!-- InstanceBeginEditable name="pagetitle" -->
- 
-<!-- InstanceEndEditable -->
-</div>
-        <div id="maincontent">
-            <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-            
-<!-- InstanceBeginEditable name="maincontentarea" -->
-            <p>Place your content here.<br />
-                Remember to validate your pages before publishing! Sample layouts are available through the <a href="http://wdn.unl.edu//">Web Developer Network</a>. <br />
-                <a href="http://validator.unl.edu/check/referer">Check this page</a> </p>
-            
-<!-- InstanceEndEditable -->
-            <div class="clear"></div>
-            <!--#include virtual="/wdn/templates_3.0/includes/noscript.html" -->
-            <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-        </div>
-        <div id="footer">
-            <div id="footer_floater"></div>
-            <div class="footer_col">
-                <!--#include virtual="/wdn/templates_3.0/includes/feedback.html" -->
-            </div>
-            <div class="footer_col">
-<!-- InstanceBeginEditable name="leftcollinks" -->
-                <!--#include virtual="../sharedcode/relatedLinks.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col">
-<!-- InstanceBeginEditable name="contactinfo" -->
-                <!--#include virtual="../sharedcode/footerContactInfo.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col">
-                <!--#include virtual="/wdn/templates_3.0/includes/socialmediashare.html" -->
-            </div>
-            
-<!-- InstanceBeginEditable name="optionalfooter" -->
- 
-<!-- InstanceEndEditable -->
-            <div id="wdn_copyright">
-<!-- InstanceBeginEditable name="footercontent" -->
-                <!--#include virtual="../sharedcode/footer.html" -->
-                
-<!-- InstanceEndEditable -->
-                <!--#include virtual="/wdn/templates_3.0/includes/wdn.html" -->
-                | <a href="http://validator.unl.edu/check/referer">W3C</a> | <a href="http://jigsaw.w3.org/css-validator/check/referer?profile=css3">CSS</a> <a href="http://www.unl.edu/" title="UNL Home" id="wdn_unl_wordmark"><img src="http://www.unl.edu/wdn/templates_3.0/css/footer/images/wordmark.png" alt="UNL's wordmark" /></a> </div>
-        </div>
-    </div>
-    <div id="wdn_wrapper_footer"> </div>
-</div>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Debug.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Debug.tpl
deleted file mode 100644
index d7d4bf586ef2537891c31f55e51740beb45ea296..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Debug.tpl
+++ /dev/null
@@ -1,119 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en"><!-- InstanceBegin template="/Templates/debug.dwt" codeOutsideHTMLIsLocked="false" -->
-<head>
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: debug.dwt 1390 2010-11-18 15:24:33Z bbieber2 $
--->
-<link rel="stylesheet" type="text/css" media="screen" href="/wdn/templates_3.0/css/debug.css" />
-<link rel="stylesheet" type="text/css" media="print" href="/wdn/templates_3.0/css/print.css" />
-<script type="text/javascript" src="/wdn/templates_3.0/scripts/debug.js"></script>
-<!--#include virtual="/wdn/templates_3.0/includes/browserspecifics.html" -->
-<!--#include virtual="/wdn/templates_3.0/includes/metanfavico.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>UNL | Department | New Page</title>
-<!-- InstanceEndEditable -->
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-<!-- InstanceEndEditable -->
-</head>
-<body class="fixed debug">
-<p class="skipnav"> <a class="skipnav" href="#maincontent">Skip Navigation</a> </p>
-<div id="wdn_wrapper">
-    <div id="header"> <a href="http://www.unl.edu/" title="UNL website"><img src="/wdn/templates_3.0/images/logo.png" alt="UNL graphic identifier" id="logo" /></a>
-        <h1>University of Nebraska&ndash;Lincoln</h1>
-        <!--#include virtual="/wdn/templates_3.0/includes/wdnTools.html" -->
-    </div>
-    <div id="wdn_navigation_bar">
-        <div id="breadcrumbs">
-            <!-- WDN: see glossary item 'breadcrumbs' -->
-            
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-            <ul>
-                <li><a href="http://www.unl.edu/" title="University of Nebraska&ndash;Lincoln">UNL</a></li>
-                <li>Department</li>
-            </ul>
-            
-<!-- InstanceEndEditable -->
-</div>
-        <div id="wdn_navigation_wrapper">
-            <div id="navigation">
-<!-- InstanceBeginEditable name="navlinks" -->
-                <!--#include virtual="../sharedcode/navigation.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-        </div>
-    </div>
-    <div id="wdn_content_wrapper">
-        <div id="titlegraphic">
-<!-- InstanceBeginEditable name="titlegraphic" -->
-            <h1>Department</h1>
-            
-<!-- InstanceEndEditable -->
-</div>
-        <div id="pagetitle">
-<!-- InstanceBeginEditable name="pagetitle" -->
- 
-<!-- InstanceEndEditable -->
-</div>
-        <div id="maincontent">
-            <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-            
-<!-- InstanceBeginEditable name="maincontentarea" -->
-            <p>Place your content here.<br />
-                Remember to validate your pages before publishing! Sample layouts are available through the <a href="http://wdn.unl.edu//">Web Developer Network</a>. <br />
-                <a href="http://validator.unl.edu/check/referer">Check this page</a> </p>
-            
-<!-- InstanceEndEditable -->
-            <div class="clear"></div>
-            <!--#include virtual="/wdn/templates_3.0/includes/noscript.html" -->
-            <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-        </div>
-        <div id="footer">
-            <div id="footer_floater"></div>
-            <div class="footer_col">
-                <!--#include virtual="/wdn/templates_3.0/includes/feedback.html" -->
-            </div>
-            <div class="footer_col">
-<!-- InstanceBeginEditable name="leftcollinks" -->
-                <!--#include virtual="../sharedcode/relatedLinks.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col">
-<!-- InstanceBeginEditable name="contactinfo" -->
-                <!--#include virtual="../sharedcode/footerContactInfo.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col">
-                <!--#include virtual="/wdn/templates_3.0/includes/socialmediashare.html" -->
-            </div>
-            
-<!-- InstanceBeginEditable name="optionalfooter" -->
- 
-<!-- InstanceEndEditable -->
-            <div id="wdn_copyright">
-<!-- InstanceBeginEditable name="footercontent" -->
-                <!--#include virtual="../sharedcode/footer.html" -->
-                
-<!-- InstanceEndEditable -->
-                <!--#include virtual="/wdn/templates_3.0/includes/wdn.html" -->
-                | <a href="http://validator.unl.edu/check/referer">W3C</a> | <a href="http://jigsaw.w3.org/css-validator/check/referer?profile=css3">CSS</a> <a href="http://www.unl.edu/" title="UNL Home" id="wdn_unl_wordmark"><img src="/wdn/templates_3.0/css/footer/images/wordmark.png" alt="UNL's wordmark" /></a> </div>
-        </div>
-    </div>
-    <div id="wdn_wrapper_footer"> </div>
-</div>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Document.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Document.tpl
deleted file mode 100644
index ddddea7f83c591b0334c3b26350ec8e29a7a2734..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Document.tpl
+++ /dev/null
@@ -1,91 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en"><!-- InstanceBegin template="/Templates/document.dwt" codeOutsideHTMLIsLocked="false" -->
-<head>
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: document.dwt 1390 2010-11-18 15:24:33Z bbieber2 $
--->
-<link rel="stylesheet" type="text/css" media="screen" href="/wdn/templates_3.0/css/all.css" />
-<link rel="stylesheet" type="text/css" media="print" href="/wdn/templates_3.0/css/print.css" />
-<script type="text/javascript" src="/wdn/templates_3.0/scripts/all.js"></script>
-<!--#include virtual="/wdn/templates_3.0/includes/browserspecifics.html" -->
-<!--#include virtual="/wdn/templates_3.0/includes/metanfavico.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>UNL | Department | New Page</title>
-<!-- InstanceEndEditable -->
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-<!-- InstanceEndEditable -->
-</head>
-<body class="document">
-<p class="skipnav"> <a class="skipnav" href="#maincontent">Skip Navigation</a> </p>
-<div id="wdn_wrapper">
-    <div id="header"> <a href="http://www.unl.edu/" title="UNL website"><img src="/wdn/templates_3.0/images/logo.png" alt="UNL graphic identifier" id="logo" /></a>
-        <h1>University of Nebraska&ndash;Lincoln</h1>
-    </div>
-    <div id="wdn_navigation_bar">
-        <div id="breadcrumbs">
-            <!-- WDN: see glossary item 'breadcrumbs' -->
-            
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-            <ul>
-                <li><a href="http://www.unl.edu/" title="University of Nebraska&ndash;Lincoln">UNL</a></li>
-                <li>Department</li>
-            </ul>
-            
-<!-- InstanceEndEditable -->
-</div>
-        <div id="wdn_navigation_wrapper">
-            <div id="navigation"></div>
-        </div>
-    </div>
-    <div id="wdn_content_wrapper">
-        <div id="titlegraphic">
-<!-- InstanceBeginEditable name="titlegraphic" -->
-            <h1>Department</h1>
-            
-<!-- InstanceEndEditable -->
-</div>
-        <div id="pagetitle">
-<!-- InstanceBeginEditable name="pagetitle" -->
- 
-<!-- InstanceEndEditable -->
-</div>
-        <div id="maincontent">
-            <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-            
-<!-- InstanceBeginEditable name="maincontentarea" -->
-            <p>Place your content here.<br />
-                Remember to validate your pages before publishing! Sample layouts are available through the <a href="http://wdn.unl.edu//">Web Developer Network</a>. <br />
-                <a href="http://validator.unl.edu/check/referer">Check this page</a> </p>
-            
-<!-- InstanceEndEditable -->
-            <div class="clear"></div>
-            <!--#include virtual="/wdn/templates_3.0/includes/noscript.html" -->
-            <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-        </div>
-        <div id="footer">
-            <div id="footer_floater"></div>
-            <div id="wdn_copyright">
-<!-- InstanceBeginEditable name="footercontent" -->
-                <!--#include virtual="../sharedcode/footer.html" -->
-                
-<!-- InstanceEndEditable -->
-                <!--#include virtual="/wdn/templates_3.0/includes/wdn.html" -->
-                | <a href="http://validator.unl.edu/check/referer">W3C</a> | <a href="http://jigsaw.w3.org/css-validator/check/referer?profile=css3">CSS</a> <a href="http://www.unl.edu/" title="UNL Home" id="wdn_unl_wordmark"><img src="/wdn/templates_3.0/css/footer/images/wordmark.png" alt="UNL's wordmark" /></a> </div>
-        </div>
-    </div>
-    <div id="wdn_wrapper_footer"> </div>
-</div>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Fixed.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Fixed.tpl
deleted file mode 100644
index 6b2aff63fe372c0862e4767d20145f4b432447ba..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Fixed.tpl
+++ /dev/null
@@ -1,119 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en"><!-- InstanceBegin template="/Templates/fixed.dwt" codeOutsideHTMLIsLocked="false" -->
-<head>
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: fixed.dwt 1390 2010-11-18 15:24:33Z bbieber2 $
--->
-<link rel="stylesheet" type="text/css" media="screen" href="/wdn/templates_3.0/css/all.css" />
-<link rel="stylesheet" type="text/css" media="print" href="/wdn/templates_3.0/css/print.css" />
-<script type="text/javascript" src="/wdn/templates_3.0/scripts/all.js"></script>
-<!--#include virtual="/wdn/templates_3.0/includes/browserspecifics.html" -->
-<!--#include virtual="/wdn/templates_3.0/includes/metanfavico.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>UNL | Department | New Page</title>
-<!-- InstanceEndEditable -->
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-<!-- InstanceEndEditable -->
-</head>
-<body class="fixed">
-<p class="skipnav"> <a class="skipnav" href="#maincontent">Skip Navigation</a> </p>
-<div id="wdn_wrapper">
-    <div id="header"> <a href="http://www.unl.edu/" title="UNL website"><img src="/wdn/templates_3.0/images/logo.png" alt="UNL graphic identifier" id="logo" /></a>
-        <h1>University of Nebraska&ndash;Lincoln</h1>
-        <!--#include virtual="/wdn/templates_3.0/includes/wdnTools.html" -->
-    </div>
-    <div id="wdn_navigation_bar">
-        <div id="breadcrumbs">
-            <!-- WDN: see glossary item 'breadcrumbs' -->
-            
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-            <ul>
-                <li><a href="http://www.unl.edu/" title="University of Nebraska&ndash;Lincoln">UNL</a></li>
-                <li>Department</li>
-            </ul>
-            
-<!-- InstanceEndEditable -->
-</div>
-        <div id="wdn_navigation_wrapper">
-            <div id="navigation">
-<!-- InstanceBeginEditable name="navlinks" -->
-                <!--#include virtual="../sharedcode/navigation.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-        </div>
-    </div>
-    <div id="wdn_content_wrapper">
-        <div id="titlegraphic">
-<!-- InstanceBeginEditable name="titlegraphic" -->
-            <h1>Department</h1>
-            
-<!-- InstanceEndEditable -->
-</div>
-        <div id="pagetitle">
-<!-- InstanceBeginEditable name="pagetitle" -->
- 
-<!-- InstanceEndEditable -->
-</div>
-        <div id="maincontent">
-            <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-            
-<!-- InstanceBeginEditable name="maincontentarea" -->
-            <p>Place your content here.<br />
-                Remember to validate your pages before publishing! Sample layouts are available through the <a href="http://wdn.unl.edu//">Web Developer Network</a>. <br />
-                <a href="http://validator.unl.edu/check/referer">Check this page</a> </p>
-            
-<!-- InstanceEndEditable -->
-            <div class="clear"></div>
-            <!--#include virtual="/wdn/templates_3.0/includes/noscript.html" -->
-            <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-        </div>
-        <div id="footer">
-            <div id="footer_floater"></div>
-            <div class="footer_col">
-                <!--#include virtual="/wdn/templates_3.0/includes/feedback.html" -->
-            </div>
-            <div class="footer_col">
-<!-- InstanceBeginEditable name="leftcollinks" -->
-                <!--#include virtual="../sharedcode/relatedLinks.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col">
-<!-- InstanceBeginEditable name="contactinfo" -->
-                <!--#include virtual="../sharedcode/footerContactInfo.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col">
-                <!--#include virtual="/wdn/templates_3.0/includes/socialmediashare.html" -->
-            </div>
-            
-<!-- InstanceBeginEditable name="optionalfooter" -->
- 
-<!-- InstanceEndEditable -->
-            <div id="wdn_copyright">
-<!-- InstanceBeginEditable name="footercontent" -->
-                <!--#include virtual="../sharedcode/footer.html" -->
-                
-<!-- InstanceEndEditable -->
-                <!--#include virtual="/wdn/templates_3.0/includes/wdn.html" -->
-                | <a href="http://validator.unl.edu/check/referer">W3C</a> | <a href="http://jigsaw.w3.org/css-validator/check/referer?profile=css3">CSS</a> <a href="http://www.unl.edu/" title="UNL Home" id="wdn_unl_wordmark"><img src="/wdn/templates_3.0/css/footer/images/wordmark.png" alt="UNL's wordmark" /></a> </div>
-        </div>
-    </div>
-    <div id="wdn_wrapper_footer"> </div>
-</div>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Fixed_html5.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Fixed_html5.tpl
deleted file mode 100644
index fd316a6e4f1f77bd3085fa440794820e381766d7..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Fixed_html5.tpl
+++ /dev/null
@@ -1,119 +0,0 @@
-<!DOCTYPE html>
-<html lang="en"><!-- InstanceBegin template="/Templates/fixed_html5.dwt" codeOutsideHTMLIsLocked="false" -->
-<head>
-<!--#include virtual="/wdn/templates_3.0/includes/metanfavico_html5.html" -->
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: fixed_html5.dwt 1918 2011-07-07 15:59:13Z bbieber2 $
--->
-<link rel="stylesheet" type="text/css" media="screen" href="/wdn/templates_3.0/css/all.css" />
-<link rel="stylesheet" type="text/css" media="print" href="/wdn/templates_3.0/css/print.css" />
-<script type="text/javascript" src="/wdn/templates_3.0/scripts/all.js"></script>
-<!--#include virtual="/wdn/templates_3.0/includes/browserspecifics_html5.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>UNL | Department | New Page</title>
-<!-- InstanceEndEditable -->
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-<!-- InstanceEndEditable -->
-</head>
-<body class="html5 fixed">
-<p class="skipnav"> <a class="skipnav" href="#maincontent">Skip Navigation</a> </p>
-<div id="wdn_wrapper">
-    <div id="header"> <a href="http://www.unl.edu/" title="UNL website"><img src="/wdn/templates_3.0/images/logo.png" alt="UNL graphic identifier" id="logo" /></a>
-        <h1>University of Nebraska&ndash;Lincoln</h1>
-        <!--#include virtual="/wdn/templates_3.0/includes/wdnTools.html" -->
-    </div>
-    <div id="wdn_navigation_bar">
-        <div id="breadcrumbs">
-            <!-- WDN: see glossary item 'breadcrumbs' -->
-            
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-            <ul>
-                <li><a href="http://www.unl.edu/" title="University of Nebraska&ndash;Lincoln">UNL</a></li>
-                <li>Department</li>
-            </ul>
-            
-<!-- InstanceEndEditable -->
-</div>
-        <div id="wdn_navigation_wrapper">
-            <div id="navigation">
-<!-- InstanceBeginEditable name="navlinks" -->
-                <!--#include virtual="../sharedcode/navigation.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-        </div>
-    </div>
-    <div id="wdn_content_wrapper">
-        <div id="titlegraphic">
-<!-- InstanceBeginEditable name="titlegraphic" -->
-            <h1>Department</h1>
-            
-<!-- InstanceEndEditable -->
-</div>
-        <div id="pagetitle">
-<!-- InstanceBeginEditable name="pagetitle" -->
- 
-<!-- InstanceEndEditable -->
-</div>
-        <div id="maincontent">
-            <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-            
-<!-- InstanceBeginEditable name="maincontentarea" -->
-            <p>Place your content here.<br />
-                Remember to validate your pages before publishing! Sample layouts are available through the <a href="http://wdn.unl.edu//">Web Developer Network</a>. <br />
-                <a href="http://validator.unl.edu/check/referer">Check this page</a> </p>
-            
-<!-- InstanceEndEditable -->
-            <div class="clear"></div>
-            <!--#include virtual="/wdn/templates_3.0/includes/noscript.html" -->
-            <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-        </div>
-        <div id="footer">
-            <div id="footer_floater"></div>
-            <div class="footer_col">
-                <!--#include virtual="/wdn/templates_3.0/includes/feedback.html" -->
-            </div>
-            <div class="footer_col">
-<!-- InstanceBeginEditable name="leftcollinks" -->
-                <!--#include virtual="../sharedcode/relatedLinks.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col">
-<!-- InstanceBeginEditable name="contactinfo" -->
-                <!--#include virtual="../sharedcode/footerContactInfo.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col">
-                <!--#include virtual="/wdn/templates_3.0/includes/socialmediashare.html" -->
-            </div>
-            
-<!-- InstanceBeginEditable name="optionalfooter" -->
- 
-<!-- InstanceEndEditable -->
-            <div id="wdn_copyright">
-<!-- InstanceBeginEditable name="footercontent" -->
-                <!--#include virtual="../sharedcode/footer.html" -->
-                
-<!-- InstanceEndEditable -->
-                <!--#include virtual="/wdn/templates_3.0/includes/wdn.html" -->
-                | <a href="http://validator.unl.edu/check/referer">W3C</a> | <a href="http://jigsaw.w3.org/css-validator/check/referer?profile=css3">CSS</a> <a href="http://www.unl.edu/" title="UNL Home" id="wdn_unl_wordmark"><img src="/wdn/templates_3.0/css/footer/images/wordmark.png" alt="UNL's wordmark" /></a> </div>
-        </div>
-    </div>
-    <div id="wdn_wrapper_footer"> </div>
-</div>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Liquid.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Liquid.tpl
deleted file mode 100644
index 903f7678d86317bb2718459896d20f9552b0c429..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Liquid.tpl
+++ /dev/null
@@ -1,119 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en"><!-- InstanceBegin template="/Templates/liquid.dwt" codeOutsideHTMLIsLocked="false" -->
-<head>
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: liquid.dwt 1390 2010-11-18 15:24:33Z bbieber2 $
--->
-<link rel="stylesheet" type="text/css" media="screen" href="/wdn/templates_3.0/css/all.css" />
-<link rel="stylesheet" type="text/css" media="print" href="/wdn/templates_3.0/css/print.css" />
-<script type="text/javascript" src="/wdn/templates_3.0/scripts/all.js"></script>
-<!--#include virtual="/wdn/templates_3.0/includes/browserspecifics.html" -->
-<!--#include virtual="/wdn/templates_3.0/includes/metanfavico.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>UNL | Department | New Page</title>
-<!-- InstanceEndEditable -->
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-<!-- InstanceEndEditable -->
-</head>
-<body class="liquid">
-<p class="skipnav"> <a class="skipnav" href="#maincontent">Skip Navigation</a> </p>
-<div id="wdn_wrapper">
-    <div id="header"> <a href="http://www.unl.edu/" title="UNL website"><img src="/wdn/templates_3.0/images/logo.png" alt="UNL graphic identifier" id="logo" /></a>
-        <h1>University of Nebraska&ndash;Lincoln</h1>
-        <!--#include virtual="/wdn/templates_3.0/includes/wdnTools.html" -->
-    </div>
-    <div id="wdn_navigation_bar">
-        <div id="breadcrumbs">
-            <!-- WDN: see glossary item 'breadcrumbs' -->
-            
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-            <ul>
-                <li><a href="http://www.unl.edu/" title="University of Nebraska&ndash;Lincoln">UNL</a></li>
-                <li>Department</li>
-            </ul>
-            
-<!-- InstanceEndEditable -->
-</div>
-        <div id="wdn_navigation_wrapper">
-            <div id="navigation">
-<!-- InstanceBeginEditable name="navlinks" -->
-                <!--#include virtual="../sharedcode/navigation.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-        </div>
-    </div>
-    <div id="wdn_content_wrapper">
-        <div id="titlegraphic">
-<!-- InstanceBeginEditable name="titlegraphic" -->
-            <h1>Department</h1>
-            
-<!-- InstanceEndEditable -->
-</div>
-        <div id="pagetitle">
-<!-- InstanceBeginEditable name="pagetitle" -->
- 
-<!-- InstanceEndEditable -->
-</div>
-        <div id="maincontent">
-            <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-            
-<!-- InstanceBeginEditable name="maincontentarea" -->
-            <p>Place your content here.<br />
-                Remember to validate your pages before publishing! Sample layouts are available through the <a href="http://wdn.unl.edu//">Web Developer Network</a>. <br />
-                <a href="http://validator.unl.edu/check/referer">Check this page</a> </p>
-            
-<!-- InstanceEndEditable -->
-            <div class="clear"></div>
-            <!--#include virtual="/wdn/templates_3.0/includes/noscript.html" -->
-            <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-        </div>
-        <div id="footer">
-            <div id="footer_floater"></div>
-            <div class="footer_col">
-                <!--#include virtual="/wdn/templates_3.0/includes/feedback.html" -->
-            </div>
-            <div class="footer_col">
-<!-- InstanceBeginEditable name="leftcollinks" -->
-                <!--#include virtual="../sharedcode/relatedLinks.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col">
-<!-- InstanceBeginEditable name="contactinfo" -->
-                <!--#include virtual="../sharedcode/footerContactInfo.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col">
-                <!--#include virtual="/wdn/templates_3.0/includes/socialmediashare.html" -->
-            </div>
-            
-<!-- InstanceBeginEditable name="optionalfooter" -->
- 
-<!-- InstanceEndEditable -->
-            <div id="wdn_copyright">
-<!-- InstanceBeginEditable name="footercontent" -->
-                <!--#include virtual="../sharedcode/footer.html" -->
-                
-<!-- InstanceEndEditable -->
-                <!--#include virtual="/wdn/templates_3.0/includes/wdn.html" -->
-                | <a href="http://validator.unl.edu/check/referer">W3C</a> | <a href="http://jigsaw.w3.org/css-validator/check/referer?profile=css3">CSS</a> <a href="http://www.unl.edu/" title="UNL Home" id="wdn_unl_wordmark"><img src="/wdn/templates_3.0/css/footer/images/wordmark.png" alt="UNL's wordmark" /></a> </div>
-        </div>
-    </div>
-    <div id="wdn_wrapper_footer"> </div>
-</div>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Mobile.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Mobile.tpl
deleted file mode 100644
index 38c61a852be894ab7da21d4a66884d4798cce439..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Mobile.tpl
+++ /dev/null
@@ -1,119 +0,0 @@
-<!DOCTYPE html>
-<html lang="en"><!-- InstanceBegin template="/Templates/mobile.dwt" codeOutsideHTMLIsLocked="false" -->
-<head>
-<!--#include virtual="/wdn/templates_3.0/includes/metanfavico_html5.html" -->
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: mobile.dwt 756 2009-09-15 02:31:02Z bbieber2 $
--->
-<meta name="viewport" content="initial-scale=1.0, user-scalable=no, width=device-width" />
-<link rel="stylesheet" type="text/css" media="screen" href="/wdn/templates_3.0/css/mobile.css" />
-<script type="text/javascript" src="/wdn/templates_3.0/scripts/mobile.js"></script>
-<!--#include virtual="/wdn/templates_3.0/includes/browserspecifics_html5.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>UNL | Department | New Page</title>
-<!-- InstanceEndEditable -->
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-<!-- InstanceEndEditable -->
-</head>
-<body class="html5 mobile">
-<p class="skipnav"> <a class="skipnav" href="#maincontent">Skip Navigation</a> </p>
-<div id="wdn_wrapper">
-    <div id="header"> <a href="http://m.unl.edu/" title="UNL website"><img src="/wdn/templates_3.0/images/logo.png" alt="UNL graphic identifier" id="logo" /></a>
-        <h1>University of Nebraska&ndash;Lincoln</h1>
-        <!--#include virtual="/wdn/templates_3.0/includes/wdnTools_html5.html" -->
-    </div>
-    <div id="wdn_navigation_bar">
-        <div id="breadcrumbs">
-            <!-- WDN: see glossary item 'breadcrumbs' -->
-            
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-            <ul>
-                <li><a href="http://www.unl.edu/" title="University of Nebraska&ndash;Lincoln">UNL</a></li>
-                <li>Department</li>
-            </ul>
-            
-<!-- InstanceEndEditable -->
-</div>
-        <div id="wdn_navigation_wrapper">
-            <div id="navigation">
-<!-- InstanceBeginEditable name="navlinks" -->
-                <!--#include virtual="../sharedcode/navigation.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-        </div>
-    </div>
-    <div id="wdn_content_wrapper">
-        <div id="titlegraphic">
-<!-- InstanceBeginEditable name="titlegraphic" -->
-            <h1>Department</h1>
-            
-<!-- InstanceEndEditable -->
-</div>
-        <div id="pagetitle">
-<!-- InstanceBeginEditable name="pagetitle" -->
- 
-<!-- InstanceEndEditable -->
-</div>
-        <div id="maincontent">
-            <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-            
-<!-- InstanceBeginEditable name="maincontentarea" -->
-            <p>Place your content here.<br />
-                Remember to validate your pages before publishing! Sample layouts are available through the <a href="http://wdn.unl.edu//">Web Developer Network</a>. <br />
-                <a href="http://validator.unl.edu/check/referer">Check this page</a> </p>
-            
-<!-- InstanceEndEditable -->
-            <div class="clear"></div>
-            <!--#include virtual="/wdn/templates_3.0/includes/noscript.html" -->
-            <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-        </div>
-        <div id="footer">
-            <div id="footer_floater"></div>
-            <div class="footer_col">
-                <!--#include virtual="/wdn/templates_3.0/includes/feedback.html" -->
-            </div>
-            <div class="footer_col">
-<!-- InstanceBeginEditable name="leftcollinks" -->
-                <!--#include virtual="../sharedcode/relatedLinks.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col">
-<!-- InstanceBeginEditable name="contactinfo" -->
-                <!--#include virtual="../sharedcode/footerContactInfo.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col">
-                <!--#include virtual="/wdn/templates_3.0/includes/socialmediashare.html" -->
-            </div>
-            
-<!-- InstanceBeginEditable name="optionalfooter" -->
- 
-<!-- InstanceEndEditable -->
-            <div id="wdn_copyright">
-<!-- InstanceBeginEditable name="footercontent" -->
-                <!--#include virtual="../sharedcode/footer.html" -->
-                
-<!-- InstanceEndEditable -->
-                <!--#include virtual="/wdn/templates_3.0/includes/wdn.html" -->
-                | <a href="http://validator.unl.edu/check/referer">W3C</a> | <a href="http://jigsaw.w3.org/css-validator/check/referer?profile=css3">CSS</a> <a href="http://www.unl.edu/" title="UNL Home" id="wdn_unl_wordmark"><img src="/wdn/templates_3.0/css/footer/images/wordmark.png" alt="UNL's wordmark" /></a> </div>
-        </div>
-    </div>
-    <div id="wdn_wrapper_footer"> </div>
-</div>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Popup.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Popup.tpl
deleted file mode 100644
index c1ce640ae2ef55c47ea29a7d31102da1928ced8b..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Popup.tpl
+++ /dev/null
@@ -1,75 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en"><!-- InstanceBegin template="/Templates/popup.dwt" codeOutsideHTMLIsLocked="false" -->
-<head>
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: popup.dwt 1390 2010-11-18 15:24:33Z bbieber2 $
--->
-<link rel="stylesheet" type="text/css" media="screen" href="/wdn/templates_3.0/css/all.css" />
-<link rel="stylesheet" type="text/css" media="print" href="/wdn/templates_3.0/css/print.css" />
-<script type="text/javascript" src="/wdn/templates_3.0/scripts/all.js"></script>
-<!--#include virtual="/wdn/templates_3.0/includes/browserspecifics.html" -->
-<!--#include virtual="/wdn/templates_3.0/includes/metanfavico.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>UNL | Department | New Page</title>
-<!-- InstanceEndEditable -->
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-<!-- InstanceEndEditable -->
-</head>
-<body class="popup">
-<p class="skipnav"> <a class="skipnav" href="#maincontent">Skip Navigation</a> </p>
-<div id="wdn_wrapper">
-    <div id="header"> <a href="http://www.unl.edu/" title="UNL website"><img src="/wdn/templates_3.0/images/logo.png" alt="UNL graphic identifier" id="logo" /></a>
-        <h1>University of Nebraska&ndash;Lincoln</h1>
-    </div>
-    <div id="wdn_content_wrapper">
-        <div id="titlegraphic">
-<!-- InstanceBeginEditable name="titlegraphic" -->
-            <h1>Department</h1>
-            
-<!-- InstanceEndEditable -->
-</div>
-        <div id="pagetitle">
-<!-- InstanceBeginEditable name="pagetitle" -->
- 
-<!-- InstanceEndEditable -->
-</div>
-        <div id="maincontent">
-            <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-            
-<!-- InstanceBeginEditable name="maincontentarea" -->
-            <p>Place your content here.<br />
-                Remember to validate your pages before publishing! Sample layouts are available through the <a href="http://wdn.unl.edu//">Web Developer Network</a>. <br />
-                <a href="http://validator.unl.edu/check/referer">Check this page</a> </p>
-            
-<!-- InstanceEndEditable -->
-            <div class="clear"></div>
-            <!--#include virtual="/wdn/templates_3.0/includes/noscript.html" -->
-            <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-        </div>
-        <div id="footer">
-            <div id="footer_floater"></div>
-            <div id="wdn_copyright">
-<!-- InstanceBeginEditable name="footercontent" -->
-                <!--#include virtual="../sharedcode/footer.html" -->
-                
-<!-- InstanceEndEditable -->
-                <!--#include virtual="/wdn/templates_3.0/includes/wdn.html" -->
-                | <a href="http://validator.unl.edu/check/referer">W3C</a> | <a href="http://jigsaw.w3.org/css-validator/check/referer?profile=css3">CSS</a> <a href="http://www.unl.edu/" title="UNL Home" id="wdn_unl_wordmark"><img src="/wdn/templates_3.0/css/footer/images/wordmark.png" alt="UNL's wordmark" /></a> </div>
-        </div>
-    </div>
-    <div id="wdn_wrapper_footer"> </div>
-</div>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Secure.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Secure.tpl
deleted file mode 100644
index 7d30b122432d272988eddc5e399df842bcb157fa..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Secure.tpl
+++ /dev/null
@@ -1,96 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en"><!-- InstanceBegin template="/Templates/secure.dwt" codeOutsideHTMLIsLocked="false" -->
-<head>
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: secure.dwt 1390 2010-11-18 15:24:33Z bbieber2 $
--->
-<link rel="stylesheet" type="text/css" media="screen" href="/wdn/templates_3.0/css/debug.css" />
-<link rel="stylesheet" type="text/css" media="print" href="/wdn/templates_3.0/css/print.css" />
-<script type="text/javascript" src="/wdn/templates_3.0/scripts/all.js"></script>
-<!--#include virtual="/wdn/templates_3.0/includes/browserspecifics.html" -->
-<!--#include virtual="/wdn/templates_3.0/includes/metanfavico.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>UNL | Department | New Page</title>
-<!-- InstanceEndEditable -->
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-<!-- InstanceEndEditable -->
-</head>
-<body class="secure fixed">
-<p class="skipnav"> <a class="skipnav" href="#maincontent">Skip Navigation</a> </p>
-<div id="wdn_wrapper">
-    <div id="header"> <a href="http://www.unl.edu/" title="UNL website"><img src="/wdn/templates_3.0/images/logo.png" alt="UNL graphic identifier" id="logo" /></a>
-        <h1>University of Nebraska&ndash;Lincoln</h1>
-    </div>
-    <div id="wdn_navigation_bar">
-        <div id="breadcrumbs">
-            <!-- WDN: see glossary item 'breadcrumbs' -->
-            
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-            <ul>
-                <li><a href="http://www.unl.edu/" title="University of Nebraska&ndash;Lincoln">UNL</a></li>
-                <li>Department</li>
-            </ul>
-            
-<!-- InstanceEndEditable -->
-</div>
-        <div id="wdn_navigation_wrapper">
-            <div id="navigation">
-<!-- InstanceBeginEditable name="navlinks" -->
-                <!--#include virtual="../sharedcode/navigation.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-        </div>
-    </div>
-    <div id="wdn_content_wrapper">
-        <div id="titlegraphic">
-<!-- InstanceBeginEditable name="titlegraphic" -->
-            <h1>Department</h1>
-            
-<!-- InstanceEndEditable -->
-</div>
-        <div id="pagetitle">
-<!-- InstanceBeginEditable name="pagetitle" -->
- 
-<!-- InstanceEndEditable -->
-</div>
-        <div id="maincontent">
-            <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-            
-<!-- InstanceBeginEditable name="maincontentarea" -->
-            <p>Place your content here.<br />
-                Remember to validate your pages before publishing! Sample layouts are available through the <a href="http://wdn.unl.edu//">Web Developer Network</a>. <br />
-                <a href="http://validator.unl.edu/check/referer">Check this page</a> </p>
-            
-<!-- InstanceEndEditable -->
-            <div class="clear"></div>
-            <!--#include virtual="/wdn/templates_3.0/includes/noscript.html" -->
-            <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-        </div>
-        <div id="footer">
-            <div id="footer_floater"></div>
-            <div id="wdn_copyright">
-<!-- InstanceBeginEditable name="footercontent" -->
-                <!--#include virtual="../sharedcode/footer.html" -->
-                
-<!-- InstanceEndEditable -->
-                <!--#include virtual="/wdn/templates_3.0/includes/wdn.html" -->
-                | <a href="http://validator.unl.edu/check/referer">W3C</a> | <a href="http://jigsaw.w3.org/css-validator/check/referer?profile=css3">CSS</a> <a href="http://www.unl.edu/" title="UNL Home" id="wdn_unl_wordmark"><img src="/wdn/templates_3.0/css/footer/images/wordmark.png" alt="UNL's wordmark" /></a> </div>
-        </div>
-    </div>
-    <div id="wdn_wrapper_footer"> </div>
-</div>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Shared_column_left.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Shared_column_left.tpl
deleted file mode 100644
index c87ba9f1bac6ba746bc0506ed0402d5557838865..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Shared_column_left.tpl
+++ /dev/null
@@ -1,131 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en"><!-- InstanceBegin template="/Templates/shared_column_left.dwt" codeOutsideHTMLIsLocked="false" -->
-<head>
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: shared_column_left.dwt 1390 2010-11-18 15:24:33Z bbieber2 $
--->
-<link rel="stylesheet" type="text/css" media="screen" href="/wdn/templates_3.0/css/all.css" />
-<link rel="stylesheet" type="text/css" media="print" href="/wdn/templates_3.0/css/print.css" />
-<script type="text/javascript" src="/wdn/templates_3.0/scripts/all.js"></script>
-<!--#include virtual="/wdn/templates_3.0/includes/browserspecifics.html" -->
-<!--#include virtual="/wdn/templates_3.0/includes/metanfavico.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>UNL | Department | New Page</title>
-<!-- InstanceEndEditable -->
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-<!-- InstanceEndEditable -->
-</head>
-<body class="fixed">
-<p class="skipnav"> <a class="skipnav" href="#maincontent">Skip Navigation</a> </p>
-<div id="wdn_wrapper">
-    <div id="header"> <a href="http://www.unl.edu/" title="UNL website"><img src="/wdn/templates_3.0/images/logo.png" alt="UNL graphic identifier" id="logo" /></a>
-        <h1>University of Nebraska&ndash;Lincoln</h1>
-        <!--#include virtual="/wdn/templates_3.0/includes/wdnTools.html" -->
-    </div>
-    <div id="wdn_navigation_bar">
-        <div id="breadcrumbs">
-            <!-- WDN: see glossary item 'breadcrumbs' -->
-            
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-            <ul>
-                <li><a href="http://www.unl.edu/" title="University of Nebraska&ndash;Lincoln">UNL</a></li>
-                <li>Department</li>
-            </ul>
-            
-<!-- InstanceEndEditable -->
-</div>
-        <div id="wdn_navigation_wrapper">
-            <div id="navigation">
-<!-- InstanceBeginEditable name="navlinks" -->
-                <!--#include virtual="../sharedcode/navigation.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-        </div>
-    </div>
-    <div id="wdn_content_wrapper">
-        <div id="titlegraphic">
-<!-- InstanceBeginEditable name="titlegraphic" -->
-            <h1>Department</h1>
-            
-<!-- InstanceEndEditable -->
-</div>
-        <div id="pagetitle">
-<!-- InstanceBeginEditable name="pagetitle" -->
- 
-<!-- InstanceEndEditable -->
-</div>
-        <div id="maincontent">
-            <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-            
-<!-- InstanceBeginEditable name="sharedcolumn" -->
-            <div class="col left">
-                <!--#include virtual="../sharedcode/sharedColumn.html" -->
-            </div>
-            
-<!-- InstanceEndEditable -->
-            <div class="three_col right"> 
-<!-- InstanceBeginEditable name="maincontentarea" -->
-                <p>Place your content here.<br />
-                    Remember to validate your pages before publishing! Sample layouts are available through the <a href="http://wdn.unl.edu//">Web Developer Network</a>. <br />
-                    <a href="http://validator.unl.edu/check/referer">Check this page</a> </p>
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="clear"></div>
-            <!--#include virtual="/wdn/templates_3.0/includes/noscript.html" -->
-            <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-        </div>
-        <div id="footer">
-            <div id="footer_floater"></div>
-            <div class="footer_col">
-                <!--#include virtual="/wdn/templates_3.0/includes/feedback.html" -->
-            </div>
-            <div class="footer_col">
-<!-- InstanceBeginEditable name="leftcollinks" -->
-                <!--#include virtual="../sharedcode/relatedLinks.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col">
-<!-- InstanceBeginEditable name="contactinfo" -->
-                <!--#include virtual="../sharedcode/footerContactInfo.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col">
-                <!--#include virtual="/wdn/templates_3.0/includes/socialmediashare.html" -->
-            </div>
-            
-<!-- InstanceBeginEditable name="optionalfooter" -->
- 
-<!-- InstanceEndEditable -->
-            <div id="wdn_copyright">
-<!-- InstanceBeginEditable name="footercontent" -->
-                <!--#include virtual="../sharedcode/footer.html" -->
-                
-<!-- InstanceEndEditable -->
-                <ul>
-                    <li><a href="http://validator.unl.edu/check/referer">W3C</a></li>
-                    <li><a href="http://jigsaw.w3.org/css-validator/check/referer?profile=css3">CSS</a></li>
-                </ul>
-                <!--#include virtual="/wdn/templates_3.0/includes/wdn.html" -->
-                <a href="http://www.unl.edu/" title="UNL Home" id="wdn_unl_wordmark"><img src="/wdn/templates_3.0/css/footer/images/wordmark.png" alt="UNL's wordmark" /></a> </div>
-        </div>
-    </div>
-    <div id="wdn_wrapper_footer"> </div>
-</div>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Shared_column_right.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Shared_column_right.tpl
deleted file mode 100644
index ed15b31f80eea62c3e70d0ba91147340221b4e72..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Shared_column_right.tpl
+++ /dev/null
@@ -1,131 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en"><!-- InstanceBegin template="/Templates/shared_column_right.dwt" codeOutsideHTMLIsLocked="false" -->
-<head>
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: shared_column_right.dwt 1390 2010-11-18 15:24:33Z bbieber2 $
--->
-<link rel="stylesheet" type="text/css" media="screen" href="/wdn/templates_3.0/css/all.css" />
-<link rel="stylesheet" type="text/css" media="print" href="/wdn/templates_3.0/css/print.css" />
-<script type="text/javascript" src="/wdn/templates_3.0/scripts/all.js"></script>
-<!--#include virtual="/wdn/templates_3.0/includes/browserspecifics.html" -->
-<!--#include virtual="/wdn/templates_3.0/includes/metanfavico.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>UNL | Department | New Page</title>
-<!-- InstanceEndEditable -->
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-<!-- InstanceEndEditable -->
-</head>
-<body class="fixed">
-<p class="skipnav"> <a class="skipnav" href="#maincontent">Skip Navigation</a> </p>
-<div id="wdn_wrapper">
-    <div id="header"> <a href="http://www.unl.edu/" title="UNL website"><img src="/wdn/templates_3.0/images/logo.png" alt="UNL graphic identifier" id="logo" /></a>
-        <h1>University of Nebraska&ndash;Lincoln</h1>
-        <!--#include virtual="/wdn/templates_3.0/includes/wdnTools.html" -->
-    </div>
-    <div id="wdn_navigation_bar">
-        <div id="breadcrumbs">
-            <!-- WDN: see glossary item 'breadcrumbs' -->
-            
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-            <ul>
-                <li><a href="http://www.unl.edu/" title="University of Nebraska&ndash;Lincoln">UNL</a></li>
-                <li>Department</li>
-            </ul>
-            
-<!-- InstanceEndEditable -->
-</div>
-        <div id="wdn_navigation_wrapper">
-            <div id="navigation">
-<!-- InstanceBeginEditable name="navlinks" -->
-                <!--#include virtual="../sharedcode/navigation.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-        </div>
-    </div>
-    <div id="wdn_content_wrapper">
-        <div id="titlegraphic">
-<!-- InstanceBeginEditable name="titlegraphic" -->
-            <h1>Department</h1>
-            
-<!-- InstanceEndEditable -->
-</div>
-        <div id="pagetitle">
-<!-- InstanceBeginEditable name="pagetitle" -->
- 
-<!-- InstanceEndEditable -->
-</div>
-        <div id="maincontent">
-            <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-            <div class="three_col left"> 
-<!-- InstanceBeginEditable name="maincontentarea" -->
-                <p>Place your content here.<br />
-                    Remember to validate your pages before publishing! Sample layouts are available through the <a href="http://wdn.unl.edu//">Web Developer Network</a>. <br />
-                    <a href="http://validator.unl.edu/check/referer">Check this page</a> </p>
-                
-<!-- InstanceEndEditable -->
-</div>
-            
-<!-- InstanceBeginEditable name="sharedcolumn" -->
-            <div class="col right">
-                <!--#include virtual="../sharedcode/sharedColumn.html" -->
-            </div>
-            
-<!-- InstanceEndEditable -->
-            <div class="clear"></div>
-            <!--#include virtual="/wdn/templates_3.0/includes/noscript.html" -->
-            <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-        </div>
-        <div id="footer">
-            <div id="footer_floater"></div>
-            <div class="footer_col">
-                <!--#include virtual="/wdn/templates_3.0/includes/feedback.html" -->
-            </div>
-            <div class="footer_col">
-<!-- InstanceBeginEditable name="leftcollinks" -->
-                <!--#include virtual="../sharedcode/relatedLinks.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col">
-<!-- InstanceBeginEditable name="contactinfo" -->
-                <!--#include virtual="../sharedcode/footerContactInfo.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col">
-                <!--#include virtual="/wdn/templates_3.0/includes/socialmediashare.html" -->
-            </div>
-            
-<!-- InstanceBeginEditable name="optionalfooter" -->
- 
-<!-- InstanceEndEditable -->
-            <div id="wdn_copyright">
-<!-- InstanceBeginEditable name="footercontent" -->
-                <!--#include virtual="../sharedcode/footer.html" -->
-                
-<!-- InstanceEndEditable -->
-                <ul>
-                    <li><a href="http://validator.unl.edu/check/referer">W3C</a></li>
-                    <li><a href="http://jigsaw.w3.org/css-validator/check/referer?profile=css3">CSS</a></li>
-                </ul>
-                <!--#include virtual="/wdn/templates_3.0/includes/wdn.html" -->
-                <a href="http://www.unl.edu/" title="UNL Home" id="wdn_unl_wordmark"><img src="/wdn/templates_3.0/css/footer/images/wordmark.png" alt="UNL's wordmark" /></a> </div>
-        </div>
-    </div>
-    <div id="wdn_wrapper_footer"> </div>
-</div>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Unlaffiliate.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Unlaffiliate.tpl
deleted file mode 100644
index dd91819adbceb4f1ce75d6980cd858a9d21d982e..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3/Unlaffiliate.tpl
+++ /dev/null
@@ -1,127 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en"><!-- InstanceBegin template="/Templates/unlaffiliate.dwt" codeOutsideHTMLIsLocked="false" -->
-<head>
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: unlaffiliate.dwt 1390 2010-11-18 15:24:33Z bbieber2 $
--->
-<link rel="stylesheet" type="text/css" media="screen" href="/wdn/templates_3.0/css/all.css" />
-<link rel="stylesheet" type="text/css" media="print" href="/wdn/templates_3.0/css/print.css" />
-<link rel="stylesheet" type="text/css" media="screen" href="../sharedcode/affiliate.css" />
-<script type="text/javascript" src="/wdn/templates_3.0/scripts/all.js"></script>
-<!--#include virtual="/wdn/templates_3.0/includes/browserspecifics.html" -->
-<!--#include virtual="/wdn/templates_3.0/includes/metanfavico.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>UNL | Department | New Page</title>
-<!-- InstanceEndEditable -->
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-<!-- InstanceEndEditable -->
-</head>
-<body class="fixed">
-<p class="skipnav"> <a class="skipnav" href="#maincontent">Skip Navigation</a> </p>
-<div id="wdn_wrapper">
-    <div id="header"> 	
-		
-<!-- InstanceBeginEditable name="sitebranding" -->
-		<div id="affiliate_note"><a href="http://www.unl.edu" title="University of Nebraska&ndash;Lincoln">An affiliate of the University of Nebraska&ndash;Lincoln</a></div>
-		<a href="/" title="Through the Eyes of the Child Initiative"><img src="../sharedcode/affiliate_imgs/affiliate_logo.png" alt="Through the Eyes of the Child Initiative" id="logo" /></a>
-    	<h1>Through the Eyes of the Child Initiative</h1>
-		<div id='tag_line'>A Nebraska Supreme Court Initiative</div>
-		
-<!-- InstanceEndEditable -->
-		<!--#include virtual="/wdn/templates_3.0/includes/wdnTools.html" -->
-    </div>
-    <div id="wdn_navigation_bar">
-        <div id="breadcrumbs">
-            <!-- WDN: see glossary item 'breadcrumbs' -->
-            
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-            <ul>
-                <li><a href="http://www.unl.edu/" title="University of Nebraska&ndash;Lincoln">UNL</a></li>
-                <li>Department</li>
-            </ul>
-            
-<!-- InstanceEndEditable -->
-</div>
-        <div id="wdn_navigation_wrapper">
-            <div id="navigation">
-<!-- InstanceBeginEditable name="navlinks" -->
-                <!--#include virtual="../sharedcode/navigation.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-        </div>
-    </div>
-    <div id="wdn_content_wrapper">
-        <div id="titlegraphic">
-<!-- InstanceBeginEditable name="titlegraphic" -->
-            <h1>Department</h1>
-            
-<!-- InstanceEndEditable -->
-</div>
-        <div id="pagetitle">
-<!-- InstanceBeginEditable name="pagetitle" -->
- 
-<!-- InstanceEndEditable -->
-</div>
-        <div id="maincontent">
-            <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-            
-<!-- InstanceBeginEditable name="maincontentarea" -->
-            <p>Place your content here.<br />
-                Remember to validate your pages before publishing! Sample layouts are available through the <a href="http://wdn.unl.edu//">Web Developer Network</a>. <br />
-                <a href="http://validator.unl.edu/check/referer">Check this page</a> </p>
-            
-<!-- InstanceEndEditable -->
-            <div class="clear"></div>
-            <!--#include virtual="/wdn/templates_3.0/includes/noscript.html" -->
-            <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-        </div>
-        <div id="footer">
-            <div id="footer_floater"></div>
-            <div class="footer_col">
-                <!--#include virtual="/wdn/templates_3.0/includes/feedback.html" -->
-            </div>
-            <div class="footer_col">
-<!-- InstanceBeginEditable name="leftcollinks" -->
-                <!--#include virtual="../sharedcode/relatedLinks.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col">
-<!-- InstanceBeginEditable name="contactinfo" -->
-                <!--#include virtual="../sharedcode/footerContactInfo.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col">
-                <!--#include virtual="/wdn/templates_3.0/includes/socialmediashare.html" -->
-            </div>
-            
-<!-- InstanceBeginEditable name="optionalfooter" -->
- 
-<!-- InstanceEndEditable -->
-            <div id="wdn_copyright">
-<!-- InstanceBeginEditable name="footercontent" -->
-                <!--#include virtual="../sharedcode/footer.html" -->
-                
-<!-- InstanceEndEditable -->
-                <!--#include virtual="/wdn/templates_3.0/includes/wdn.html" -->
-                | <a href="http://validator.unl.edu/check/referer">W3C</a> | <a href="http://jigsaw.w3.org/css-validator/check/referer?profile=css3">CSS</a> <a href="http://www.unl.edu/" title="UNL Home" id="wdn_unl_wordmark"><img src="/wdn/templates_3.0/css/footer/images/wordmark.png" alt="UNL's wordmark" /></a> </div>
-        </div>
-    </div>
-    <div id="wdn_wrapper_footer"> </div>
-</div>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Debug.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Debug.tpl
deleted file mode 100644
index ca90ca65ffd630c6c6a683b300dd97490b61668c..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Debug.tpl
+++ /dev/null
@@ -1,137 +0,0 @@
-<!DOCTYPE html>
-<!--[if IEMobile 7 ]><html class="ie iem7"><![endif]-->
-<!--[if lt IE 7 ]><html class="ie ie6" lang="en"><![endif]-->
-<!--[if IE 7 ]><html class="ie ie7" lang="en"><![endif]-->
-<!--[if IE 8 ]><html class="ie ie8" lang="en"><![endif]-->
-<!--[if (gte IE 9)|(gt IEMobile 7) ]><html class="ie" lang="en"><![endif]-->
-<!--[if !(IEMobile) | !(IE)]><!--><html lang="en"><!-- InstanceBegin template="/Templates/debug.dwt" codeOutsideHTMLIsLocked="false" --><!--<![endif]-->
-<head>
-<!--#include virtual="/wdn/templates_3.1/includes/metanfavico.html" -->
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: debug.dwt | ea2608181e2b6604db76106fd982b39218ddcb8b | Fri Mar 9 12:20:43 2012 -0600 | Kevin Abel  $
--->
-<!--#include virtual="/wdn/templates_3.1/includes/scriptsandstyles_debug.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>Use a descriptive page title | Optional Site Title (use for context) | University of Nebraska&ndash;Lincoln</title>
-<!-- InstanceEndEditable -->
-
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-
-<!-- InstanceEndEditable -->
-<!-- InstanceParam name="class" type="text" value="fixed debug" -->
-</head>
-<body class="@@(_document['class'])@@" data-version="3.1">
-    <nav class="skipnav">
-        <a class="skipnav" href="#maincontent">Skip Navigation</a>
-    </nav>
-    <div id="wdn_wrapper">
-        <header id="header" role="banner">
-            <a id="logo" href="http://www.unl.edu/" title="UNL website">UNL</a>
-            <span id="wdn_institution_title">University of Nebraska&ndash;Lincoln</span>
-            <span id="wdn_site_title">
-<!-- InstanceBeginEditable name="titlegraphic" -->
-The Title of My Site
-<!-- InstanceEndEditable -->
-</span>
-            <!--#include virtual="/wdn/templates_3.1/includes/idm.html" -->
-            <!--#include virtual="/wdn/templates_3.1/includes/wdnTools.html" -->
-        </header>
-        <div id="wdn_navigation_bar">
-            <nav id="breadcrumbs">
-                <!-- WDN: see glossary item 'breadcrumbs' -->
-                <h3 class="wdn_list_descriptor hidden">Breadcrumbs</h3>
-                
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-                <ul>
-                    <li><a href="http://www.unl.edu/" title="University of Nebraska&ndash;Lincoln">UNL</a></li>
-                    <li class="selected"><a href="#" title="Site Title">Site Title</a></li>
-                    <li>Page Title</li>
-                </ul>
-                
-<!-- InstanceEndEditable -->
-            </nav>
-            <div id="wdn_navigation_wrapper">
-                <nav id="navigation" role="navigation">
-                    <h3 class="wdn_list_descriptor hidden">Navigation</h3>
-                    
-<!-- InstanceBeginEditable name="navlinks" -->
-                    <!--#include virtual="../sharedcode/navigation.html" -->
-                    
-<!-- InstanceEndEditable -->
-                </nav>
-            </div>
-        </div>
-        <div id="wdn_content_wrapper">
-            <div id="pagetitle">
-                
-<!-- InstanceBeginEditable name="pagetitle" -->
-                <h1>This is your page title. It's now an &lt;h1&gt;, baby!</h1>
-                
-<!-- InstanceEndEditable -->
-            </div>
-            <div id="maincontent" role="main">
-                <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-                
-<!-- InstanceBeginEditable name="maincontentarea" -->
-                <h2>This is a blank page</h2>
-                <p>Impress your audience with awesome content!</p> 
-                
-<!-- InstanceEndEditable -->
-                <div class="clear"></div>
-                <!--#include virtual="/wdn/templates_3.1/includes/noscript.html" -->
-                <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-            </div>
-        </div>
-        <footer id="footer">
-            <div id="footer_floater"></div>
-            <div class="footer_col" id="wdn_footer_feedback">
-                <!--#include virtual="/wdn/templates_3.1/includes/feedback.html" -->
-            </div>
-            <div class="footer_col" id="wdn_footer_related">
-                
-<!-- InstanceBeginEditable name="leftcollinks" -->
-                <!--#include virtual="../sharedcode/relatedLinks.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col" id="wdn_footer_contact">
-                
-<!-- InstanceBeginEditable name="contactinfo" -->
-                <!--#include virtual="../sharedcode/footerContactInfo.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col" id="wdn_footer_share">
-                <!--#include virtual="/wdn/templates_3.1/includes/socialmediashare.html" -->
-            </div>
-            
-<!-- InstanceBeginEditable name="optionalfooter" -->
-            
-<!-- InstanceEndEditable -->
-            <div id="wdn_copyright">
-                <div>
-                    
-<!-- InstanceBeginEditable name="footercontent" -->
-                    <!--#include virtual="../sharedcode/footer.html" -->
-                    
-<!-- InstanceEndEditable -->
-                    <!--#include virtual="/wdn/templates_3.1/includes/wdn.html" -->
-                </div>
-                <!--#include virtual="/wdn/templates_3.1/includes/logos.html" -->
-            </div>
-        </footer>
-    </div>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Fixed.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Fixed.tpl
deleted file mode 100644
index 5c1a3daf5b20c6dc9a4dfa8a0920362b370a7eb6..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Fixed.tpl
+++ /dev/null
@@ -1,137 +0,0 @@
-<!DOCTYPE html>
-<!--[if IEMobile 7 ]><html class="ie iem7"><![endif]-->
-<!--[if lt IE 7 ]><html class="ie ie6" lang="en"><![endif]-->
-<!--[if IE 7 ]><html class="ie ie7" lang="en"><![endif]-->
-<!--[if IE 8 ]><html class="ie ie8" lang="en"><![endif]-->
-<!--[if (gte IE 9)|(gt IEMobile 7) ]><html class="ie" lang="en"><![endif]-->
-<!--[if !(IEMobile) | !(IE)]><!--><html lang="en"><!-- InstanceBegin template="/Templates/fixed.dwt" codeOutsideHTMLIsLocked="false" --><!--<![endif]-->
-<head>
-<!--#include virtual="/wdn/templates_3.1/includes/metanfavico.html" -->
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: fixed.dwt | ea2608181e2b6604db76106fd982b39218ddcb8b | Fri Mar 9 12:20:43 2012 -0600 | Kevin Abel  $
--->
-<!--#include virtual="/wdn/templates_3.1/includes/scriptsandstyles.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>Use a descriptive page title | Optional Site Title (use for context) | University of Nebraska&ndash;Lincoln</title>
-<!-- InstanceEndEditable -->
-
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-
-<!-- InstanceEndEditable -->
-<!-- InstanceParam name="class" type="text" value="fixed" -->
-</head>
-<body class="@@(_document['class'])@@" data-version="3.1">
-    <nav class="skipnav">
-        <a class="skipnav" href="#maincontent">Skip Navigation</a>
-    </nav>
-    <div id="wdn_wrapper">
-        <header id="header" role="banner">
-            <a id="logo" href="http://www.unl.edu/" title="UNL website">UNL</a>
-            <span id="wdn_institution_title">University of Nebraska&ndash;Lincoln</span>
-            <span id="wdn_site_title">
-<!-- InstanceBeginEditable name="titlegraphic" -->
-The Title of My Site
-<!-- InstanceEndEditable -->
-</span>
-            <!--#include virtual="/wdn/templates_3.1/includes/idm.html" -->
-            <!--#include virtual="/wdn/templates_3.1/includes/wdnTools.html" -->
-        </header>
-        <div id="wdn_navigation_bar">
-            <nav id="breadcrumbs">
-                <!-- WDN: see glossary item 'breadcrumbs' -->
-                <h3 class="wdn_list_descriptor hidden">Breadcrumbs</h3>
-                
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-                <ul>
-                    <li><a href="http://www.unl.edu/" title="University of Nebraska&ndash;Lincoln">UNL</a></li>
-                    <li class="selected"><a href="#" title="Site Title">Site Title</a></li>
-                    <li>Page Title</li>
-                </ul>
-                
-<!-- InstanceEndEditable -->
-            </nav>
-            <div id="wdn_navigation_wrapper">
-                <nav id="navigation" role="navigation">
-                    <h3 class="wdn_list_descriptor hidden">Navigation</h3>
-                    
-<!-- InstanceBeginEditable name="navlinks" -->
-                    <!--#include virtual="../sharedcode/navigation.html" -->
-                    
-<!-- InstanceEndEditable -->
-                </nav>
-            </div>
-        </div>
-        <div id="wdn_content_wrapper">
-            <div id="pagetitle">
-                
-<!-- InstanceBeginEditable name="pagetitle" -->
-                <h1>This is your page title. It's now an &lt;h1&gt;, baby!</h1>
-                
-<!-- InstanceEndEditable -->
-            </div>
-            <div id="maincontent" role="main">
-                <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-                
-<!-- InstanceBeginEditable name="maincontentarea" -->
-                <h2>This is a blank page</h2>
-                <p>Impress your audience with awesome content!</p> 
-                
-<!-- InstanceEndEditable -->
-                <div class="clear"></div>
-                <!--#include virtual="/wdn/templates_3.1/includes/noscript.html" -->
-                <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-            </div>
-        </div>
-        <footer id="footer">
-            <div id="footer_floater"></div>
-            <div class="footer_col" id="wdn_footer_feedback">
-                <!--#include virtual="/wdn/templates_3.1/includes/feedback.html" -->
-            </div>
-            <div class="footer_col" id="wdn_footer_related">
-                
-<!-- InstanceBeginEditable name="leftcollinks" -->
-                <!--#include virtual="../sharedcode/relatedLinks.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col" id="wdn_footer_contact">
-                
-<!-- InstanceBeginEditable name="contactinfo" -->
-                <!--#include virtual="../sharedcode/footerContactInfo.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col" id="wdn_footer_share">
-                <!--#include virtual="/wdn/templates_3.1/includes/socialmediashare.html" -->
-            </div>
-            
-<!-- InstanceBeginEditable name="optionalfooter" -->
-            
-<!-- InstanceEndEditable -->
-            <div id="wdn_copyright">
-                <div>
-                    
-<!-- InstanceBeginEditable name="footercontent" -->
-                    <!--#include virtual="../sharedcode/footer.html" -->
-                    
-<!-- InstanceEndEditable -->
-                    <!--#include virtual="/wdn/templates_3.1/includes/wdn.html" -->
-                </div>
-                <!--#include virtual="/wdn/templates_3.1/includes/logos.html" -->
-            </div>
-        </footer>
-    </div>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Local.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Local.tpl
deleted file mode 100644
index 22fd3f28df7eaada632ea1c7bed6c53662347144..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Local.tpl
+++ /dev/null
@@ -1,137 +0,0 @@
-<!DOCTYPE html>
-<!--[if IEMobile 7 ]><html class="ie iem7"><![endif]-->
-<!--[if lt IE 7 ]><html class="ie ie6" lang="en"><![endif]-->
-<!--[if IE 7 ]><html class="ie ie7" lang="en"><![endif]-->
-<!--[if IE 8 ]><html class="ie ie8" lang="en"><![endif]-->
-<!--[if (gte IE 9)|(gt IEMobile 7) ]><html class="ie" lang="en"><![endif]-->
-<!--[if !(IEMobile) | !(IE)]><!--><html lang="en"><!-- InstanceBegin template="/Templates/local.dwt" codeOutsideHTMLIsLocked="false" --><!--<![endif]-->
-<head>
-<!--#include virtual="/wdn/templates_3.1/includes/metanfavico.html" -->
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: local.dwt | d3b0e517ecafe3e1f81c45ddafa7a316adcc45dd | Fri Mar 9 11:41:56 2012 -0600 | Kevin Abel  $
--->
-<!--#include virtual="/wdn/templates_3.1/includes/scriptsandstyles_local.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>Use a descriptive page title | Optional Site Title (use for context) | University of Nebraska&ndash;Lincoln</title>
-<!-- InstanceEndEditable -->
-
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-
-<!-- InstanceEndEditable -->
-<!-- InstanceParam name="class" type="text" value="fixed" -->
-</head>
-<body class="@@(_document['class'])@@" data-version="3.1">
-    <nav class="skipnav">
-        <a class="skipnav" href="#maincontent">Skip Navigation</a>
-    </nav>
-    <div id="wdn_wrapper">
-        <header id="header" role="banner">
-            <a id="logo" href="http://www.unl.edu/" title="UNL website">UNL</a>
-            <span id="wdn_institution_title">University of Nebraska&ndash;Lincoln</span>
-            <span id="wdn_site_title">
-<!-- InstanceBeginEditable name="titlegraphic" -->
-The Title of My Site
-<!-- InstanceEndEditable -->
-</span>
-            <!--#include virtual="/wdn/templates_3.1/includes/idm.html" -->
-            <!--#include virtual="/wdn/templates_3.1/includes/wdnTools.html" -->
-        </header>
-        <div id="wdn_navigation_bar">
-            <nav id="breadcrumbs">
-                <!-- WDN: see glossary item 'breadcrumbs' -->
-                <h3 class="wdn_list_descriptor hidden">Breadcrumbs</h3>
-                
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-                <ul>
-                    <li><a href="http://www.unl.edu/" title="University of Nebraska&ndash;Lincoln">UNL</a></li>
-                    <li class="selected"><a href="#" title="Site Title">Site Title</a></li>
-                    <li>Page Title</li>
-                </ul>
-                
-<!-- InstanceEndEditable -->
-            </nav>
-            <div id="wdn_navigation_wrapper">
-                <nav id="navigation" role="navigation">
-                    <h3 class="wdn_list_descriptor hidden">Navigation</h3>
-                    
-<!-- InstanceBeginEditable name="navlinks" -->
-                    <!--#include virtual="../sharedcode/navigation.html" -->
-                    
-<!-- InstanceEndEditable -->
-                </nav>
-            </div>
-        </div>
-        <div id="wdn_content_wrapper">
-            <div id="pagetitle">
-                
-<!-- InstanceBeginEditable name="pagetitle" -->
-                <h1>This is your page title. It's now an &lt;h1&gt;, baby!</h1>
-                
-<!-- InstanceEndEditable -->
-            </div>
-            <div id="maincontent" role="main">
-                <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-                
-<!-- InstanceBeginEditable name="maincontentarea" -->
-                <h2>This is a blank page</h2>
-                <p>Impress your audience with awesome content!</p> 
-                
-<!-- InstanceEndEditable -->
-                <div class="clear"></div>
-                <!--#include virtual="/wdn/templates_3.1/includes/noscript.html" -->
-                <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-            </div>
-        </div>
-        <footer id="footer">
-            <div id="footer_floater"></div>
-            <div class="footer_col" id="wdn_footer_feedback">
-                <!--#include virtual="/wdn/templates_3.1/includes/feedback.html" -->
-            </div>
-            <div class="footer_col" id="wdn_footer_related">
-                
-<!-- InstanceBeginEditable name="leftcollinks" -->
-                <!--#include virtual="../sharedcode/relatedLinks.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col" id="wdn_footer_contact">
-                
-<!-- InstanceBeginEditable name="contactinfo" -->
-                <!--#include virtual="../sharedcode/footerContactInfo.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col" id="wdn_footer_share">
-                <!--#include virtual="/wdn/templates_3.1/includes/socialmediashare.html" -->
-            </div>
-            
-<!-- InstanceBeginEditable name="optionalfooter" -->
-            
-<!-- InstanceEndEditable -->
-            <div id="wdn_copyright">
-                <div>
-                    
-<!-- InstanceBeginEditable name="footercontent" -->
-                    <!--#include virtual="../sharedcode/footer.html" -->
-                    
-<!-- InstanceEndEditable -->
-                    <!--#include virtual="/wdn/templates_3.1/includes/wdn.html" -->
-                </div>
-                <!--#include virtual="/wdn/templates_3.1/includes/logos.html" -->
-            </div>
-        </footer>
-    </div>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Unlaffiliate.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Unlaffiliate.tpl
deleted file mode 100644
index ed7156d81c2d5cbe5174c867ff1a234f02bf8a62..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Unlaffiliate.tpl
+++ /dev/null
@@ -1,141 +0,0 @@
-<!DOCTYPE html>
-<!--[if IEMobile 7 ]><html class="ie iem7"><![endif]-->
-<!--[if lt IE 7 ]><html class="ie ie6" lang="en"><![endif]-->
-<!--[if IE 7 ]><html class="ie ie7" lang="en"><![endif]-->
-<!--[if IE 8 ]><html class="ie ie8" lang="en"><![endif]-->
-<!--[if (gte IE 9)|(gt IEMobile 7) ]><html class="ie" lang="en"><![endif]-->
-<!--[if !(IEMobile) | !(IE)]><!--><html lang="en"><!-- InstanceBegin template="/Templates/unlaffiliate.dwt" codeOutsideHTMLIsLocked="false" --><!--<![endif]-->
-<head>
-<!--#include virtual="/wdn/templates_3.1/includes/metanfavico.html" -->
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: unlaffiliate.dwt | ea2608181e2b6604db76106fd982b39218ddcb8b | Fri Mar 9 12:20:43 2012 -0600 | Kevin Abel  $
--->
-<!--#include virtual="/wdn/templates_3.1/includes/scriptsandstyles.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>Use a descriptive page title | Optional Site Title (use for context) | UNL Affiliate</title>
-<!-- InstanceEndEditable -->
-
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-<link rel="stylesheet" type="text/css" media="screen" href="../sharedcode/affiliate.css" />
-<link href="../sharedcode/affiliate_imgs/favicon.ico" rel="shortcut icon" />
-<!-- InstanceEndEditable -->
-<!-- InstanceParam name="class" type="text" value="fixed" -->
-</head>
-<body class="@@(_document['class'])@@" data-version="3.1">
-    <nav class="skipnav">
-        <a class="skipnav" href="#maincontent">Skip Navigation</a>
-    </nav>
-    <div id="wdn_wrapper">
-        <header id="header" role="banner">
-            <!-- InstanceBeginEditable name="sitebranding_logo" -->
-            <a id="logo" href="http://www.throughtheeyes.org/" title="Through the Eyes of the Child Initiative">Through the Eyes of the Child Initiative</a>
-            
-<!-- InstanceEndEditable -->
-            <span id="wdn_institution_title"><!-- InstanceBeginEditable name="sitebranding_affiliate" --><a href="http://www.unl.edu" title="University of Nebraska&ndash;Lincoln">An affiliate of the University of Nebraska&ndash;Lincoln</a>
-<!-- InstanceEndEditable -->
-</span>            
-    		<span id="wdn_site_title">
-<!-- InstanceBeginEditable name="titlegraphic" -->
-Throught the Eyes of a Child Initiative<span>A Nebraska Supreme Court Initiative</span>
-<!-- InstanceEndEditable -->
-</span>
-    		<!--#include virtual="/wdn/templates_3.1/includes/idm.html" -->
-            <!--#include virtual="/wdn/templates_3.1/includes/wdnTools.html" -->
-        </header>
-        <div id="wdn_navigation_bar">
-            <nav id="breadcrumbs">
-                <!-- WDN: see glossary item 'breadcrumbs' -->
-                <h3 class="wdn_list_descriptor hidden">Breadcrumbs</h3>
-                
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-                <ul>
-                    <li><a href="http://www.throughtheeyes.org/" title="Through the Eyes of the Child Initiative">Home</a></li>
-                </ul>
-                
-<!-- InstanceEndEditable -->
-            </nav>
-            <div id="wdn_navigation_wrapper">
-                <nav id="navigation" role="navigation">
-                    <h3 class="wdn_list_descriptor hidden">Navigation</h3>
-                    
-<!-- InstanceBeginEditable name="navlinks" -->
-                    <!--#include virtual="../sharedcode/navigation.html" -->
-                    
-<!-- InstanceEndEditable -->
-                </nav>
-            </div>
-        </div>
-        <div id="wdn_content_wrapper">
-            <div id="pagetitle">
-                
-<!-- InstanceBeginEditable name="pagetitle" -->
-                <h1>This is your page title. It's now an &lt;h1&gt;, baby!</h1>
-                
-<!-- InstanceEndEditable -->
-            </div>
-            <div id="maincontent" role="main">
-                <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-                
-<!-- InstanceBeginEditable name="maincontentarea" -->
-                <h2>This is a blank page</h2>
-                <p>Impress your audience with awesome content!</p> 
-                
-<!-- InstanceEndEditable -->
-                <div class="clear"></div>
-                <!--#include virtual="/wdn/templates_3.1/includes/noscript.html" -->
-                <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-            </div>
-        </div>
-        <footer id="footer">
-            <div id="footer_floater"></div>
-            <div class="footer_col" id="wdn_footer_feedback">
-                <!--#include virtual="/wdn/templates_3.1/includes/feedback.html" -->
-            </div>
-            <div class="footer_col" id="wdn_footer_related">
-                
-<!-- InstanceBeginEditable name="leftcollinks" -->
-                <!--#include virtual="../sharedcode/relatedLinks.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col" id="wdn_footer_contact">
-                
-<!-- InstanceBeginEditable name="contactinfo" -->
-                <!--#include virtual="../sharedcode/footerContactInfo.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col" id="wdn_footer_share">
-                <!--#include virtual="/wdn/templates_3.1/includes/socialmediashare.html" -->
-            </div>
-            
-<!-- InstanceBeginEditable name="optionalfooter" -->
-            
-<!-- InstanceEndEditable -->
-            <div id="wdn_copyright">
-                <div>
-                    
-<!-- InstanceBeginEditable name="footercontent" -->
-                    <!--#include virtual="../sharedcode/footer.html" -->
-                    
-<!-- InstanceEndEditable -->
-                    <!--#include virtual="/wdn/templates_3.1/includes/wdn.html" -->
-                </div>
-                <!--#include virtual="/wdn/templates_3.1/includes/logos.html" -->
-            </div>
-        </footer>
-    </div>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Unlaffiliate_debug.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Unlaffiliate_debug.tpl
deleted file mode 100644
index 112032443e093c022962c69544ac457cafc6b4fe..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Unlaffiliate_debug.tpl
+++ /dev/null
@@ -1,141 +0,0 @@
-<!DOCTYPE html>
-<!--[if IEMobile 7 ]><html class="ie iem7"><![endif]-->
-<!--[if lt IE 7 ]><html class="ie ie6" lang="en"><![endif]-->
-<!--[if IE 7 ]><html class="ie ie7" lang="en"><![endif]-->
-<!--[if IE 8 ]><html class="ie ie8" lang="en"><![endif]-->
-<!--[if (gte IE 9)|(gt IEMobile 7) ]><html class="ie" lang="en"><![endif]-->
-<!--[if !(IEMobile) | !(IE)]><!--><html lang="en"><!-- InstanceBegin template="/Templates/unlaffiliate_debug.dwt" codeOutsideHTMLIsLocked="false" --><!--<![endif]-->
-<head>
-<!--#include virtual="/wdn/templates_3.1/includes/metanfavico.html" -->
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: unlaffiliate_debug.dwt | ea2608181e2b6604db76106fd982b39218ddcb8b | Fri Mar 9 12:20:43 2012 -0600 | Kevin Abel  $
--->
-<!--#include virtual="/wdn/templates_3.1/includes/scriptsandstyles_debug.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>Use a descriptive page title | Optional Site Title (use for context) | UNL Affiliate</title>
-<!-- InstanceEndEditable -->
-
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-<link rel="stylesheet" type="text/css" media="screen" href="../sharedcode/affiliate.css" />
-<link href="../sharedcode/affiliate_imgs/favicon.ico" rel="shortcut icon" />
-<!-- InstanceEndEditable -->
-<!-- InstanceParam name="class" type="text" value="fixed debug" -->
-</head>
-<body class="@@(_document['class'])@@" data-version="3.1">
-    <nav class="skipnav">
-        <a class="skipnav" href="#maincontent">Skip Navigation</a>
-    </nav>
-    <div id="wdn_wrapper">
-        <header id="header" role="banner">
-            <!-- InstanceBeginEditable name="sitebranding_logo" -->
-            <a id="logo" href="http://www.throughtheeyes.org/" title="Through the Eyes of the Child Initiative">Through the Eyes of the Child Initiative</a>
-            
-<!-- InstanceEndEditable -->
-            <span id="wdn_institution_title"><!-- InstanceBeginEditable name="sitebranding_affiliate" --><a href="http://www.unl.edu" title="University of Nebraska&ndash;Lincoln">An affiliate of the University of Nebraska&ndash;Lincoln</a>
-<!-- InstanceEndEditable -->
-</span>            
-    		<span id="wdn_site_title">
-<!-- InstanceBeginEditable name="titlegraphic" -->
-Throught the Eyes of a Child Initiative<span>A Nebraska Supreme Court Initiative</span>
-<!-- InstanceEndEditable -->
-</span>
-    		<!--#include virtual="/wdn/templates_3.1/includes/idm.html" -->
-            <!--#include virtual="/wdn/templates_3.1/includes/wdnTools.html" -->
-        </header>
-        <div id="wdn_navigation_bar">
-            <nav id="breadcrumbs">
-                <!-- WDN: see glossary item 'breadcrumbs' -->
-                <h3 class="wdn_list_descriptor hidden">Breadcrumbs</h3>
-                
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-                <ul>
-                    <li><a href="http://www.throughtheeyes.org/" title="Through the Eyes of the Child Initiative">Home</a></li>
-                </ul>
-                
-<!-- InstanceEndEditable -->
-            </nav>
-            <div id="wdn_navigation_wrapper">
-                <nav id="navigation" role="navigation">
-                    <h3 class="wdn_list_descriptor hidden">Navigation</h3>
-                    
-<!-- InstanceBeginEditable name="navlinks" -->
-                    <!--#include virtual="../sharedcode/navigation.html" -->
-                    
-<!-- InstanceEndEditable -->
-                </nav>
-            </div>
-        </div>
-        <div id="wdn_content_wrapper">
-            <div id="pagetitle">
-                
-<!-- InstanceBeginEditable name="pagetitle" -->
-                <h1>This is your page title. It's now an &lt;h1&gt;, baby!</h1>
-                
-<!-- InstanceEndEditable -->
-            </div>
-            <div id="maincontent" role="main">
-                <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-                
-<!-- InstanceBeginEditable name="maincontentarea" -->
-                <h2>This is a blank page</h2>
-                <p>Impress your audience with awesome content!</p> 
-                
-<!-- InstanceEndEditable -->
-                <div class="clear"></div>
-                <!--#include virtual="/wdn/templates_3.1/includes/noscript.html" -->
-                <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-            </div>
-        </div>
-        <footer id="footer">
-            <div id="footer_floater"></div>
-            <div class="footer_col" id="wdn_footer_feedback">
-                <!--#include virtual="/wdn/templates_3.1/includes/feedback.html" -->
-            </div>
-            <div class="footer_col" id="wdn_footer_related">
-                
-<!-- InstanceBeginEditable name="leftcollinks" -->
-                <!--#include virtual="../sharedcode/relatedLinks.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col" id="wdn_footer_contact">
-                
-<!-- InstanceBeginEditable name="contactinfo" -->
-                <!--#include virtual="../sharedcode/footerContactInfo.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col" id="wdn_footer_share">
-                <!--#include virtual="/wdn/templates_3.1/includes/socialmediashare.html" -->
-            </div>
-            
-<!-- InstanceBeginEditable name="optionalfooter" -->
-            
-<!-- InstanceEndEditable -->
-            <div id="wdn_copyright">
-                <div>
-                    
-<!-- InstanceBeginEditable name="footercontent" -->
-                    <!--#include virtual="../sharedcode/footer.html" -->
-                    
-<!-- InstanceEndEditable -->
-                    <!--#include virtual="/wdn/templates_3.1/includes/wdn.html" -->
-                </div>
-                <!--#include virtual="/wdn/templates_3.1/includes/logos.html" -->
-            </div>
-        </footer>
-    </div>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Unlaffiliate_local.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Unlaffiliate_local.tpl
deleted file mode 100644
index 09e83982249ffd96b9dc83474babaa3a0c567e72..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version3x1/Unlaffiliate_local.tpl
+++ /dev/null
@@ -1,141 +0,0 @@
-<!DOCTYPE html>
-<!--[if IEMobile 7 ]><html class="ie iem7"><![endif]-->
-<!--[if lt IE 7 ]><html class="ie ie6" lang="en"><![endif]-->
-<!--[if IE 7 ]><html class="ie ie7" lang="en"><![endif]-->
-<!--[if IE 8 ]><html class="ie ie8" lang="en"><![endif]-->
-<!--[if (gte IE 9)|(gt IEMobile 7) ]><html class="ie" lang="en"><![endif]-->
-<!--[if !(IEMobile) | !(IE)]><!--><html lang="en"><!-- InstanceBegin template="/Templates/unlaffiliate_local.dwt" codeOutsideHTMLIsLocked="false" --><!--<![endif]-->
-<head>
-<!--#include virtual="/wdn/templates_3.1/includes/metanfavico.html" -->
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: unlaffiliate_local.dwt | d3b0e517ecafe3e1f81c45ddafa7a316adcc45dd | Fri Mar 9 11:41:56 2012 -0600 | Kevin Abel  $
--->
-<!--#include virtual="/wdn/templates_3.1/includes/scriptsandstyles_local.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>Use a descriptive page title | Optional Site Title (use for context) | UNL Affiliate</title>
-<!-- InstanceEndEditable -->
-
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-<link rel="stylesheet" type="text/css" media="screen" href="../sharedcode/affiliate.css" />
-<link href="../sharedcode/affiliate_imgs/favicon.ico" rel="shortcut icon" />
-<!-- InstanceEndEditable -->
-<!-- InstanceParam name="class" type="text" value="fixed" -->
-</head>
-<body class="@@(_document['class'])@@" data-version="3.1">
-    <nav class="skipnav">
-        <a class="skipnav" href="#maincontent">Skip Navigation</a>
-    </nav>
-    <div id="wdn_wrapper">
-        <header id="header" role="banner">
-            <!-- InstanceBeginEditable name="sitebranding_logo" -->
-            <a id="logo" href="http://www.throughtheeyes.org/" title="Through the Eyes of the Child Initiative">Through the Eyes of the Child Initiative</a>
-            
-<!-- InstanceEndEditable -->
-            <span id="wdn_institution_title"><!-- InstanceBeginEditable name="sitebranding_affiliate" --><a href="http://www.unl.edu" title="University of Nebraska&ndash;Lincoln">An affiliate of the University of Nebraska&ndash;Lincoln</a>
-<!-- InstanceEndEditable -->
-</span>            
-    		<span id="wdn_site_title">
-<!-- InstanceBeginEditable name="titlegraphic" -->
-Throught the Eyes of a Child Initiative<span>A Nebraska Supreme Court Initiative</span>
-<!-- InstanceEndEditable -->
-</span>
-    		<!--#include virtual="/wdn/templates_3.1/includes/idm.html" -->
-            <!--#include virtual="/wdn/templates_3.1/includes/wdnTools.html" -->
-        </header>
-        <div id="wdn_navigation_bar">
-            <nav id="breadcrumbs">
-                <!-- WDN: see glossary item 'breadcrumbs' -->
-                <h3 class="wdn_list_descriptor hidden">Breadcrumbs</h3>
-                
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-                <ul>
-                    <li><a href="http://www.throughtheeyes.org/" title="Through the Eyes of the Child Initiative">Home</a></li>
-                </ul>
-                
-<!-- InstanceEndEditable -->
-            </nav>
-            <div id="wdn_navigation_wrapper">
-                <nav id="navigation" role="navigation">
-                    <h3 class="wdn_list_descriptor hidden">Navigation</h3>
-                    
-<!-- InstanceBeginEditable name="navlinks" -->
-                    <!--#include virtual="../sharedcode/navigation.html" -->
-                    
-<!-- InstanceEndEditable -->
-                </nav>
-            </div>
-        </div>
-        <div id="wdn_content_wrapper">
-            <div id="pagetitle">
-                
-<!-- InstanceBeginEditable name="pagetitle" -->
-                <h1>This is your page title. It's now an &lt;h1&gt;, baby!</h1>
-                
-<!-- InstanceEndEditable -->
-            </div>
-            <div id="maincontent" role="main">
-                <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-                
-<!-- InstanceBeginEditable name="maincontentarea" -->
-                <h2>This is a blank page</h2>
-                <p>Impress your audience with awesome content!</p> 
-                
-<!-- InstanceEndEditable -->
-                <div class="clear"></div>
-                <!--#include virtual="/wdn/templates_3.1/includes/noscript.html" -->
-                <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-            </div>
-        </div>
-        <footer id="footer">
-            <div id="footer_floater"></div>
-            <div class="footer_col" id="wdn_footer_feedback">
-                <!--#include virtual="/wdn/templates_3.1/includes/feedback.html" -->
-            </div>
-            <div class="footer_col" id="wdn_footer_related">
-                
-<!-- InstanceBeginEditable name="leftcollinks" -->
-                <!--#include virtual="../sharedcode/relatedLinks.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col" id="wdn_footer_contact">
-                
-<!-- InstanceBeginEditable name="contactinfo" -->
-                <!--#include virtual="../sharedcode/footerContactInfo.html" -->
-                
-<!-- InstanceEndEditable -->
-</div>
-            <div class="footer_col" id="wdn_footer_share">
-                <!--#include virtual="/wdn/templates_3.1/includes/socialmediashare.html" -->
-            </div>
-            
-<!-- InstanceBeginEditable name="optionalfooter" -->
-            
-<!-- InstanceEndEditable -->
-            <div id="wdn_copyright">
-                <div>
-                    
-<!-- InstanceBeginEditable name="footercontent" -->
-                    <!--#include virtual="../sharedcode/footer.html" -->
-                    
-<!-- InstanceEndEditable -->
-                    <!--#include virtual="/wdn/templates_3.1/includes/wdn.html" -->
-                </div>
-                <!--#include virtual="/wdn/templates_3.1/includes/logos.html" -->
-            </div>
-        </footer>
-    </div>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Debug.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Debug.tpl
deleted file mode 100644
index da4455710d6d033be2441569fee84a6a0388e3bf..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Debug.tpl
+++ /dev/null
@@ -1,166 +0,0 @@
-<!DOCTYPE html>
-<!--[if IEMobile 7 ]><html class="ie iem7"><![endif]-->
-<!--[if lt IE 7 ]><html class="ie ie6" lang="en"><![endif]-->
-<!--[if IE 7 ]><html class="ie ie7" lang="en"><![endif]-->
-<!--[if IE 8 ]><html class="ie ie8" lang="en"><![endif]-->
-<!--[if (gte IE 9)|(gt IEMobile 7) ]><html class="ie" lang="en"><![endif]-->
-<!--[if !(IEMobile) | !(IE)]><!--><html lang="en"><!-- InstanceBegin template="/Templates/debug.dwt" codeOutsideHTMLIsLocked="false" --><!--<![endif]-->
-<head>
-<!--#include virtual="/wdn/templates_4.0/includes/metanfavico.html" -->
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: debug.dwt | 1453c8fc0eafda458699fd5676379805da2368cc | Fri Oct 12 13:23:32 2012 -0500 | Seth Meranda  $
--->
-<!--#include virtual="/wdn/templates_4.0/includes/scriptsandstyles_debug.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>Use a descriptive page title | Optional Site Title (use for context) | University of Nebraska&ndash;Lincoln</title>
-<!-- InstanceEndEditable -->
-
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-
-<!-- InstanceEndEditable -->
-<!-- InstanceParam name="class" type="text" value="debug" -->
-</head>
-<body class="@@(_document['class'])@@" data-version="4.0">
-    <!--#include virtual="/wdn/templates_4.0/includes/skipnav.html" -->
-    <div id="wdn_wrapper">
-        <input type="checkbox" id="wdn_menu_toggle" value="Show navigation menu" class="wdn-content-slide wdn-input-driver" />
-        <!--#include virtual="/wdn/templates_4.0/includes/noscript-padding.html" -->
-        <header id="header" role="banner" class="wdn-content-slide wdn-band">
-            <!--#include virtual="/wdn/templates_4.0/includes/wdnResources.html" -->
-            <div class="wdn-inner-wrapper">
-                <!--#include virtual="/wdn/templates_4.0/includes/logo.html" -->
-                <div id="wdn_resources">
-                    <!--#include virtual="/wdn/templates_4.0/includes/idm.html" -->
-                    <!--#include virtual="/wdn/templates_4.0/includes/wdnTools.html" -->
-                </div>
-                <span id="wdn_institution_title">University of Nebraska&ndash;Lincoln</span>
-            </div>
-            <!--#include virtual="/wdn/templates_4.0/includes/apps.html" -->
-            <div class="wdn-inner-wrapper">
-                <div id="wdn_site_title">
-                    <span>
-<!-- InstanceBeginEditable name="titlegraphic" -->
-The Title of My Site
-<!-- InstanceEndEditable -->
-</span>
-                </div>
-            </div>
-        </header>
-        <div id="wdn_navigation_bar" role="navigation" class="wdn-band">
-            <nav id="breadcrumbs" class="wdn-inner-wrapper">
-                <!-- WDN: see glossary item 'breadcrumbs' -->
-                <h3 class="wdn_list_descriptor wdn-text-hidden">Breadcrumbs</h3>
-                
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-                <ul>
-                    <li><a href="http://www.unl.edu/" title="University of Nebraska&ndash;Lincoln" class="wdn-icon-home">UNL</a></li>
-                    <li><a href="#" title="Site Title">Site Title</a></li>
-                    <li>Home</li>
-                </ul>
-                
-<!-- InstanceEndEditable -->
-            </nav>
-            <div id="wdn_navigation_wrapper">
-                <nav id="navigation" role="navigation" class="wdn-band">
-                    <h3 class="wdn_list_descriptor wdn-text-hidden">Navigation</h3>
-                    
-<!-- InstanceBeginEditable name="navlinks" -->
-                    <!--#include virtual="../sharedcode/navigation.html" -->
-                    
-<!-- InstanceEndEditable -->
-                    <label for="wdn_menu_toggle" class="wdn-icon-menu">Menu</label>
-                </nav>
-            </div>
-        </div>
-        <!-- Navigation Trigger -->
-        <div class="wdn-menu-trigger wdn-content-slide">
-            <label for="wdn_menu_toggle" class="wdn-icon-menu">Menu</label>
-        </div>
-        <!-- End navigation trigger -->
-        <div id="wdn_content_wrapper" role="main" class="wdn-content-slide">
-            <div class="wdn-band">
-                <div class="wdn-inner-wrapper">
-                    <div id="pagetitle">
-                        
-<!-- InstanceBeginEditable name="pagetitle" -->
-                        <h1>Please Title Your Page Here</h1>
-                        
-<!-- InstanceEndEditable -->
-                    </div>
-                </div>
-            </div>
-            <div id="maincontent" class="wdn-main">
-                <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-                
-<!-- InstanceBeginEditable name="maincontentarea" -->
-                <div class="wdn-band">
-                    <div class="wdn-inner-wrapper">
-                        <p>Impress your audience with awesome content!</p>
-                    </div>
-                </div>
-                
-<!-- InstanceEndEditable -->
-                <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-            </div>
-        </div>
-        <div class="wdn-band wdn-content-slide" id="wdn_optional_footer">
-            <div class="wdn-inner-wrapper">
-                
-<!-- InstanceBeginEditable name="optionalfooter" -->
-                
-<!-- InstanceEndEditable -->
-            </div>
-        </div>
-        <footer id="footer" role="contentinfo" class="wdn-content-slide">
-            <div class="wdn-band" id="wdn_footer_related">
-                <div class="wdn-inner-wrapper">
-                    
-<!-- InstanceBeginEditable name="leftcollinks" -->
-                    <!--#include virtual="../sharedcode/relatedLinks.html" -->
-                    
-<!-- InstanceEndEditable -->
-                </div>
-            </div>
-            <div class="wdn-band">
-                <div class="wdn-inner-wrapper">
-                    <div class="footer_col" id="wdn_footer_contact">
-                        <h3>Contact Us</h3>
-                        <div class="wdn-contact-wrapper">
-                            
-<!-- InstanceBeginEditable name="contactinfo" -->
-                            <!--#include virtual="../sharedcode/footerContactInfo.html" -->
-                            
-<!-- InstanceEndEditable -->
-                        </div>
-                    </div>
-                    <div id="wdn_copyright">
-                        <div class="wdn-footer-text">
-                            
-<!-- InstanceBeginEditable name="footercontent" -->
-                            <!--#include virtual="../sharedcode/footer.html" -->
-                            
-<!-- InstanceEndEditable -->
-                            <!--#include virtual="/wdn/templates_4.0/includes/wdn.html" -->
-                        </div>
-                    <!--#include virtual="/wdn/templates_4.0/includes/logos.html" -->
-                    </div>
-                </div>
-            </div>
-            <!--#include virtual="/wdn/templates_4.0/includes/footer_floater.html" -->
-        </footer>
-        <!--#include virtual="/wdn/templates_4.0/includes/noscript.html" -->
-    </div>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Fixed.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Fixed.tpl
deleted file mode 100644
index 5179f462554cdbb80086f6ed61ff0391b49c33e1..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Fixed.tpl
+++ /dev/null
@@ -1,166 +0,0 @@
-<!DOCTYPE html>
-<!--[if IEMobile 7 ]><html class="ie iem7"><![endif]-->
-<!--[if lt IE 7 ]><html class="ie ie6" lang="en"><![endif]-->
-<!--[if IE 7 ]><html class="ie ie7" lang="en"><![endif]-->
-<!--[if IE 8 ]><html class="ie ie8" lang="en"><![endif]-->
-<!--[if (gte IE 9)|(gt IEMobile 7) ]><html class="ie" lang="en"><![endif]-->
-<!--[if !(IEMobile) | !(IE)]><!--><html lang="en"><!-- InstanceBegin template="/Templates/fixed.dwt" codeOutsideHTMLIsLocked="false" --><!--<![endif]-->
-<head>
-<!--#include virtual="/wdn/templates_4.0/includes/metanfavico.html" -->
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: fixed.dwt | 1453c8fc0eafda458699fd5676379805da2368cc | Fri Oct 12 13:23:32 2012 -0500 | Seth Meranda  $
--->
-<!--#include virtual="/wdn/templates_4.0/includes/scriptsandstyles.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>Use a descriptive page title | Optional Site Title (use for context) | University of Nebraska&ndash;Lincoln</title>
-<!-- InstanceEndEditable -->
-
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-
-<!-- InstanceEndEditable -->
-<!-- InstanceParam name="class" type="text" value="" -->
-</head>
-<body class="@@(_document['class'])@@" data-version="4.0">
-    <!--#include virtual="/wdn/templates_4.0/includes/skipnav.html" -->
-    <div id="wdn_wrapper">
-        <input type="checkbox" id="wdn_menu_toggle" value="Show navigation menu" class="wdn-content-slide wdn-input-driver" />
-        <!--#include virtual="/wdn/templates_4.0/includes/noscript-padding.html" -->
-        <header id="header" role="banner" class="wdn-content-slide wdn-band">
-            <!--#include virtual="/wdn/templates_4.0/includes/wdnResources.html" -->
-            <div class="wdn-inner-wrapper">
-                <!--#include virtual="/wdn/templates_4.0/includes/logo.html" -->
-                <div id="wdn_resources">
-                    <!--#include virtual="/wdn/templates_4.0/includes/idm.html" -->
-                    <!--#include virtual="/wdn/templates_4.0/includes/wdnTools.html" -->
-                </div>
-                <span id="wdn_institution_title">University of Nebraska&ndash;Lincoln</span>
-            </div>
-            <!--#include virtual="/wdn/templates_4.0/includes/apps.html" -->
-            <div class="wdn-inner-wrapper">
-                <div id="wdn_site_title">
-                    <span>
-<!-- InstanceBeginEditable name="titlegraphic" -->
-The Title of My Site
-<!-- InstanceEndEditable -->
-</span>
-                </div>
-            </div>
-        </header>
-        <div id="wdn_navigation_bar" role="navigation" class="wdn-band">
-            <nav id="breadcrumbs" class="wdn-inner-wrapper">
-                <!-- WDN: see glossary item 'breadcrumbs' -->
-                <h3 class="wdn_list_descriptor wdn-text-hidden">Breadcrumbs</h3>
-                
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-                <ul>
-                    <li><a href="http://www.unl.edu/" title="University of Nebraska&ndash;Lincoln" class="wdn-icon-home">UNL</a></li>
-                    <li><a href="#" title="Site Title">Site Title</a></li>
-                    <li>Home</li>
-                </ul>
-                
-<!-- InstanceEndEditable -->
-            </nav>
-            <div id="wdn_navigation_wrapper">
-                <nav id="navigation" role="navigation" class="wdn-band">
-                    <h3 class="wdn_list_descriptor wdn-text-hidden">Navigation</h3>
-                    
-<!-- InstanceBeginEditable name="navlinks" -->
-                    <!--#include virtual="../sharedcode/navigation.html" -->
-                    
-<!-- InstanceEndEditable -->
-                    <label for="wdn_menu_toggle" class="wdn-icon-menu">Menu</label>
-                </nav>
-            </div>
-        </div>
-        <!-- Navigation Trigger -->
-        <div class="wdn-menu-trigger wdn-content-slide">
-            <label for="wdn_menu_toggle" class="wdn-icon-menu">Menu</label>
-        </div>
-        <!-- End navigation trigger -->
-        <div id="wdn_content_wrapper" role="main" class="wdn-content-slide">
-            <div class="wdn-band">
-                <div class="wdn-inner-wrapper">
-                    <div id="pagetitle">
-                        
-<!-- InstanceBeginEditable name="pagetitle" -->
-                        <h1>Please Title Your Page Here</h1>
-                        
-<!-- InstanceEndEditable -->
-                    </div>
-                </div>
-            </div>
-            <div id="maincontent" class="wdn-main">
-                <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-                
-<!-- InstanceBeginEditable name="maincontentarea" -->
-                <div class="wdn-band">
-                    <div class="wdn-inner-wrapper">
-                        <p>Impress your audience with awesome content!</p>
-                    </div>
-                </div>
-                
-<!-- InstanceEndEditable -->
-                <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-            </div>
-        </div>
-        <div class="wdn-band wdn-content-slide" id="wdn_optional_footer">
-            <div class="wdn-inner-wrapper">
-                
-<!-- InstanceBeginEditable name="optionalfooter" -->
-                
-<!-- InstanceEndEditable -->
-            </div>
-        </div>
-        <footer id="footer" role="contentinfo" class="wdn-content-slide">
-            <div class="wdn-band" id="wdn_footer_related">
-                <div class="wdn-inner-wrapper">
-                    
-<!-- InstanceBeginEditable name="leftcollinks" -->
-                    <!--#include virtual="../sharedcode/relatedLinks.html" -->
-                    
-<!-- InstanceEndEditable -->
-                </div>
-            </div>
-            <div class="wdn-band">
-                <div class="wdn-inner-wrapper">
-                    <div class="footer_col" id="wdn_footer_contact">
-                        <h3>Contact Us</h3>
-                        <div class="wdn-contact-wrapper">
-                            
-<!-- InstanceBeginEditable name="contactinfo" -->
-                            <!--#include virtual="../sharedcode/footerContactInfo.html" -->
-                            
-<!-- InstanceEndEditable -->
-                        </div>
-                    </div>
-                    <div id="wdn_copyright">
-                        <div class="wdn-footer-text">
-                            
-<!-- InstanceBeginEditable name="footercontent" -->
-                            <!--#include virtual="../sharedcode/footer.html" -->
-                            
-<!-- InstanceEndEditable -->
-                            <!--#include virtual="/wdn/templates_4.0/includes/wdn.html" -->
-                        </div>
-                    <!--#include virtual="/wdn/templates_4.0/includes/logos.html" -->
-                    </div>
-                </div>
-            </div>
-            <!--#include virtual="/wdn/templates_4.0/includes/footer_floater.html" -->
-        </footer>
-        <!--#include virtual="/wdn/templates_4.0/includes/noscript.html" -->
-    </div>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Local.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Local.tpl
deleted file mode 100644
index ecc46f57bfb32bcf9527e08f5e8b021288c167f3..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Local.tpl
+++ /dev/null
@@ -1,166 +0,0 @@
-<!DOCTYPE html>
-<!--[if IEMobile 7 ]><html class="ie iem7"><![endif]-->
-<!--[if lt IE 7 ]><html class="ie ie6" lang="en"><![endif]-->
-<!--[if IE 7 ]><html class="ie ie7" lang="en"><![endif]-->
-<!--[if IE 8 ]><html class="ie ie8" lang="en"><![endif]-->
-<!--[if (gte IE 9)|(gt IEMobile 7) ]><html class="ie" lang="en"><![endif]-->
-<!--[if !(IEMobile) | !(IE)]><!--><html lang="en"><!-- InstanceBegin template="/Templates/local.dwt" codeOutsideHTMLIsLocked="false" --><!--<![endif]-->
-<head>
-<!--#include virtual="/wdn/templates_4.0/includes/metanfavico.html" -->
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: local.dwt | 1453c8fc0eafda458699fd5676379805da2368cc | Fri Oct 12 13:23:32 2012 -0500 | Seth Meranda  $
--->
-<!--#include virtual="/wdn/templates_4.0/includes/scriptsandstyles_local.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>Use a descriptive page title | Optional Site Title (use for context) | University of Nebraska&ndash;Lincoln</title>
-<!-- InstanceEndEditable -->
-
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-
-<!-- InstanceEndEditable -->
-<!-- InstanceParam name="class" type="text" value="" -->
-</head>
-<body class="@@(_document['class'])@@" data-version="4.0">
-    <!--#include virtual="/wdn/templates_4.0/includes/skipnav.html" -->
-    <div id="wdn_wrapper">
-        <input type="checkbox" id="wdn_menu_toggle" value="Show navigation menu" class="wdn-content-slide wdn-input-driver" />
-        <!--#include virtual="/wdn/templates_4.0/includes/noscript-padding.html" -->
-        <header id="header" role="banner" class="wdn-content-slide wdn-band">
-            <!--#include virtual="/wdn/templates_4.0/includes/wdnResources.html" -->
-            <div class="wdn-inner-wrapper">
-                <!--#include virtual="/wdn/templates_4.0/includes/logo.html" -->
-                <div id="wdn_resources">
-                    <!--#include virtual="/wdn/templates_4.0/includes/idm.html" -->
-                    <!--#include virtual="/wdn/templates_4.0/includes/wdnTools.html" -->
-                </div>
-                <span id="wdn_institution_title">University of Nebraska&ndash;Lincoln</span>
-            </div>
-            <!--#include virtual="/wdn/templates_4.0/includes/apps.html" -->
-            <div class="wdn-inner-wrapper">
-                <div id="wdn_site_title">
-                    <span>
-<!-- InstanceBeginEditable name="titlegraphic" -->
-The Title of My Site
-<!-- InstanceEndEditable -->
-</span>
-                </div>
-            </div>
-        </header>
-        <div id="wdn_navigation_bar" role="navigation" class="wdn-band">
-            <nav id="breadcrumbs" class="wdn-inner-wrapper">
-                <!-- WDN: see glossary item 'breadcrumbs' -->
-                <h3 class="wdn_list_descriptor wdn-text-hidden">Breadcrumbs</h3>
-                
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-                <ul>
-                    <li><a href="http://www.unl.edu/" title="University of Nebraska&ndash;Lincoln" class="wdn-icon-home">UNL</a></li>
-                    <li><a href="#" title="Site Title">Site Title</a></li>
-                    <li>Home</li>
-                </ul>
-                
-<!-- InstanceEndEditable -->
-            </nav>
-            <div id="wdn_navigation_wrapper">
-                <nav id="navigation" role="navigation" class="wdn-band">
-                    <h3 class="wdn_list_descriptor wdn-text-hidden">Navigation</h3>
-                    
-<!-- InstanceBeginEditable name="navlinks" -->
-                    <!--#include virtual="../sharedcode/navigation.html" -->
-                    
-<!-- InstanceEndEditable -->
-                    <label for="wdn_menu_toggle" class="wdn-icon-menu">Menu</label>
-                </nav>
-            </div>
-        </div>
-        <!-- Navigation Trigger -->
-        <div class="wdn-menu-trigger wdn-content-slide">
-            <label for="wdn_menu_toggle" class="wdn-icon-menu">Menu</label>
-        </div>
-        <!-- End navigation trigger -->
-        <div id="wdn_content_wrapper" role="main" class="wdn-content-slide">
-            <div class="wdn-band">
-                <div class="wdn-inner-wrapper">
-                    <div id="pagetitle">
-                        
-<!-- InstanceBeginEditable name="pagetitle" -->
-                        <h1>Please Title Your Page Here</h1>
-                        
-<!-- InstanceEndEditable -->
-                    </div>
-                </div>
-            </div>
-            <div id="maincontent" class="wdn-main">
-                <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-                
-<!-- InstanceBeginEditable name="maincontentarea" -->
-                <div class="wdn-band">
-                    <div class="wdn-inner-wrapper">
-                        <p>Impress your audience with awesome content!</p>
-                    </div>
-                </div>
-                
-<!-- InstanceEndEditable -->
-                <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-            </div>
-        </div>
-        <div class="wdn-band wdn-content-slide" id="wdn_optional_footer">
-            <div class="wdn-inner-wrapper">
-                
-<!-- InstanceBeginEditable name="optionalfooter" -->
-                
-<!-- InstanceEndEditable -->
-            </div>
-        </div>
-        <footer id="footer" role="contentinfo" class="wdn-content-slide">
-            <div class="wdn-band" id="wdn_footer_related">
-                <div class="wdn-inner-wrapper">
-                    
-<!-- InstanceBeginEditable name="leftcollinks" -->
-                    <!--#include virtual="../sharedcode/relatedLinks.html" -->
-                    
-<!-- InstanceEndEditable -->
-                </div>
-            </div>
-            <div class="wdn-band">
-                <div class="wdn-inner-wrapper">
-                    <div class="footer_col" id="wdn_footer_contact">
-                        <h3>Contact Us</h3>
-                        <div class="wdn-contact-wrapper">
-                            
-<!-- InstanceBeginEditable name="contactinfo" -->
-                            <!--#include virtual="../sharedcode/footerContactInfo.html" -->
-                            
-<!-- InstanceEndEditable -->
-                        </div>
-                    </div>
-                    <div id="wdn_copyright">
-                        <div class="wdn-footer-text">
-                            
-<!-- InstanceBeginEditable name="footercontent" -->
-                            <!--#include virtual="../sharedcode/footer.html" -->
-                            
-<!-- InstanceEndEditable -->
-                            <!--#include virtual="/wdn/templates_4.0/includes/wdn.html" -->
-                        </div>
-                    <!--#include virtual="/wdn/templates_4.0/includes/logos.html" -->
-                    </div>
-                </div>
-            </div>
-            <!--#include virtual="/wdn/templates_4.0/includes/footer_floater.html" -->
-        </footer>
-        <!--#include virtual="/wdn/templates_4.0/includes/noscript.html" -->
-    </div>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Unlaffiliate.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Unlaffiliate.tpl
deleted file mode 100644
index d9d358631659857513eb985b2008445acdc63f25..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Unlaffiliate.tpl
+++ /dev/null
@@ -1,172 +0,0 @@
-<!DOCTYPE html>
-<!--[if IEMobile 7 ]><html class="ie iem7"><![endif]-->
-<!--[if lt IE 7 ]><html class="ie ie6" lang="en"><![endif]-->
-<!--[if IE 7 ]><html class="ie ie7" lang="en"><![endif]-->
-<!--[if IE 8 ]><html class="ie ie8" lang="en"><![endif]-->
-<!--[if (gte IE 9)|(gt IEMobile 7) ]><html class="ie" lang="en"><![endif]-->
-<!--[if !(IEMobile) | !(IE)]><!--><html lang="en"><!-- InstanceBegin template="/Templates/unlaffiliate.dwt" codeOutsideHTMLIsLocked="false" --><!--<![endif]-->
-<head>
-<!--#include virtual="/wdn/templates_4.0/includes/metanfavico.html" -->
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: unlaffiliate.dwt | 1453c8fc0eafda458699fd5676379805da2368cc | Fri Oct 12 13:23:32 2012 -0500 | Seth Meranda  $
--->
-<!--#include virtual="/wdn/templates_4.0/includes/scriptsandstyles.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>Use a descriptive page title | Optional Site Title (use for context) | UNL Affiliate</title>
-<!-- InstanceEndEditable -->
-
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-<link rel="stylesheet" type="text/css" media="screen" href="../sharedcode/affiliate.css" />
-<link href="../sharedcode/affiliate_imgs/favicon.ico" rel="shortcut icon" />
-<!-- InstanceEndEditable -->
-<!-- InstanceParam name="class" type="text" value="" -->
-</head>
-<body class="@@(_document['class'])@@" data-version="4.0">
-    <!--#include virtual="/wdn/templates_4.0/includes/skipnav.html" -->
-    <div id="wdn_wrapper">
-        <input type="checkbox" id="wdn_menu_toggle" value="Show navigation menu" class="wdn-content-slide wdn-input-driver" />
-        <!--#include virtual="/wdn/templates_4.0/includes/noscript-padding.html" -->
-        <header id="header" role="banner" class="wdn-content-slide wdn-band">
-            <!--#include virtual="/wdn/templates_4.0/includes/wdnResources.html" -->
-            <div class="wdn-inner-wrapper">
-                <!-- InstanceBeginEditable name="sitebranding_logo" -->
-                <div id="logo">
-                    <a href="http://www.throughtheeyes.org/" title="Through the Eyes of the Child Initiative" id="wdn_logo_link">Through the Eyes of the Child Initiative</a>
-                </div>
-                
-<!-- InstanceEndEditable -->
-                <div id="wdn_resources">
-                    <!--#include virtual="/wdn/templates_4.0/includes/idm.html" -->
-                    <!--#include virtual="/wdn/templates_4.0/includes/wdnTools.html" -->
-                </div>
-                <span id="wdn_institution_title"><!-- InstanceBeginEditable name="sitebranding_affiliate" --><a href="http://www.unl.edu" title="University of Nebraska&ndash;Lincoln">An affiliate of the University of Nebraska&ndash;Lincoln</a>
-<!-- InstanceEndEditable -->
-</span>
-            </div>
-            <!--#include virtual="/wdn/templates_4.0/includes/apps.html" -->
-            <div class="wdn-inner-wrapper">
-                <div id="wdn_site_title">
-                    <span>
-<!-- InstanceBeginEditable name="titlegraphic" -->
-The Title of My Site
-<!-- InstanceEndEditable -->
-</span>
-                </div>
-            </div>
-        </header>
-        <div id="wdn_navigation_bar" role="navigation" class="wdn-band">
-            <nav id="breadcrumbs" class="wdn-inner-wrapper">
-                <!-- WDN: see glossary item 'breadcrumbs' -->
-                <h3 class="wdn_list_descriptor wdn-text-hidden">Breadcrumbs</h3>
-                
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-                <ul>
-                    <li><a href="http://www.throughtheeyes.org/" title="Through the Eyes of the Child Initiative">Home</a></li>
-                </ul>
-                
-<!-- InstanceEndEditable -->
-            </nav>
-            <div id="wdn_navigation_wrapper">
-                <nav id="navigation" role="navigation" class="wdn-band">
-                    <h3 class="wdn_list_descriptor wdn-text-hidden">Navigation</h3>
-                    
-<!-- InstanceBeginEditable name="navlinks" -->
-                    <!--#include virtual="../sharedcode/navigation.html" -->
-                    
-<!-- InstanceEndEditable -->
-                    <label for="wdn_menu_toggle" class="wdn-icon-menu">Menu</label>
-                </nav>
-            </div>
-        </div>
-        <!-- Navigation Trigger -->
-        <div class="wdn-menu-trigger wdn-content-slide">
-            <label for="wdn_menu_toggle" class="wdn-icon-menu">Menu</label>
-        </div>
-        <!-- End navigation trigger -->
-        <div id="wdn_content_wrapper" role="main" class="wdn-content-slide">
-            <div class="wdn-band">
-                <div class="wdn-inner-wrapper">
-                    <div id="pagetitle">
-                        
-<!-- InstanceBeginEditable name="pagetitle" -->
-                        <h1>Please Title Your Page Here</h1>
-                        
-<!-- InstanceEndEditable -->
-                    </div>
-                </div>
-            </div>
-            <div id="maincontent" class="wdn-main">
-                <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-                
-<!-- InstanceBeginEditable name="maincontentarea" -->
-                <div class="wdn-band">
-                    <div class="wdn-inner-wrapper">
-                        <p>Impress your audience with awesome content!</p>
-                    </div>
-                </div>
-                
-<!-- InstanceEndEditable -->
-                <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-            </div>
-        </div>
-        <div class="wdn-band wdn-content-slide" id="wdn_optional_footer">
-            <div class="wdn-inner-wrapper">
-                
-<!-- InstanceBeginEditable name="optionalfooter" -->
-                
-<!-- InstanceEndEditable -->
-            </div>
-        </div>
-        <footer id="footer" role="contentinfo" class="wdn-content-slide">
-            <div class="wdn-band" id="wdn_footer_related">
-                <div class="wdn-inner-wrapper">
-                    
-<!-- InstanceBeginEditable name="leftcollinks" -->
-                    <!--#include virtual="../sharedcode/relatedLinks.html" -->
-                    
-<!-- InstanceEndEditable -->
-                </div>
-            </div>
-            <div class="wdn-band">
-                <div class="wdn-inner-wrapper">
-                    <div class="footer_col" id="wdn_footer_contact">
-                        <h3>Contact Us</h3>
-                        <div class="wdn-contact-wrapper">
-                            
-<!-- InstanceBeginEditable name="contactinfo" -->
-                            <!--#include virtual="../sharedcode/footerContactInfo.html" -->
-                            
-<!-- InstanceEndEditable -->
-                        </div>
-                    </div>
-                    <div id="wdn_copyright">
-                        <div class="wdn-footer-text">
-                            
-<!-- InstanceBeginEditable name="footercontent" -->
-                            <!--#include virtual="../sharedcode/footer.html" -->
-                            
-<!-- InstanceEndEditable -->
-                            <!--#include virtual="/wdn/templates_4.0/includes/wdn.html" -->
-                        </div>
-                    <!--#include virtual="/wdn/templates_4.0/includes/logos.html" -->
-                    </div>
-                </div>
-            </div>
-            <!--#include virtual="/wdn/templates_4.0/includes/footer_floater.html" -->
-        </footer>
-        <!--#include virtual="/wdn/templates_4.0/includes/noscript.html" -->
-    </div>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Unlaffiliate_debug.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Unlaffiliate_debug.tpl
deleted file mode 100644
index 08371ae90ef51277e7e070cbb654711d240214c5..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Unlaffiliate_debug.tpl
+++ /dev/null
@@ -1,172 +0,0 @@
-<!DOCTYPE html>
-<!--[if IEMobile 7 ]><html class="ie iem7"><![endif]-->
-<!--[if lt IE 7 ]><html class="ie ie6" lang="en"><![endif]-->
-<!--[if IE 7 ]><html class="ie ie7" lang="en"><![endif]-->
-<!--[if IE 8 ]><html class="ie ie8" lang="en"><![endif]-->
-<!--[if (gte IE 9)|(gt IEMobile 7) ]><html class="ie" lang="en"><![endif]-->
-<!--[if !(IEMobile) | !(IE)]><!--><html lang="en"><!-- InstanceBegin template="/Templates/unlaffiliate_debug.dwt" codeOutsideHTMLIsLocked="false" --><!--<![endif]-->
-<head>
-<!--#include virtual="/wdn/templates_4.0/includes/metanfavico.html" -->
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: unlaffiliate_debug.dwt | 1453c8fc0eafda458699fd5676379805da2368cc | Fri Oct 12 13:23:32 2012 -0500 | Seth Meranda  $
--->
-<!--#include virtual="/wdn/templates_4.0/includes/scriptsandstyles_debug.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>Use a descriptive page title | Optional Site Title (use for context) | UNL Affiliate</title>
-<!-- InstanceEndEditable -->
-
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-<link rel="stylesheet" type="text/css" media="screen" href="../sharedcode/affiliate.css" />
-<link href="../sharedcode/affiliate_imgs/favicon.ico" rel="shortcut icon" />
-<!-- InstanceEndEditable -->
-<!-- InstanceParam name="class" type="text" value="debug" -->
-</head>
-<body class="@@(_document['class'])@@" data-version="4.0">
-    <!--#include virtual="/wdn/templates_4.0/includes/skipnav.html" -->
-    <div id="wdn_wrapper">
-        <input type="checkbox" id="wdn_menu_toggle" value="Show navigation menu" class="wdn-content-slide wdn-input-driver" />
-        <!--#include virtual="/wdn/templates_4.0/includes/noscript-padding.html" -->
-        <header id="header" role="banner" class="wdn-content-slide wdn-band">
-            <!--#include virtual="/wdn/templates_4.0/includes/wdnResources.html" -->
-            <div class="wdn-inner-wrapper">
-                <!-- InstanceBeginEditable name="sitebranding_logo" -->
-                <div id="logo">
-                    <a href="http://www.throughtheeyes.org/" title="Through the Eyes of the Child Initiative" id="wdn_logo_link">Through the Eyes of the Child Initiative</a>
-                </div>
-                
-<!-- InstanceEndEditable -->
-                <div id="wdn_resources">
-                    <!--#include virtual="/wdn/templates_4.0/includes/idm.html" -->
-                    <!--#include virtual="/wdn/templates_4.0/includes/wdnTools.html" -->
-                </div>
-                <span id="wdn_institution_title"><!-- InstanceBeginEditable name="sitebranding_affiliate" --><a href="http://www.unl.edu" title="University of Nebraska&ndash;Lincoln">An affiliate of the University of Nebraska&ndash;Lincoln</a>
-<!-- InstanceEndEditable -->
-</span>
-            </div>
-            <!--#include virtual="/wdn/templates_4.0/includes/apps.html" -->
-            <div class="wdn-inner-wrapper">
-                <div id="wdn_site_title">
-                    <span>
-<!-- InstanceBeginEditable name="titlegraphic" -->
-The Title of My Site
-<!-- InstanceEndEditable -->
-</span>
-                </div>
-            </div>
-        </header>
-        <div id="wdn_navigation_bar" role="navigation" class="wdn-band">
-            <nav id="breadcrumbs" class="wdn-inner-wrapper">
-                <!-- WDN: see glossary item 'breadcrumbs' -->
-                <h3 class="wdn_list_descriptor wdn-text-hidden">Breadcrumbs</h3>
-                
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-                <ul>
-                    <li><a href="http://www.throughtheeyes.org/" title="Through the Eyes of the Child Initiative">Home</a></li>
-                </ul>
-                
-<!-- InstanceEndEditable -->
-            </nav>
-            <div id="wdn_navigation_wrapper">
-                <nav id="navigation" role="navigation" class="wdn-band">
-                    <h3 class="wdn_list_descriptor wdn-text-hidden">Navigation</h3>
-                    
-<!-- InstanceBeginEditable name="navlinks" -->
-                    <!--#include virtual="../sharedcode/navigation.html" -->
-                    
-<!-- InstanceEndEditable -->
-                    <label for="wdn_menu_toggle" class="wdn-icon-menu">Menu</label>
-                </nav>
-            </div>
-        </div>
-        <!-- Navigation Trigger -->
-        <div class="wdn-menu-trigger wdn-content-slide">
-            <label for="wdn_menu_toggle" class="wdn-icon-menu">Menu</label>
-        </div>
-        <!-- End navigation trigger -->
-        <div id="wdn_content_wrapper" role="main" class="wdn-content-slide">
-            <div class="wdn-band">
-                <div class="wdn-inner-wrapper">
-                    <div id="pagetitle">
-                        
-<!-- InstanceBeginEditable name="pagetitle" -->
-                        <h1>Please Title Your Page Here</h1>
-                        
-<!-- InstanceEndEditable -->
-                    </div>
-                </div>
-            </div>
-            <div id="maincontent" class="wdn-main">
-                <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-                
-<!-- InstanceBeginEditable name="maincontentarea" -->
-                <div class="wdn-band">
-                    <div class="wdn-inner-wrapper">
-                        <p>Impress your audience with awesome content!</p>
-                    </div>
-                </div>
-                
-<!-- InstanceEndEditable -->
-                <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-            </div>
-        </div>
-        <div class="wdn-band wdn-content-slide" id="wdn_optional_footer">
-            <div class="wdn-inner-wrapper">
-                
-<!-- InstanceBeginEditable name="optionalfooter" -->
-                
-<!-- InstanceEndEditable -->
-            </div>
-        </div>
-        <footer id="footer" role="contentinfo" class="wdn-content-slide">
-            <div class="wdn-band" id="wdn_footer_related">
-                <div class="wdn-inner-wrapper">
-                    
-<!-- InstanceBeginEditable name="leftcollinks" -->
-                    <!--#include virtual="../sharedcode/relatedLinks.html" -->
-                    
-<!-- InstanceEndEditable -->
-                </div>
-            </div>
-            <div class="wdn-band">
-                <div class="wdn-inner-wrapper">
-                    <div class="footer_col" id="wdn_footer_contact">
-                        <h3>Contact Us</h3>
-                        <div class="wdn-contact-wrapper">
-                            
-<!-- InstanceBeginEditable name="contactinfo" -->
-                            <!--#include virtual="../sharedcode/footerContactInfo.html" -->
-                            
-<!-- InstanceEndEditable -->
-                        </div>
-                    </div>
-                    <div id="wdn_copyright">
-                        <div class="wdn-footer-text">
-                            
-<!-- InstanceBeginEditable name="footercontent" -->
-                            <!--#include virtual="../sharedcode/footer.html" -->
-                            
-<!-- InstanceEndEditable -->
-                            <!--#include virtual="/wdn/templates_4.0/includes/wdn.html" -->
-                        </div>
-                    <!--#include virtual="/wdn/templates_4.0/includes/logos.html" -->
-                    </div>
-                </div>
-            </div>
-            <!--#include virtual="/wdn/templates_4.0/includes/footer_floater.html" -->
-        </footer>
-        <!--#include virtual="/wdn/templates_4.0/includes/noscript.html" -->
-    </div>
-</body>
-</html>
diff --git a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Unlaffiliate_local.tpl b/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Unlaffiliate_local.tpl
deleted file mode 100644
index 2328632d3a0d8449110e9c575ec3628de832fd4b..0000000000000000000000000000000000000000
--- a/lib/data/pear.unl.edu/UNL_Templates/tpl_cache/Version4/Unlaffiliate_local.tpl
+++ /dev/null
@@ -1,172 +0,0 @@
-<!DOCTYPE html>
-<!--[if IEMobile 7 ]><html class="ie iem7"><![endif]-->
-<!--[if lt IE 7 ]><html class="ie ie6" lang="en"><![endif]-->
-<!--[if IE 7 ]><html class="ie ie7" lang="en"><![endif]-->
-<!--[if IE 8 ]><html class="ie ie8" lang="en"><![endif]-->
-<!--[if (gte IE 9)|(gt IEMobile 7) ]><html class="ie" lang="en"><![endif]-->
-<!--[if !(IEMobile) | !(IE)]><!--><html lang="en"><!-- InstanceBegin template="/Templates/unlaffiliate_local.dwt" codeOutsideHTMLIsLocked="false" --><!--<![endif]-->
-<head>
-<!--#include virtual="/wdn/templates_4.0/includes/metanfavico.html" -->
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: unlaffiliate_local.dwt | 1453c8fc0eafda458699fd5676379805da2368cc | Fri Oct 12 13:23:32 2012 -0500 | Seth Meranda  $
--->
-<!--#include virtual="/wdn/templates_4.0/includes/scriptsandstyles_local.html" -->
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>Use a descriptive page title | Optional Site Title (use for context) | UNL Affiliate</title>
-<!-- InstanceEndEditable -->
-
-<!-- InstanceBeginEditable name="head" -->
-<!-- Place optional header elements here -->
-<link rel="stylesheet" type="text/css" media="screen" href="../sharedcode/affiliate.css" />
-<link href="../sharedcode/affiliate_imgs/favicon.ico" rel="shortcut icon" />
-<!-- InstanceEndEditable -->
-<!-- InstanceParam name="class" type="text" value="" -->
-</head>
-<body class="@@(_document['class'])@@" data-version="4.0">
-    <!--#include virtual="/wdn/templates_4.0/includes/skipnav.html" -->
-    <div id="wdn_wrapper">
-        <input type="checkbox" id="wdn_menu_toggle" value="Show navigation menu" class="wdn-content-slide wdn-input-driver" />
-        <!--#include virtual="/wdn/templates_4.0/includes/noscript-padding.html" -->
-        <header id="header" role="banner" class="wdn-content-slide wdn-band">
-            <!--#include virtual="/wdn/templates_4.0/includes/wdnResources.html" -->
-            <div class="wdn-inner-wrapper">
-                <!-- InstanceBeginEditable name="sitebranding_logo" -->
-                <div id="logo">
-                    <a href="http://www.throughtheeyes.org/" title="Through the Eyes of the Child Initiative" id="wdn_logo_link">Through the Eyes of the Child Initiative</a>
-                </div>
-                
-<!-- InstanceEndEditable -->
-                <div id="wdn_resources">
-                    <!--#include virtual="/wdn/templates_4.0/includes/idm.html" -->
-                    <!--#include virtual="/wdn/templates_4.0/includes/wdnTools.html" -->
-                </div>
-                <span id="wdn_institution_title"><!-- InstanceBeginEditable name="sitebranding_affiliate" --><a href="http://www.unl.edu" title="University of Nebraska&ndash;Lincoln">An affiliate of the University of Nebraska&ndash;Lincoln</a>
-<!-- InstanceEndEditable -->
-</span>
-            </div>
-            <!--#include virtual="/wdn/templates_4.0/includes/apps.html" -->
-            <div class="wdn-inner-wrapper">
-                <div id="wdn_site_title">
-                    <span>
-<!-- InstanceBeginEditable name="titlegraphic" -->
-The Title of My Site
-<!-- InstanceEndEditable -->
-</span>
-                </div>
-            </div>
-        </header>
-        <div id="wdn_navigation_bar" role="navigation" class="wdn-band">
-            <nav id="breadcrumbs" class="wdn-inner-wrapper">
-                <!-- WDN: see glossary item 'breadcrumbs' -->
-                <h3 class="wdn_list_descriptor wdn-text-hidden">Breadcrumbs</h3>
-                
-<!-- InstanceBeginEditable name="breadcrumbs" -->
-                <ul>
-                    <li><a href="http://www.throughtheeyes.org/" title="Through the Eyes of the Child Initiative">Home</a></li>
-                </ul>
-                
-<!-- InstanceEndEditable -->
-            </nav>
-            <div id="wdn_navigation_wrapper">
-                <nav id="navigation" role="navigation" class="wdn-band">
-                    <h3 class="wdn_list_descriptor wdn-text-hidden">Navigation</h3>
-                    
-<!-- InstanceBeginEditable name="navlinks" -->
-                    <!--#include virtual="../sharedcode/navigation.html" -->
-                    
-<!-- InstanceEndEditable -->
-                    <label for="wdn_menu_toggle" class="wdn-icon-menu">Menu</label>
-                </nav>
-            </div>
-        </div>
-        <!-- Navigation Trigger -->
-        <div class="wdn-menu-trigger wdn-content-slide">
-            <label for="wdn_menu_toggle" class="wdn-icon-menu">Menu</label>
-        </div>
-        <!-- End navigation trigger -->
-        <div id="wdn_content_wrapper" role="main" class="wdn-content-slide">
-            <div class="wdn-band">
-                <div class="wdn-inner-wrapper">
-                    <div id="pagetitle">
-                        
-<!-- InstanceBeginEditable name="pagetitle" -->
-                        <h1>Please Title Your Page Here</h1>
-                        
-<!-- InstanceEndEditable -->
-                    </div>
-                </div>
-            </div>
-            <div id="maincontent" class="wdn-main">
-                <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-                
-<!-- InstanceBeginEditable name="maincontentarea" -->
-                <div class="wdn-band">
-                    <div class="wdn-inner-wrapper">
-                        <p>Impress your audience with awesome content!</p>
-                    </div>
-                </div>
-                
-<!-- InstanceEndEditable -->
-                <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-            </div>
-        </div>
-        <div class="wdn-band wdn-content-slide" id="wdn_optional_footer">
-            <div class="wdn-inner-wrapper">
-                
-<!-- InstanceBeginEditable name="optionalfooter" -->
-                
-<!-- InstanceEndEditable -->
-            </div>
-        </div>
-        <footer id="footer" role="contentinfo" class="wdn-content-slide">
-            <div class="wdn-band" id="wdn_footer_related">
-                <div class="wdn-inner-wrapper">
-                    
-<!-- InstanceBeginEditable name="leftcollinks" -->
-                    <!--#include virtual="../sharedcode/relatedLinks.html" -->
-                    
-<!-- InstanceEndEditable -->
-                </div>
-            </div>
-            <div class="wdn-band">
-                <div class="wdn-inner-wrapper">
-                    <div class="footer_col" id="wdn_footer_contact">
-                        <h3>Contact Us</h3>
-                        <div class="wdn-contact-wrapper">
-                            
-<!-- InstanceBeginEditable name="contactinfo" -->
-                            <!--#include virtual="../sharedcode/footerContactInfo.html" -->
-                            
-<!-- InstanceEndEditable -->
-                        </div>
-                    </div>
-                    <div id="wdn_copyright">
-                        <div class="wdn-footer-text">
-                            
-<!-- InstanceBeginEditable name="footercontent" -->
-                            <!--#include virtual="../sharedcode/footer.html" -->
-                            
-<!-- InstanceEndEditable -->
-                            <!--#include virtual="/wdn/templates_4.0/includes/wdn.html" -->
-                        </div>
-                    <!--#include virtual="/wdn/templates_4.0/includes/logos.html" -->
-                    </div>
-                </div>
-            </div>
-            <!--#include virtual="/wdn/templates_4.0/includes/footer_floater.html" -->
-        </footer>
-        <!--#include virtual="/wdn/templates_4.0/includes/noscript.html" -->
-    </div>
-</body>
-</html>
diff --git a/lib/docs/UNL_Cache_Lite/docs/examples b/lib/docs/UNL_Cache_Lite/docs/examples
deleted file mode 100644
index ab0a2d19b027e2f27f163d36877242e2d91f1606..0000000000000000000000000000000000000000
--- a/lib/docs/UNL_Cache_Lite/docs/examples
+++ /dev/null
@@ -1,254 +0,0 @@
-A few examples of Cache_Lite using :
-------------------------------------
-
->>> Basic one :
-
-<?php
-
-// Include the package
-require_once('Cache/Lite.php');
-
-// Set a id for this cache
-$id = '123';
-
-// Set a few options
-$options = array(
-    'cacheDir' => '/tmp/',
-    'lifeTime' => 3600
-);
-
-// Create a Cache_Lite object
-$Cache_Lite = new Cache_Lite($options);
-
-// Test if thereis a valide cache for this id
-if ($data = $Cache_Lite->get($id)) {
-
-    // Cache hit !
-    // Content is in $data
-    // (...)
-
-} else { // No valid cache found (you have to make the page)
-
-    // Cache miss !
-    // Put in $data datas to put in cache
-    // (...)
-    $Cache_Lite->save($data);
-
-}
-
-?>
-
-
->>> Usage with blocks
-(You can use Cache_Lite for caching blocks and not the whole page)
-
-<?php
-
-require_once('Cache/Lite.php');
-
-$options = array(
-    'cacheDir' => '/tmp/',
-    'lifeTime' => 3600
-);
-
-// Create a Cache_Lite object
-$Cache_Lite = new Cache_Lite($options);
-
-if ($data = $Cache_Lite->get('block1')) {
-    echo($data);
-} else { 
-    $data = 'Data of the block 1';
-    $Cache_Lite->save($data);
-}
-
-echo('<br><br>Non cached line !<br><br>');
-
-if ($data = $Cache_Lite->get('block2')) {
-    echo($data);
-} else { 
-    $data = 'Data of the block 2';
-    $Cache_Lite->save($data);
-}
-
-?>
-
-
-A few examples of Cache_Lite_Output using :
--------------------------------------------
-
->>> Basic one :
-
-<?php
-
-require_once('Cache/Lite/Output.php');
-
-$options = array(
-    'cacheDir' => '/tmp/',
-    'lifeTime' => 10
-);
-
-$cache = new Cache_Lite_Output($options);
-
-if (!($cache->start('123'))) {
-    // Cache missed...
-    for($i=0;$i<1000;$i++) { // Making of the page...
-        echo('0123456789');
-    }
-    $cache->end();
-}
-
-?>
-
->>> Usage with blocks :
-(You can use Cache_Lite_Output for caching blocks and not the whole page)
-
-<?php
-
-require_once('Cache/Lite/Output.php');
-
-$options = array(
-    'cacheDir' => '/tmp/',
-    'lifeTime' => 10
-);
-
-$cache = new Cache_Lite_Output($options);
-
-if (!($cache->start('block1'))) {
-    // Cache missed...
-    echo('Data of the block 1 !<br>');
-    $cache->end();
-}
-
-echo('<br><br>Non cached line !<br><br>');
-
-if (!($cache->start('block2'))) {
-    // Cache missed...
-    echo('Data of the block 2 !<br>');
-    $cache->end();
-}
-
-
-A few examples of Cache_Lite_Function using :
----------------------------------------------
-
->>> With function :
-
-<?php
-
-require_once('Cache/Lite/Function.php');
-
-$options = array(
-    'cacheDir' => '/tmp/',
-    'lifeTime' => 10
-);
-
-$cache = new Cache_Lite_Function($options);
-
-$cache->call('function_to_bench', 12, 45);
-
-function function_to_bench($arg1, $arg2) 
-{
-    echo "This is the output of the function function_to_bench($arg1, $arg2) !<br>";
-    return "This is the result of the function function_to_bench($arg1, $arg2) !<br>";
-}
-
-?>
-
->>> With method :
-
-<?php
-
-require_once('Cache/Lite/Function.php');
-
-$options = array(
-    'cacheDir' => '/tmp/',
-    'lifeTime' => 10
-);
-
-$cache = new Cache_Lite_Function($options);
-
-$obj = new bench();
-$obj->test = 666;
-
-$cache->call('obj->method_to_bench', 12, 45);
-
-class bench
-{
-    var $test;
-
-    function method_to_bench($arg1, $arg2)
-    {
-        echo "\$obj->test = $this->test and this is the output of the method \$obj->method_to_bench($arg1, $arg2) !<br>";
-        return "\$obj->test = $this->test and this is the result of the method \$obj->method_to_bench($arg1, $arg2) !<br>";        
-    }
-    
-}
-
-?>
-
->>> With static method :
-
-<?php
-
-require_once('Cache/Lite/Function.php');
-
-$options = array(
-    'cacheDir' => '/tmp/',
-    'lifeTime' => 10
-);
-
-$cache = new Cache_Lite_Function($options);
-
-$cache->call('bench::static_method_to_bench', 12, 45);
-
-class bench
-{
-    var $test;
-
-    function static_method_to_bench($arg1, $arg2) {
-        echo "This is the output of the function static_method_to_bench($arg1, $arg2) !<br>";
-        return "This is the result of the function static_method_to_bench($arg1, $arg2) !<br>";
-    }
-}
-
-?>
-
->>> IMPORTANT :
-
-If you try to use Cache_Lite_Function with $this object ($cache->call('this->method',...) 
-for example), have a look first at :
-
-http://pear.php.net/bugs/bug.php?id=660
-
-
-A few examples of Cache_Lite_File using :
------------------------------------------
-
-<?php
-
-$options = array(
-    'cacheDir' => '/tmp/',
-    'masterFile' => '/home/web/config.xml'
-);
-$cache = new Cache_Lite_File($options);
-
-// Set a id for this cache
-$id = '123';
-
-if ($data = $cache->get($id)) {
-
-    // Cache hit !
-    // Content is in $data
-    // (...)
-
-} else { // No valid cache found (you have to make the page)
-
-    // Cache miss !
-    // Put in $data datas to put in cache
-    // (...)
-    $cache->save($data);
-
-}
-
-
-?>
diff --git a/lib/docs/UNL_Cache_Lite/docs/technical b/lib/docs/UNL_Cache_Lite/docs/technical
deleted file mode 100644
index 790696c87ec096663cf7133a05f981d19c0b6d58..0000000000000000000000000000000000000000
--- a/lib/docs/UNL_Cache_Lite/docs/technical
+++ /dev/null
@@ -1,28 +0,0 @@
-Technical choices for Cache_Lite...
------------------------------------
-
-To begin, the main goals of Cache_Lite :
-- performances
-- safe use (even on very high traffic or with NFS (file locking doesn't work
-            with NFS))
-- flexibility (can be used by the end user or as a part of a larger script)
-
-
-For speed reasons, it has been decided to focus on the file container (the 
-faster one). So, cache is only stored in files. The class is optimized for that. 
-If you want to use a different cache container, have a look to PEAR/Cache.
-
-For speed reasons too, the class 'Cache_Lite' has do be independant (so no 
-'require_once' at all in 'Cache_Lite.php'). But, a conditional include_once
-is allowed. For example, when an error is detected, the class include dynamicaly
-the PEAR base class 'PEAR.php' to be able to use PEAR::raiseError(). But, in
-most cases, PEAR.php isn't included.
-
-For the second goal (safe use), there is three (optional) mecanisms :
-- File Locking : seems to work fine (but not with distributed file system
-                 like NFS...)
-- WriteControl : the cache is read and compared just after being stored
-                 (efficient but not perfect)
-- ReadControl : a control key (crc32(), md5() ou strlen()) is embeded is the 
-                cache file and compared just after reading (the most efficient
-                but the slowest)
diff --git a/lib/docs/UNL_DWT/docs/examples/Template_style1.php b/lib/docs/UNL_DWT/docs/examples/Template_style1.php
deleted file mode 100644
index 69514f230bf152a46ef0f78f1341cd90657de011..0000000000000000000000000000000000000000
--- a/lib/docs/UNL_DWT/docs/examples/Template_style1.php
+++ /dev/null
@@ -1,25 +0,0 @@
-<?php
-/**
- * Template Definition for template_style1.dwt
- */
-require_once 'UNL/DWT.php';
-
-class UNL_DWT_Template_style1 extends UNL_DWT 
-{
-    ###START_AUTOCODE
-    /* the code below is auto generated do not remove the above tag */
-
-    var $__template = 'Template_style1.tpl';                                // template name
-    var $doctitle = "<title>Sample Template Style 1</title>";                       // string()  
-    var $head = "";                           // string()  
-    var $header = "Header";                         // string()  
-    var $leftnav = "<p> Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut. </p>";                        // string()  
-    var $content = "<h2>Subheading</h2> <p> Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut laoreet dolore magna aliquam erat volutpat. Ut wisi enim ad minim veniam, quis nostrud exerci tation ullamcorper suscipit lobortis nisl ut aliquip ex ea commodo consequat. Duis autem vel eum iriure dolor in hendrerit in vulputate velit esse molestie consequat, vel illum dolore eu feugiat nulla facilisis at vero eros et accumsan et iusto odio dignissim qui blandit praesent luptatum zzril delenit augue duis dolore te feugait nulla facilisi. </p> <p> Ut wisi enim ad minim veniam, quis nostrud exerci tation ullamcorper suscipit lobortis nisl ut aliquip ex ea commodo consequat. Duis autem vel eum iriure dolor in hendrerit in vulputate velit esse molestie consequat, vel illum dolore eu feugiat nulla facilisis at vero eros et accumsan et iusto odio dignissim qui blandit praesent luptatum zzril delenit augue duis dolore te feugait nulla facilisi. Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut laoreet dolore magna aliquam erat volutpat. </p>";                        // string()  
-    var $footer = "Footer";                         // string()  
-
-    /* Static get */
-    function staticGet($k,$v=NULL) { return UNL_DWT::staticGet('UNL_DWT_Template_style1',$k,$v); }
-
-    /* the code above is auto generated do not remove the tag below */
-    ###END_AUTOCODE
-}
diff --git a/lib/docs/UNL_DWT/docs/examples/Template_style1.tpl b/lib/docs/UNL_DWT/docs/examples/Template_style1.tpl
deleted file mode 100644
index bd63d0408c2fdc1289ca180fdf4a09a0b64c069b..0000000000000000000000000000000000000000
--- a/lib/docs/UNL_DWT/docs/examples/Template_style1.tpl
+++ /dev/null
@@ -1,86 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml"><!-- InstanceBegin template="/Templates/template_style1.dwt" codeOutsideHTMLIsLocked="false" -->
-<head>
-<meta http-equiv="Content-Type" content="text/html; charset=ISO-8859-1" />
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>Sample Template Style 1</title>
-<!-- InstanceEndEditable -->
-<style type="text/css">
-#container
-{
-width: 90%;
-margin: 10px auto;
-background-color: #fff;
-color: #333;
-border: 1px solid gray;
-line-height: 130%;
-}
-#top
-{
-padding: .5em;
-background-color: #ddd;
-border-bottom: 1px solid gray;
-}
-#top h1
-{
-padding: 0;
-margin: 0;
-}
-#leftnav
-{
-float: left;
-width: 160px;
-margin: 0;
-padding: 1em;
-}
-#content
-{
-margin-left: 200px;
-border-left: 1px solid gray;
-padding: 1em;
-max-width: 36em;
-}
-#footer
-{
-clear: both;
-margin: 0;
-padding: .5em;
-color: #333;
-background-color: #ddd;
-border-top: 1px solid gray;
-}
-#leftnav p { margin: 0 0 1em 0; }
-#content h2 { margin: 0 0 .5em 0; }
-</style>
-<!-- InstanceBeginEditable name="head" -->
-<!-- InstanceEndEditable -->
-</head>
-<body>
-<div id="container">
-<div id="top">
-<h1>
-<!-- InstanceBeginEditable name="header" -->
-Header
-<!-- InstanceEndEditable -->
-</h1>
-</div>
-<div id="leftnav">
-<!-- InstanceBeginEditable name="leftnav" -->
-    <p> Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut. </p>
-<!-- InstanceEndEditable -->
-</div>
-<div id="content">
-<!-- InstanceBeginEditable name="content" -->
-    <h2>Subheading</h2>
-    <p> Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut laoreet dolore magna aliquam erat volutpat. Ut wisi enim ad minim veniam, quis nostrud exerci tation ullamcorper suscipit lobortis nisl ut aliquip ex ea commodo consequat. Duis autem vel eum iriure dolor in hendrerit in vulputate velit esse molestie consequat, vel illum dolore eu feugiat nulla facilisis at vero eros et accumsan et iusto odio dignissim qui blandit praesent luptatum zzril delenit augue duis dolore te feugait nulla facilisi. </p>
-    <p> Ut wisi enim ad minim veniam, quis nostrud exerci tation ullamcorper suscipit lobortis nisl ut aliquip ex ea commodo consequat. Duis autem vel eum iriure dolor in hendrerit in vulputate velit esse molestie consequat, vel illum dolore eu feugiat nulla facilisis at vero eros et accumsan et iusto odio dignissim qui blandit praesent luptatum zzril delenit augue duis dolore te feugait nulla facilisi. Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut laoreet dolore magna aliquam erat volutpat. </p>
-<!-- InstanceEndEditable -->
-</div>
-<div id="footer">
-<!-- InstanceBeginEditable name="footer" -->
-Footer
-<!-- InstanceEndEditable -->
-</div>
-</div>
-</body>
-</html>
diff --git a/lib/docs/UNL_DWT/docs/examples/example.ini b/lib/docs/UNL_DWT/docs/examples/example.ini
deleted file mode 100644
index 4efad9b767880acf6ce6881e249a465ce184eec4..0000000000000000000000000000000000000000
--- a/lib/docs/UNL_DWT/docs/examples/example.ini
+++ /dev/null
@@ -1,5 +0,0 @@
-[UNL_DWT]
-dwt_location    = /Users/bbieber/Documents/workspace/UNL_Search/trunk/lib/docs/UNL_DWT/docs/examples/
-class_location  = /Users/bbieber/Documents/workspace/UNL_Search/trunk/lib/docs/UNL_DWT/docs/examples/
-tpl_location	= /Users/bbieber/Documents/workspace/UNL_Search/trunk/lib/docs/UNL_DWT/docs/examples/
-class_prefix    = UNL_DWT_
\ No newline at end of file
diff --git a/lib/docs/UNL_DWT/docs/examples/example_style1.php b/lib/docs/UNL_DWT/docs/examples/example_style1.php
deleted file mode 100644
index d99f48f9cd8fa908ad97d659d775249305faa0ea..0000000000000000000000000000000000000000
--- a/lib/docs/UNL_DWT/docs/examples/example_style1.php
+++ /dev/null
@@ -1,28 +0,0 @@
-<?php
-/**
- * This example uses the DWT object generated by: '/usr/local/bin/php /Users/bbieber/Documents/workspace/UNL_Search/trunk/lib/php/UNL/DWT/createTemplates.php /Users/bbieber/Documents/workspace/UNL_Search/trunk/lib/docs/UNL_DWT/docs/examples/example.ini'
- * 
- */
-ini_set('display_errors',true);
-error_reporting(E_ALL|E_STRICT);
-
-require_once 'UNL/DWT.php';
-if ('/Users/bbieber/Documents/workspace/UNL_Search/trunk/lib/data' == '@'.'DATA_DIR@') {
-    $configfile = 'example.test.ini';
-} else {
-    $configfile = '/Users/bbieber/Documents/workspace/UNL_Search/trunk/lib/docs/UNL_DWT/docs/examples/example.ini';
-}
-$config = parse_ini_file($configfile, true);
-foreach($config as $class=>$values) {
-   UNL_DWT::$options = $values;
-}
-$page = UNL_DWT::factory('Template_style1');
-$page->header  = "Example Using Template Style 1";
-$page->leftnav = "<ul><li><a href='http://pear.unl.edu/'>UNL PEAR Channel</a></li></ul>";
-$page->content = "<p>This example demonstrates the usefulness of the DWT object generator for Dreamweaver Templates.</p>";
-$page->content .= "<p>Included with the DWT package is a Dreamweaver template with 4 editable regions [template_style1.dwt]. This page is rendered using the DWT class created from that template.</p>";
-$page->content .= "<p>To create classes for your Templates, create a .ini file with the location of your Dreamweaver templates (dwt's) and then run the createTemplates.php script to generate objects for each of your template files.</p>";
-$page->content .= "<p>Here is the ini file used to create the Template_style1:<pre><code>".file_get_contents($configfile)."</code></pre></p>";
-$page->content .= "<p>And the command used to create the template classes:<pre><code>/usr/local/bin/php /Users/bbieber/Documents/workspace/UNL_Search/trunk/lib/php/UNL/DWT/createTemplates.php /Users/bbieber/Documents/workspace/UNL_Search/trunk/lib/docs/UNL_DWT/docs/examples/example.ini</code></pre></p>";
-$page->footer  = "<a href='mailto:brett.bieber@gmail.com'>Brett Bieber</a>";
-echo $page->toHtml();
\ No newline at end of file
diff --git a/lib/docs/UNL_DWT/docs/examples/scanner_example.php b/lib/docs/UNL_DWT/docs/examples/scanner_example.php
deleted file mode 100644
index c0ba19014a1b6cbe7ff14b1b150e2fa916c00504..0000000000000000000000000000000000000000
--- a/lib/docs/UNL_DWT/docs/examples/scanner_example.php
+++ /dev/null
@@ -1,11 +0,0 @@
-<?php
-require_once 'UNL/DWT/Scanner.php';
-
-$file = file_get_contents(dirname(__FILE__).'/'.'template_style1.dwt');
-
-$scanned = new UNL_DWT_Scanner($file);
-
-echo $scanned->leftnav;
-echo $scanned->content;
-
-?>
\ No newline at end of file
diff --git a/lib/docs/UNL_DWT/docs/examples/template_style1.dwt b/lib/docs/UNL_DWT/docs/examples/template_style1.dwt
deleted file mode 100644
index f22ce6abf12031903536a83ed335547cd9044b28..0000000000000000000000000000000000000000
--- a/lib/docs/UNL_DWT/docs/examples/template_style1.dwt
+++ /dev/null
@@ -1,80 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml">
-<head>
-<meta http-equiv="Content-Type" content="text/html; charset=ISO-8859-1" />
-<!-- TemplateBeginEditable name="doctitle" -->
-<title>Sample Template Style 1</title>
-<!-- TemplateEndEditable -->
-<style type="text/css">
-#container
-{
-width: 90%;
-margin: 10px auto;
-background-color: #fff;
-color: #333;
-border: 1px solid gray;
-line-height: 130%;
-}
-
-#top
-{
-padding: .5em;
-background-color: #ddd;
-border-bottom: 1px solid gray;
-}
-
-#top h1
-{
-padding: 0;
-margin: 0;
-}
-
-#leftnav
-{
-float: left;
-width: 160px;
-margin: 0;
-padding: 1em;
-}
-
-#content
-{
-margin-left: 200px;
-border-left: 1px solid gray;
-padding: 1em;
-max-width: 36em;
-}
-
-#footer
-{
-clear: both;
-margin: 0;
-padding: .5em;
-color: #333;
-background-color: #ddd;
-border-top: 1px solid gray;
-}
-
-#leftnav p { margin: 0 0 1em 0; }
-#content h2 { margin: 0 0 .5em 0; }
-</style>
-<!-- TemplateBeginEditable name="head" --><!-- TemplateEndEditable -->
-</head>
-
-<body>
-<div id="container">
-<div id="top">
-<h1><!-- TemplateBeginEditable name="header" -->Header<!-- TemplateEndEditable --></h1>
-</div>
-<div id="leftnav"><!-- TemplateBeginEditable name="leftnav" -->
-    <p> Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut. </p>
-<!-- TemplateEndEditable --></div>
-<div id="content"><!-- TemplateBeginEditable name="content" -->
-    <h2>Subheading</h2>
-    <p> Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut laoreet dolore magna aliquam erat volutpat. Ut wisi enim ad minim veniam, quis nostrud exerci tation ullamcorper suscipit lobortis nisl ut aliquip ex ea commodo consequat. Duis autem vel eum iriure dolor in hendrerit in vulputate velit esse molestie consequat, vel illum dolore eu feugiat nulla facilisis at vero eros et accumsan et iusto odio dignissim qui blandit praesent luptatum zzril delenit augue duis dolore te feugait nulla facilisi. </p>
-    <p> Ut wisi enim ad minim veniam, quis nostrud exerci tation ullamcorper suscipit lobortis nisl ut aliquip ex ea commodo consequat. Duis autem vel eum iriure dolor in hendrerit in vulputate velit esse molestie consequat, vel illum dolore eu feugiat nulla facilisis at vero eros et accumsan et iusto odio dignissim qui blandit praesent luptatum zzril delenit augue duis dolore te feugait nulla facilisi. Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut laoreet dolore magna aliquam erat volutpat. </p>
-<!-- TemplateEndEditable --></div>
-<div id="footer"><!-- TemplateBeginEditable name="footer" -->Footer<!-- TemplateEndEditable --></div>
-</div>
-</body>
-</html>
diff --git a/lib/docs/pear.unl.edu/UNL_DWT/examples/Template_style1.php b/lib/docs/pear.unl.edu/UNL_DWT/examples/Template_style1.php
deleted file mode 100644
index 69514f230bf152a46ef0f78f1341cd90657de011..0000000000000000000000000000000000000000
--- a/lib/docs/pear.unl.edu/UNL_DWT/examples/Template_style1.php
+++ /dev/null
@@ -1,25 +0,0 @@
-<?php
-/**
- * Template Definition for template_style1.dwt
- */
-require_once 'UNL/DWT.php';
-
-class UNL_DWT_Template_style1 extends UNL_DWT 
-{
-    ###START_AUTOCODE
-    /* the code below is auto generated do not remove the above tag */
-
-    var $__template = 'Template_style1.tpl';                                // template name
-    var $doctitle = "<title>Sample Template Style 1</title>";                       // string()  
-    var $head = "";                           // string()  
-    var $header = "Header";                         // string()  
-    var $leftnav = "<p> Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut. </p>";                        // string()  
-    var $content = "<h2>Subheading</h2> <p> Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut laoreet dolore magna aliquam erat volutpat. Ut wisi enim ad minim veniam, quis nostrud exerci tation ullamcorper suscipit lobortis nisl ut aliquip ex ea commodo consequat. Duis autem vel eum iriure dolor in hendrerit in vulputate velit esse molestie consequat, vel illum dolore eu feugiat nulla facilisis at vero eros et accumsan et iusto odio dignissim qui blandit praesent luptatum zzril delenit augue duis dolore te feugait nulla facilisi. </p> <p> Ut wisi enim ad minim veniam, quis nostrud exerci tation ullamcorper suscipit lobortis nisl ut aliquip ex ea commodo consequat. Duis autem vel eum iriure dolor in hendrerit in vulputate velit esse molestie consequat, vel illum dolore eu feugiat nulla facilisis at vero eros et accumsan et iusto odio dignissim qui blandit praesent luptatum zzril delenit augue duis dolore te feugait nulla facilisi. Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut laoreet dolore magna aliquam erat volutpat. </p>";                        // string()  
-    var $footer = "Footer";                         // string()  
-
-    /* Static get */
-    function staticGet($k,$v=NULL) { return UNL_DWT::staticGet('UNL_DWT_Template_style1',$k,$v); }
-
-    /* the code above is auto generated do not remove the tag below */
-    ###END_AUTOCODE
-}
diff --git a/lib/docs/pear.unl.edu/UNL_DWT/examples/Template_style1.tpl b/lib/docs/pear.unl.edu/UNL_DWT/examples/Template_style1.tpl
deleted file mode 100644
index bd63d0408c2fdc1289ca180fdf4a09a0b64c069b..0000000000000000000000000000000000000000
--- a/lib/docs/pear.unl.edu/UNL_DWT/examples/Template_style1.tpl
+++ /dev/null
@@ -1,86 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml"><!-- InstanceBegin template="/Templates/template_style1.dwt" codeOutsideHTMLIsLocked="false" -->
-<head>
-<meta http-equiv="Content-Type" content="text/html; charset=ISO-8859-1" />
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>Sample Template Style 1</title>
-<!-- InstanceEndEditable -->
-<style type="text/css">
-#container
-{
-width: 90%;
-margin: 10px auto;
-background-color: #fff;
-color: #333;
-border: 1px solid gray;
-line-height: 130%;
-}
-#top
-{
-padding: .5em;
-background-color: #ddd;
-border-bottom: 1px solid gray;
-}
-#top h1
-{
-padding: 0;
-margin: 0;
-}
-#leftnav
-{
-float: left;
-width: 160px;
-margin: 0;
-padding: 1em;
-}
-#content
-{
-margin-left: 200px;
-border-left: 1px solid gray;
-padding: 1em;
-max-width: 36em;
-}
-#footer
-{
-clear: both;
-margin: 0;
-padding: .5em;
-color: #333;
-background-color: #ddd;
-border-top: 1px solid gray;
-}
-#leftnav p { margin: 0 0 1em 0; }
-#content h2 { margin: 0 0 .5em 0; }
-</style>
-<!-- InstanceBeginEditable name="head" -->
-<!-- InstanceEndEditable -->
-</head>
-<body>
-<div id="container">
-<div id="top">
-<h1>
-<!-- InstanceBeginEditable name="header" -->
-Header
-<!-- InstanceEndEditable -->
-</h1>
-</div>
-<div id="leftnav">
-<!-- InstanceBeginEditable name="leftnav" -->
-    <p> Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut. </p>
-<!-- InstanceEndEditable -->
-</div>
-<div id="content">
-<!-- InstanceBeginEditable name="content" -->
-    <h2>Subheading</h2>
-    <p> Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut laoreet dolore magna aliquam erat volutpat. Ut wisi enim ad minim veniam, quis nostrud exerci tation ullamcorper suscipit lobortis nisl ut aliquip ex ea commodo consequat. Duis autem vel eum iriure dolor in hendrerit in vulputate velit esse molestie consequat, vel illum dolore eu feugiat nulla facilisis at vero eros et accumsan et iusto odio dignissim qui blandit praesent luptatum zzril delenit augue duis dolore te feugait nulla facilisi. </p>
-    <p> Ut wisi enim ad minim veniam, quis nostrud exerci tation ullamcorper suscipit lobortis nisl ut aliquip ex ea commodo consequat. Duis autem vel eum iriure dolor in hendrerit in vulputate velit esse molestie consequat, vel illum dolore eu feugiat nulla facilisis at vero eros et accumsan et iusto odio dignissim qui blandit praesent luptatum zzril delenit augue duis dolore te feugait nulla facilisi. Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut laoreet dolore magna aliquam erat volutpat. </p>
-<!-- InstanceEndEditable -->
-</div>
-<div id="footer">
-<!-- InstanceBeginEditable name="footer" -->
-Footer
-<!-- InstanceEndEditable -->
-</div>
-</div>
-</body>
-</html>
diff --git a/lib/docs/pear.unl.edu/UNL_DWT/examples/basic/Template_style1.php b/lib/docs/pear.unl.edu/UNL_DWT/examples/basic/Template_style1.php
deleted file mode 100644
index 539fb44c98acddb65482a39a24383eba3a2de80f..0000000000000000000000000000000000000000
--- a/lib/docs/pear.unl.edu/UNL_DWT/examples/basic/Template_style1.php
+++ /dev/null
@@ -1,28 +0,0 @@
-<?php
-/**
- * Template Definition for template_style1.dwt
- */
-require_once 'UNL/DWT.php';
-
-class UNL_DWT_Template_style1 extends UNL_DWT 
-{
-    ###START_AUTOCODE
-    /* the code below is auto generated do not remove the above tag */
-
-    public $__template = 'Template_style1.tpl';             // template name
-    public $doctitle = "<title>Sample Template Style 1</title>";                       // string()  
-    public $head = "";                           // string()  
-    public $header = "Header";                         // string()  
-    public $leftnav = "<p> Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut. </p>";                        // string()  
-    public $content = "<h2>Subheading</h2> <p> Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut laoreet dolore magna aliquam erat volutpat. Ut wisi enim ad minim veniam, quis nostrud exerci tation ullamcorper suscipit lobortis nisl ut aliquip ex ea commodo consequat. Duis autem vel eum iriure dolor in hendrerit in vulputate velit esse molestie consequat, vel illum dolore eu feugiat nulla facilisis at vero eros et accumsan et iusto odio dignissim qui blandit praesent luptatum zzril delenit augue duis dolore te feugait nulla facilisi. </p> <p> Ut wisi enim ad minim veniam, quis nostrud exerci tation ullamcorper suscipit lobortis nisl ut aliquip ex ea commodo consequat. Duis autem vel eum iriure dolor in hendrerit in vulputate velit esse molestie consequat, vel illum dolore eu feugiat nulla facilisis at vero eros et accumsan et iusto odio dignissim qui blandit praesent luptatum zzril delenit augue duis dolore te feugait nulla facilisi. Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut laoreet dolore magna aliquam erat volutpat. </p>";                        // string()  
-    public $footer = "Footer";                         // string()  
-
-    public $__params = array (
-);
-
-    /* Static get */
-    function staticGet($k,$v=NULL) { return UNL_DWT::staticGet('UNL_DWT_Template_style1',$k,$v); }
-
-    /* the code above is auto generated do not remove the tag below */
-    ###END_AUTOCODE
-}
diff --git a/lib/docs/pear.unl.edu/UNL_DWT/examples/basic/Template_style1.tpl b/lib/docs/pear.unl.edu/UNL_DWT/examples/basic/Template_style1.tpl
deleted file mode 100644
index bd63d0408c2fdc1289ca180fdf4a09a0b64c069b..0000000000000000000000000000000000000000
--- a/lib/docs/pear.unl.edu/UNL_DWT/examples/basic/Template_style1.tpl
+++ /dev/null
@@ -1,86 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml"><!-- InstanceBegin template="/Templates/template_style1.dwt" codeOutsideHTMLIsLocked="false" -->
-<head>
-<meta http-equiv="Content-Type" content="text/html; charset=ISO-8859-1" />
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>Sample Template Style 1</title>
-<!-- InstanceEndEditable -->
-<style type="text/css">
-#container
-{
-width: 90%;
-margin: 10px auto;
-background-color: #fff;
-color: #333;
-border: 1px solid gray;
-line-height: 130%;
-}
-#top
-{
-padding: .5em;
-background-color: #ddd;
-border-bottom: 1px solid gray;
-}
-#top h1
-{
-padding: 0;
-margin: 0;
-}
-#leftnav
-{
-float: left;
-width: 160px;
-margin: 0;
-padding: 1em;
-}
-#content
-{
-margin-left: 200px;
-border-left: 1px solid gray;
-padding: 1em;
-max-width: 36em;
-}
-#footer
-{
-clear: both;
-margin: 0;
-padding: .5em;
-color: #333;
-background-color: #ddd;
-border-top: 1px solid gray;
-}
-#leftnav p { margin: 0 0 1em 0; }
-#content h2 { margin: 0 0 .5em 0; }
-</style>
-<!-- InstanceBeginEditable name="head" -->
-<!-- InstanceEndEditable -->
-</head>
-<body>
-<div id="container">
-<div id="top">
-<h1>
-<!-- InstanceBeginEditable name="header" -->
-Header
-<!-- InstanceEndEditable -->
-</h1>
-</div>
-<div id="leftnav">
-<!-- InstanceBeginEditable name="leftnav" -->
-    <p> Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut. </p>
-<!-- InstanceEndEditable -->
-</div>
-<div id="content">
-<!-- InstanceBeginEditable name="content" -->
-    <h2>Subheading</h2>
-    <p> Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut laoreet dolore magna aliquam erat volutpat. Ut wisi enim ad minim veniam, quis nostrud exerci tation ullamcorper suscipit lobortis nisl ut aliquip ex ea commodo consequat. Duis autem vel eum iriure dolor in hendrerit in vulputate velit esse molestie consequat, vel illum dolore eu feugiat nulla facilisis at vero eros et accumsan et iusto odio dignissim qui blandit praesent luptatum zzril delenit augue duis dolore te feugait nulla facilisi. </p>
-    <p> Ut wisi enim ad minim veniam, quis nostrud exerci tation ullamcorper suscipit lobortis nisl ut aliquip ex ea commodo consequat. Duis autem vel eum iriure dolor in hendrerit in vulputate velit esse molestie consequat, vel illum dolore eu feugiat nulla facilisis at vero eros et accumsan et iusto odio dignissim qui blandit praesent luptatum zzril delenit augue duis dolore te feugait nulla facilisi. Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut laoreet dolore magna aliquam erat volutpat. </p>
-<!-- InstanceEndEditable -->
-</div>
-<div id="footer">
-<!-- InstanceBeginEditable name="footer" -->
-Footer
-<!-- InstanceEndEditable -->
-</div>
-</div>
-</body>
-</html>
diff --git a/lib/docs/pear.unl.edu/UNL_DWT/examples/basic/example.ini b/lib/docs/pear.unl.edu/UNL_DWT/examples/basic/example.ini
deleted file mode 100644
index 7c1426b6362ac73fbf4fd9e084c6022bd378308d..0000000000000000000000000000000000000000
--- a/lib/docs/pear.unl.edu/UNL_DWT/examples/basic/example.ini
+++ /dev/null
@@ -1,5 +0,0 @@
-[UNL_DWT]
-dwt_location    = @DOC_DIR@/UNL_DWT/docs/examples/basic
-class_location  = @DOC_DIR@/UNL_DWT/docs/examples/basic
-tpl_location	= @DOC_DIR@/UNL_DWT/docs/examples/basic
-class_prefix    = UNL_DWT_
diff --git a/lib/docs/pear.unl.edu/UNL_DWT/examples/basic/example.test.ini b/lib/docs/pear.unl.edu/UNL_DWT/examples/basic/example.test.ini
deleted file mode 100644
index 6f24a0b77b8e13197c9649c42aa2139a647de3fc..0000000000000000000000000000000000000000
--- a/lib/docs/pear.unl.edu/UNL_DWT/examples/basic/example.test.ini
+++ /dev/null
@@ -1,5 +0,0 @@
-[UNL_DWT]
-dwt_location    = ./
-class_location  = ./
-tpl_location	= ./
-class_prefix    = UNL_DWT_
\ No newline at end of file
diff --git a/lib/docs/pear.unl.edu/UNL_DWT/examples/basic/example_style1.php b/lib/docs/pear.unl.edu/UNL_DWT/examples/basic/example_style1.php
deleted file mode 100644
index 30f50bc36d93c19b73962d666abeab6c78b0e1dc..0000000000000000000000000000000000000000
--- a/lib/docs/pear.unl.edu/UNL_DWT/examples/basic/example_style1.php
+++ /dev/null
@@ -1,30 +0,0 @@
-<?php
-/**
- * This example uses the DWT object generated by: '@PHP_BIN@ @PHP_DIR@/UNL/DWT/createTemplates.php @DOC_DIR@/UNL_DWT/docs/examples/basic/example.ini'
- *
- */
-ini_set('display_errors',true);
-error_reporting(E_ALL|E_STRICT);
-
-set_include_path(dirname(__DIR__).'/../../src');
-
-require_once 'UNL/DWT.php';
-if ('@DATA_DIR@' == '@'.'DATA_DIR@') {
-    $configfile = 'example.test.ini';
-} else {
-    $configfile = '@DOC_DIR@/UNL_DWT/docs/examples/example.ini';
-}
-$config = parse_ini_file($configfile, true);
-foreach($config as $class=>$values) {
-   UNL_DWT::$options = $values;
-}
-$page = UNL_DWT::factory('Template_style1');
-$page->header  = "Example Using Template Style 1";
-$page->leftnav = "<ul><li><a href='http://pear.unl.edu/'>UNL PEAR Channel</a></li></ul>";
-$page->content = "<p>This example demonstrates the usefulness of the DWT object generator for Dreamweaver Templates.</p>";
-$page->content .= "<p>Included with the DWT package is a Dreamweaver template with 4 editable regions [template_style1.dwt]. This page is rendered using the DWT class created from that template.</p>";
-$page->content .= "<p>To create classes for your Templates, create a .ini file with the location of your Dreamweaver templates (dwt's) and then run the createTemplates.php script to generate objects for each of your template files.</p>";
-$page->content .= "<p>Here is the ini file used to create the Template_style1:<pre><code>".file_get_contents($configfile)."</code></pre></p>";
-$page->content .= "<p>And the command used to create the template classes:<pre><code>@PHP_BIN@ @PHP_DIR@/UNL/DWT/createTemplates.php @DOC_DIR@/UNL_DWT/docs/examples/example.ini</code></pre></p>";
-$page->footer  = "<a href='mailto:brett.bieber@gmail.com'>Brett Bieber</a>";
-echo $page->toHtml();
diff --git a/lib/docs/pear.unl.edu/UNL_DWT/examples/basic/template_style1.dwt b/lib/docs/pear.unl.edu/UNL_DWT/examples/basic/template_style1.dwt
deleted file mode 100644
index f22ce6abf12031903536a83ed335547cd9044b28..0000000000000000000000000000000000000000
--- a/lib/docs/pear.unl.edu/UNL_DWT/examples/basic/template_style1.dwt
+++ /dev/null
@@ -1,80 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml">
-<head>
-<meta http-equiv="Content-Type" content="text/html; charset=ISO-8859-1" />
-<!-- TemplateBeginEditable name="doctitle" -->
-<title>Sample Template Style 1</title>
-<!-- TemplateEndEditable -->
-<style type="text/css">
-#container
-{
-width: 90%;
-margin: 10px auto;
-background-color: #fff;
-color: #333;
-border: 1px solid gray;
-line-height: 130%;
-}
-
-#top
-{
-padding: .5em;
-background-color: #ddd;
-border-bottom: 1px solid gray;
-}
-
-#top h1
-{
-padding: 0;
-margin: 0;
-}
-
-#leftnav
-{
-float: left;
-width: 160px;
-margin: 0;
-padding: 1em;
-}
-
-#content
-{
-margin-left: 200px;
-border-left: 1px solid gray;
-padding: 1em;
-max-width: 36em;
-}
-
-#footer
-{
-clear: both;
-margin: 0;
-padding: .5em;
-color: #333;
-background-color: #ddd;
-border-top: 1px solid gray;
-}
-
-#leftnav p { margin: 0 0 1em 0; }
-#content h2 { margin: 0 0 .5em 0; }
-</style>
-<!-- TemplateBeginEditable name="head" --><!-- TemplateEndEditable -->
-</head>
-
-<body>
-<div id="container">
-<div id="top">
-<h1><!-- TemplateBeginEditable name="header" -->Header<!-- TemplateEndEditable --></h1>
-</div>
-<div id="leftnav"><!-- TemplateBeginEditable name="leftnav" -->
-    <p> Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut. </p>
-<!-- TemplateEndEditable --></div>
-<div id="content"><!-- TemplateBeginEditable name="content" -->
-    <h2>Subheading</h2>
-    <p> Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut laoreet dolore magna aliquam erat volutpat. Ut wisi enim ad minim veniam, quis nostrud exerci tation ullamcorper suscipit lobortis nisl ut aliquip ex ea commodo consequat. Duis autem vel eum iriure dolor in hendrerit in vulputate velit esse molestie consequat, vel illum dolore eu feugiat nulla facilisis at vero eros et accumsan et iusto odio dignissim qui blandit praesent luptatum zzril delenit augue duis dolore te feugait nulla facilisi. </p>
-    <p> Ut wisi enim ad minim veniam, quis nostrud exerci tation ullamcorper suscipit lobortis nisl ut aliquip ex ea commodo consequat. Duis autem vel eum iriure dolor in hendrerit in vulputate velit esse molestie consequat, vel illum dolore eu feugiat nulla facilisis at vero eros et accumsan et iusto odio dignissim qui blandit praesent luptatum zzril delenit augue duis dolore te feugait nulla facilisi. Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut laoreet dolore magna aliquam erat volutpat. </p>
-<!-- TemplateEndEditable --></div>
-<div id="footer"><!-- TemplateBeginEditable name="footer" -->Footer<!-- TemplateEndEditable --></div>
-</div>
-</body>
-</html>
diff --git a/lib/docs/pear.unl.edu/UNL_DWT/examples/example.ini b/lib/docs/pear.unl.edu/UNL_DWT/examples/example.ini
deleted file mode 100644
index edf2b239e2d2d653bf45049ecc277572de2266f5..0000000000000000000000000000000000000000
--- a/lib/docs/pear.unl.edu/UNL_DWT/examples/example.ini
+++ /dev/null
@@ -1,5 +0,0 @@
-[UNL_DWT]
-dwt_location    = @DOC_DIR@/UNL_DWT/docs/examples/
-class_location  = @DOC_DIR@/UNL_DWT/docs/examples/
-tpl_location	= @DOC_DIR@/UNL_DWT/docs/examples/
-class_prefix    = UNL_DWT_
\ No newline at end of file
diff --git a/lib/docs/pear.unl.edu/UNL_DWT/examples/example.test.ini b/lib/docs/pear.unl.edu/UNL_DWT/examples/example.test.ini
deleted file mode 100644
index 6f24a0b77b8e13197c9649c42aa2139a647de3fc..0000000000000000000000000000000000000000
--- a/lib/docs/pear.unl.edu/UNL_DWT/examples/example.test.ini
+++ /dev/null
@@ -1,5 +0,0 @@
-[UNL_DWT]
-dwt_location    = ./
-class_location  = ./
-tpl_location	= ./
-class_prefix    = UNL_DWT_
\ No newline at end of file
diff --git a/lib/docs/pear.unl.edu/UNL_DWT/examples/example_style1.php b/lib/docs/pear.unl.edu/UNL_DWT/examples/example_style1.php
deleted file mode 100644
index 632c8afa2e6f26b57c5a32c9e5c5c228860e2972..0000000000000000000000000000000000000000
--- a/lib/docs/pear.unl.edu/UNL_DWT/examples/example_style1.php
+++ /dev/null
@@ -1,30 +0,0 @@
-<?php
-/**
- * This example uses the DWT object generated by: '@PHP_BIN@ @PHP_DIR@/UNL/DWT/createTemplates.php @DOC_DIR@/UNL_DWT/docs/examples/example.ini'
- * 
- */
-ini_set('display_errors',true);
-error_reporting(E_ALL|E_STRICT);
-
-set_include_path(dirname(__DIR__).'/../src');
-
-require_once 'UNL/DWT.php';
-if ('@DATA_DIR@' == '@'.'DATA_DIR@') {
-    $configfile = 'example.test.ini';
-} else {
-    $configfile = '@DOC_DIR@/UNL_DWT/docs/examples/example.ini';
-}
-$config = parse_ini_file($configfile, true);
-foreach($config as $class=>$values) {
-   UNL_DWT::$options = $values;
-}
-$page = UNL_DWT::factory('Template_style1');
-$page->header  = "Example Using Template Style 1";
-$page->leftnav = "<ul><li><a href='http://pear.unl.edu/'>UNL PEAR Channel</a></li></ul>";
-$page->content = "<p>This example demonstrates the usefulness of the DWT object generator for Dreamweaver Templates.</p>";
-$page->content .= "<p>Included with the DWT package is a Dreamweaver template with 4 editable regions [template_style1.dwt]. This page is rendered using the DWT class created from that template.</p>";
-$page->content .= "<p>To create classes for your Templates, create a .ini file with the location of your Dreamweaver templates (dwt's) and then run the createTemplates.php script to generate objects for each of your template files.</p>";
-$page->content .= "<p>Here is the ini file used to create the Template_style1:<pre><code>".file_get_contents($configfile)."</code></pre></p>";
-$page->content .= "<p>And the command used to create the template classes:<pre><code>@PHP_BIN@ @PHP_DIR@/UNL/DWT/createTemplates.php @DOC_DIR@/UNL_DWT/docs/examples/example.ini</code></pre></p>";
-$page->footer  = "<a href='mailto:brett.bieber@gmail.com'>Brett Bieber</a>";
-echo $page->toHtml();
\ No newline at end of file
diff --git a/lib/docs/pear.unl.edu/UNL_DWT/examples/scanner_example.php b/lib/docs/pear.unl.edu/UNL_DWT/examples/scanner_example.php
deleted file mode 100644
index 00184321118c0efda8e8b714c02ca742b04efb3c..0000000000000000000000000000000000000000
--- a/lib/docs/pear.unl.edu/UNL_DWT/examples/scanner_example.php
+++ /dev/null
@@ -1,19 +0,0 @@
-<?php
-
-set_include_path(dirname(__DIR__).'/../src');
-error_reporting(E_ALL);
-ini_set('display_errors', true);
-
-require_once 'UNL/DWT/Scanner.php';
-
-$file = file_get_contents(dirname(__FILE__).'/basic/'.'template_style1.dwt');
-
-$scanned = new UNL_DWT_Scanner($file);
-
-// Modify the scanned content
-$scanned->content .= '<h3>Scanned content from the left nav:</h3>';
-
-// Also, access the content that was scanned in
-$scanned->content .= '<pre>'.$scanned->leftnav.'</pre>';
-
-echo $scanned;
diff --git a/lib/docs/pear.unl.edu/UNL_DWT/examples/template_style1.dwt b/lib/docs/pear.unl.edu/UNL_DWT/examples/template_style1.dwt
deleted file mode 100644
index f22ce6abf12031903536a83ed335547cd9044b28..0000000000000000000000000000000000000000
--- a/lib/docs/pear.unl.edu/UNL_DWT/examples/template_style1.dwt
+++ /dev/null
@@ -1,80 +0,0 @@
-<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">
-<html xmlns="http://www.w3.org/1999/xhtml">
-<head>
-<meta http-equiv="Content-Type" content="text/html; charset=ISO-8859-1" />
-<!-- TemplateBeginEditable name="doctitle" -->
-<title>Sample Template Style 1</title>
-<!-- TemplateEndEditable -->
-<style type="text/css">
-#container
-{
-width: 90%;
-margin: 10px auto;
-background-color: #fff;
-color: #333;
-border: 1px solid gray;
-line-height: 130%;
-}
-
-#top
-{
-padding: .5em;
-background-color: #ddd;
-border-bottom: 1px solid gray;
-}
-
-#top h1
-{
-padding: 0;
-margin: 0;
-}
-
-#leftnav
-{
-float: left;
-width: 160px;
-margin: 0;
-padding: 1em;
-}
-
-#content
-{
-margin-left: 200px;
-border-left: 1px solid gray;
-padding: 1em;
-max-width: 36em;
-}
-
-#footer
-{
-clear: both;
-margin: 0;
-padding: .5em;
-color: #333;
-background-color: #ddd;
-border-top: 1px solid gray;
-}
-
-#leftnav p { margin: 0 0 1em 0; }
-#content h2 { margin: 0 0 .5em 0; }
-</style>
-<!-- TemplateBeginEditable name="head" --><!-- TemplateEndEditable -->
-</head>
-
-<body>
-<div id="container">
-<div id="top">
-<h1><!-- TemplateBeginEditable name="header" -->Header<!-- TemplateEndEditable --></h1>
-</div>
-<div id="leftnav"><!-- TemplateBeginEditable name="leftnav" -->
-    <p> Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut. </p>
-<!-- TemplateEndEditable --></div>
-<div id="content"><!-- TemplateBeginEditable name="content" -->
-    <h2>Subheading</h2>
-    <p> Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut laoreet dolore magna aliquam erat volutpat. Ut wisi enim ad minim veniam, quis nostrud exerci tation ullamcorper suscipit lobortis nisl ut aliquip ex ea commodo consequat. Duis autem vel eum iriure dolor in hendrerit in vulputate velit esse molestie consequat, vel illum dolore eu feugiat nulla facilisis at vero eros et accumsan et iusto odio dignissim qui blandit praesent luptatum zzril delenit augue duis dolore te feugait nulla facilisi. </p>
-    <p> Ut wisi enim ad minim veniam, quis nostrud exerci tation ullamcorper suscipit lobortis nisl ut aliquip ex ea commodo consequat. Duis autem vel eum iriure dolor in hendrerit in vulputate velit esse molestie consequat, vel illum dolore eu feugiat nulla facilisis at vero eros et accumsan et iusto odio dignissim qui blandit praesent luptatum zzril delenit augue duis dolore te feugait nulla facilisi. Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut laoreet dolore magna aliquam erat volutpat. </p>
-<!-- TemplateEndEditable --></div>
-<div id="footer"><!-- TemplateBeginEditable name="footer" -->Footer<!-- TemplateEndEditable --></div>
-</div>
-</body>
-</html>
diff --git a/lib/docs/pear.unl.edu/UNL_Templates/examples/convert.php b/lib/docs/pear.unl.edu/UNL_Templates/examples/convert.php
deleted file mode 100644
index f16cee1a920f7454552afff3648e2937605588ba..0000000000000000000000000000000000000000
--- a/lib/docs/pear.unl.edu/UNL_Templates/examples/convert.php
+++ /dev/null
@@ -1,37 +0,0 @@
-#!/usr/bin/env php
-<?php
-if (!isset($_SERVER['argv'],$_SERVER['argv'][1])
-    || $_SERVER['argv'][1] == '--help' || $_SERVER['argc'] != 2) {
-    echo "This program requires 1 argument.\n";
-    echo "convert.php oldfile.shtml newfile.shtml\n\n";
-    exit();
-}
-
-require_once 'UNL/Autoload.php';
-
-if (!file_exists($_SERVER['argv'][1])) {
-    echo "Filename does not exist!\n";
-    exit();
-}
-
-UNL_Templates::$options['version'] = 3;
-UNL_Templates::$options['templatedependentspath'] = '/Library/WebServer/Documents';
-
-
-$p = new UNL_Templates_Scanner(file_get_contents($_SERVER['argv'][1]));
-
-
-
-$new = UNL_Templates::factory('Fixed');
-UNL_Templates::$options['templatedependentspath'] = '/Library/WebServer/Documents';
-
-
-foreach ($p->getRegions() as $region) {
-    if (count($region)) {
-        $new->{$region->name} = $region->value;
-    }
-}
-UNL_Templates::$options['templatedependentspath'] = 'paththatdoesnotexist!';
-
-echo $new;
-?>
\ No newline at end of file
diff --git a/lib/docs/pear.unl.edu/UNL_Templates/examples/customization/CustomClass.php b/lib/docs/pear.unl.edu/UNL_Templates/examples/customization/CustomClass.php
deleted file mode 100644
index 6f19d2e430592fbc844acd86fc785b001d7e2a55..0000000000000000000000000000000000000000
--- a/lib/docs/pear.unl.edu/UNL_Templates/examples/customization/CustomClass.php
+++ /dev/null
@@ -1,105 +0,0 @@
-<?php
-
-set_include_path(dirname(dirname(dirname(__DIR__))).'/src'.PATH_SEPARATOR.dirname(dirname(dirname(__DIR__))).'/vendor/php');
-
-
-require_once 'UNL/Templates.php';
-
-class CustomClass
-{
-    public $template;
-    
-    function __construct()
-    {
-        $this->template = UNL_Templates::factory('Fixed');
-        $this->autoGenerate('Department of Mathematics', 'Math');
-    }
-    
-    function autoGenerateBreadcrumbs($unitShortName, array $organization = array('name' => 'UNL', 'url' => 'http://www.unl.edu/'), $delimiter = ' | ')
-    {
-        $fileName             = array_shift(explode('.', array_pop(explode(DIRECTORY_SEPARATOR, htmlentities($_SERVER['SCRIPT_NAME'])))));
-        $generatedBreadcrumbs = '';
-        $generatedDocTitle    = '';
-        
-        $isIndexPage = preg_match('/index/', $fileName);
-        
-        $searchFor = array($_SERVER['DOCUMENT_ROOT'], '_');
-        $replaceWith = array($unitShortName, ' ');
-        
-        $keys = explode(DIRECTORY_SEPARATOR, str_replace($searchFor, $replaceWith, getcwd()));
-        $values = array();
-        
-        for ($i = count($keys)-1; $i >= 0; $i--) {
-            array_push($values, str_replace($_SERVER['DOCUMENT_ROOT'], '', implode(DIRECTORY_SEPARATOR, explode(DIRECTORY_SEPARATOR, getcwd(), -$i)).DIRECTORY_SEPARATOR));
-        }
-        
-        for ($i = 0; $i < count($keys)  - $isIndexPage ; $i++) {
-            $generatedBreadcrumbs .= '<li><a href="'. $values[$i] .'">' . ucwords($keys[$i]) .' </a></li> '; 
-            $generatedDocTitle    .= ucwords($keys[$i]) . $delimiter;
-        }
-    
-        if ($isIndexPage) {
-            $generatedBreadcrumbs .= '<li>'. ucwords(end($keys)) .'</li></ul>';
-            $generatedDocTitle    .= ucwords(end($keys));
-        } else {
-            $generatedBreadcrumbs .= '<li>'. ucwords($fileName) .'</li></ul>';
-            $generatedDocTitle    .= ucwords($fileName);
-        }
-        
-        $doctitle    = '<title>' . $organization['name'] . $delimiter . $generatedDocTitle . '</title>';
-        $breadcrumbs = '<ul><li class="first"><a href="'.$organization['url'].'">'.$organization['name'].'</a></li> ' . $generatedBreadcrumbs;
-    
-        $this->template->doctitle = $doctitle;
-        $this->template->breadcrumbs = $breadcrumbs;
-    }
-    
-    /**
-     * This function finds an html file with the content of the body file and
-     * inserts it into the template.
-     *
-     * @param string $unitName Name of the department/unit
-     * 
-     * @return void
-     */
-    function autoGenerateBody($unitName)
-    {
-        // The file that has the body is in the same dir with the same base file name.
-        $bodyFile = array_shift(explode('.', array_pop(explode(DIRECTORY_SEPARATOR, htmlentities($_SERVER['SCRIPT_NAME']))))) . '.html';
-    
-        $maincontentarea_array = file($bodyFile);
-        $maincontentarea       = implode(' ', $maincontentarea_array);
-        $subhead               = preg_replace('/<!--\s*(.+)\s*-->/i', '$1', array_shift($maincontentarea_array));
-    
-        $titlegraphic = '<h1>' . $unitName . '</h1><h2>' . $subhead    . '</h2>';
-    
-        $this->template->titlegraphic    = $titlegraphic;
-        $this->template->maincontentarea = $maincontentarea;
-    }
-    
-    /**
-     * Autogenerate the contents of a page.
-     *
-     * @param string $unitName      name of the unit/department
-     * @param string $unitShortName abbreviation for the unit
-     * @param array  $organization  organization heirarchy
-     * @param string $delimiter     what separates files
-     * 
-     * @return void
-     */
-    function autoGenerate($unitName, $unitShortName, array $organization = array('name' => 'UNL', 'url' => 'http://www.unl.edu/'), $delimiter = ' | ')
-    {
-        $this->autoGenerateBreadcrumbs($unitShortName, $organization, $delimiter);
-        $this->autoGenerateBody($unitName);
-    }
-    
-    /**
-     * renders a string representation of the template
-     *
-     * @return unknown
-     */
-    function __toString()
-    {
-        return $this->template->toHtml();
-    }
-}
-?>
\ No newline at end of file
diff --git a/lib/docs/pear.unl.edu/UNL_Templates/examples/customization/customization_example.html b/lib/docs/pear.unl.edu/UNL_Templates/examples/customization/customization_example.html
deleted file mode 100644
index 0b9cbc15ae93a78f3367828241a62fbd8bef3714..0000000000000000000000000000000000000000
--- a/lib/docs/pear.unl.edu/UNL_Templates/examples/customization/customization_example.html
+++ /dev/null
@@ -1 +0,0 @@
-This is the main content of the body.
\ No newline at end of file
diff --git a/lib/docs/pear.unl.edu/UNL_Templates/examples/customization/customization_example.php b/lib/docs/pear.unl.edu/UNL_Templates/examples/customization/customization_example.php
deleted file mode 100644
index 4cd36edbcd8d519f56989dd67dd088caff39f0dc..0000000000000000000000000000000000000000
--- a/lib/docs/pear.unl.edu/UNL_Templates/examples/customization/customization_example.php
+++ /dev/null
@@ -1,8 +0,0 @@
-<?php
-require_once 'CustomClass.php';
-
-$page = new CustomClass();
-
-echo $page;
-
-?>
\ No newline at end of file
diff --git a/lib/docs/pear.unl.edu/UNL_Templates/examples/example1.php b/lib/docs/pear.unl.edu/UNL_Templates/examples/example1.php
deleted file mode 100644
index be1a633f401c33e971949a60114d1e7a8ef81fbe..0000000000000000000000000000000000000000
--- a/lib/docs/pear.unl.edu/UNL_Templates/examples/example1.php
+++ /dev/null
@@ -1,29 +0,0 @@
-<?php
-/**
- * This example demonstrates the usage of the UNL Templates.
- *
- * 
- * @package UNL_Templates
- */
-ini_set('display_errors', true);
-error_reporting(E_ALL);
-set_include_path(dirname(dirname(__DIR__)).'/src'.PATH_SEPARATOR.dirname(dirname(__DIR__)).'/../UNL_DWT/src');
-require_once 'UNL/Templates.php';
-
-// Optionally set the version you'd like to use
-UNL_Templates::$options['version'] = 4;
-UNL_Templates::$options['templatedependentspath'] = 'https://raw.github.com/unl/wdntemplates/4.0';
-
-$page = UNL_Templates::factory('Fixed', array('sharedcodepath' => 'sharedcode'));
-$page->addScript('test.js');
-$page->addScriptDeclaration('function sayHello(){alert("Hello!");}');
-$page->addStylesheet('foo.css');
-$page->addStyleDeclaration('.foo {font-weight:bold;}');
-$page->titlegraphic     = 'Hello UNL Templates';
-$page->pagetitle        = '<h1>This is my page title h1.</h1>';
-$page->maincontentarea  = '<p>This is my main content.</p>';
-$page->navlinks         = '<ul><li><a href="#">Hello world!</a></li></ul>';
-$page->leftRandomPromo  = '';
-$page->maincontentarea  .= highlight_file(__FILE__, true);
-$page->loadSharedcodeFiles();
-echo $page->toHTML();
diff --git a/lib/docs/pear.unl.edu/UNL_Templates/examples/scanner.php b/lib/docs/pear.unl.edu/UNL_Templates/examples/scanner.php
deleted file mode 100644
index ce6ac1e7cc07db1998e6aa8d4a1093ff5c8e24d1..0000000000000000000000000000000000000000
--- a/lib/docs/pear.unl.edu/UNL_Templates/examples/scanner.php
+++ /dev/null
@@ -1,14 +0,0 @@
-<?php
-
-set_include_path(dirname(dirname(__DIR__)).'/src'.PATH_SEPARATOR.dirname(dirname(__DIR__)).'/vendor/php');
-
-highlight_file(__FILE__);
-require_once 'UNL/Templates/Scanner.php';
-
-$html = file_get_contents('http://www.unl.edu/ucomm/unltoday/');
-
-// Scan this rendered UNL template-based page for editable regions
-$scanner = new UNL_Templates_Scanner($html);
-
-// All editable regions are now member variables of the scanner object.
-echo $scanner->maincontentarea;
diff --git a/lib/downloads/UNL_Autoload-0.5.0.tgz b/lib/downloads/UNL_Autoload-0.5.0.tgz
deleted file mode 100644
index f5b5373556dd6878b8276748534baeee14745a10..0000000000000000000000000000000000000000
Binary files a/lib/downloads/UNL_Autoload-0.5.0.tgz and /dev/null differ
diff --git a/lib/downloads/UNL_Cache_Lite-0.1.0.tgz b/lib/downloads/UNL_Cache_Lite-0.1.0.tgz
deleted file mode 100644
index 3d4d5c397f49876f7d3a324277c39fe57d0e2061..0000000000000000000000000000000000000000
Binary files a/lib/downloads/UNL_Cache_Lite-0.1.0.tgz and /dev/null differ
diff --git a/lib/downloads/UNL_DWT-0.7.1.tgz b/lib/downloads/UNL_DWT-0.7.1.tgz
deleted file mode 100644
index 573413bc464c0418d8f78a7cde905362bb555050..0000000000000000000000000000000000000000
Binary files a/lib/downloads/UNL_DWT-0.7.1.tgz and /dev/null differ
diff --git a/lib/downloads/UNL_DWT-0.7.2.tgz b/lib/downloads/UNL_DWT-0.7.2.tgz
deleted file mode 100644
index c2375c729a9fe36701c90c7ea351d44af862ddf4..0000000000000000000000000000000000000000
Binary files a/lib/downloads/UNL_DWT-0.7.2.tgz and /dev/null differ
diff --git a/lib/downloads/UNL_DWT-0.9.0.phar b/lib/downloads/UNL_DWT-0.9.0.phar
deleted file mode 100644
index 83cc3ffc2464f8d67ba54421cc71fe157320c8b7..0000000000000000000000000000000000000000
--- a/lib/downloads/UNL_DWT-0.9.0.phar
+++ /dev/null
@@ -1,239 +0,0 @@
-<!DOCTYPE html>
-<!--[if IEMobile 7 ]><html class="ie iem7"><![endif]-->
-<!--[if lt IE 7 ]><html class="ie ie6" lang="en"><![endif]-->
-<!--[if IE 7 ]><html class="ie ie7" lang="en"><![endif]-->
-<!--[if IE 8 ]><html class="ie ie8" lang="en"><![endif]-->
-<!--[if (gte IE 9)|(gt IEMobile 7) ]><html class="ie" lang="en"><![endif]-->
-<!--[if !(IEMobile) | !(IE)]><!--><html lang="en"><!-- InstanceBegin template="/Templates/fixed.dwt" codeOutsideHTMLIsLocked="false" --><!--<![endif]-->
-<head>
-<meta http-equiv="content-type" content="text/html;charset=UTF-8" />
-<meta name="author" content="University of Nebraska-Lincoln | Web Developer Network" />
-<meta name="viewport" content="initial-scale=1.0, width=device-width" />
-
-<!-- For Microsoft -->
-<!--[if IE]>
-<meta http-equiv="cleartype" content="on">
-<meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1">
-<![endif]-->
-
-<!-- For iPhone 4 -->
-<link rel="apple-touch-icon-precomposed" sizes="114x114" href="/wdn/templates_3.1/images/h-apple-touch-icon-precomposed.png">
-<!-- For iPad 1-->
-<link rel="apple-touch-icon-precomposed" sizes="72x72" href="/wdn/templates_3.1/images/m-apple-touch-icon-precomposed.png">
-<!-- For iPhone 3G, iPod Touch and Android -->
-<link rel="apple-touch-icon-precomposed" href="/wdn/templates_3.1/images/l-apple-touch-icon-precomposed.png">
-<!-- For everything else -->
-<link rel="shortcut icon" href="/wdn/templates_3.1/images/favicon.ico" />
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: fixed.dwt | ea2608181e2b6604db76106fd982b39218ddcb8b | Fri Mar 9 12:20:43 2012 -0600 | Kevin Abel  $
--->
-<!-- Load our base CSS file -->
-    <link rel="stylesheet" type="text/css" media="all" href="http://www.unl.edu/wdn/templates_3.1/css/compressed/base.css">
-<!-- Then load the various media queries (use 'only' to force non CSS3 compliant browser to ignore) -->
-<!-- Since this file is media query imports, IE 7 & 8 will not parse it -->
-<!--[if gt IE 8]><!-->
-    <link rel="stylesheet" type="text/css" media="all and (min-width: 320px)" href="http://www.unl.edu/wdn/templates_3.1/css/variations/media_queries.css">
-<!--<![endif]-->
-    
-<!-- Load the template JS file -->
-    <script type="text/javascript" src="http://www.unl.edu/wdn/templates_3.1/scripts/compressed/all.js?dep=3.1.19" id="wdn_dependents"></script>
-
-<!-- For old IE, bring in all the styles w/o media queries -->
-<!--[if lt IE 9]>
-    <link rel="stylesheet" type="text/css" media="all" href="http://www.unl.edu/wdn/templates_3.1/css/compressed/combined_widths.css" />
-    <script src="//html5shiv.googlecode.com/svn/trunk/html5.js"></script>
-<![endif]-->
-
-<!-- For all IE versions, bring in the tweaks -->
-<!--[if IE]>
-    <link rel="stylesheet" type="text/css" media="all" href="http://www.unl.edu/wdn/templates_3.1/css/variations/ie.css" />
-<![endif]-->
-
-<!-- Load the print styles -->
-    <link rel="stylesheet" type="text/css" media="print" href="http://www.unl.edu/wdn/templates_3.1/css/variations/print.css" />
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>{page_title}</title>
-<!-- InstanceEndEditable --><!-- InstanceBeginEditable name="head" -->
-<link rel="alternate" href="/?view=latest&amp;format=rss" title="Latest Releases" type="application/atom+xml" />
-<!-- Place optional header elements here -->
-<link rel="stylesheet" href="/css/all.css" />
-<!-- InstanceEndEditable -->
-<!-- InstanceParam name="class" type="text" value="fixed" -->
-</head>
-<body class="fixed" data-version="3.1">
-    <nav class="skipnav">
-        <a class="skipnav" href="#maincontent">Skip Navigation</a>
-    </nav>
-    <div id="wdn_wrapper">
-        <header id="header" role="banner">
-            <a id="logo" href="http://www.unl.edu/" title="UNL website">UNL</a>
-            <span id="wdn_institution_title">University of Nebraska&ndash;Lincoln</span>
-            <span id="wdn_site_title"><!-- InstanceBeginEditable name="titlegraphic" -->
-            UNL PHP Extension and Application Repository            <!-- InstanceEndEditable --></span>
-            <div id="wdn_identity_management" role="navigation" aria-labelledby="wdn_idm_username">
-    <a class="wdn_idm_user_profile" id="wdn_idm_login" href="https://login.unl.edu/cas/login" title="Log in to UNL">
-        <img id="wdn_idm_userpic" src="/wdn/templates_3.1/images/wdn_idm_defaulttopbar.gif" alt="User Profile Photo">
-        <span id="wdn_idm_username">UNL Login</span>
-    </a>
-    <h3 class="wdn_list_descriptor hidden">Account Links</h3>
-    <ul id="wdn_idm_user_options">
-        <li id="wdn_idm_logout">
-            <a title="Logout" href="https://login.unl.edu/cas/logout?url=http%3A//www.unl.edu/">Logout</a>
-        </li>
-    </ul>
-</div>            <div id="wdn_search">
-    <form id="wdn_search_form" action="http://www.google.com/u/UNL1?sa=Google+Search&amp;q=" method="get" role="search">
-        <fieldset>
-            <legend class="hidden">Search</legend>
-            <label for="q">Search this site, all UNL or for a person</label>
-            <input accesskey="f" id="q" name="q" type="search" placeholder="Search this site, all UNL or for a person" />
-            <input class="search" type="submit" value="Go" name="submit" />
-        </fieldset>
-    </form>
-</div>
-<h3 class="wdn_list_descriptor hidden">UNL Tools</h3>
-<menu id="wdn_tool_links">
-    <li><a href="http://www1.unl.edu/feeds/" class="feeds tooltip" data-title="RSS Feeds: View and Subscribe to News Feeds">Feeds</a></li>
-    <li><a href="http://forecast.weather.gov/MapClick.php?CityName=Lincoln&amp;state=NE&amp;site=OAX" class="weather tooltip" data-title="Weather: Local Forecast and Radar">Weather</a></li>
-    <li><a href="http://events.unl.edu/" class="events tooltip" data-title="UNL Events: Calendar of Upcoming Events">Events</a></li>
-    <li><a href="http://directory.unl.edu/" class="directory tooltip" data-title="UNL Directory: Search for Faculty, Staff, Students and Departments">Directory</a></li>
-</menu>
-<span class="corner-fix-top-right"></span>
-<span class="corner-fix-bottom-left"></span>
-        </header>
-        <div id="wdn_navigation_bar" role="navigation">
-            <nav id="breadcrumbs">
-            <!-- InstanceBeginEditable name="breadcrumbs" -->
-            <ul>
-                <li><a href="http://www.unl.edu/" title="University of Nebraska&ndash;Lincoln">UNL</a></li>
-                <li>pear.unl.edu</li>
-            </ul>
-            <!-- TemplateEndEditable -->
-            </nav>
-            <div id="wdn_navigation_wrapper">
-                <nav id="navigation" role="navigation">
-                    <h3 class="wdn_list_descriptor hidden">Navigation</h3>
-                    <!-- InstanceBeginEditable name="navlinks" -->
-                <ul class="navigation">
-                    <li><a href="/">Home</a></li>
-                    <li><a href="/?view=packages">Packages</a></li>
-                    <li><a href="/?view=categories">Categories</a></li>
-                    <li><a href="/docs/">Documentation</a></li>
-                    <li><a href="/?view=support">Support</a></li>
-                </ul>
-                <!-- InstanceEndEditable -->
-                </nav>
-            </div>
-        </div>
-        <div id="wdn_content_wrapper" role="main">
-            <div id="pagetitle">
-                <!-- InstanceBeginEditable name="pagetitle" -->
-                <!-- InstanceEndEditable -->
-            </div>
-            <div id="maincontent">
-                <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-                <!-- InstanceBeginEditable name="maincontentarea" -->
-                <h1>WHOAH Nelly.</h1>
-<p>That view doesn't exist!</p>
-                <!-- InstanceEndEditable -->
-                <div class="clear"></div>
-                <noscript>
-    <p>
-    Your browser does not appear to support JavaScript, or you have turned JavaScript off. You may use unl.edu without enabling JavaScript, but certain functions may not be available.
-    </p>
-</noscript>                <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-            </div>
-        </div>
-        <footer id="footer">
-            <div id="footer_floater"></div>
-            <div class="footer_col" id="wdn_footer_feedback">
-                <h3><a href="http://www1.unl.edu/comments/">Your Feedback</a></h3>
-<form action="http://www1.unl.edu/comments/" method="post" id="wdn_feedback" title="WDN Feedback Form:4" class="rating">
-    <fieldset class="rating">
-        <legend>Please rate this page:</legend>
-        <input type="radio" id="star5" name="rating" value="5" />
-        <label for="star5" title="Rocks!">5 stars</label>
-        <input type="radio" id="star4" name="rating" value="4" />
-        <label for="star4" title="Pretty good">4 stars</label>
-        <input type="radio" id="star3" name="rating" value="3" />
-        <label for="star3" title="Meh">3 stars</label>
-        <input type="radio" id="star2" name="rating" value="2" />
-        <label for="star2" title="Kinda bad">2 stars</label>
-        <input type="radio" id="star1" name="rating" value="1" />
-        <label for="star1" title="Not so hot">1 star</label>
-        <input type="submit" value="Submit" name="submit" />
-    </fieldset>
-</form>
-<form action="http://www1.unl.edu/comments/" method="post" id="wdn_feedback_comments" title="WDN Feedback Form" class="comments">
-    <fieldset><legend>Comments for this page</legend>
-    <ol>
-        <li class="wdn_comment_name">
-            <label for="wdn_comment_name">Name (optional)</label>
-            <input type="text" name="name" id="wdn_comment_name" placeholder="Your Name" />
-        </li>
-        <li class="wdn_comment_email">
-            <label for="wdn_comment_email">Email (optional)</label>
-            <input type="text" name="email" id="wdn_comment_email" placeholder="Your Email" />
-        </li>
-        <li><label for="wdn_comments">Comments</label>
-          <textarea rows="2" cols="20" name="comment" id="wdn_comments" placeholder="Your Comment"></textarea>
-        </li>
-    </ol>
-    <input type="submit" value="Submit" name="submit" class="wdn_comment_submit" /></fieldset>
-</form>
-            </div>
-            <div class="footer_col" id="wdn_footer_related">
-                <!-- InstanceBeginEditable name="leftcollinks" -->
-                <h3>Related Links</h3>
-                <ul>
-                    <li><a href="http://wdn.unl.edu/">UNL Web Developer Network</a></li>
-                    <li><a href="http://pear.php.net/">PEAR</a></li>
-                </ul>
-                <!-- InstanceEndEditable --></div>
-            <div class="footer_col" id="wdn_footer_contact">
-                <!-- InstanceBeginEditable name="contactinfo" -->
-                <h3>Contacting Us</h3>
-                <p>
-                This PEAR channel is maintained by:<br />
-                <strong>Brett Bieber<br />
-                University Communications</strong><br />
-                Internet and Interactive Media<br />
-                bbieber2@unl.edu
-                </p>
-                <!-- InstanceEndEditable --></div>
-            <div class="footer_col" id="wdn_footer_share">
-                <h3>Share This Page</h3>
-<ul class="socialmedia">
-    <li><a href="http://go.unl.edu/?url=referer" id="wdn_createGoURL" rel="nofollow">Get a G<span>o</span>URL</a></li>
-    <li class="outpost" id="wdn_emailthis"><a href="mailto:" title="Share this page through email" rel="nofollow">Share this page through email</a></li>
-    <li class="outpost" id="wdn_facebook"><a href="https://www.facebook.com/" title="Share this page on Facebook" rel="nofollow">Share this page on Facebook</a></li>   
-    <li class="outpost" id="wdn_twitter"><a href="https://twitter.com/" title="Share this page on Twitter" rel="nofollow">Share this page on Twitter</a></li>
-</ul>            </div>
-            <!-- InstanceBeginEditable name="optionalfooter" -->
-            <!-- InstanceEndEditable -->
-            <div id="wdn_copyright">
-                <div>
-                    <!-- InstanceBeginEditable name="footercontent" -->
-                &copy; 2014 University of Nebraska-Lincoln | Lincoln, NE 68588 | 402-472-7211 | <a href="http://www1.unl.edu/comments/" title="Click here to direct your comments and questions">comments?</a>
-                <!-- InstanceEndEditable -->
-                <span id="wdn_attribution"><br/>UNL web templates and quality assurance provided by the <a href="http://wdn.unl.edu/" title="UNL Web Developer Network">Web Developer Network</a> | <a href="http://www1.unl.edu/wdn/qa/" id="wdn_qa_link">QA Test</a></span>                </div>
-                <div id="wdn_logos">
-    <a href="http://www.unl.edu/" title="UNL Home" id="unl_wordmark">UNL Home</a>
-    <a href="http://www.cic.net/home" title="CIC Website" id="cic_wordmark">CIC Website</a>
-    <a href="http://www.bigten.org/" title="Big Ten Website" id="b1g_wordmark">Big Ten Website</a>
-</div>            </div>
-        </footer>
-    </div>
-</body>
-<!-- InstanceEnd --></html>
diff --git a/lib/downloads/UNL_DWT-0.9.0.tgz b/lib/downloads/UNL_DWT-0.9.0.tgz
deleted file mode 100644
index b772b63bbc347a17300565ce89c3152dccae60e4..0000000000000000000000000000000000000000
Binary files a/lib/downloads/UNL_DWT-0.9.0.tgz and /dev/null differ
diff --git a/lib/downloads/UNL_Templates-1.3.0RC2.tgz b/lib/downloads/UNL_Templates-1.3.0RC2.tgz
deleted file mode 100644
index 0f67623b0fce5fd123f380fdb2a405a548628f88..0000000000000000000000000000000000000000
Binary files a/lib/downloads/UNL_Templates-1.3.0RC2.tgz and /dev/null differ
diff --git a/lib/downloads/UNL_Templates-1.4.0RC3.phar b/lib/downloads/UNL_Templates-1.4.0RC3.phar
deleted file mode 100644
index 83cc3ffc2464f8d67ba54421cc71fe157320c8b7..0000000000000000000000000000000000000000
--- a/lib/downloads/UNL_Templates-1.4.0RC3.phar
+++ /dev/null
@@ -1,239 +0,0 @@
-<!DOCTYPE html>
-<!--[if IEMobile 7 ]><html class="ie iem7"><![endif]-->
-<!--[if lt IE 7 ]><html class="ie ie6" lang="en"><![endif]-->
-<!--[if IE 7 ]><html class="ie ie7" lang="en"><![endif]-->
-<!--[if IE 8 ]><html class="ie ie8" lang="en"><![endif]-->
-<!--[if (gte IE 9)|(gt IEMobile 7) ]><html class="ie" lang="en"><![endif]-->
-<!--[if !(IEMobile) | !(IE)]><!--><html lang="en"><!-- InstanceBegin template="/Templates/fixed.dwt" codeOutsideHTMLIsLocked="false" --><!--<![endif]-->
-<head>
-<meta http-equiv="content-type" content="text/html;charset=UTF-8" />
-<meta name="author" content="University of Nebraska-Lincoln | Web Developer Network" />
-<meta name="viewport" content="initial-scale=1.0, width=device-width" />
-
-<!-- For Microsoft -->
-<!--[if IE]>
-<meta http-equiv="cleartype" content="on">
-<meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1">
-<![endif]-->
-
-<!-- For iPhone 4 -->
-<link rel="apple-touch-icon-precomposed" sizes="114x114" href="/wdn/templates_3.1/images/h-apple-touch-icon-precomposed.png">
-<!-- For iPad 1-->
-<link rel="apple-touch-icon-precomposed" sizes="72x72" href="/wdn/templates_3.1/images/m-apple-touch-icon-precomposed.png">
-<!-- For iPhone 3G, iPod Touch and Android -->
-<link rel="apple-touch-icon-precomposed" href="/wdn/templates_3.1/images/l-apple-touch-icon-precomposed.png">
-<!-- For everything else -->
-<link rel="shortcut icon" href="/wdn/templates_3.1/images/favicon.ico" />
-<!--
-    Membership and regular participation in the UNL Web Developer Network
-    is required to use the UNL templates. Visit the WDN site at 
-    http://wdn.unl.edu/. Click the WDN Registry link to log in and
-    register your unl.edu site.
-    All UNL template code is the property of the UNL Web Developer Network.
-    The code seen in a source code view is not, and may not be used as, a 
-    template. You may not use this code, a reverse-engineered version of 
-    this code, or its associated visual presentation in whole or in part to
-    create a derivative work.
-    This message may not be removed from any pages based on the UNL site template.
-    
-    $Id: fixed.dwt | ea2608181e2b6604db76106fd982b39218ddcb8b | Fri Mar 9 12:20:43 2012 -0600 | Kevin Abel  $
--->
-<!-- Load our base CSS file -->
-    <link rel="stylesheet" type="text/css" media="all" href="http://www.unl.edu/wdn/templates_3.1/css/compressed/base.css">
-<!-- Then load the various media queries (use 'only' to force non CSS3 compliant browser to ignore) -->
-<!-- Since this file is media query imports, IE 7 & 8 will not parse it -->
-<!--[if gt IE 8]><!-->
-    <link rel="stylesheet" type="text/css" media="all and (min-width: 320px)" href="http://www.unl.edu/wdn/templates_3.1/css/variations/media_queries.css">
-<!--<![endif]-->
-    
-<!-- Load the template JS file -->
-    <script type="text/javascript" src="http://www.unl.edu/wdn/templates_3.1/scripts/compressed/all.js?dep=3.1.19" id="wdn_dependents"></script>
-
-<!-- For old IE, bring in all the styles w/o media queries -->
-<!--[if lt IE 9]>
-    <link rel="stylesheet" type="text/css" media="all" href="http://www.unl.edu/wdn/templates_3.1/css/compressed/combined_widths.css" />
-    <script src="//html5shiv.googlecode.com/svn/trunk/html5.js"></script>
-<![endif]-->
-
-<!-- For all IE versions, bring in the tweaks -->
-<!--[if IE]>
-    <link rel="stylesheet" type="text/css" media="all" href="http://www.unl.edu/wdn/templates_3.1/css/variations/ie.css" />
-<![endif]-->
-
-<!-- Load the print styles -->
-    <link rel="stylesheet" type="text/css" media="print" href="http://www.unl.edu/wdn/templates_3.1/css/variations/print.css" />
-<!-- InstanceBeginEditable name="doctitle" -->
-<title>{page_title}</title>
-<!-- InstanceEndEditable --><!-- InstanceBeginEditable name="head" -->
-<link rel="alternate" href="/?view=latest&amp;format=rss" title="Latest Releases" type="application/atom+xml" />
-<!-- Place optional header elements here -->
-<link rel="stylesheet" href="/css/all.css" />
-<!-- InstanceEndEditable -->
-<!-- InstanceParam name="class" type="text" value="fixed" -->
-</head>
-<body class="fixed" data-version="3.1">
-    <nav class="skipnav">
-        <a class="skipnav" href="#maincontent">Skip Navigation</a>
-    </nav>
-    <div id="wdn_wrapper">
-        <header id="header" role="banner">
-            <a id="logo" href="http://www.unl.edu/" title="UNL website">UNL</a>
-            <span id="wdn_institution_title">University of Nebraska&ndash;Lincoln</span>
-            <span id="wdn_site_title"><!-- InstanceBeginEditable name="titlegraphic" -->
-            UNL PHP Extension and Application Repository            <!-- InstanceEndEditable --></span>
-            <div id="wdn_identity_management" role="navigation" aria-labelledby="wdn_idm_username">
-    <a class="wdn_idm_user_profile" id="wdn_idm_login" href="https://login.unl.edu/cas/login" title="Log in to UNL">
-        <img id="wdn_idm_userpic" src="/wdn/templates_3.1/images/wdn_idm_defaulttopbar.gif" alt="User Profile Photo">
-        <span id="wdn_idm_username">UNL Login</span>
-    </a>
-    <h3 class="wdn_list_descriptor hidden">Account Links</h3>
-    <ul id="wdn_idm_user_options">
-        <li id="wdn_idm_logout">
-            <a title="Logout" href="https://login.unl.edu/cas/logout?url=http%3A//www.unl.edu/">Logout</a>
-        </li>
-    </ul>
-</div>            <div id="wdn_search">
-    <form id="wdn_search_form" action="http://www.google.com/u/UNL1?sa=Google+Search&amp;q=" method="get" role="search">
-        <fieldset>
-            <legend class="hidden">Search</legend>
-            <label for="q">Search this site, all UNL or for a person</label>
-            <input accesskey="f" id="q" name="q" type="search" placeholder="Search this site, all UNL or for a person" />
-            <input class="search" type="submit" value="Go" name="submit" />
-        </fieldset>
-    </form>
-</div>
-<h3 class="wdn_list_descriptor hidden">UNL Tools</h3>
-<menu id="wdn_tool_links">
-    <li><a href="http://www1.unl.edu/feeds/" class="feeds tooltip" data-title="RSS Feeds: View and Subscribe to News Feeds">Feeds</a></li>
-    <li><a href="http://forecast.weather.gov/MapClick.php?CityName=Lincoln&amp;state=NE&amp;site=OAX" class="weather tooltip" data-title="Weather: Local Forecast and Radar">Weather</a></li>
-    <li><a href="http://events.unl.edu/" class="events tooltip" data-title="UNL Events: Calendar of Upcoming Events">Events</a></li>
-    <li><a href="http://directory.unl.edu/" class="directory tooltip" data-title="UNL Directory: Search for Faculty, Staff, Students and Departments">Directory</a></li>
-</menu>
-<span class="corner-fix-top-right"></span>
-<span class="corner-fix-bottom-left"></span>
-        </header>
-        <div id="wdn_navigation_bar" role="navigation">
-            <nav id="breadcrumbs">
-            <!-- InstanceBeginEditable name="breadcrumbs" -->
-            <ul>
-                <li><a href="http://www.unl.edu/" title="University of Nebraska&ndash;Lincoln">UNL</a></li>
-                <li>pear.unl.edu</li>
-            </ul>
-            <!-- TemplateEndEditable -->
-            </nav>
-            <div id="wdn_navigation_wrapper">
-                <nav id="navigation" role="navigation">
-                    <h3 class="wdn_list_descriptor hidden">Navigation</h3>
-                    <!-- InstanceBeginEditable name="navlinks" -->
-                <ul class="navigation">
-                    <li><a href="/">Home</a></li>
-                    <li><a href="/?view=packages">Packages</a></li>
-                    <li><a href="/?view=categories">Categories</a></li>
-                    <li><a href="/docs/">Documentation</a></li>
-                    <li><a href="/?view=support">Support</a></li>
-                </ul>
-                <!-- InstanceEndEditable -->
-                </nav>
-            </div>
-        </div>
-        <div id="wdn_content_wrapper" role="main">
-            <div id="pagetitle">
-                <!-- InstanceBeginEditable name="pagetitle" -->
-                <!-- InstanceEndEditable -->
-            </div>
-            <div id="maincontent">
-                <!--THIS IS THE MAIN CONTENT AREA; WDN: see glossary item 'main content area' -->
-                <!-- InstanceBeginEditable name="maincontentarea" -->
-                <h1>WHOAH Nelly.</h1>
-<p>That view doesn't exist!</p>
-                <!-- InstanceEndEditable -->
-                <div class="clear"></div>
-                <noscript>
-    <p>
-    Your browser does not appear to support JavaScript, or you have turned JavaScript off. You may use unl.edu without enabling JavaScript, but certain functions may not be available.
-    </p>
-</noscript>                <!--THIS IS THE END OF THE MAIN CONTENT AREA.-->
-            </div>
-        </div>
-        <footer id="footer">
-            <div id="footer_floater"></div>
-            <div class="footer_col" id="wdn_footer_feedback">
-                <h3><a href="http://www1.unl.edu/comments/">Your Feedback</a></h3>
-<form action="http://www1.unl.edu/comments/" method="post" id="wdn_feedback" title="WDN Feedback Form:4" class="rating">
-    <fieldset class="rating">
-        <legend>Please rate this page:</legend>
-        <input type="radio" id="star5" name="rating" value="5" />
-        <label for="star5" title="Rocks!">5 stars</label>
-        <input type="radio" id="star4" name="rating" value="4" />
-        <label for="star4" title="Pretty good">4 stars</label>
-        <input type="radio" id="star3" name="rating" value="3" />
-        <label for="star3" title="Meh">3 stars</label>
-        <input type="radio" id="star2" name="rating" value="2" />
-        <label for="star2" title="Kinda bad">2 stars</label>
-        <input type="radio" id="star1" name="rating" value="1" />
-        <label for="star1" title="Not so hot">1 star</label>
-        <input type="submit" value="Submit" name="submit" />
-    </fieldset>
-</form>
-<form action="http://www1.unl.edu/comments/" method="post" id="wdn_feedback_comments" title="WDN Feedback Form" class="comments">
-    <fieldset><legend>Comments for this page</legend>
-    <ol>
-        <li class="wdn_comment_name">
-            <label for="wdn_comment_name">Name (optional)</label>
-            <input type="text" name="name" id="wdn_comment_name" placeholder="Your Name" />
-        </li>
-        <li class="wdn_comment_email">
-            <label for="wdn_comment_email">Email (optional)</label>
-            <input type="text" name="email" id="wdn_comment_email" placeholder="Your Email" />
-        </li>
-        <li><label for="wdn_comments">Comments</label>
-          <textarea rows="2" cols="20" name="comment" id="wdn_comments" placeholder="Your Comment"></textarea>
-        </li>
-    </ol>
-    <input type="submit" value="Submit" name="submit" class="wdn_comment_submit" /></fieldset>
-</form>
-            </div>
-            <div class="footer_col" id="wdn_footer_related">
-                <!-- InstanceBeginEditable name="leftcollinks" -->
-                <h3>Related Links</h3>
-                <ul>
-                    <li><a href="http://wdn.unl.edu/">UNL Web Developer Network</a></li>
-                    <li><a href="http://pear.php.net/">PEAR</a></li>
-                </ul>
-                <!-- InstanceEndEditable --></div>
-            <div class="footer_col" id="wdn_footer_contact">
-                <!-- InstanceBeginEditable name="contactinfo" -->
-                <h3>Contacting Us</h3>
-                <p>
-                This PEAR channel is maintained by:<br />
-                <strong>Brett Bieber<br />
-                University Communications</strong><br />
-                Internet and Interactive Media<br />
-                bbieber2@unl.edu
-                </p>
-                <!-- InstanceEndEditable --></div>
-            <div class="footer_col" id="wdn_footer_share">
-                <h3>Share This Page</h3>
-<ul class="socialmedia">
-    <li><a href="http://go.unl.edu/?url=referer" id="wdn_createGoURL" rel="nofollow">Get a G<span>o</span>URL</a></li>
-    <li class="outpost" id="wdn_emailthis"><a href="mailto:" title="Share this page through email" rel="nofollow">Share this page through email</a></li>
-    <li class="outpost" id="wdn_facebook"><a href="https://www.facebook.com/" title="Share this page on Facebook" rel="nofollow">Share this page on Facebook</a></li>   
-    <li class="outpost" id="wdn_twitter"><a href="https://twitter.com/" title="Share this page on Twitter" rel="nofollow">Share this page on Twitter</a></li>
-</ul>            </div>
-            <!-- InstanceBeginEditable name="optionalfooter" -->
-            <!-- InstanceEndEditable -->
-            <div id="wdn_copyright">
-                <div>
-                    <!-- InstanceBeginEditable name="footercontent" -->
-                &copy; 2014 University of Nebraska-Lincoln | Lincoln, NE 68588 | 402-472-7211 | <a href="http://www1.unl.edu/comments/" title="Click here to direct your comments and questions">comments?</a>
-                <!-- InstanceEndEditable -->
-                <span id="wdn_attribution"><br/>UNL web templates and quality assurance provided by the <a href="http://wdn.unl.edu/" title="UNL Web Developer Network">Web Developer Network</a> | <a href="http://www1.unl.edu/wdn/qa/" id="wdn_qa_link">QA Test</a></span>                </div>
-                <div id="wdn_logos">
-    <a href="http://www.unl.edu/" title="UNL Home" id="unl_wordmark">UNL Home</a>
-    <a href="http://www.cic.net/home" title="CIC Website" id="cic_wordmark">CIC Website</a>
-    <a href="http://www.bigten.org/" title="Big Ten Website" id="b1g_wordmark">Big Ten Website</a>
-</div>            </div>
-        </footer>
-    </div>
-</body>
-<!-- InstanceEnd --></html>
diff --git a/lib/downloads/UNL_Templates-1.4.0RC3.tgz b/lib/downloads/UNL_Templates-1.4.0RC3.tgz
deleted file mode 100644
index 23a82f185e1687fd012b1285d63a4290f7f6e67d..0000000000000000000000000000000000000000
Binary files a/lib/downloads/UNL_Templates-1.4.0RC3.tgz and /dev/null differ
diff --git a/lib/php/UNL/Autoload.php b/lib/php/UNL/Autoload.php
deleted file mode 100644
index b1bd7a63b331e15246225c59c70fdb01e55b2d17..0000000000000000000000000000000000000000
--- a/lib/php/UNL/Autoload.php
+++ /dev/null
@@ -1,62 +0,0 @@
-<?php
-function UNL_Autoload($class)
-{
-    if (substr($class, 0, 4) !== 'UNL_') {
-        return false;
-    }
-    $fp = @fopen(str_replace('_', '/', $class) . '.php', 'r', true);
-    if ($fp) {
-        fclose($fp);
-        require str_replace('_', '/', $class) . '.php';
-        if (!class_exists($class, false) && !interface_exists($class, false)) {
-            die(new Exception('Class ' . $class . ' was not present in ' .
-                str_replace('_', '/', $class) . '.php (include_path="' . get_include_path() .
-                '") [UNL_Autoload version 1.0]'));
-        }
-        return true;
-    }
-    $e = new Exception('Class ' . $class . ' could not be loaded from ' .
-        str_replace('_', '/', $class) . '.php, file does not exist (include_path="' . get_include_path() .
-        '") [UNL_Autoload version 1.0]');
-    $trace = $e->getTrace();
-    if (isset($trace[2]) && isset($trace[2]['function']) &&
-          in_array($trace[2]['function'], array('class_exists', 'interface_exists'))) {
-        return false;
-    }
-    if (isset($trace[1]) && isset($trace[1]['function']) &&
-          in_array($trace[1]['function'], array('class_exists', 'interface_exists'))) {
-        return false;
-    }
-    die ((string) $e);
-}
-
-// set up __autoload
-if (function_exists('spl_autoload_register')) {
-    if (!($_____t = spl_autoload_functions()) || !in_array('UNL_Autoload', spl_autoload_functions())) {
-        spl_autoload_register('UNL_Autoload');
-        if (function_exists('__autoload') && ($_____t === false)) {
-            // __autoload() was being used, but now would be ignored, add
-            // it to the autoload stack
-            spl_autoload_register('__autoload');
-        }
-    }
-    unset($_____t);
-} elseif (!function_exists('__autoload')) {
-    function __autoload($class) { return UNL_Autoload($class); }
-}
-
-// set up include_path if it doesn't register our current location
-$____paths = explode(PATH_SEPARATOR, get_include_path());
-$____found = false;
-foreach ($____paths as $____path) {
-    if ($____path == dirname(dirname(__FILE__))) {
-        $____found = true;
-        break;
-    }
-}
-if (!$____found) {
-    set_include_path(get_include_path() . PATH_SEPARATOR . dirname(dirname(__FILE__)));
-}
-unset($____paths);
-unset($____path);
-unset($____found);
diff --git a/lib/php/UNL/Cache/Lite.php b/lib/php/UNL/Cache/Lite.php
deleted file mode 100644
index 4c3240a2aaab1e46955958d994902014e675c42e..0000000000000000000000000000000000000000
--- a/lib/php/UNL/Cache/Lite.php
+++ /dev/null
@@ -1,844 +0,0 @@
-<?php
-
-/**
-* Fast, light and safe Cache Class
-*
-* UNL_Cache_Lite is a fast, light and safe cache system. It's optimized
-* for file containers. It is fast and safe (because it uses file
-* locking and/or anti-corruption tests).
-*
-* There are some examples in the 'docs/examples' file
-* Technical choices are described in the 'docs/technical' file
-*
-* Memory Caching is from an original idea of
-* Mike BENOIT <ipso@snappymail.ca>
-*
-* Nota : A chinese documentation (thanks to RainX <china_1982@163.com>) is
-* available at :
-* http://rainx.phpmore.com/manual/UNL_Cache_Lite.html
-*
-* @package UNL_Cache_Lite
-* @category Caching
-* @version $Id: Lite.php 283629 2009-07-07 05:34:37Z tacker $
-* @author Fabien MARTY <fab@php.net>
-*/
-
-define('UNL_CACHE_LITE_ERROR_RETURN', 1);
-define('UNL_CACHE_LITE_ERROR_DIE', 8); 
-
-class UNL_Cache_Lite
-{
-
-    // --- Private properties ---
-
-    /**
-    * Directory where to put the cache files
-    * (make sure to add a trailing slash)
-    *
-    * @var string $_cacheDir
-    */
-    protected $_cacheDir = '/tmp/';
-
-    /**
-    * Enable / disable caching
-    *
-    * (can be very usefull for the debug of cached scripts)
-    *
-    * @var boolean $_caching
-    */
-    protected $_caching = true;
-
-    /**
-    * Cache lifetime (in seconds)
-    *
-    * If null, the cache is valid forever.
-    *
-    * @var int $_lifeTime
-    */
-    protected $_lifeTime = 3600;
-
-    /**
-    * Enable / disable fileLocking
-    *
-    * (can avoid cache corruption under bad circumstances)
-    *
-    * @var boolean $_fileLocking
-    */
-    protected $_fileLocking = true;
-
-    /**
-    * Timestamp of the last valid cache
-    *
-    * @var int $_refreshTime
-    */
-    protected $_refreshTime;
-
-    /**
-    * File name (with path)
-    *
-    * @var string $_file
-    */
-    protected $_file;
-    
-    /**
-    * File name (without path)
-    *
-    * @var string $_fileName
-    */
-    protected $_fileName;
-
-    /**
-    * Enable / disable write control (the cache is read just after writing to detect corrupt entries)
-    *
-    * Enable write control will lightly slow the cache writing but not the cache reading
-    * Write control can detect some corrupt cache files but maybe it's not a perfect control
-    *
-    * @var boolean $_writeControl
-    */
-    protected $_writeControl = true;
-
-    /**
-    * Enable / disable read control
-    *
-    * If enabled, a control key is embeded in cache file and this key is compared with the one
-    * calculated after the reading.
-    *
-    * @var boolean $_writeControl
-    */
-    protected $_readControl = true;
-
-    /**
-    * Type of read control (only if read control is enabled)
-    *
-    * Available values are :
-    * 'md5' for a md5 hash control (best but slowest)
-    * 'crc32' for a crc32 hash control (lightly less safe but faster, better choice)
-    * 'strlen' for a length only test (fastest)
-    *
-    * @var boolean $_readControlType
-    */
-    protected $_readControlType = 'crc32';
-
-    /**
-    * Pear error mode (when raiseError is called)
-    *
-    * (see PEAR doc)
-    *
-    * @see setToDebug()
-    * @var int $_pearErrorMode
-    */
-    protected $_errorMode = UNL_CACHE_LITE_ERROR_RETURN;
-    
-    /**
-    * Current cache id
-    *
-    * @var string $_id
-    */
-    protected $_id;
-
-    /**
-    * Current cache group
-    *
-    * @var string $_group
-    */
-    protected $_group;
-
-    /**
-    * Enable / Disable "Memory Caching"
-    *
-    * NB : There is no lifetime for memory caching ! 
-    *
-    * @var boolean $_memoryCaching
-    */
-    protected $_memoryCaching = false;
-
-    /**
-    * Enable / Disable "Only Memory Caching"
-    * (be carefull, memory caching is "beta quality")
-    *
-    * @var boolean $_onlyMemoryCaching
-    */
-    protected $_onlyMemoryCaching = false;
-
-    /**
-    * Memory caching array
-    *
-    * @var array $_memoryCachingArray
-    */
-    protected $_memoryCachingArray = array();
-
-    /**
-    * Memory caching counter
-    *
-    * @var int $memoryCachingCounter
-    */
-    protected $_memoryCachingCounter = 0;
-
-    /**
-    * Memory caching limit
-    *
-    * @var int $memoryCachingLimit
-    */
-    protected $_memoryCachingLimit = 1000;
-    
-    /**
-    * File Name protection
-    *
-    * if set to true, you can use any cache id or group name
-    * if set to false, it can be faster but cache ids and group names
-    * will be used directly in cache file names so be carefull with
-    * special characters...
-    *
-    * @var boolean $fileNameProtection
-    */
-    protected $_fileNameProtection = true;
-    
-    /**
-    * Enable / disable automatic serialization
-    *
-    * it can be used to save directly datas which aren't strings
-    * (but it's slower)    
-    *
-    * @var boolean $_serialize
-    */
-    protected $_automaticSerialization = false;
-    
-    /**
-    * Disable / Tune the automatic cleaning process
-    *
-    * The automatic cleaning process destroy too old (for the given life time)
-    * cache files when a new cache file is written.
-    * 0               => no automatic cache cleaning
-    * 1               => systematic cache cleaning
-    * x (integer) > 1 => automatic cleaning randomly 1 times on x cache write
-    *
-    * @var int $_automaticCleaning
-    */
-    protected $_automaticCleaningFactor = 0;
-    
-    /**
-    * Nested directory level
-    *
-    * Set the hashed directory structure level. 0 means "no hashed directory 
-    * structure", 1 means "one level of directory", 2 means "two levels"... 
-    * This option can speed up UNL_Cache_Lite only when you have many thousands of 
-    * cache file. Only specific benchs can help you to choose the perfect value 
-    * for you. Maybe, 1 or 2 is a good start.
-    *
-    * @var int $_hashedDirectoryLevel
-    */
-    protected $_hashedDirectoryLevel = 0;
-    
-    /**
-    * Umask for hashed directory structure
-    *
-    * @var int $_hashedDirectoryUmask
-    */
-    protected $_hashedDirectoryUmask = 0700;
-    
-    /**
-     * API break for error handling in UNL_Cache_Lite_ERROR_RETURN mode
-     * 
-     * In UNL_Cache_Lite_ERROR_RETURN mode, error handling was not good because
-     * for example save() method always returned a boolean (a PEAR_Error object
-     * would be better in UNL_Cache_Lite_ERROR_RETURN mode). To correct this without
-     * breaking the API, this option (false by default) can change this handling.
-     * 
-     * @var boolean
-     */
-    protected $_errorHandlingAPIBreak = false;
-    
-    // --- Public methods ---
-
-    /**
-    * Constructor
-    *
-    * $options is an assoc. Available options are :
-    * $options = array(
-    *     'cacheDir' => directory where to put the cache files (string),
-    *     'caching' => enable / disable caching (boolean),
-    *     'lifeTime' => cache lifetime in seconds (int),
-    *     'fileLocking' => enable / disable fileLocking (boolean),
-    *     'writeControl' => enable / disable write control (boolean),
-    *     'readControl' => enable / disable read control (boolean),
-    *     'readControlType' => type of read control 'crc32', 'md5', 'strlen' (string),
-    *     'pearErrorMode' => pear error mode (when raiseError is called) (cf PEAR doc) (int),
-    *     'memoryCaching' => enable / disable memory caching (boolean),
-    *     'onlyMemoryCaching' => enable / disable only memory caching (boolean),
-    *     'memoryCachingLimit' => max nbr of records to store into memory caching (int),
-    *     'fileNameProtection' => enable / disable automatic file name protection (boolean),
-    *     'automaticSerialization' => enable / disable automatic serialization (boolean),
-    *     'automaticCleaningFactor' => distable / tune automatic cleaning process (int),
-    *     'hashedDirectoryLevel' => level of the hashed directory system (int),
-    *     'hashedDirectoryUmask' => umask for hashed directory structure (int),
-    *     'errorHandlingAPIBreak' => API break for better error handling ? (boolean)
-    * );
-    *
-    * @param array $options options
-    * @access public
-    */
-    function __construct($options = array(NULL))
-    {
-        $this->setOptions($options);
-    }
-    
-    /**
-     * Allows you to set an array of options.
-     * 
-     * @param array $options associative array of options
-     */
-    function setOptions($options = array(NULL))
-    {
-        foreach($options as $key => $value) {
-            $this->setOption($key, $value);
-        }
-    }
-    
-    /**
-    * Generic way to set a UNL_Cache_Lite option
-    *
-    * see UNL_Cache_Lite constructor for available options
-    *
-    * @var string $name name of the option
-    * @var mixed $value value of the option
-    * @access public
-    */
-    function setOption($name, $value) 
-    {
-        $availableOptions = array('errorHandlingAPIBreak', 'hashedDirectoryUmask', 'hashedDirectoryLevel', 'automaticCleaningFactor', 'automaticSerialization', 'fileNameProtection', 'memoryCaching', 'onlyMemoryCaching', 'memoryCachingLimit', 'cacheDir', 'caching', 'lifeTime', 'fileLocking', 'writeControl', 'readControl', 'readControlType', 'pearErrorMode');
-        if (in_array($name, $availableOptions)) {
-            $property = '_'.$name;
-            $this->$property = $value;
-        }
-    }
-    
-    /**
-    * Test if a cache is available and (if yes) return it
-    *
-    * @param string $id cache id
-    * @param string $group name of the cache group
-    * @param boolean $doNotTestCacheValidity if set to true, the cache validity won't be tested
-    * @return string data of the cache (else : false)
-    * @access public
-    */
-    function get($id, $group = 'default', $doNotTestCacheValidity = false)
-    {
-        $this->_id = $id;
-        $this->_group = $group;
-        $data = false;
-        if ($this->_caching) {
-            $this->_setRefreshTime();
-            $this->_setFileName($id, $group);
-            clearstatcache();
-            if ($this->_memoryCaching) {
-                if (isset($this->_memoryCachingArray[$this->_file])) {
-                    if ($this->_automaticSerialization) {
-                        return unserialize($this->_memoryCachingArray[$this->_file]);
-                    }
-                    return $this->_memoryCachingArray[$this->_file];
-                }
-                if ($this->_onlyMemoryCaching) {
-                    return false;
-                }                
-            }
-            if (($doNotTestCacheValidity) || (is_null($this->_refreshTime))) {
-                if (file_exists($this->_file)) {
-                    $data = $this->_read();
-                }
-            } else {
-                if ((file_exists($this->_file)) && (@filemtime($this->_file) > $this->_refreshTime)) {
-                    $data = $this->_read();
-                }
-            }
-            if (($data) and ($this->_memoryCaching)) {
-                $this->_memoryCacheAdd($data);
-            }
-            if (($this->_automaticSerialization) and (is_string($data))) {
-                $data = unserialize($data);
-            }
-            return $data;
-        }
-        return false;
-    }
-    
-    /**
-    * Save some data in a cache file
-    *
-    * @param string $data data to put in cache (can be another type than strings if automaticSerialization is on)
-    * @param string $id cache id
-    * @param string $group name of the cache group
-    * @return boolean true if no problem (else : false or a PEAR_Error object)
-    * @access public
-    */
-    function save($data, $id = NULL, $group = 'default')
-    {
-        if ($this->_caching) {
-            if ($this->_automaticSerialization) {
-                $data = serialize($data);
-            }
-            if (isset($id)) {
-                $this->_setFileName($id, $group);
-            }
-            if ($this->_memoryCaching) {
-                $this->_memoryCacheAdd($data);
-                if ($this->_onlyMemoryCaching) {
-                    return true;
-                }
-            }
-            if ($this->_automaticCleaningFactor>0 && ($this->_automaticCleaningFactor==1 || mt_rand(1, $this->_automaticCleaningFactor)==1)) {
-				$this->clean(false, 'old');			
-			}
-            if ($this->_writeControl) {
-                $res = $this->_writeAndControl($data);
-                if (is_bool($res)) {
-                    if ($res) {
-                        return true;  
-                    }
-                    // if $res if false, we need to invalidate the cache
-                    @touch($this->_file, time() - 2*abs($this->_lifeTime));
-                    return false;
-                }            
-            } else {
-                $res = $this->_write($data);
-            }
-            if (is_object($res)) {
-                // $res is a PEAR_Error object 
-                if (!($this->_errorHandlingAPIBreak)) {   
-                    return false; // we return false (old API)
-                }
-            }
-            return $res;
-        }
-        return false;
-    }
-
-    /**
-    * Remove a cache file
-    *
-    * @param string $id cache id
-    * @param string $group name of the cache group
-    * @param boolean $checkbeforeunlink check if file exists before removing it
-    * @return boolean true if no problem
-    * @access public
-    */
-    function remove($id, $group = 'default', $checkbeforeunlink = false)
-    {
-        $this->_setFileName($id, $group);
-        if ($this->_memoryCaching) {
-            if (isset($this->_memoryCachingArray[$this->_file])) {
-                unset($this->_memoryCachingArray[$this->_file]);
-                $this->_memoryCachingCounter = $this->_memoryCachingCounter - 1;
-            }
-            if ($this->_onlyMemoryCaching) {
-                return true;
-            }
-        }
-        if ( $checkbeforeunlink ) {
-            if (!file_exists($this->_file)) return true;
-        }
-        return $this->_unlink($this->_file);
-    }
-
-    /**
-    * Clean the cache
-    *
-    * if no group is specified all cache files will be destroyed
-    * else only cache files of the specified group will be destroyed
-    *
-    * @param string $group name of the cache group
-    * @param string $mode flush cache mode : 'old', 'ingroup', 'notingroup', 
-    *                                        'callback_myFunction'
-    * @return boolean true if no problem
-    * @access public
-    */
-    function clean($group = false, $mode = 'ingroup')
-    {
-        return $this->_cleanDir($this->_cacheDir, $group, $mode);
-    }
-       
-    /**
-    * Set to debug mode
-    *
-    * When an error is found, the script will stop and the message will be displayed
-    * (in debug mode only). 
-    *
-    * @access public
-    */
-    function setToDebug()
-    {
-        $this->setOption('pearErrorMode', UNL_CACHE_LITE_ERROR_DIE);
-    }
-
-    /**
-    * Set a new life time
-    *
-    * @param int $newLifeTime new life time (in seconds)
-    * @access public
-    */
-    function setLifeTime($newLifeTime)
-    {
-        $this->_lifeTime = $newLifeTime;
-        $this->_setRefreshTime();
-    }
-
-    /**
-    * Save the state of the caching memory array into a cache file cache
-    *
-    * @param string $id cache id
-    * @param string $group name of the cache group
-    * @access public
-    */
-    function saveMemoryCachingState($id, $group = 'default')
-    {
-        if ($this->_caching) {
-            $array = array(
-                'counter' => $this->_memoryCachingCounter,
-                'array' => $this->_memoryCachingArray
-            );
-            $data = serialize($array);
-            $this->save($data, $id, $group);
-        }
-    }
-
-    /**
-    * Load the state of the caching memory array from a given cache file cache
-    *
-    * @param string $id cache id
-    * @param string $group name of the cache group
-    * @param boolean $doNotTestCacheValidity if set to true, the cache validity won't be tested
-    * @access public
-    */
-    function getMemoryCachingState($id, $group = 'default', $doNotTestCacheValidity = false)
-    {
-        if ($this->_caching) {
-            if ($data = $this->get($id, $group, $doNotTestCacheValidity)) {
-                $array = unserialize($data);
-                $this->_memoryCachingCounter = $array['counter'];
-                $this->_memoryCachingArray = $array['array'];
-            }
-        }
-    }
-    
-    /**
-    * Return the cache last modification time
-    *
-    * BE CAREFUL : THIS METHOD IS FOR HACKING ONLY !
-    *
-    * @return int last modification time
-    */
-    function lastModified() 
-    {
-        return @filemtime($this->_file);
-    }
-    
-    /**
-    * Trigger a PEAR error
-    *
-    * To improve performances, the PEAR.php file is included dynamically.
-    * The file is so included only when an error is triggered. So, in most
-    * cases, the file isn't included and perfs are much better.
-    *
-    * @param string $msg error message
-    * @param int $code error code
-    * @access public
-    */
-    function raiseError($msg, $code)
-    {
-        throw new Exception($msg, $code);
-    }
-    
-    /**
-     * Extend the life of a valid cache file
-     * 
-     * see http://pear.php.net/bugs/bug.php?id=6681
-     * 
-     * @access public
-     */
-    function extendLife()
-    {
-        @touch($this->_file);
-    }
-    
-    // --- Private methods ---
-    
-    /**
-    * Compute & set the refresh time
-    *
-    * @access private
-    */
-    protected function _setRefreshTime() 
-    {
-        if (is_null($this->_lifeTime)) {
-            $this->_refreshTime = null;
-        } else {
-            $this->_refreshTime = time() - $this->_lifeTime;
-        }
-    }
-    
-    /**
-    * Remove a file
-    * 
-    * @param string $file complete file path and name
-    * @return boolean true if no problem
-    * @access private
-    */
-    protected function _unlink($file)
-    {
-        if (file_exists($file) && !@unlink($file)) {
-            return $this->raiseError('UNL_Cache_Lite : Unable to remove cache '.$file, -3);
-        }
-        return true;        
-    }
-
-    /**
-    * Recursive function for cleaning cache file in the given directory
-    *
-    * @param string $dir directory complete path (with a trailing slash)
-    * @param string $group name of the cache group
-    * @param string $mode flush cache mode : 'old', 'ingroup', 'notingroup',
-                                             'callback_myFunction'
-    * @return boolean true if no problem
-    * @access private
-    */
-    protected function _cleanDir($dir, $group = false, $mode = 'ingroup')     
-    {
-        if ($this->_fileNameProtection) {
-            $motif = ($group) ? 'unlcache_'.md5($group).'_' : 'unlcache_';
-        } else {
-            $motif = ($group) ? 'unlcache_'.$group.'_' : 'unlcache_';
-        }
-        if ($this->_memoryCaching) {
-	    foreach($this->_memoryCachingArray as $key => $v) {
-                if (strpos($key, $motif) !== false) {
-                    unset($this->_memoryCachingArray[$key]);
-                    $this->_memoryCachingCounter = $this->_memoryCachingCounter - 1;
-                }
-            }
-            if ($this->_onlyMemoryCaching) {
-                return true;
-            }
-        }
-        if (!($dh = opendir($dir))) {
-            return $this->raiseError('UNL_Cache_Lite : Unable to open cache directory !', -4);
-        }
-        $result = true;
-        while ($file = readdir($dh)) {
-            if (($file != '.') && ($file != '..')) {
-                if (substr($file, 0, 6)=='unlcache_') {
-                    $file2 = $dir . $file;
-                    if (is_file($file2)) {
-                        switch (substr($mode, 0, 9)) {
-                            case 'old':
-                                // files older than lifeTime get deleted from cache
-                                if (!is_null($this->_lifeTime)) {
-                                    if ((time() - @filemtime($file2)) > $this->_lifeTime) {
-                                        $result = ($result and ($this->_unlink($file2)));
-                                    }
-                                }
-                                break;
-                            case 'notingrou':
-                                if (strpos($file2, $motif) === false) {
-                                    $result = ($result and ($this->_unlink($file2)));
-                                }
-                                break;
-                            case 'callback_':
-                                $func = substr($mode, 9, strlen($mode) - 9);
-                                if ($func($file2, $group)) {
-                                    $result = ($result and ($this->_unlink($file2)));
-                                }
-                                break;
-                            case 'ingroup':
-                            default:
-                                if (strpos($file2, $motif) !== false) {
-                                    $result = ($result and ($this->_unlink($file2)));
-                                }
-                                break;
-                        }
-                    }
-                    if ((is_dir($file2)) and ($this->_hashedDirectoryLevel>0)) {
-                        $result = ($result and ($this->_cleanDir($file2 . '/', $group, $mode)));
-                    }
-                }
-            }
-        }
-        return $result;
-    }
-      
-    /**
-    * Add some date in the memory caching array
-    *
-    * @param string $data data to cache
-    * @access private
-    */
-    protected function _memoryCacheAdd($data)
-    {
-        $this->_memoryCachingArray[$this->_file] = $data;
-        if ($this->_memoryCachingCounter >= $this->_memoryCachingLimit) {
-            list($key, ) = each($this->_memoryCachingArray);
-            unset($this->_memoryCachingArray[$key]);
-        } else {
-            $this->_memoryCachingCounter = $this->_memoryCachingCounter + 1;
-        }
-    }
-
-    /**
-    * Make a file name (with path)
-    *
-    * @param string $id cache id
-    * @param string $group name of the group
-    * @access private
-    */
-    protected function _setFileName($id, $group)
-    {
-        
-        if ($this->_fileNameProtection) {
-            $suffix = 'unlcache_'.md5($group).'_'.md5($id);
-        } else {
-            $suffix = 'unlcache_'.$group.'_'.$id;
-        }
-        $root = $this->_cacheDir;
-        if ($this->_hashedDirectoryLevel>0) {
-            $hash = md5($suffix);
-            for ($i=0 ; $i<$this->_hashedDirectoryLevel ; $i++) {
-                $root = $root . 'unlcache_' . substr($hash, 0, $i + 1) . '/';
-            }   
-        }
-        $this->_fileName = $suffix;
-        $this->_file = $root.$suffix;
-    }
-    
-    /**
-    * Read the cache file and return the content
-    *
-    * @return string content of the cache file (else : false or a PEAR_Error object)
-    * @access private
-    */
-    protected function _read()
-    {
-        $fp = @fopen($this->_file, "rb");
-        if ($this->_fileLocking) @flock($fp, LOCK_SH);
-        if ($fp) {
-            clearstatcache();
-            $length = @filesize($this->_file);
-            $mqr = get_magic_quotes_runtime();
-            if ($mqr) {
-                set_magic_quotes_runtime(0);
-            }
-            if ($this->_readControl) {
-                $hashControl = @fread($fp, 32);
-                $length = $length - 32;
-            } 
-            if ($length) {
-                $data = @fread($fp, $length);
-            } else {
-                $data = '';
-            }
-            if ($mqr) {
-                set_magic_quotes_runtime($mqr);
-            }
-            if ($this->_fileLocking) @flock($fp, LOCK_UN);
-            @fclose($fp);
-            if ($this->_readControl) {
-                $hashData = $this->_hash($data, $this->_readControlType);
-                if ($hashData != $hashControl) {
-                    if (!(is_null($this->_lifeTime))) {
-                        @touch($this->_file, time() - 2*abs($this->_lifeTime)); 
-                    } else {
-                        @unlink($this->_file);
-                    }
-                    return false;
-                }
-            }
-            return $data;
-        }
-        return $this->raiseError('UNL_Cache_Lite : Unable to read cache !', -2); 
-    }
-    
-    /**
-    * Write the given data in the cache file
-    *
-    * @param string $data data to put in cache
-    * @return boolean true if ok (a PEAR_Error object else)
-    * @access private
-    */
-    protected function _write($data)
-    {
-        if ($this->_hashedDirectoryLevel > 0) {
-            $hash = md5($this->_fileName);
-            $root = $this->_cacheDir;
-            for ($i=0 ; $i<$this->_hashedDirectoryLevel ; $i++) {
-                $root = $root . 'unlcache_' . substr($hash, 0, $i + 1) . '/';
-                if (!(@is_dir($root))) {
-                    @mkdir($root, $this->_hashedDirectoryUmask);
-                }
-            }
-        }
-        $fp = @fopen($this->_file, "wb");
-        if ($fp) {
-            if ($this->_fileLocking) @flock($fp, LOCK_EX);
-            if ($this->_readControl) {
-                @fwrite($fp, $this->_hash($data, $this->_readControlType), 32);
-            }
-            $mqr = get_magic_quotes_runtime();
-            if ($mqr) {
-                set_magic_quotes_runtime(0);
-            }
-            @fwrite($fp, $data);
-            if ($mqr) {
-                set_magic_quotes_runtime($mqr);
-            }
-            if ($this->_fileLocking) @flock($fp, LOCK_UN);
-            @fclose($fp);
-            return true;
-        }      
-        return $this->raiseError('UNL_Cache_Lite : Unable to write cache file : '.$this->_file, -1);
-    }
-       
-    /**
-    * Write the given data in the cache file and control it just after to avoir corrupted cache entries
-    *
-    * @param string $data data to put in cache
-    * @return boolean true if the test is ok (else : false or a PEAR_Error object)
-    * @access private
-    */
-    protected function _writeAndControl($data)
-    {
-        $result = $this->_write($data);
-        if (is_object($result)) {
-            return $result; # We return the PEAR_Error object
-        }
-        $dataRead = $this->_read();
-        if (is_object($dataRead)) {
-            return $dataRead; # We return the PEAR_Error object
-        }
-        if ((is_bool($dataRead)) && (!$dataRead)) {
-            return false; 
-        }
-        return ($dataRead==$data);
-    }
-    
-    /**
-    * Make a control key with the string containing datas
-    *
-    * @param string $data data
-    * @param string $controlType type of control 'md5', 'crc32' or 'strlen'
-    * @return string control key
-    * @access private
-    */
-    protected function _hash($data, $controlType)
-    {
-        switch ($controlType) {
-        case 'md5':
-            return md5($data);
-        case 'crc32':
-            return sprintf('% 32d', crc32($data));
-        case 'strlen':
-            return sprintf('% 32d', strlen($data));
-        default:
-            return $this->raiseError('Unknown controlType ! (available values are only \'md5\', \'crc32\', \'strlen\')', -5);
-        }
-    }
-    
-} 
-
-?>
diff --git a/lib/php/UNL/Cache/Lite/File.php b/lib/php/UNL/Cache/Lite/File.php
deleted file mode 100644
index 3cbdc19f50da9b2a5fe76e0d127d246583accbc6..0000000000000000000000000000000000000000
--- a/lib/php/UNL/Cache/Lite/File.php
+++ /dev/null
@@ -1,91 +0,0 @@
-<?php
-
-/**
-* This class extends UNL_Cache_Lite and offers a cache system driven by a master file
-*
-* With this class, cache validity is only dependent of a given file. Cache files
-* are valid only if they are older than the master file. It's a perfect way for
-* caching templates results (if the template file is newer than the cache, cache
-* must be rebuild...) or for config classes...
-* There are some examples in the 'docs/examples' file
-* Technical choices are described in the 'docs/technical' file
-*
-* @package UNL_Cache_Lite
-* @version $Id: File.php 276823 2009-03-07 12:55:39Z tacker $
-* @author Fabien MARTY <fab@php.net>
-*/
-
-class UNL_Cache_Lite_File extends UNL_Cache_Lite
-{
-
-    // --- Private properties ---
-    
-    /**
-    * Complete path of the file used for controlling the cache lifetime
-    *
-    * @var string $_masterFile
-    */
-    protected $_masterFile = '';
-    
-    /**
-    * Masterfile mtime
-    *
-    * @var int $_masterFile_mtime
-    */
-    protected $_masterFile_mtime = 0;
-    
-    // --- Public methods ----
-    
-    /**
-    * Constructor
-    *
-    * $options is an assoc. To have a look at availables options,
-    * see the constructor of the UNL_Cache_Lite class in 'UNL_Cache_Lite.php'
-    *
-    * Comparing to UNL_Cache_Lite constructor, there is another option :
-    * $options = array(
-    *     (...) see UNL_Cache_Lite constructor
-    *     'masterFile' => complete path of the file used for controlling the cache lifetime(string)
-    * );
-    *
-    * @param array $options options
-    * @access public
-    */
-    function __construct($options = array(NULL))
-    {   
-        $options['lifetime'] = 0;
-        $this->setOptions($options);
-        if (isset($options['masterFile'])) {
-            $this->_masterFile = $options['masterFile'];
-        } else {
-            return $this->raiseError('UNL_Cache_Lite_File : masterFile option must be set !');
-        }
-        if (!($this->_masterFile_mtime = @filemtime($this->_masterFile))) {
-            return $this->raiseError('UNL_Cache_Lite_File : Unable to read masterFile : '.$this->_masterFile, -3);
-        }
-    }
-    
-    /**
-    * Test if a cache is available and (if yes) return it
-    *
-    * @param string $id cache id
-    * @param string $group name of the cache group
-    * @param boolean $doNotTestCacheValidity if set to true, the cache validity won't be tested
-    * @return string data of the cache (else : false)
-    * @access public
-    */
-    function get($id, $group = 'default', $doNotTestCacheValidity = false)
-    {
-        if ($data = parent::get($id, $group, true)) {
-            if ($filemtime = $this->lastModified()) {
-                if ($filemtime > $this->_masterFile_mtime) {
-                    return $data;
-                }
-            }
-        }
-        return false;
-    }
-
-}
-
-?>
diff --git a/lib/php/UNL/Cache/Lite/Function.php b/lib/php/UNL/Cache/Lite/Function.php
deleted file mode 100644
index a8a268fa73a8986cd8d675ba07397ceefb7a9f67..0000000000000000000000000000000000000000
--- a/lib/php/UNL/Cache/Lite/Function.php
+++ /dev/null
@@ -1,209 +0,0 @@
-<?php
-
-/**
-* This class extends UNL_Cache_Lite and can be used to cache the result and output of functions/methods
-*
-* This class is completly inspired from Sebastian Bergmann's
-* PEAR/Cache_Function class. This is only an adaptation to
-* UNL_Cache_Lite
-*
-* There are some examples in the 'docs/examples' file
-* Technical choices are described in the 'docs/technical' file
-*
-* @package UNL_Cache_Lite
-* @version $Id: Function.php 225008 2006-12-14 12:59:43Z cweiske $
-* @author Sebastian BERGMANN <sb@sebastian-bergmann.de>
-* @author Fabien MARTY <fab@php.net>
-*/
-
-class UNL_Cache_Lite_Function extends UNL_Cache_Lite
-{
-
-    // --- Private properties ---
-
-    /**
-     * Default cache group for function caching
-     *
-     * @var string $_defaultGroup
-     */
-    protected $_defaultGroup = 'UNL_Cache_Lite_Function';
-
-    /**
-     * Don't cache the method call when its output contains the string "NOCACHE"
-     *
-     * if set to true, the output of the method will never be displayed (because the output is used
-     * to control the cache)
-     *
-     * @var boolean $_dontCacheWhenTheOutputContainsNOCACHE
-     */
-    protected $_dontCacheWhenTheOutputContainsNOCACHE = false;
-
-    /**
-     * Don't cache the method call when its result is false
-     *
-     * @var boolean $_dontCacheWhenTheResultIsFalse
-     */
-    protected $_dontCacheWhenTheResultIsFalse = false;
-
-    /**
-     * Don't cache the method call when its result is null
-     *
-     * @var boolean $_dontCacheWhenTheResultIsNull
-     */
-    protected $_dontCacheWhenTheResultIsNull = false;
-
-    /**
-     * Debug the UNL_Cache_Lite_Function caching process
-     *
-     * @var boolean $_debugCacheLiteFunction
-     */
-    protected $_debugCacheLiteFunction = false;
-
-    // --- Public methods ----
-
-    /**
-    * Constructor
-    *
-    * $options is an assoc. To have a look at availables options,
-    * see the constructor of the UNL_Cache_Lite class in 'UNL_Cache_Lite.php'
-    *
-    * Comparing to UNL_Cache_Lite constructor, there is another option :
-    * $options = array(
-    *     (...) see UNL_Cache_Lite constructor
-    *     'debugCacheLiteFunction' => (bool) debug the caching process,
-    *     'defaultGroup' => default cache group for function caching (string),
-    *     'dontCacheWhenTheOutputContainsNOCACHE' => (bool) don't cache when the function output contains "NOCACHE",
-    *     'dontCacheWhenTheResultIsFalse' => (bool) don't cache when the function result is false,
-    *     'dontCacheWhenTheResultIsNull' => (bool don't cache when the function result is null
-    * );
-    *
-    * @param array $options options
-    * @access public
-    */
-    function __construct($options = array(NULL))
-    {
-        $availableOptions = array('debugCacheLiteFunction', 'defaultGroup', 'dontCacheWhenTheOutputContainsNOCACHE', 'dontCacheWhenTheResultIsFalse', 'dontCacheWhenTheResultIsNull');
-        while (list($name, $value) = each($options)) {
-            if (in_array($name, $availableOptions)) {
-                $property = '_'.$name;
-                $this->$property = $value;
-            }
-        }
-        reset($options);
-        $this->setOptions($options);
-    }
-
-    /**
-    * Calls a cacheable function or method (or not if there is already a cache for it)
-    *
-    * Arguments of this method are read with func_get_args. So it doesn't appear
-    * in the function definition. Synopsis :
-    * call('functionName', $arg1, $arg2, ...)
-    * (arg1, arg2... are arguments of 'functionName')
-    *
-    * @return mixed result of the function/method
-    * @access public
-    */
-    function call()
-    {
-        $arguments = func_get_args();
-        $id = $this->_makeId($arguments);
-        $data = $this->get($id, $this->_defaultGroup);
-        if ($data !== false) {
-            if ($this->_debugCacheLiteFunction) {
-                echo "Cache hit !\n";
-            }
-            $array = unserialize($data);
-            $output = $array['output'];
-            $result = $array['result'];
-        } else {
-            if ($this->_debugCacheLiteFunction) {
-                echo "Cache missed !\n";
-            }
-            ob_start();
-            ob_implicit_flush(false);
-            $target = array_shift($arguments);
-            if (is_array($target)) {
-                // in this case, $target is for example array($obj, 'method')
-                $object = $target[0];
-                $method = $target[1];
-                $result = call_user_func_array(array(&$object, $method), $arguments);
-            } else {
-                if (strstr($target, '::')) { // classname::staticMethod
-                    list($class, $method) = explode('::', $target);
-                    $result = call_user_func_array(array($class, $method), $arguments);
-                } else if (strstr($target, '->')) { // object->method
-                    // use a stupid name ($objet_123456789 because) of problems where the object
-                    // name is the same as this var name
-                    list($object_123456789, $method) = explode('->', $target);
-                    global $$object_123456789;
-                    $result = call_user_func_array(array($$object_123456789, $method), $arguments);
-                } else { // function
-                    $result = call_user_func_array($target, $arguments);
-                }
-            }
-            $output = ob_get_contents();
-            ob_end_clean();
-            if ($this->_dontCacheWhenTheResultIsFalse) {
-                if ((is_bool($result)) && (!($result))) {
-                    echo($output);
-                    return $result;
-                }
-            }
-            if ($this->_dontCacheWhenTheResultIsNull) {
-                if (is_null($result)) {
-                    echo($output);
-                    return $result;
-                }
-            }
-            if ($this->_dontCacheWhenTheOutputContainsNOCACHE) {
-                if (strpos($output, 'NOCACHE') > -1) {
-                    return $result;
-                }
-            }
-            $array['output'] = $output;
-            $array['result'] = $result;
-            $this->save(serialize($array), $id, $this->_defaultGroup);
-        }
-        echo($output);
-        return $result;
-    }
-
-    /**
-    * Drop a cache file
-    *
-    * Arguments of this method are read with func_get_args. So it doesn't appear
-    * in the function definition. Synopsis :
-    * remove('functionName', $arg1, $arg2, ...)
-    * (arg1, arg2... are arguments of 'functionName')
-    *
-    * @return boolean true if no problem
-    * @access public
-    */
-    function drop()
-    {
-        $id = $this->_makeId(func_get_args());
-        return $this->remove($id, $this->_defaultGroup);
-    }
-
-    /**
-    * Make an id for the cache
-    *
-    * @var array result of func_get_args for the call() or the remove() method
-    * @return string id
-    * @access private
-    */
-    function _makeId($arguments)
-    {
-        $id = serialize($arguments); // Generate a cache id
-        if (!$this->_fileNameProtection) {
-            $id = md5($id);
-            // if fileNameProtection is set to false, then the id has to be hashed
-            // because it's a very bad file name in most cases
-        }
-        return $id;
-    }
-
-}
-
-?>
diff --git a/lib/php/UNL/Cache/Lite/NestedOutput.php b/lib/php/UNL/Cache/Lite/NestedOutput.php
deleted file mode 100644
index 06d10f5dc986e0b3677d27ccba26917672ddf3a0..0000000000000000000000000000000000000000
--- a/lib/php/UNL/Cache/Lite/NestedOutput.php
+++ /dev/null
@@ -1,55 +0,0 @@
-<?php
-
-/**
-* This class extends UNL_Cache_Lite and uses output buffering to get the data to cache.
-* It supports nesting of caches
-*
-* @package UNL_Cache_Lite
-* @version $Id: NestedOutput.php 279664 2009-05-01 13:19:25Z tacker $
-* @author Markus Tacker <tacker@php.net>
-*/
-
-class UNL_Cache_Lite_NestedOutput extends UNL_Cache_Lite_Output
-{
-	private $nestedIds = array();
-	private $nestedGroups = array();
-
-    /**
-    * Start the cache
-    *
-    * @param string $id cache id
-    * @param string $group name of the cache group
-    * @param boolean $doNotTestCacheValidity if set to true, the cache validity won't be tested
-    * @return boolean|string false if the cache is not hit else the data
-    * @access public
-    */
-    function start($id, $group = 'default', $doNotTestCacheValidity = false)
-    {
-    	$this->nestedIds[] = $id;
-    	$this->nestedGroups[] = $group;
-    	$data = $this->get($id, $group, $doNotTestCacheValidity);
-        if ($data !== false) {
-            return $data;
-        }
-        ob_start();
-        ob_implicit_flush(false);
-        return false;
-    }
-
-    /**
-    * Stop the cache
-    *
-    * @param boolen
-    * @return string return contents of cache
-    */
-    function end()
-    {
-        $data = ob_get_contents();
-        ob_end_clean();
-        $id = array_pop($this->nestedIds);
-        $group = array_pop($this->nestedGroups);
-        $this->save($data, $id, $group);
-		return $data;
-    }
-
-}
\ No newline at end of file
diff --git a/lib/php/UNL/Cache/Lite/Output.php b/lib/php/UNL/Cache/Lite/Output.php
deleted file mode 100644
index 9b9f45ffd3a6f0176fdbd77af7917b5cc1fb568c..0000000000000000000000000000000000000000
--- a/lib/php/UNL/Cache/Lite/Output.php
+++ /dev/null
@@ -1,70 +0,0 @@
-<?php
-
-/**
-* This class extends UNL_Cache_Lite and uses output buffering to get the data to cache.
-*
-* There are some examples in the 'docs/examples' file
-* Technical choices are described in the 'docs/technical' file
-*
-* @package UNL_Cache_Lite
-* @version $Id: Output.php 206076 2006-01-29 00:22:07Z fab $
-* @author Fabien MARTY <fab@php.net>
-*/
-
-class UNL_Cache_Lite_Output extends UNL_Cache_Lite
-{
-
-    // --- Public methods ---
-
-    /**
-    * Constructor
-    *
-    * $options is an assoc. To have a look at availables options,
-    * see the constructor of the UNL_Cache_Lite class in 'UNL_Cache_Lite.php'
-    *
-    * @param array $options options
-    * @access public
-    */
-    function __construct($options = array(NULL))
-    {
-        $this->setOptions($options);
-    }
-
-    /**
-    * Start the cache
-    *
-    * @param string $id cache id
-    * @param string $group name of the cache group
-    * @param boolean $doNotTestCacheValidity if set to true, the cache validity won't be tested
-    * @return boolean true if the cache is hit (false else)
-    * @access public
-    */
-    function start($id, $group = 'default', $doNotTestCacheValidity = false)
-    {
-        $data = $this->get($id, $group, $doNotTestCacheValidity);
-        if ($data !== false) {
-            echo($data);
-            return true;
-        }
-        ob_start();
-        ob_implicit_flush(false);
-        return false;
-    }
-
-    /**
-    * Stop the cache
-    *
-    * @access public
-    */
-    function end()
-    {
-        $data = ob_get_contents();
-        ob_end_clean();
-        $this->save($data, $this->_id, $this->_group);
-        echo($data);
-    }
-
-}
-
-
-?>
diff --git a/lib/tests/pear.unl.edu/UNL_Templates/UNL_TemplatesTest.php b/lib/tests/pear.unl.edu/UNL_Templates/UNL_TemplatesTest.php
deleted file mode 100644
index d8a4164144824dfaa4e36cbb86885cd54a99c6b5..0000000000000000000000000000000000000000
--- a/lib/tests/pear.unl.edu/UNL_Templates/UNL_TemplatesTest.php
+++ /dev/null
@@ -1,172 +0,0 @@
-<?php
-// Call UNL_TemplatesTest::main() if this source file is executed directly.
-if (!defined('PHPUnit_MAIN_METHOD')) {
-    define('PHPUnit_MAIN_METHOD', 'UNL_TemplatesTest::main');
-}
-
-require_once 'PHPUnit/Framework.php';
-
-require_once 'UNL/Templates.php';
-
-/**
- * Test class for UNL_Templates.
- * Generated by PHPUnit on 2007-11-29 at 16:07:45.
- */
-class UNL_TemplatesTest extends PHPUnit_Framework_TestCase {
-    /**
-     * Runs the test methods of this class.
-     *
-     * @access public
-     * @static
-     */
-    public static function main() {
-        require_once 'PHPUnit/TextUI/TestRunner.php';
-
-        $suite  = new PHPUnit_Framework_TestSuite('UNL_TemplatesTest');
-        $result = PHPUnit_TextUI_TestRunner::run($suite);
-    }
-
-    /**
-     * Sets up the fixture, for example, opens a network connection.
-     * This method is called before a test is executed.
-     *
-     * @access protected
-     */
-    protected function setUp() {
-    }
-
-    /**
-     * Tears down the fixture, for example, closes a network connection.
-     * This method is called after a test is executed.
-     *
-     * @access protected
-     */
-    protected function tearDown() {
-    }
-
-    /**
-     * @todo Implement test__constructor().
-     */
-    public function test__constructor() {
-        // Remove the following lines when you implement this test.
-        $this->markTestIncomplete(
-          'This test has not been implemented yet.'
-        );
-    }
-
-    /**
-     * @todo Implement testLoadDefaultConfig().
-     */
-    public function testLoadDefaultConfig() {
-        // Remove the following lines when you implement this test.
-        $this->markTestIncomplete(
-          'This test has not been implemented yet.'
-        );
-    }
-
-    /**
-     * @todo Implement testFactory().
-     */
-    public function testFactory() {
-        // Remove the following lines when you implement this test.
-        $this->markTestIncomplete(
-          'This test has not been implemented yet.'
-        );
-    }
-
-    /**
-     * @todo Implement testGetCache().
-     */
-    public function testGetCache() {
-        // Remove the following lines when you implement this test.
-        $this->markTestIncomplete(
-          'This test has not been implemented yet.'
-        );
-    }
-
-    /**
-     * @todo Implement testLoadSharedcodeFiles().
-     */
-    public function testLoadSharedcodeFiles() {
-        // Remove the following lines when you implement this test.
-        $this->markTestIncomplete(
-          'This test has not been implemented yet.'
-        );
-    }
-
-    /**
-     * @todo Implement testAddHeadLink().
-     */
-    public function testAddHeadLink() {
-        // Remove the following lines when you implement this test.
-        $this->markTestIncomplete(
-          'This test has not been implemented yet.'
-        );
-    }
-
-    /**
-     * @todo Implement testAddScript().
-     */
-    public function testAddScript() {
-        // Remove the following lines when you implement this test.
-        $this->markTestIncomplete(
-          'This test has not been implemented yet.'
-        );
-    }
-
-    /**
-     * @todo Implement testAddScriptDeclaration().
-     */
-    public function testAddScriptDeclaration() {
-        // Remove the following lines when you implement this test.
-        $this->markTestIncomplete(
-          'This test has not been implemented yet.'
-        );
-    }
-
-    /**
-     * @todo Implement testAddStyleDeclaration().
-     */
-    public function testAddStyleDeclaration() {
-        // Remove the following lines when you implement this test.
-        $this->markTestIncomplete(
-          'This test has not been implemented yet.'
-        );
-    }
-
-    /**
-     * @todo Implement testAddStyleSheet().
-     */
-    public function testAddStyleSheet() {
-        // Remove the following lines when you implement this test.
-        $this->markTestIncomplete(
-          'This test has not been implemented yet.'
-        );
-    }
-
-    /**
-     * @todo Implement testToHtml().
-     */
-    public function testToHtml() {
-        // Remove the following lines when you implement this test.
-        $this->markTestIncomplete(
-          'This test has not been implemented yet.'
-        );
-    }
-
-    /**
-     * @todo Implement testMakeIncludeReplacements().
-     */
-    public function testMakeIncludeReplacements() {
-        // Remove the following lines when you implement this test.
-        $this->markTestIncomplete(
-          'This test has not been implemented yet.'
-        );
-    }
-}
-
-// Call UNL_TemplatesTest::main() if this source file is executed directly.
-if (PHPUnit_MAIN_METHOD == 'UNL_TemplatesTest::main') {
-    UNL_TemplatesTest::main();
-}
-?>
diff --git a/package.json b/package.json
new file mode 100644
index 0000000000000000000000000000000000000000..5bf0e0c9f164e043998f449e22be5f6e152fd8ac
--- /dev/null
+++ b/package.json
@@ -0,0 +1,30 @@
+{
+  "name": "unl-search",
+  "version": "1.0.0",
+  "description": "A web application for searching UNL websites via Google Custom Search.",
+  "dependencies": {},
+  "devDependencies": {
+    "grunt": "^0.4.5",
+    "grunt-contrib-clean": "^0.6.0",
+    "grunt-contrib-less": "^1.0.1",
+    "grunt-contrib-requirejs": "^0.4.4",
+    "grunt-contrib-uglify": "^0.9.2",
+    "grunt-contrib-watch": "^0.6.1",
+    "grunt-curl": "^2.2.0",
+    "less-plugin-autoprefix": "^1.4.2",
+    "less-plugin-clean-css": "^1.5.1",
+    "load-grunt-tasks": "^3.2.0",
+    "lodash": "^3.10.1"
+  },
+  "scripts": {},
+  "repository": {
+    "type": "git",
+    "url": "git@git.unl.edu:iim/UNL_Search.git"
+  },
+  "keywords": [
+    "UNL",
+    "Search"
+  ],
+  "author": "UNL Web Developer Network <wdn@unl.edu> (http://wdn.unl.edu/)",
+  "license": "BSD-3-Clause"
+}
diff --git a/www/index.php b/www/index.php
index f9ba723eb0c150f20b8f12ad964a68ced205207a..6d942214f6d4bd91e345c79bdb5de3f51f58a9e3 100644
--- a/www/index.php
+++ b/www/index.php
@@ -28,59 +28,47 @@ function loadDefaultSections($page)
 
 $isEmbed = isset($_GET['embed']) && $_GET['embed'];
 
+$localScriptUrl = './js/search.min.js';
+$pageTemplate = 'Fixed';
+
 if (UNL_Search::$mode === 'debug') {
-    $page = Templates::factory('Local', Templates::VERSION_4_1);
-    $page->addScript('js/search.js');
-} else {
-    $page = Templates::factory('Fixed', Templates::VERSION_4_1);
-    $page->addScript('js/search.min.js');
+    $pageTemplate = 'Local';
+    $localScriptUrl = './js/search.js';
 }
 
-$wdn_include_path = UNL_Search::getProjectRoot() . '/www';
-if (file_exists($wdn_include_path . '/wdn/templates_4.1')) {
-    $page->setLocalIncludePath($wdn_include_path);
-}
+$page = Templates::factory($pageTemplate, Templates::VERSION_4_1);
 
 if (!$isEmbed) {
+    if (file_exists(__DIR__ . '/wdn/templates_4.1')) {
+        $page->setLocalIncludePath(__DIR__);
+    }
+
     $page->doctitle = '<title>Search | University of Nebraska&ndash;Lincoln</title>';
+    $page->head = '<link rel="home" href="./" />';
     $page->pagetitle = '';
     $page->breadcrumbs = renderTemplate('templates/breadcrumbs.tpl.php');
 }
 
 $localResults = '';
-$inlineJS = '';
-$apiKey = UNL_Search::getJSAPIKey();
-$params = array(
-    'autoload' => json_encode(array('modules' => array(
-        array(
-            'name' => 'search',
-            'version' => '1.0',
-            'callback' => 'searchInit',
-            'style' => '//www.google.com/cse/style/look/v2/default.css'
-        ),
-    ))),
-);
-if (!empty($apiKey)) {
-    $params['key'] = $apiKey;
-}
-$page->addScript(htmlspecialchars('//www.google.com/jsapi?' . http_build_query($params)));
+$context = '';
+
 $page->addStyleSheet('css/search.css');
 
 //u is referring site
-if (isset($_GET['u']) && $scanned = UNL_Search::getScannedPage($_GET['u'])) { 
+if (isset($_GET['u']) && $scanned = UNL_Search::getScannedPage($_GET['u'])) {
     // Add local site search results
     // we're scrapping the navigation and other content from the originatting site.
     if (!$isEmbed) {
-        if (isset($scanned->titlegraphic)) { 
+        if (isset($scanned->titlegraphic)) {
             //require_once 'HTMLPurifier.auto.php';
             $config = HTMLPurifier_Config::createDefault();
             $config->set('Cache.SerializerPath', '/tmp');
             $purifier = new HTMLPurifier($config);
-    
+
             $page->head        .= '<link rel="home" href="'.htmlentities($_GET['u'], ENT_QUOTES).'" />';
             $page->titlegraphic = $purifier->purify(str_replace(array('<h1>', '</h1>'), '', $scanned->titlegraphic));
             $page->affiliation = '';
-            
+
             foreach (array('breadcrumbs', 'navlinks', 'leftcollinks', 'contactinfo', 'affiliation') as $region) {
                 if (isset($scanned->{$region}) && !empty($scanned->{$region})) {
                     $scannedContent = $scanned->{$region};
@@ -93,7 +81,7 @@ if (isset($_GET['u']) && $scanned = UNL_Search::getScannedPage($_GET['u'])) {
                             $scannedContent = preg_replace('#<h3>.*</h3>#', '', $scannedContent);
                             break;
                     }
-                    
+
                     $page->{$region} = $purifier->purify($scannedContent);
                 }
             }
@@ -109,9 +97,7 @@ if (isset($_GET['u']) && $scanned = UNL_Search::getScannedPage($_GET['u'])) {
         // Auto-build a custom search engine
         $context = array('crefUrl' => UNL_Search::getLinkedCSEUrl($_GET['u']));
     }
-    $context = json_encode($context);
-    $inlineJS .= "var LOCAL_SEARCH_CONTEXT = {$context};\n";
-    
+
     $localResults = renderTemplate('templates/google-results.tpl.php', array(
         'title' => $page->titlegraphic,
         'id' => 'local_results',
@@ -121,12 +107,6 @@ if (isset($_GET['u']) && $scanned = UNL_Search::getScannedPage($_GET['u'])) {
     loadDefaultSections($page);
 }
 
-if (isset($_GET['q'])) {
-    $q = json_encode($_GET['q']);
-    $inlineJS .= "var INITIAL_QUERY = {$q};\n";
-}
-
-$page->addScriptDeclaration($inlineJS);
 
 $maincontent = '';
 if (!$isEmbed) {
@@ -138,17 +118,45 @@ $maincontent .= renderTemplate('templates/search-results.tpl.php', array(
     'local_results' => $localResults
 ));
 
+$initialQuery = json_encode(isset($_GET['q']) ? $_GET['q'] : '');
+$context = json_encode($context);
+
+$apiKey = UNL_Search::getJSAPIKey();
+$params = array(
+    'autoload' => json_encode(array('modules' => array(
+        array(
+            'name' => 'search',
+            'version' => '1.0',
+            'callback' => 'searchInit',
+            'style' => '//www.google.com/cse/style/look/v2/default.css'
+        ),
+    ))),
+);
+
+if (!empty($apiKey)) {
+    $params['key'] = $apiKey;
+}
+
+$maincontent .= renderTemplate('templates/end-scripts.tpl.php', array(
+    'localScriptUrl' => $localScriptUrl,
+    'googleLoaderUrl' => 'https://www.google.com/jsapi?' . http_build_query($params),
+    'initialQuery' => $initialQuery,
+    'localContext' => $context,
+));
+
 if (!$isEmbed) {
     $page->maincontentarea = $maincontent;
     echo $page;
-} else {
-    if (UNL_Search::$mode === 'debug') {
-        $template = 'templates/embed-debug.tpl.php';
-    } else {
-        $template = 'templates/embed.tpl.php';
-    }
-    echo renderTemplate($template, array(
-        'head' => $page->head,
-        'maincontent' => $maincontent
-    ));
+    exit;
 }
+
+$template = 'templates/embed.tpl.php';
+
+if (UNL_Search::$mode === 'debug') {
+    $template = 'templates/embed-debug.tpl.php';
+}
+
+echo renderTemplate($template, array(
+    'head' => $page->head,
+    'maincontent' => $maincontent
+));
diff --git a/www/js/.gitignore b/www/js/.gitignore
index 723285d21cb7c83217487c4e91e17e3241aa0146..b358685fc6476c39497b7b5ef85a63616c28ad5f 100644
--- a/www/js/.gitignore
+++ b/www/js/.gitignore
@@ -1,2 +1,3 @@
-/search.js.map
+/*.map
 /search.min.js
+/embed
diff --git a/www/js/embed-src/analytics.js b/www/js/embed-src/analytics.js
new file mode 100644
index 0000000000000000000000000000000000000000..c323d26b3f8d699f9d627e6df8159c5dfdd2def5
--- /dev/null
+++ b/www/js/embed-src/analytics.js
@@ -0,0 +1,135 @@
+/* global define: false */
+define(['jquery'], function($) {
+	"use strict";
+	var wdnProp = 'UA-3203435-1';
+	var unlDomain = '.unl.edu';
+	var Plugin;
+	var thisURL = String(window.location);
+
+	var gaWdnName = 'wdn';
+	var gaWdn = gaWdnName + '.';
+
+	// ga.js method for getting default tracker (with set account)
+	var getDefaultGATracker = function() {
+		var tracker = _gat._getTrackerByName();
+		if (tracker._getAccount() !== 'UA-XXXXX-X') {
+			return tracker;
+		}
+
+		return undefined;
+	};
+
+	// analytics.js method for getting default tracker
+	var getDefaultAnalyticsTracker = function() {
+		return ga.getByName('t0');
+	};
+
+	Plugin = {
+		initialize : function() {
+			ga('create', wdnProp, {
+				name: gaWdnName,
+				cookieDomain: unlDomain,
+				allowLinker: true
+			});
+			Plugin.callTrackPageview();
+		},
+
+		callTrackPageview: function(thePage, trackInWDNAccount){
+			var action = 'pageview', method = 'send', legacyMethod = '_trackPageview';
+
+			if (!thePage) {
+				ga(gaWdn+method, action);
+				return;
+			}
+
+			if (trackInWDNAccount !== false) {
+				trackInWDNAccount = true;
+			}
+
+			// First, track in the wdn analytics
+			if (trackInWDNAccount) {
+				ga(gaWdn+method, action, thePage);
+			}
+
+			// Second, track in local site analytics
+			try {
+				_gaq.push(function() {
+					var tracker = getDefaultGATracker();
+					if (tracker) {
+						tracker[legacyMethod](thePage);
+					}
+				});
+
+				ga(function() {
+					var tracker = getDefaultAnalyticsTracker();
+					if (tracker) {
+						tracker[method](action, thePage);
+					}
+				});
+			} catch(e) {}
+		},
+
+		callTrackEvent: function(category, evtaction, label, value, noninteraction) {
+			var action = 'event', method = 'send', legacyMethod = '_trackEvent', evtOpt;
+
+			if (noninteraction !== true) {
+				noninteraction = false;
+			}
+
+			evtOpt = {
+				eventCategory: category,
+				eventAction: evtaction,
+				eventLabel: label,
+				eventValue: value,
+				nonInteraction: noninteraction
+			};
+
+			ga(gaWdn+method, action, evtOpt);
+
+			try {
+				_gaq.push(function() {
+					var tracker = getDefaultGATracker(), legacyValue = value;
+					if (tracker) {
+						if (typeof value !== "undefined") {
+							legacyValue = Math.floor(value);
+						}
+
+						tracker[legacyMethod](category, evtaction, label, legacyValue, noninteraction);
+					}
+				});
+
+				ga(function() {
+					var tracker = getDefaultAnalyticsTracker();
+					if (tracker) {
+						tracker[method](action, evtOpt);
+					}
+				});
+			} catch(e) {}
+		},
+
+		callTrackTiming: function(category, variable, value, label, sampleRate) {
+			var action = 'timing', method = 'send', legacyMethod = '_trackTiming';
+
+			ga(gaWdn+method, action, category, variable, value, label);
+
+			try {
+				_gaq.push(function() {
+					var tracker = getDefaultGATracker();
+					if (tracker) {
+						tracker[legacyMethod](category, variable, value, label, sampleRate);
+					}
+				});
+
+				ga(function() {
+					var tracker = getDefaultAnalyticsTracker();
+					if (tracker) {
+						tracker[method](action, category, variable, value, label);
+					}
+				});
+
+			} catch (e) {}
+		}
+	};
+
+	return Plugin;
+});
diff --git a/www/js/embed-src/ga.js b/www/js/embed-src/ga.js
new file mode 100644
index 0000000000000000000000000000000000000000..534a9df1fcf8373c68f173fcf3e086452fa9e7ad
--- /dev/null
+++ b/www/js/embed-src/ga.js
@@ -0,0 +1,14 @@
+// Google Analytics (ga.js) - legacy support
+var _gaq = _gaq || [];
+(function() {
+  var ga = document.createElement('script'); ga.async = true;
+  ga.src = 'https://ssl.google-analytics.com/ga.js';
+  var s = document.getElementsByTagName('script')[0]; s.parentNode.insertBefore(ga, s);
+})();
+
+// Google Analytics (analytics.js)
+(function(b,o,i,l,e,r){b.GoogleAnalyticsObject=l;b[l]||(b[l]=
+function(){(b[l].q=b[l].q||[]).push(arguments)});b[l].l=+new Date;
+e=o.createElement(i);r=o.getElementsByTagName(i)[0];
+e.src='https://www.google-analytics.com/analytics.js';
+r.parentNode.insertBefore(e,r)}(window,document,'script','ga'));
diff --git a/www/js/embed-src/jquery.js b/www/js/embed-src/jquery.js
new file mode 100644
index 0000000000000000000000000000000000000000..eed17778c688271208406367c0c1681d81feca6f
--- /dev/null
+++ b/www/js/embed-src/jquery.js
@@ -0,0 +1,9210 @@
+/*!
+ * jQuery JavaScript Library v2.1.4
+ * http://jquery.com/
+ *
+ * Includes Sizzle.js
+ * http://sizzlejs.com/
+ *
+ * Copyright 2005, 2014 jQuery Foundation, Inc. and other contributors
+ * Released under the MIT license
+ * http://jquery.org/license
+ *
+ * Date: 2015-04-28T16:01Z
+ */
+
+(function( global, factory ) {
+
+	if ( typeof module === "object" && typeof module.exports === "object" ) {
+		// For CommonJS and CommonJS-like environments where a proper `window`
+		// is present, execute the factory and get jQuery.
+		// For environments that do not have a `window` with a `document`
+		// (such as Node.js), expose a factory as module.exports.
+		// This accentuates the need for the creation of a real `window`.
+		// e.g. var jQuery = require("jquery")(window);
+		// See ticket #14549 for more info.
+		module.exports = global.document ?
+			factory( global, true ) :
+			function( w ) {
+				if ( !w.document ) {
+					throw new Error( "jQuery requires a window with a document" );
+				}
+				return factory( w );
+			};
+	} else {
+		factory( global );
+	}
+
+// Pass this if window is not defined yet
+}(typeof window !== "undefined" ? window : this, function( window, noGlobal ) {
+
+// Support: Firefox 18+
+// Can't be in strict mode, several libs including ASP.NET trace
+// the stack via arguments.caller.callee and Firefox dies if
+// you try to trace through "use strict" call chains. (#13335)
+//
+
+var arr = [];
+
+var slice = arr.slice;
+
+var concat = arr.concat;
+
+var push = arr.push;
+
+var indexOf = arr.indexOf;
+
+var class2type = {};
+
+var toString = class2type.toString;
+
+var hasOwn = class2type.hasOwnProperty;
+
+var support = {};
+
+
+
+var
+	// Use the correct document accordingly with window argument (sandbox)
+	document = window.document,
+
+	version = "2.1.4",
+
+	// Define a local copy of jQuery
+	jQuery = function( selector, context ) {
+		// The jQuery object is actually just the init constructor 'enhanced'
+		// Need init if jQuery is called (just allow error to be thrown if not included)
+		return new jQuery.fn.init( selector, context );
+	},
+
+	// Support: Android<4.1
+	// Make sure we trim BOM and NBSP
+	rtrim = /^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,
+
+	// Matches dashed string for camelizing
+	rmsPrefix = /^-ms-/,
+	rdashAlpha = /-([\da-z])/gi,
+
+	// Used by jQuery.camelCase as callback to replace()
+	fcamelCase = function( all, letter ) {
+		return letter.toUpperCase();
+	};
+
+jQuery.fn = jQuery.prototype = {
+	// The current version of jQuery being used
+	jquery: version,
+
+	constructor: jQuery,
+
+	// Start with an empty selector
+	selector: "",
+
+	// The default length of a jQuery object is 0
+	length: 0,
+
+	toArray: function() {
+		return slice.call( this );
+	},
+
+	// Get the Nth element in the matched element set OR
+	// Get the whole matched element set as a clean array
+	get: function( num ) {
+		return num != null ?
+
+			// Return just the one element from the set
+			( num < 0 ? this[ num + this.length ] : this[ num ] ) :
+
+			// Return all the elements in a clean array
+			slice.call( this );
+	},
+
+	// Take an array of elements and push it onto the stack
+	// (returning the new matched element set)
+	pushStack: function( elems ) {
+
+		// Build a new jQuery matched element set
+		var ret = jQuery.merge( this.constructor(), elems );
+
+		// Add the old object onto the stack (as a reference)
+		ret.prevObject = this;
+		ret.context = this.context;
+
+		// Return the newly-formed element set
+		return ret;
+	},
+
+	// Execute a callback for every element in the matched set.
+	// (You can seed the arguments with an array of args, but this is
+	// only used internally.)
+	each: function( callback, args ) {
+		return jQuery.each( this, callback, args );
+	},
+
+	map: function( callback ) {
+		return this.pushStack( jQuery.map(this, function( elem, i ) {
+			return callback.call( elem, i, elem );
+		}));
+	},
+
+	slice: function() {
+		return this.pushStack( slice.apply( this, arguments ) );
+	},
+
+	first: function() {
+		return this.eq( 0 );
+	},
+
+	last: function() {
+		return this.eq( -1 );
+	},
+
+	eq: function( i ) {
+		var len = this.length,
+			j = +i + ( i < 0 ? len : 0 );
+		return this.pushStack( j >= 0 && j < len ? [ this[j] ] : [] );
+	},
+
+	end: function() {
+		return this.prevObject || this.constructor(null);
+	},
+
+	// For internal use only.
+	// Behaves like an Array's method, not like a jQuery method.
+	push: push,
+	sort: arr.sort,
+	splice: arr.splice
+};
+
+jQuery.extend = jQuery.fn.extend = function() {
+	var options, name, src, copy, copyIsArray, clone,
+		target = arguments[0] || {},
+		i = 1,
+		length = arguments.length,
+		deep = false;
+
+	// Handle a deep copy situation
+	if ( typeof target === "boolean" ) {
+		deep = target;
+
+		// Skip the boolean and the target
+		target = arguments[ i ] || {};
+		i++;
+	}
+
+	// Handle case when target is a string or something (possible in deep copy)
+	if ( typeof target !== "object" && !jQuery.isFunction(target) ) {
+		target = {};
+	}
+
+	// Extend jQuery itself if only one argument is passed
+	if ( i === length ) {
+		target = this;
+		i--;
+	}
+
+	for ( ; i < length; i++ ) {
+		// Only deal with non-null/undefined values
+		if ( (options = arguments[ i ]) != null ) {
+			// Extend the base object
+			for ( name in options ) {
+				src = target[ name ];
+				copy = options[ name ];
+
+				// Prevent never-ending loop
+				if ( target === copy ) {
+					continue;
+				}
+
+				// Recurse if we're merging plain objects or arrays
+				if ( deep && copy && ( jQuery.isPlainObject(copy) || (copyIsArray = jQuery.isArray(copy)) ) ) {
+					if ( copyIsArray ) {
+						copyIsArray = false;
+						clone = src && jQuery.isArray(src) ? src : [];
+
+					} else {
+						clone = src && jQuery.isPlainObject(src) ? src : {};
+					}
+
+					// Never move original objects, clone them
+					target[ name ] = jQuery.extend( deep, clone, copy );
+
+				// Don't bring in undefined values
+				} else if ( copy !== undefined ) {
+					target[ name ] = copy;
+				}
+			}
+		}
+	}
+
+	// Return the modified object
+	return target;
+};
+
+jQuery.extend({
+	// Unique for each copy of jQuery on the page
+	expando: "jQuery" + ( version + Math.random() ).replace( /\D/g, "" ),
+
+	// Assume jQuery is ready without the ready module
+	isReady: true,
+
+	error: function( msg ) {
+		throw new Error( msg );
+	},
+
+	noop: function() {},
+
+	isFunction: function( obj ) {
+		return jQuery.type(obj) === "function";
+	},
+
+	isArray: Array.isArray,
+
+	isWindow: function( obj ) {
+		return obj != null && obj === obj.window;
+	},
+
+	isNumeric: function( obj ) {
+		// parseFloat NaNs numeric-cast false positives (null|true|false|"")
+		// ...but misinterprets leading-number strings, particularly hex literals ("0x...")
+		// subtraction forces infinities to NaN
+		// adding 1 corrects loss of precision from parseFloat (#15100)
+		return !jQuery.isArray( obj ) && (obj - parseFloat( obj ) + 1) >= 0;
+	},
+
+	isPlainObject: function( obj ) {
+		// Not plain objects:
+		// - Any object or value whose internal [[Class]] property is not "[object Object]"
+		// - DOM nodes
+		// - window
+		if ( jQuery.type( obj ) !== "object" || obj.nodeType || jQuery.isWindow( obj ) ) {
+			return false;
+		}
+
+		if ( obj.constructor &&
+				!hasOwn.call( obj.constructor.prototype, "isPrototypeOf" ) ) {
+			return false;
+		}
+
+		// If the function hasn't returned already, we're confident that
+		// |obj| is a plain object, created by {} or constructed with new Object
+		return true;
+	},
+
+	isEmptyObject: function( obj ) {
+		var name;
+		for ( name in obj ) {
+			return false;
+		}
+		return true;
+	},
+
+	type: function( obj ) {
+		if ( obj == null ) {
+			return obj + "";
+		}
+		// Support: Android<4.0, iOS<6 (functionish RegExp)
+		return typeof obj === "object" || typeof obj === "function" ?
+			class2type[ toString.call(obj) ] || "object" :
+			typeof obj;
+	},
+
+	// Evaluates a script in a global context
+	globalEval: function( code ) {
+		var script,
+			indirect = eval;
+
+		code = jQuery.trim( code );
+
+		if ( code ) {
+			// If the code includes a valid, prologue position
+			// strict mode pragma, execute code by injecting a
+			// script tag into the document.
+			if ( code.indexOf("use strict") === 1 ) {
+				script = document.createElement("script");
+				script.text = code;
+				document.head.appendChild( script ).parentNode.removeChild( script );
+			} else {
+			// Otherwise, avoid the DOM node creation, insertion
+			// and removal by using an indirect global eval
+				indirect( code );
+			}
+		}
+	},
+
+	// Convert dashed to camelCase; used by the css and data modules
+	// Support: IE9-11+
+	// Microsoft forgot to hump their vendor prefix (#9572)
+	camelCase: function( string ) {
+		return string.replace( rmsPrefix, "ms-" ).replace( rdashAlpha, fcamelCase );
+	},
+
+	nodeName: function( elem, name ) {
+		return elem.nodeName && elem.nodeName.toLowerCase() === name.toLowerCase();
+	},
+
+	// args is for internal usage only
+	each: function( obj, callback, args ) {
+		var value,
+			i = 0,
+			length = obj.length,
+			isArray = isArraylike( obj );
+
+		if ( args ) {
+			if ( isArray ) {
+				for ( ; i < length; i++ ) {
+					value = callback.apply( obj[ i ], args );
+
+					if ( value === false ) {
+						break;
+					}
+				}
+			} else {
+				for ( i in obj ) {
+					value = callback.apply( obj[ i ], args );
+
+					if ( value === false ) {
+						break;
+					}
+				}
+			}
+
+		// A special, fast, case for the most common use of each
+		} else {
+			if ( isArray ) {
+				for ( ; i < length; i++ ) {
+					value = callback.call( obj[ i ], i, obj[ i ] );
+
+					if ( value === false ) {
+						break;
+					}
+				}
+			} else {
+				for ( i in obj ) {
+					value = callback.call( obj[ i ], i, obj[ i ] );
+
+					if ( value === false ) {
+						break;
+					}
+				}
+			}
+		}
+
+		return obj;
+	},
+
+	// Support: Android<4.1
+	trim: function( text ) {
+		return text == null ?
+			"" :
+			( text + "" ).replace( rtrim, "" );
+	},
+
+	// results is for internal usage only
+	makeArray: function( arr, results ) {
+		var ret = results || [];
+
+		if ( arr != null ) {
+			if ( isArraylike( Object(arr) ) ) {
+				jQuery.merge( ret,
+					typeof arr === "string" ?
+					[ arr ] : arr
+				);
+			} else {
+				push.call( ret, arr );
+			}
+		}
+
+		return ret;
+	},
+
+	inArray: function( elem, arr, i ) {
+		return arr == null ? -1 : indexOf.call( arr, elem, i );
+	},
+
+	merge: function( first, second ) {
+		var len = +second.length,
+			j = 0,
+			i = first.length;
+
+		for ( ; j < len; j++ ) {
+			first[ i++ ] = second[ j ];
+		}
+
+		first.length = i;
+
+		return first;
+	},
+
+	grep: function( elems, callback, invert ) {
+		var callbackInverse,
+			matches = [],
+			i = 0,
+			length = elems.length,
+			callbackExpect = !invert;
+
+		// Go through the array, only saving the items
+		// that pass the validator function
+		for ( ; i < length; i++ ) {
+			callbackInverse = !callback( elems[ i ], i );
+			if ( callbackInverse !== callbackExpect ) {
+				matches.push( elems[ i ] );
+			}
+		}
+
+		return matches;
+	},
+
+	// arg is for internal usage only
+	map: function( elems, callback, arg ) {
+		var value,
+			i = 0,
+			length = elems.length,
+			isArray = isArraylike( elems ),
+			ret = [];
+
+		// Go through the array, translating each of the items to their new values
+		if ( isArray ) {
+			for ( ; i < length; i++ ) {
+				value = callback( elems[ i ], i, arg );
+
+				if ( value != null ) {
+					ret.push( value );
+				}
+			}
+
+		// Go through every key on the object,
+		} else {
+			for ( i in elems ) {
+				value = callback( elems[ i ], i, arg );
+
+				if ( value != null ) {
+					ret.push( value );
+				}
+			}
+		}
+
+		// Flatten any nested arrays
+		return concat.apply( [], ret );
+	},
+
+	// A global GUID counter for objects
+	guid: 1,
+
+	// Bind a function to a context, optionally partially applying any
+	// arguments.
+	proxy: function( fn, context ) {
+		var tmp, args, proxy;
+
+		if ( typeof context === "string" ) {
+			tmp = fn[ context ];
+			context = fn;
+			fn = tmp;
+		}
+
+		// Quick check to determine if target is callable, in the spec
+		// this throws a TypeError, but we will just return undefined.
+		if ( !jQuery.isFunction( fn ) ) {
+			return undefined;
+		}
+
+		// Simulated bind
+		args = slice.call( arguments, 2 );
+		proxy = function() {
+			return fn.apply( context || this, args.concat( slice.call( arguments ) ) );
+		};
+
+		// Set the guid of unique handler to the same of original handler, so it can be removed
+		proxy.guid = fn.guid = fn.guid || jQuery.guid++;
+
+		return proxy;
+	},
+
+	now: Date.now,
+
+	// jQuery.support is not used in Core but other projects attach their
+	// properties to it so it needs to exist.
+	support: support
+});
+
+// Populate the class2type map
+jQuery.each("Boolean Number String Function Array Date RegExp Object Error".split(" "), function(i, name) {
+	class2type[ "[object " + name + "]" ] = name.toLowerCase();
+});
+
+function isArraylike( obj ) {
+
+	// Support: iOS 8.2 (not reproducible in simulator)
+	// `in` check used to prevent JIT error (gh-2145)
+	// hasOwn isn't used here due to false negatives
+	// regarding Nodelist length in IE
+	var length = "length" in obj && obj.length,
+		type = jQuery.type( obj );
+
+	if ( type === "function" || jQuery.isWindow( obj ) ) {
+		return false;
+	}
+
+	if ( obj.nodeType === 1 && length ) {
+		return true;
+	}
+
+	return type === "array" || length === 0 ||
+		typeof length === "number" && length > 0 && ( length - 1 ) in obj;
+}
+var Sizzle =
+/*!
+ * Sizzle CSS Selector Engine v2.2.0-pre
+ * http://sizzlejs.com/
+ *
+ * Copyright 2008, 2014 jQuery Foundation, Inc. and other contributors
+ * Released under the MIT license
+ * http://jquery.org/license
+ *
+ * Date: 2014-12-16
+ */
+(function( window ) {
+
+var i,
+	support,
+	Expr,
+	getText,
+	isXML,
+	tokenize,
+	compile,
+	select,
+	outermostContext,
+	sortInput,
+	hasDuplicate,
+
+	// Local document vars
+	setDocument,
+	document,
+	docElem,
+	documentIsHTML,
+	rbuggyQSA,
+	rbuggyMatches,
+	matches,
+	contains,
+
+	// Instance-specific data
+	expando = "sizzle" + 1 * new Date(),
+	preferredDoc = window.document,
+	dirruns = 0,
+	done = 0,
+	classCache = createCache(),
+	tokenCache = createCache(),
+	compilerCache = createCache(),
+	sortOrder = function( a, b ) {
+		if ( a === b ) {
+			hasDuplicate = true;
+		}
+		return 0;
+	},
+
+	// General-purpose constants
+	MAX_NEGATIVE = 1 << 31,
+
+	// Instance methods
+	hasOwn = ({}).hasOwnProperty,
+	arr = [],
+	pop = arr.pop,
+	push_native = arr.push,
+	push = arr.push,
+	slice = arr.slice,
+	// Use a stripped-down indexOf as it's faster than native
+	// http://jsperf.com/thor-indexof-vs-for/5
+	indexOf = function( list, elem ) {
+		var i = 0,
+			len = list.length;
+		for ( ; i < len; i++ ) {
+			if ( list[i] === elem ) {
+				return i;
+			}
+		}
+		return -1;
+	},
+
+	booleans = "checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped",
+
+	// Regular expressions
+
+	// Whitespace characters http://www.w3.org/TR/css3-selectors/#whitespace
+	whitespace = "[\\x20\\t\\r\\n\\f]",
+	// http://www.w3.org/TR/css3-syntax/#characters
+	characterEncoding = "(?:\\\\.|[\\w-]|[^\\x00-\\xa0])+",
+
+	// Loosely modeled on CSS identifier characters
+	// An unquoted value should be a CSS identifier http://www.w3.org/TR/css3-selectors/#attribute-selectors
+	// Proper syntax: http://www.w3.org/TR/CSS21/syndata.html#value-def-identifier
+	identifier = characterEncoding.replace( "w", "w#" ),
+
+	// Attribute selectors: http://www.w3.org/TR/selectors/#attribute-selectors
+	attributes = "\\[" + whitespace + "*(" + characterEncoding + ")(?:" + whitespace +
+		// Operator (capture 2)
+		"*([*^$|!~]?=)" + whitespace +
+		// "Attribute values must be CSS identifiers [capture 5] or strings [capture 3 or capture 4]"
+		"*(?:'((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\"|(" + identifier + "))|)" + whitespace +
+		"*\\]",
+
+	pseudos = ":(" + characterEncoding + ")(?:\\((" +
+		// To reduce the number of selectors needing tokenize in the preFilter, prefer arguments:
+		// 1. quoted (capture 3; capture 4 or capture 5)
+		"('((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\")|" +
+		// 2. simple (capture 6)
+		"((?:\\\\.|[^\\\\()[\\]]|" + attributes + ")*)|" +
+		// 3. anything else (capture 2)
+		".*" +
+		")\\)|)",
+
+	// Leading and non-escaped trailing whitespace, capturing some non-whitespace characters preceding the latter
+	rwhitespace = new RegExp( whitespace + "+", "g" ),
+	rtrim = new RegExp( "^" + whitespace + "+|((?:^|[^\\\\])(?:\\\\.)*)" + whitespace + "+$", "g" ),
+
+	rcomma = new RegExp( "^" + whitespace + "*," + whitespace + "*" ),
+	rcombinators = new RegExp( "^" + whitespace + "*([>+~]|" + whitespace + ")" + whitespace + "*" ),
+
+	rattributeQuotes = new RegExp( "=" + whitespace + "*([^\\]'\"]*?)" + whitespace + "*\\]", "g" ),
+
+	rpseudo = new RegExp( pseudos ),
+	ridentifier = new RegExp( "^" + identifier + "$" ),
+
+	matchExpr = {
+		"ID": new RegExp( "^#(" + characterEncoding + ")" ),
+		"CLASS": new RegExp( "^\\.(" + characterEncoding + ")" ),
+		"TAG": new RegExp( "^(" + characterEncoding.replace( "w", "w*" ) + ")" ),
+		"ATTR": new RegExp( "^" + attributes ),
+		"PSEUDO": new RegExp( "^" + pseudos ),
+		"CHILD": new RegExp( "^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\(" + whitespace +
+			"*(even|odd|(([+-]|)(\\d*)n|)" + whitespace + "*(?:([+-]|)" + whitespace +
+			"*(\\d+)|))" + whitespace + "*\\)|)", "i" ),
+		"bool": new RegExp( "^(?:" + booleans + ")$", "i" ),
+		// For use in libraries implementing .is()
+		// We use this for POS matching in `select`
+		"needsContext": new RegExp( "^" + whitespace + "*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\(" +
+			whitespace + "*((?:-\\d)?\\d*)" + whitespace + "*\\)|)(?=[^-]|$)", "i" )
+	},
+
+	rinputs = /^(?:input|select|textarea|button)$/i,
+	rheader = /^h\d$/i,
+
+	rnative = /^[^{]+\{\s*\[native \w/,
+
+	// Easily-parseable/retrievable ID or TAG or CLASS selectors
+	rquickExpr = /^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,
+
+	rsibling = /[+~]/,
+	rescape = /'|\\/g,
+
+	// CSS escapes http://www.w3.org/TR/CSS21/syndata.html#escaped-characters
+	runescape = new RegExp( "\\\\([\\da-f]{1,6}" + whitespace + "?|(" + whitespace + ")|.)", "ig" ),
+	funescape = function( _, escaped, escapedWhitespace ) {
+		var high = "0x" + escaped - 0x10000;
+		// NaN means non-codepoint
+		// Support: Firefox<24
+		// Workaround erroneous numeric interpretation of +"0x"
+		return high !== high || escapedWhitespace ?
+			escaped :
+			high < 0 ?
+				// BMP codepoint
+				String.fromCharCode( high + 0x10000 ) :
+				// Supplemental Plane codepoint (surrogate pair)
+				String.fromCharCode( high >> 10 | 0xD800, high & 0x3FF | 0xDC00 );
+	},
+
+	// Used for iframes
+	// See setDocument()
+	// Removing the function wrapper causes a "Permission Denied"
+	// error in IE
+	unloadHandler = function() {
+		setDocument();
+	};
+
+// Optimize for push.apply( _, NodeList )
+try {
+	push.apply(
+		(arr = slice.call( preferredDoc.childNodes )),
+		preferredDoc.childNodes
+	);
+	// Support: Android<4.0
+	// Detect silently failing push.apply
+	arr[ preferredDoc.childNodes.length ].nodeType;
+} catch ( e ) {
+	push = { apply: arr.length ?
+
+		// Leverage slice if possible
+		function( target, els ) {
+			push_native.apply( target, slice.call(els) );
+		} :
+
+		// Support: IE<9
+		// Otherwise append directly
+		function( target, els ) {
+			var j = target.length,
+				i = 0;
+			// Can't trust NodeList.length
+			while ( (target[j++] = els[i++]) ) {}
+			target.length = j - 1;
+		}
+	};
+}
+
+function Sizzle( selector, context, results, seed ) {
+	var match, elem, m, nodeType,
+		// QSA vars
+		i, groups, old, nid, newContext, newSelector;
+
+	if ( ( context ? context.ownerDocument || context : preferredDoc ) !== document ) {
+		setDocument( context );
+	}
+
+	context = context || document;
+	results = results || [];
+	nodeType = context.nodeType;
+
+	if ( typeof selector !== "string" || !selector ||
+		nodeType !== 1 && nodeType !== 9 && nodeType !== 11 ) {
+
+		return results;
+	}
+
+	if ( !seed && documentIsHTML ) {
+
+		// Try to shortcut find operations when possible (e.g., not under DocumentFragment)
+		if ( nodeType !== 11 && (match = rquickExpr.exec( selector )) ) {
+			// Speed-up: Sizzle("#ID")
+			if ( (m = match[1]) ) {
+				if ( nodeType === 9 ) {
+					elem = context.getElementById( m );
+					// Check parentNode to catch when Blackberry 4.6 returns
+					// nodes that are no longer in the document (jQuery #6963)
+					if ( elem && elem.parentNode ) {
+						// Handle the case where IE, Opera, and Webkit return items
+						// by name instead of ID
+						if ( elem.id === m ) {
+							results.push( elem );
+							return results;
+						}
+					} else {
+						return results;
+					}
+				} else {
+					// Context is not a document
+					if ( context.ownerDocument && (elem = context.ownerDocument.getElementById( m )) &&
+						contains( context, elem ) && elem.id === m ) {
+						results.push( elem );
+						return results;
+					}
+				}
+
+			// Speed-up: Sizzle("TAG")
+			} else if ( match[2] ) {
+				push.apply( results, context.getElementsByTagName( selector ) );
+				return results;
+
+			// Speed-up: Sizzle(".CLASS")
+			} else if ( (m = match[3]) && support.getElementsByClassName ) {
+				push.apply( results, context.getElementsByClassName( m ) );
+				return results;
+			}
+		}
+
+		// QSA path
+		if ( support.qsa && (!rbuggyQSA || !rbuggyQSA.test( selector )) ) {
+			nid = old = expando;
+			newContext = context;
+			newSelector = nodeType !== 1 && selector;
+
+			// qSA works strangely on Element-rooted queries
+			// We can work around this by specifying an extra ID on the root
+			// and working up from there (Thanks to Andrew Dupont for the technique)
+			// IE 8 doesn't work on object elements
+			if ( nodeType === 1 && context.nodeName.toLowerCase() !== "object" ) {
+				groups = tokenize( selector );
+
+				if ( (old = context.getAttribute("id")) ) {
+					nid = old.replace( rescape, "\\$&" );
+				} else {
+					context.setAttribute( "id", nid );
+				}
+				nid = "[id='" + nid + "'] ";
+
+				i = groups.length;
+				while ( i-- ) {
+					groups[i] = nid + toSelector( groups[i] );
+				}
+				newContext = rsibling.test( selector ) && testContext( context.parentNode ) || context;
+				newSelector = groups.join(",");
+			}
+
+			if ( newSelector ) {
+				try {
+					push.apply( results,
+						newContext.querySelectorAll( newSelector )
+					);
+					return results;
+				} catch(qsaError) {
+				} finally {
+					if ( !old ) {
+						context.removeAttribute("id");
+					}
+				}
+			}
+		}
+	}
+
+	// All others
+	return select( selector.replace( rtrim, "$1" ), context, results, seed );
+}
+
+/**
+ * Create key-value caches of limited size
+ * @returns {Function(string, Object)} Returns the Object data after storing it on itself with
+ *	property name the (space-suffixed) string and (if the cache is larger than Expr.cacheLength)
+ *	deleting the oldest entry
+ */
+function createCache() {
+	var keys = [];
+
+	function cache( key, value ) {
+		// Use (key + " ") to avoid collision with native prototype properties (see Issue #157)
+		if ( keys.push( key + " " ) > Expr.cacheLength ) {
+			// Only keep the most recent entries
+			delete cache[ keys.shift() ];
+		}
+		return (cache[ key + " " ] = value);
+	}
+	return cache;
+}
+
+/**
+ * Mark a function for special use by Sizzle
+ * @param {Function} fn The function to mark
+ */
+function markFunction( fn ) {
+	fn[ expando ] = true;
+	return fn;
+}
+
+/**
+ * Support testing using an element
+ * @param {Function} fn Passed the created div and expects a boolean result
+ */
+function assert( fn ) {
+	var div = document.createElement("div");
+
+	try {
+		return !!fn( div );
+	} catch (e) {
+		return false;
+	} finally {
+		// Remove from its parent by default
+		if ( div.parentNode ) {
+			div.parentNode.removeChild( div );
+		}
+		// release memory in IE
+		div = null;
+	}
+}
+
+/**
+ * Adds the same handler for all of the specified attrs
+ * @param {String} attrs Pipe-separated list of attributes
+ * @param {Function} handler The method that will be applied
+ */
+function addHandle( attrs, handler ) {
+	var arr = attrs.split("|"),
+		i = attrs.length;
+
+	while ( i-- ) {
+		Expr.attrHandle[ arr[i] ] = handler;
+	}
+}
+
+/**
+ * Checks document order of two siblings
+ * @param {Element} a
+ * @param {Element} b
+ * @returns {Number} Returns less than 0 if a precedes b, greater than 0 if a follows b
+ */
+function siblingCheck( a, b ) {
+	var cur = b && a,
+		diff = cur && a.nodeType === 1 && b.nodeType === 1 &&
+			( ~b.sourceIndex || MAX_NEGATIVE ) -
+			( ~a.sourceIndex || MAX_NEGATIVE );
+
+	// Use IE sourceIndex if available on both nodes
+	if ( diff ) {
+		return diff;
+	}
+
+	// Check if b follows a
+	if ( cur ) {
+		while ( (cur = cur.nextSibling) ) {
+			if ( cur === b ) {
+				return -1;
+			}
+		}
+	}
+
+	return a ? 1 : -1;
+}
+
+/**
+ * Returns a function to use in pseudos for input types
+ * @param {String} type
+ */
+function createInputPseudo( type ) {
+	return function( elem ) {
+		var name = elem.nodeName.toLowerCase();
+		return name === "input" && elem.type === type;
+	};
+}
+
+/**
+ * Returns a function to use in pseudos for buttons
+ * @param {String} type
+ */
+function createButtonPseudo( type ) {
+	return function( elem ) {
+		var name = elem.nodeName.toLowerCase();
+		return (name === "input" || name === "button") && elem.type === type;
+	};
+}
+
+/**
+ * Returns a function to use in pseudos for positionals
+ * @param {Function} fn
+ */
+function createPositionalPseudo( fn ) {
+	return markFunction(function( argument ) {
+		argument = +argument;
+		return markFunction(function( seed, matches ) {
+			var j,
+				matchIndexes = fn( [], seed.length, argument ),
+				i = matchIndexes.length;
+
+			// Match elements found at the specified indexes
+			while ( i-- ) {
+				if ( seed[ (j = matchIndexes[i]) ] ) {
+					seed[j] = !(matches[j] = seed[j]);
+				}
+			}
+		});
+	});
+}
+
+/**
+ * Checks a node for validity as a Sizzle context
+ * @param {Element|Object=} context
+ * @returns {Element|Object|Boolean} The input node if acceptable, otherwise a falsy value
+ */
+function testContext( context ) {
+	return context && typeof context.getElementsByTagName !== "undefined" && context;
+}
+
+// Expose support vars for convenience
+support = Sizzle.support = {};
+
+/**
+ * Detects XML nodes
+ * @param {Element|Object} elem An element or a document
+ * @returns {Boolean} True iff elem is a non-HTML XML node
+ */
+isXML = Sizzle.isXML = function( elem ) {
+	// documentElement is verified for cases where it doesn't yet exist
+	// (such as loading iframes in IE - #4833)
+	var documentElement = elem && (elem.ownerDocument || elem).documentElement;
+	return documentElement ? documentElement.nodeName !== "HTML" : false;
+};
+
+/**
+ * Sets document-related variables once based on the current document
+ * @param {Element|Object} [doc] An element or document object to use to set the document
+ * @returns {Object} Returns the current document
+ */
+setDocument = Sizzle.setDocument = function( node ) {
+	var hasCompare, parent,
+		doc = node ? node.ownerDocument || node : preferredDoc;
+
+	// If no document and documentElement is available, return
+	if ( doc === document || doc.nodeType !== 9 || !doc.documentElement ) {
+		return document;
+	}
+
+	// Set our document
+	document = doc;
+	docElem = doc.documentElement;
+	parent = doc.defaultView;
+
+	// Support: IE>8
+	// If iframe document is assigned to "document" variable and if iframe has been reloaded,
+	// IE will throw "permission denied" error when accessing "document" variable, see jQuery #13936
+	// IE6-8 do not support the defaultView property so parent will be undefined
+	if ( parent && parent !== parent.top ) {
+		// IE11 does not have attachEvent, so all must suffer
+		if ( parent.addEventListener ) {
+			parent.addEventListener( "unload", unloadHandler, false );
+		} else if ( parent.attachEvent ) {
+			parent.attachEvent( "onunload", unloadHandler );
+		}
+	}
+
+	/* Support tests
+	---------------------------------------------------------------------- */
+	documentIsHTML = !isXML( doc );
+
+	/* Attributes
+	---------------------------------------------------------------------- */
+
+	// Support: IE<8
+	// Verify that getAttribute really returns attributes and not properties
+	// (excepting IE8 booleans)
+	support.attributes = assert(function( div ) {
+		div.className = "i";
+		return !div.getAttribute("className");
+	});
+
+	/* getElement(s)By*
+	---------------------------------------------------------------------- */
+
+	// Check if getElementsByTagName("*") returns only elements
+	support.getElementsByTagName = assert(function( div ) {
+		div.appendChild( doc.createComment("") );
+		return !div.getElementsByTagName("*").length;
+	});
+
+	// Support: IE<9
+	support.getElementsByClassName = rnative.test( doc.getElementsByClassName );
+
+	// Support: IE<10
+	// Check if getElementById returns elements by name
+	// The broken getElementById methods don't pick up programatically-set names,
+	// so use a roundabout getElementsByName test
+	support.getById = assert(function( div ) {
+		docElem.appendChild( div ).id = expando;
+		return !doc.getElementsByName || !doc.getElementsByName( expando ).length;
+	});
+
+	// ID find and filter
+	if ( support.getById ) {
+		Expr.find["ID"] = function( id, context ) {
+			if ( typeof context.getElementById !== "undefined" && documentIsHTML ) {
+				var m = context.getElementById( id );
+				// Check parentNode to catch when Blackberry 4.6 returns
+				// nodes that are no longer in the document #6963
+				return m && m.parentNode ? [ m ] : [];
+			}
+		};
+		Expr.filter["ID"] = function( id ) {
+			var attrId = id.replace( runescape, funescape );
+			return function( elem ) {
+				return elem.getAttribute("id") === attrId;
+			};
+		};
+	} else {
+		// Support: IE6/7
+		// getElementById is not reliable as a find shortcut
+		delete Expr.find["ID"];
+
+		Expr.filter["ID"] =  function( id ) {
+			var attrId = id.replace( runescape, funescape );
+			return function( elem ) {
+				var node = typeof elem.getAttributeNode !== "undefined" && elem.getAttributeNode("id");
+				return node && node.value === attrId;
+			};
+		};
+	}
+
+	// Tag
+	Expr.find["TAG"] = support.getElementsByTagName ?
+		function( tag, context ) {
+			if ( typeof context.getElementsByTagName !== "undefined" ) {
+				return context.getElementsByTagName( tag );
+
+			// DocumentFragment nodes don't have gEBTN
+			} else if ( support.qsa ) {
+				return context.querySelectorAll( tag );
+			}
+		} :
+
+		function( tag, context ) {
+			var elem,
+				tmp = [],
+				i = 0,
+				// By happy coincidence, a (broken) gEBTN appears on DocumentFragment nodes too
+				results = context.getElementsByTagName( tag );
+
+			// Filter out possible comments
+			if ( tag === "*" ) {
+				while ( (elem = results[i++]) ) {
+					if ( elem.nodeType === 1 ) {
+						tmp.push( elem );
+					}
+				}
+
+				return tmp;
+			}
+			return results;
+		};
+
+	// Class
+	Expr.find["CLASS"] = support.getElementsByClassName && function( className, context ) {
+		if ( documentIsHTML ) {
+			return context.getElementsByClassName( className );
+		}
+	};
+
+	/* QSA/matchesSelector
+	---------------------------------------------------------------------- */
+
+	// QSA and matchesSelector support
+
+	// matchesSelector(:active) reports false when true (IE9/Opera 11.5)
+	rbuggyMatches = [];
+
+	// qSa(:focus) reports false when true (Chrome 21)
+	// We allow this because of a bug in IE8/9 that throws an error
+	// whenever `document.activeElement` is accessed on an iframe
+	// So, we allow :focus to pass through QSA all the time to avoid the IE error
+	// See http://bugs.jquery.com/ticket/13378
+	rbuggyQSA = [];
+
+	if ( (support.qsa = rnative.test( doc.querySelectorAll )) ) {
+		// Build QSA regex
+		// Regex strategy adopted from Diego Perini
+		assert(function( div ) {
+			// Select is set to empty string on purpose
+			// This is to test IE's treatment of not explicitly
+			// setting a boolean content attribute,
+			// since its presence should be enough
+			// http://bugs.jquery.com/ticket/12359
+			docElem.appendChild( div ).innerHTML = "<a id='" + expando + "'></a>" +
+				"<select id='" + expando + "-\f]' msallowcapture=''>" +
+				"<option selected=''></option></select>";
+
+			// Support: IE8, Opera 11-12.16
+			// Nothing should be selected when empty strings follow ^= or $= or *=
+			// The test attribute must be unknown in Opera but "safe" for WinRT
+			// http://msdn.microsoft.com/en-us/library/ie/hh465388.aspx#attribute_section
+			if ( div.querySelectorAll("[msallowcapture^='']").length ) {
+				rbuggyQSA.push( "[*^$]=" + whitespace + "*(?:''|\"\")" );
+			}
+
+			// Support: IE8
+			// Boolean attributes and "value" are not treated correctly
+			if ( !div.querySelectorAll("[selected]").length ) {
+				rbuggyQSA.push( "\\[" + whitespace + "*(?:value|" + booleans + ")" );
+			}
+
+			// Support: Chrome<29, Android<4.2+, Safari<7.0+, iOS<7.0+, PhantomJS<1.9.7+
+			if ( !div.querySelectorAll( "[id~=" + expando + "-]" ).length ) {
+				rbuggyQSA.push("~=");
+			}
+
+			// Webkit/Opera - :checked should return selected option elements
+			// http://www.w3.org/TR/2011/REC-css3-selectors-20110929/#checked
+			// IE8 throws error here and will not see later tests
+			if ( !div.querySelectorAll(":checked").length ) {
+				rbuggyQSA.push(":checked");
+			}
+
+			// Support: Safari 8+, iOS 8+
+			// https://bugs.webkit.org/show_bug.cgi?id=136851
+			// In-page `selector#id sibing-combinator selector` fails
+			if ( !div.querySelectorAll( "a#" + expando + "+*" ).length ) {
+				rbuggyQSA.push(".#.+[+~]");
+			}
+		});
+
+		assert(function( div ) {
+			// Support: Windows 8 Native Apps
+			// The type and name attributes are restricted during .innerHTML assignment
+			var input = doc.createElement("input");
+			input.setAttribute( "type", "hidden" );
+			div.appendChild( input ).setAttribute( "name", "D" );
+
+			// Support: IE8
+			// Enforce case-sensitivity of name attribute
+			if ( div.querySelectorAll("[name=d]").length ) {
+				rbuggyQSA.push( "name" + whitespace + "*[*^$|!~]?=" );
+			}
+
+			// FF 3.5 - :enabled/:disabled and hidden elements (hidden elements are still enabled)
+			// IE8 throws error here and will not see later tests
+			if ( !div.querySelectorAll(":enabled").length ) {
+				rbuggyQSA.push( ":enabled", ":disabled" );
+			}
+
+			// Opera 10-11 does not throw on post-comma invalid pseudos
+			div.querySelectorAll("*,:x");
+			rbuggyQSA.push(",.*:");
+		});
+	}
+
+	if ( (support.matchesSelector = rnative.test( (matches = docElem.matches ||
+		docElem.webkitMatchesSelector ||
+		docElem.mozMatchesSelector ||
+		docElem.oMatchesSelector ||
+		docElem.msMatchesSelector) )) ) {
+
+		assert(function( div ) {
+			// Check to see if it's possible to do matchesSelector
+			// on a disconnected node (IE 9)
+			support.disconnectedMatch = matches.call( div, "div" );
+
+			// This should fail with an exception
+			// Gecko does not error, returns false instead
+			matches.call( div, "[s!='']:x" );
+			rbuggyMatches.push( "!=", pseudos );
+		});
+	}
+
+	rbuggyQSA = rbuggyQSA.length && new RegExp( rbuggyQSA.join("|") );
+	rbuggyMatches = rbuggyMatches.length && new RegExp( rbuggyMatches.join("|") );
+
+	/* Contains
+	---------------------------------------------------------------------- */
+	hasCompare = rnative.test( docElem.compareDocumentPosition );
+
+	// Element contains another
+	// Purposefully does not implement inclusive descendent
+	// As in, an element does not contain itself
+	contains = hasCompare || rnative.test( docElem.contains ) ?
+		function( a, b ) {
+			var adown = a.nodeType === 9 ? a.documentElement : a,
+				bup = b && b.parentNode;
+			return a === bup || !!( bup && bup.nodeType === 1 && (
+				adown.contains ?
+					adown.contains( bup ) :
+					a.compareDocumentPosition && a.compareDocumentPosition( bup ) & 16
+			));
+		} :
+		function( a, b ) {
+			if ( b ) {
+				while ( (b = b.parentNode) ) {
+					if ( b === a ) {
+						return true;
+					}
+				}
+			}
+			return false;
+		};
+
+	/* Sorting
+	---------------------------------------------------------------------- */
+
+	// Document order sorting
+	sortOrder = hasCompare ?
+	function( a, b ) {
+
+		// Flag for duplicate removal
+		if ( a === b ) {
+			hasDuplicate = true;
+			return 0;
+		}
+
+		// Sort on method existence if only one input has compareDocumentPosition
+		var compare = !a.compareDocumentPosition - !b.compareDocumentPosition;
+		if ( compare ) {
+			return compare;
+		}
+
+		// Calculate position if both inputs belong to the same document
+		compare = ( a.ownerDocument || a ) === ( b.ownerDocument || b ) ?
+			a.compareDocumentPosition( b ) :
+
+			// Otherwise we know they are disconnected
+			1;
+
+		// Disconnected nodes
+		if ( compare & 1 ||
+			(!support.sortDetached && b.compareDocumentPosition( a ) === compare) ) {
+
+			// Choose the first element that is related to our preferred document
+			if ( a === doc || a.ownerDocument === preferredDoc && contains(preferredDoc, a) ) {
+				return -1;
+			}
+			if ( b === doc || b.ownerDocument === preferredDoc && contains(preferredDoc, b) ) {
+				return 1;
+			}
+
+			// Maintain original order
+			return sortInput ?
+				( indexOf( sortInput, a ) - indexOf( sortInput, b ) ) :
+				0;
+		}
+
+		return compare & 4 ? -1 : 1;
+	} :
+	function( a, b ) {
+		// Exit early if the nodes are identical
+		if ( a === b ) {
+			hasDuplicate = true;
+			return 0;
+		}
+
+		var cur,
+			i = 0,
+			aup = a.parentNode,
+			bup = b.parentNode,
+			ap = [ a ],
+			bp = [ b ];
+
+		// Parentless nodes are either documents or disconnected
+		if ( !aup || !bup ) {
+			return a === doc ? -1 :
+				b === doc ? 1 :
+				aup ? -1 :
+				bup ? 1 :
+				sortInput ?
+				( indexOf( sortInput, a ) - indexOf( sortInput, b ) ) :
+				0;
+
+		// If the nodes are siblings, we can do a quick check
+		} else if ( aup === bup ) {
+			return siblingCheck( a, b );
+		}
+
+		// Otherwise we need full lists of their ancestors for comparison
+		cur = a;
+		while ( (cur = cur.parentNode) ) {
+			ap.unshift( cur );
+		}
+		cur = b;
+		while ( (cur = cur.parentNode) ) {
+			bp.unshift( cur );
+		}
+
+		// Walk down the tree looking for a discrepancy
+		while ( ap[i] === bp[i] ) {
+			i++;
+		}
+
+		return i ?
+			// Do a sibling check if the nodes have a common ancestor
+			siblingCheck( ap[i], bp[i] ) :
+
+			// Otherwise nodes in our document sort first
+			ap[i] === preferredDoc ? -1 :
+			bp[i] === preferredDoc ? 1 :
+			0;
+	};
+
+	return doc;
+};
+
+Sizzle.matches = function( expr, elements ) {
+	return Sizzle( expr, null, null, elements );
+};
+
+Sizzle.matchesSelector = function( elem, expr ) {
+	// Set document vars if needed
+	if ( ( elem.ownerDocument || elem ) !== document ) {
+		setDocument( elem );
+	}
+
+	// Make sure that attribute selectors are quoted
+	expr = expr.replace( rattributeQuotes, "='$1']" );
+
+	if ( support.matchesSelector && documentIsHTML &&
+		( !rbuggyMatches || !rbuggyMatches.test( expr ) ) &&
+		( !rbuggyQSA     || !rbuggyQSA.test( expr ) ) ) {
+
+		try {
+			var ret = matches.call( elem, expr );
+
+			// IE 9's matchesSelector returns false on disconnected nodes
+			if ( ret || support.disconnectedMatch ||
+					// As well, disconnected nodes are said to be in a document
+					// fragment in IE 9
+					elem.document && elem.document.nodeType !== 11 ) {
+				return ret;
+			}
+		} catch (e) {}
+	}
+
+	return Sizzle( expr, document, null, [ elem ] ).length > 0;
+};
+
+Sizzle.contains = function( context, elem ) {
+	// Set document vars if needed
+	if ( ( context.ownerDocument || context ) !== document ) {
+		setDocument( context );
+	}
+	return contains( context, elem );
+};
+
+Sizzle.attr = function( elem, name ) {
+	// Set document vars if needed
+	if ( ( elem.ownerDocument || elem ) !== document ) {
+		setDocument( elem );
+	}
+
+	var fn = Expr.attrHandle[ name.toLowerCase() ],
+		// Don't get fooled by Object.prototype properties (jQuery #13807)
+		val = fn && hasOwn.call( Expr.attrHandle, name.toLowerCase() ) ?
+			fn( elem, name, !documentIsHTML ) :
+			undefined;
+
+	return val !== undefined ?
+		val :
+		support.attributes || !documentIsHTML ?
+			elem.getAttribute( name ) :
+			(val = elem.getAttributeNode(name)) && val.specified ?
+				val.value :
+				null;
+};
+
+Sizzle.error = function( msg ) {
+	throw new Error( "Syntax error, unrecognized expression: " + msg );
+};
+
+/**
+ * Document sorting and removing duplicates
+ * @param {ArrayLike} results
+ */
+Sizzle.uniqueSort = function( results ) {
+	var elem,
+		duplicates = [],
+		j = 0,
+		i = 0;
+
+	// Unless we *know* we can detect duplicates, assume their presence
+	hasDuplicate = !support.detectDuplicates;
+	sortInput = !support.sortStable && results.slice( 0 );
+	results.sort( sortOrder );
+
+	if ( hasDuplicate ) {
+		while ( (elem = results[i++]) ) {
+			if ( elem === results[ i ] ) {
+				j = duplicates.push( i );
+			}
+		}
+		while ( j-- ) {
+			results.splice( duplicates[ j ], 1 );
+		}
+	}
+
+	// Clear input after sorting to release objects
+	// See https://github.com/jquery/sizzle/pull/225
+	sortInput = null;
+
+	return results;
+};
+
+/**
+ * Utility function for retrieving the text value of an array of DOM nodes
+ * @param {Array|Element} elem
+ */
+getText = Sizzle.getText = function( elem ) {
+	var node,
+		ret = "",
+		i = 0,
+		nodeType = elem.nodeType;
+
+	if ( !nodeType ) {
+		// If no nodeType, this is expected to be an array
+		while ( (node = elem[i++]) ) {
+			// Do not traverse comment nodes
+			ret += getText( node );
+		}
+	} else if ( nodeType === 1 || nodeType === 9 || nodeType === 11 ) {
+		// Use textContent for elements
+		// innerText usage removed for consistency of new lines (jQuery #11153)
+		if ( typeof elem.textContent === "string" ) {
+			return elem.textContent;
+		} else {
+			// Traverse its children
+			for ( elem = elem.firstChild; elem; elem = elem.nextSibling ) {
+				ret += getText( elem );
+			}
+		}
+	} else if ( nodeType === 3 || nodeType === 4 ) {
+		return elem.nodeValue;
+	}
+	// Do not include comment or processing instruction nodes
+
+	return ret;
+};
+
+Expr = Sizzle.selectors = {
+
+	// Can be adjusted by the user
+	cacheLength: 50,
+
+	createPseudo: markFunction,
+
+	match: matchExpr,
+
+	attrHandle: {},
+
+	find: {},
+
+	relative: {
+		">": { dir: "parentNode", first: true },
+		" ": { dir: "parentNode" },
+		"+": { dir: "previousSibling", first: true },
+		"~": { dir: "previousSibling" }
+	},
+
+	preFilter: {
+		"ATTR": function( match ) {
+			match[1] = match[1].replace( runescape, funescape );
+
+			// Move the given value to match[3] whether quoted or unquoted
+			match[3] = ( match[3] || match[4] || match[5] || "" ).replace( runescape, funescape );
+
+			if ( match[2] === "~=" ) {
+				match[3] = " " + match[3] + " ";
+			}
+
+			return match.slice( 0, 4 );
+		},
+
+		"CHILD": function( match ) {
+			/* matches from matchExpr["CHILD"]
+				1 type (only|nth|...)
+				2 what (child|of-type)
+				3 argument (even|odd|\d*|\d*n([+-]\d+)?|...)
+				4 xn-component of xn+y argument ([+-]?\d*n|)
+				5 sign of xn-component
+				6 x of xn-component
+				7 sign of y-component
+				8 y of y-component
+			*/
+			match[1] = match[1].toLowerCase();
+
+			if ( match[1].slice( 0, 3 ) === "nth" ) {
+				// nth-* requires argument
+				if ( !match[3] ) {
+					Sizzle.error( match[0] );
+				}
+
+				// numeric x and y parameters for Expr.filter.CHILD
+				// remember that false/true cast respectively to 0/1
+				match[4] = +( match[4] ? match[5] + (match[6] || 1) : 2 * ( match[3] === "even" || match[3] === "odd" ) );
+				match[5] = +( ( match[7] + match[8] ) || match[3] === "odd" );
+
+			// other types prohibit arguments
+			} else if ( match[3] ) {
+				Sizzle.error( match[0] );
+			}
+
+			return match;
+		},
+
+		"PSEUDO": function( match ) {
+			var excess,
+				unquoted = !match[6] && match[2];
+
+			if ( matchExpr["CHILD"].test( match[0] ) ) {
+				return null;
+			}
+
+			// Accept quoted arguments as-is
+			if ( match[3] ) {
+				match[2] = match[4] || match[5] || "";
+
+			// Strip excess characters from unquoted arguments
+			} else if ( unquoted && rpseudo.test( unquoted ) &&
+				// Get excess from tokenize (recursively)
+				(excess = tokenize( unquoted, true )) &&
+				// advance to the next closing parenthesis
+				(excess = unquoted.indexOf( ")", unquoted.length - excess ) - unquoted.length) ) {
+
+				// excess is a negative index
+				match[0] = match[0].slice( 0, excess );
+				match[2] = unquoted.slice( 0, excess );
+			}
+
+			// Return only captures needed by the pseudo filter method (type and argument)
+			return match.slice( 0, 3 );
+		}
+	},
+
+	filter: {
+
+		"TAG": function( nodeNameSelector ) {
+			var nodeName = nodeNameSelector.replace( runescape, funescape ).toLowerCase();
+			return nodeNameSelector === "*" ?
+				function() { return true; } :
+				function( elem ) {
+					return elem.nodeName && elem.nodeName.toLowerCase() === nodeName;
+				};
+		},
+
+		"CLASS": function( className ) {
+			var pattern = classCache[ className + " " ];
+
+			return pattern ||
+				(pattern = new RegExp( "(^|" + whitespace + ")" + className + "(" + whitespace + "|$)" )) &&
+				classCache( className, function( elem ) {
+					return pattern.test( typeof elem.className === "string" && elem.className || typeof elem.getAttribute !== "undefined" && elem.getAttribute("class") || "" );
+				});
+		},
+
+		"ATTR": function( name, operator, check ) {
+			return function( elem ) {
+				var result = Sizzle.attr( elem, name );
+
+				if ( result == null ) {
+					return operator === "!=";
+				}
+				if ( !operator ) {
+					return true;
+				}
+
+				result += "";
+
+				return operator === "=" ? result === check :
+					operator === "!=" ? result !== check :
+					operator === "^=" ? check && result.indexOf( check ) === 0 :
+					operator === "*=" ? check && result.indexOf( check ) > -1 :
+					operator === "$=" ? check && result.slice( -check.length ) === check :
+					operator === "~=" ? ( " " + result.replace( rwhitespace, " " ) + " " ).indexOf( check ) > -1 :
+					operator === "|=" ? result === check || result.slice( 0, check.length + 1 ) === check + "-" :
+					false;
+			};
+		},
+
+		"CHILD": function( type, what, argument, first, last ) {
+			var simple = type.slice( 0, 3 ) !== "nth",
+				forward = type.slice( -4 ) !== "last",
+				ofType = what === "of-type";
+
+			return first === 1 && last === 0 ?
+
+				// Shortcut for :nth-*(n)
+				function( elem ) {
+					return !!elem.parentNode;
+				} :
+
+				function( elem, context, xml ) {
+					var cache, outerCache, node, diff, nodeIndex, start,
+						dir = simple !== forward ? "nextSibling" : "previousSibling",
+						parent = elem.parentNode,
+						name = ofType && elem.nodeName.toLowerCase(),
+						useCache = !xml && !ofType;
+
+					if ( parent ) {
+
+						// :(first|last|only)-(child|of-type)
+						if ( simple ) {
+							while ( dir ) {
+								node = elem;
+								while ( (node = node[ dir ]) ) {
+									if ( ofType ? node.nodeName.toLowerCase() === name : node.nodeType === 1 ) {
+										return false;
+									}
+								}
+								// Reverse direction for :only-* (if we haven't yet done so)
+								start = dir = type === "only" && !start && "nextSibling";
+							}
+							return true;
+						}
+
+						start = [ forward ? parent.firstChild : parent.lastChild ];
+
+						// non-xml :nth-child(...) stores cache data on `parent`
+						if ( forward && useCache ) {
+							// Seek `elem` from a previously-cached index
+							outerCache = parent[ expando ] || (parent[ expando ] = {});
+							cache = outerCache[ type ] || [];
+							nodeIndex = cache[0] === dirruns && cache[1];
+							diff = cache[0] === dirruns && cache[2];
+							node = nodeIndex && parent.childNodes[ nodeIndex ];
+
+							while ( (node = ++nodeIndex && node && node[ dir ] ||
+
+								// Fallback to seeking `elem` from the start
+								(diff = nodeIndex = 0) || start.pop()) ) {
+
+								// When found, cache indexes on `parent` and break
+								if ( node.nodeType === 1 && ++diff && node === elem ) {
+									outerCache[ type ] = [ dirruns, nodeIndex, diff ];
+									break;
+								}
+							}
+
+						// Use previously-cached element index if available
+						} else if ( useCache && (cache = (elem[ expando ] || (elem[ expando ] = {}))[ type ]) && cache[0] === dirruns ) {
+							diff = cache[1];
+
+						// xml :nth-child(...) or :nth-last-child(...) or :nth(-last)?-of-type(...)
+						} else {
+							// Use the same loop as above to seek `elem` from the start
+							while ( (node = ++nodeIndex && node && node[ dir ] ||
+								(diff = nodeIndex = 0) || start.pop()) ) {
+
+								if ( ( ofType ? node.nodeName.toLowerCase() === name : node.nodeType === 1 ) && ++diff ) {
+									// Cache the index of each encountered element
+									if ( useCache ) {
+										(node[ expando ] || (node[ expando ] = {}))[ type ] = [ dirruns, diff ];
+									}
+
+									if ( node === elem ) {
+										break;
+									}
+								}
+							}
+						}
+
+						// Incorporate the offset, then check against cycle size
+						diff -= last;
+						return diff === first || ( diff % first === 0 && diff / first >= 0 );
+					}
+				};
+		},
+
+		"PSEUDO": function( pseudo, argument ) {
+			// pseudo-class names are case-insensitive
+			// http://www.w3.org/TR/selectors/#pseudo-classes
+			// Prioritize by case sensitivity in case custom pseudos are added with uppercase letters
+			// Remember that setFilters inherits from pseudos
+			var args,
+				fn = Expr.pseudos[ pseudo ] || Expr.setFilters[ pseudo.toLowerCase() ] ||
+					Sizzle.error( "unsupported pseudo: " + pseudo );
+
+			// The user may use createPseudo to indicate that
+			// arguments are needed to create the filter function
+			// just as Sizzle does
+			if ( fn[ expando ] ) {
+				return fn( argument );
+			}
+
+			// But maintain support for old signatures
+			if ( fn.length > 1 ) {
+				args = [ pseudo, pseudo, "", argument ];
+				return Expr.setFilters.hasOwnProperty( pseudo.toLowerCase() ) ?
+					markFunction(function( seed, matches ) {
+						var idx,
+							matched = fn( seed, argument ),
+							i = matched.length;
+						while ( i-- ) {
+							idx = indexOf( seed, matched[i] );
+							seed[ idx ] = !( matches[ idx ] = matched[i] );
+						}
+					}) :
+					function( elem ) {
+						return fn( elem, 0, args );
+					};
+			}
+
+			return fn;
+		}
+	},
+
+	pseudos: {
+		// Potentially complex pseudos
+		"not": markFunction(function( selector ) {
+			// Trim the selector passed to compile
+			// to avoid treating leading and trailing
+			// spaces as combinators
+			var input = [],
+				results = [],
+				matcher = compile( selector.replace( rtrim, "$1" ) );
+
+			return matcher[ expando ] ?
+				markFunction(function( seed, matches, context, xml ) {
+					var elem,
+						unmatched = matcher( seed, null, xml, [] ),
+						i = seed.length;
+
+					// Match elements unmatched by `matcher`
+					while ( i-- ) {
+						if ( (elem = unmatched[i]) ) {
+							seed[i] = !(matches[i] = elem);
+						}
+					}
+				}) :
+				function( elem, context, xml ) {
+					input[0] = elem;
+					matcher( input, null, xml, results );
+					// Don't keep the element (issue #299)
+					input[0] = null;
+					return !results.pop();
+				};
+		}),
+
+		"has": markFunction(function( selector ) {
+			return function( elem ) {
+				return Sizzle( selector, elem ).length > 0;
+			};
+		}),
+
+		"contains": markFunction(function( text ) {
+			text = text.replace( runescape, funescape );
+			return function( elem ) {
+				return ( elem.textContent || elem.innerText || getText( elem ) ).indexOf( text ) > -1;
+			};
+		}),
+
+		// "Whether an element is represented by a :lang() selector
+		// is based solely on the element's language value
+		// being equal to the identifier C,
+		// or beginning with the identifier C immediately followed by "-".
+		// The matching of C against the element's language value is performed case-insensitively.
+		// The identifier C does not have to be a valid language name."
+		// http://www.w3.org/TR/selectors/#lang-pseudo
+		"lang": markFunction( function( lang ) {
+			// lang value must be a valid identifier
+			if ( !ridentifier.test(lang || "") ) {
+				Sizzle.error( "unsupported lang: " + lang );
+			}
+			lang = lang.replace( runescape, funescape ).toLowerCase();
+			return function( elem ) {
+				var elemLang;
+				do {
+					if ( (elemLang = documentIsHTML ?
+						elem.lang :
+						elem.getAttribute("xml:lang") || elem.getAttribute("lang")) ) {
+
+						elemLang = elemLang.toLowerCase();
+						return elemLang === lang || elemLang.indexOf( lang + "-" ) === 0;
+					}
+				} while ( (elem = elem.parentNode) && elem.nodeType === 1 );
+				return false;
+			};
+		}),
+
+		// Miscellaneous
+		"target": function( elem ) {
+			var hash = window.location && window.location.hash;
+			return hash && hash.slice( 1 ) === elem.id;
+		},
+
+		"root": function( elem ) {
+			return elem === docElem;
+		},
+
+		"focus": function( elem ) {
+			return elem === document.activeElement && (!document.hasFocus || document.hasFocus()) && !!(elem.type || elem.href || ~elem.tabIndex);
+		},
+
+		// Boolean properties
+		"enabled": function( elem ) {
+			return elem.disabled === false;
+		},
+
+		"disabled": function( elem ) {
+			return elem.disabled === true;
+		},
+
+		"checked": function( elem ) {
+			// In CSS3, :checked should return both checked and selected elements
+			// http://www.w3.org/TR/2011/REC-css3-selectors-20110929/#checked
+			var nodeName = elem.nodeName.toLowerCase();
+			return (nodeName === "input" && !!elem.checked) || (nodeName === "option" && !!elem.selected);
+		},
+
+		"selected": function( elem ) {
+			// Accessing this property makes selected-by-default
+			// options in Safari work properly
+			if ( elem.parentNode ) {
+				elem.parentNode.selectedIndex;
+			}
+
+			return elem.selected === true;
+		},
+
+		// Contents
+		"empty": function( elem ) {
+			// http://www.w3.org/TR/selectors/#empty-pseudo
+			// :empty is negated by element (1) or content nodes (text: 3; cdata: 4; entity ref: 5),
+			//   but not by others (comment: 8; processing instruction: 7; etc.)
+			// nodeType < 6 works because attributes (2) do not appear as children
+			for ( elem = elem.firstChild; elem; elem = elem.nextSibling ) {
+				if ( elem.nodeType < 6 ) {
+					return false;
+				}
+			}
+			return true;
+		},
+
+		"parent": function( elem ) {
+			return !Expr.pseudos["empty"]( elem );
+		},
+
+		// Element/input types
+		"header": function( elem ) {
+			return rheader.test( elem.nodeName );
+		},
+
+		"input": function( elem ) {
+			return rinputs.test( elem.nodeName );
+		},
+
+		"button": function( elem ) {
+			var name = elem.nodeName.toLowerCase();
+			return name === "input" && elem.type === "button" || name === "button";
+		},
+
+		"text": function( elem ) {
+			var attr;
+			return elem.nodeName.toLowerCase() === "input" &&
+				elem.type === "text" &&
+
+				// Support: IE<8
+				// New HTML5 attribute values (e.g., "search") appear with elem.type === "text"
+				( (attr = elem.getAttribute("type")) == null || attr.toLowerCase() === "text" );
+		},
+
+		// Position-in-collection
+		"first": createPositionalPseudo(function() {
+			return [ 0 ];
+		}),
+
+		"last": createPositionalPseudo(function( matchIndexes, length ) {
+			return [ length - 1 ];
+		}),
+
+		"eq": createPositionalPseudo(function( matchIndexes, length, argument ) {
+			return [ argument < 0 ? argument + length : argument ];
+		}),
+
+		"even": createPositionalPseudo(function( matchIndexes, length ) {
+			var i = 0;
+			for ( ; i < length; i += 2 ) {
+				matchIndexes.push( i );
+			}
+			return matchIndexes;
+		}),
+
+		"odd": createPositionalPseudo(function( matchIndexes, length ) {
+			var i = 1;
+			for ( ; i < length; i += 2 ) {
+				matchIndexes.push( i );
+			}
+			return matchIndexes;
+		}),
+
+		"lt": createPositionalPseudo(function( matchIndexes, length, argument ) {
+			var i = argument < 0 ? argument + length : argument;
+			for ( ; --i >= 0; ) {
+				matchIndexes.push( i );
+			}
+			return matchIndexes;
+		}),
+
+		"gt": createPositionalPseudo(function( matchIndexes, length, argument ) {
+			var i = argument < 0 ? argument + length : argument;
+			for ( ; ++i < length; ) {
+				matchIndexes.push( i );
+			}
+			return matchIndexes;
+		})
+	}
+};
+
+Expr.pseudos["nth"] = Expr.pseudos["eq"];
+
+// Add button/input type pseudos
+for ( i in { radio: true, checkbox: true, file: true, password: true, image: true } ) {
+	Expr.pseudos[ i ] = createInputPseudo( i );
+}
+for ( i in { submit: true, reset: true } ) {
+	Expr.pseudos[ i ] = createButtonPseudo( i );
+}
+
+// Easy API for creating new setFilters
+function setFilters() {}
+setFilters.prototype = Expr.filters = Expr.pseudos;
+Expr.setFilters = new setFilters();
+
+tokenize = Sizzle.tokenize = function( selector, parseOnly ) {
+	var matched, match, tokens, type,
+		soFar, groups, preFilters,
+		cached = tokenCache[ selector + " " ];
+
+	if ( cached ) {
+		return parseOnly ? 0 : cached.slice( 0 );
+	}
+
+	soFar = selector;
+	groups = [];
+	preFilters = Expr.preFilter;
+
+	while ( soFar ) {
+
+		// Comma and first run
+		if ( !matched || (match = rcomma.exec( soFar )) ) {
+			if ( match ) {
+				// Don't consume trailing commas as valid
+				soFar = soFar.slice( match[0].length ) || soFar;
+			}
+			groups.push( (tokens = []) );
+		}
+
+		matched = false;
+
+		// Combinators
+		if ( (match = rcombinators.exec( soFar )) ) {
+			matched = match.shift();
+			tokens.push({
+				value: matched,
+				// Cast descendant combinators to space
+				type: match[0].replace( rtrim, " " )
+			});
+			soFar = soFar.slice( matched.length );
+		}
+
+		// Filters
+		for ( type in Expr.filter ) {
+			if ( (match = matchExpr[ type ].exec( soFar )) && (!preFilters[ type ] ||
+				(match = preFilters[ type ]( match ))) ) {
+				matched = match.shift();
+				tokens.push({
+					value: matched,
+					type: type,
+					matches: match
+				});
+				soFar = soFar.slice( matched.length );
+			}
+		}
+
+		if ( !matched ) {
+			break;
+		}
+	}
+
+	// Return the length of the invalid excess
+	// if we're just parsing
+	// Otherwise, throw an error or return tokens
+	return parseOnly ?
+		soFar.length :
+		soFar ?
+			Sizzle.error( selector ) :
+			// Cache the tokens
+			tokenCache( selector, groups ).slice( 0 );
+};
+
+function toSelector( tokens ) {
+	var i = 0,
+		len = tokens.length,
+		selector = "";
+	for ( ; i < len; i++ ) {
+		selector += tokens[i].value;
+	}
+	return selector;
+}
+
+function addCombinator( matcher, combinator, base ) {
+	var dir = combinator.dir,
+		checkNonElements = base && dir === "parentNode",
+		doneName = done++;
+
+	return combinator.first ?
+		// Check against closest ancestor/preceding element
+		function( elem, context, xml ) {
+			while ( (elem = elem[ dir ]) ) {
+				if ( elem.nodeType === 1 || checkNonElements ) {
+					return matcher( elem, context, xml );
+				}
+			}
+		} :
+
+		// Check against all ancestor/preceding elements
+		function( elem, context, xml ) {
+			var oldCache, outerCache,
+				newCache = [ dirruns, doneName ];
+
+			// We can't set arbitrary data on XML nodes, so they don't benefit from dir caching
+			if ( xml ) {
+				while ( (elem = elem[ dir ]) ) {
+					if ( elem.nodeType === 1 || checkNonElements ) {
+						if ( matcher( elem, context, xml ) ) {
+							return true;
+						}
+					}
+				}
+			} else {
+				while ( (elem = elem[ dir ]) ) {
+					if ( elem.nodeType === 1 || checkNonElements ) {
+						outerCache = elem[ expando ] || (elem[ expando ] = {});
+						if ( (oldCache = outerCache[ dir ]) &&
+							oldCache[ 0 ] === dirruns && oldCache[ 1 ] === doneName ) {
+
+							// Assign to newCache so results back-propagate to previous elements
+							return (newCache[ 2 ] = oldCache[ 2 ]);
+						} else {
+							// Reuse newcache so results back-propagate to previous elements
+							outerCache[ dir ] = newCache;
+
+							// A match means we're done; a fail means we have to keep checking
+							if ( (newCache[ 2 ] = matcher( elem, context, xml )) ) {
+								return true;
+							}
+						}
+					}
+				}
+			}
+		};
+}
+
+function elementMatcher( matchers ) {
+	return matchers.length > 1 ?
+		function( elem, context, xml ) {
+			var i = matchers.length;
+			while ( i-- ) {
+				if ( !matchers[i]( elem, context, xml ) ) {
+					return false;
+				}
+			}
+			return true;
+		} :
+		matchers[0];
+}
+
+function multipleContexts( selector, contexts, results ) {
+	var i = 0,
+		len = contexts.length;
+	for ( ; i < len; i++ ) {
+		Sizzle( selector, contexts[i], results );
+	}
+	return results;
+}
+
+function condense( unmatched, map, filter, context, xml ) {
+	var elem,
+		newUnmatched = [],
+		i = 0,
+		len = unmatched.length,
+		mapped = map != null;
+
+	for ( ; i < len; i++ ) {
+		if ( (elem = unmatched[i]) ) {
+			if ( !filter || filter( elem, context, xml ) ) {
+				newUnmatched.push( elem );
+				if ( mapped ) {
+					map.push( i );
+				}
+			}
+		}
+	}
+
+	return newUnmatched;
+}
+
+function setMatcher( preFilter, selector, matcher, postFilter, postFinder, postSelector ) {
+	if ( postFilter && !postFilter[ expando ] ) {
+		postFilter = setMatcher( postFilter );
+	}
+	if ( postFinder && !postFinder[ expando ] ) {
+		postFinder = setMatcher( postFinder, postSelector );
+	}
+	return markFunction(function( seed, results, context, xml ) {
+		var temp, i, elem,
+			preMap = [],
+			postMap = [],
+			preexisting = results.length,
+
+			// Get initial elements from seed or context
+			elems = seed || multipleContexts( selector || "*", context.nodeType ? [ context ] : context, [] ),
+
+			// Prefilter to get matcher input, preserving a map for seed-results synchronization
+			matcherIn = preFilter && ( seed || !selector ) ?
+				condense( elems, preMap, preFilter, context, xml ) :
+				elems,
+
+			matcherOut = matcher ?
+				// If we have a postFinder, or filtered seed, or non-seed postFilter or preexisting results,
+				postFinder || ( seed ? preFilter : preexisting || postFilter ) ?
+
+					// ...intermediate processing is necessary
+					[] :
+
+					// ...otherwise use results directly
+					results :
+				matcherIn;
+
+		// Find primary matches
+		if ( matcher ) {
+			matcher( matcherIn, matcherOut, context, xml );
+		}
+
+		// Apply postFilter
+		if ( postFilter ) {
+			temp = condense( matcherOut, postMap );
+			postFilter( temp, [], context, xml );
+
+			// Un-match failing elements by moving them back to matcherIn
+			i = temp.length;
+			while ( i-- ) {
+				if ( (elem = temp[i]) ) {
+					matcherOut[ postMap[i] ] = !(matcherIn[ postMap[i] ] = elem);
+				}
+			}
+		}
+
+		if ( seed ) {
+			if ( postFinder || preFilter ) {
+				if ( postFinder ) {
+					// Get the final matcherOut by condensing this intermediate into postFinder contexts
+					temp = [];
+					i = matcherOut.length;
+					while ( i-- ) {
+						if ( (elem = matcherOut[i]) ) {
+							// Restore matcherIn since elem is not yet a final match
+							temp.push( (matcherIn[i] = elem) );
+						}
+					}
+					postFinder( null, (matcherOut = []), temp, xml );
+				}
+
+				// Move matched elements from seed to results to keep them synchronized
+				i = matcherOut.length;
+				while ( i-- ) {
+					if ( (elem = matcherOut[i]) &&
+						(temp = postFinder ? indexOf( seed, elem ) : preMap[i]) > -1 ) {
+
+						seed[temp] = !(results[temp] = elem);
+					}
+				}
+			}
+
+		// Add elements to results, through postFinder if defined
+		} else {
+			matcherOut = condense(
+				matcherOut === results ?
+					matcherOut.splice( preexisting, matcherOut.length ) :
+					matcherOut
+			);
+			if ( postFinder ) {
+				postFinder( null, results, matcherOut, xml );
+			} else {
+				push.apply( results, matcherOut );
+			}
+		}
+	});
+}
+
+function matcherFromTokens( tokens ) {
+	var checkContext, matcher, j,
+		len = tokens.length,
+		leadingRelative = Expr.relative[ tokens[0].type ],
+		implicitRelative = leadingRelative || Expr.relative[" "],
+		i = leadingRelative ? 1 : 0,
+
+		// The foundational matcher ensures that elements are reachable from top-level context(s)
+		matchContext = addCombinator( function( elem ) {
+			return elem === checkContext;
+		}, implicitRelative, true ),
+		matchAnyContext = addCombinator( function( elem ) {
+			return indexOf( checkContext, elem ) > -1;
+		}, implicitRelative, true ),
+		matchers = [ function( elem, context, xml ) {
+			var ret = ( !leadingRelative && ( xml || context !== outermostContext ) ) || (
+				(checkContext = context).nodeType ?
+					matchContext( elem, context, xml ) :
+					matchAnyContext( elem, context, xml ) );
+			// Avoid hanging onto element (issue #299)
+			checkContext = null;
+			return ret;
+		} ];
+
+	for ( ; i < len; i++ ) {
+		if ( (matcher = Expr.relative[ tokens[i].type ]) ) {
+			matchers = [ addCombinator(elementMatcher( matchers ), matcher) ];
+		} else {
+			matcher = Expr.filter[ tokens[i].type ].apply( null, tokens[i].matches );
+
+			// Return special upon seeing a positional matcher
+			if ( matcher[ expando ] ) {
+				// Find the next relative operator (if any) for proper handling
+				j = ++i;
+				for ( ; j < len; j++ ) {
+					if ( Expr.relative[ tokens[j].type ] ) {
+						break;
+					}
+				}
+				return setMatcher(
+					i > 1 && elementMatcher( matchers ),
+					i > 1 && toSelector(
+						// If the preceding token was a descendant combinator, insert an implicit any-element `*`
+						tokens.slice( 0, i - 1 ).concat({ value: tokens[ i - 2 ].type === " " ? "*" : "" })
+					).replace( rtrim, "$1" ),
+					matcher,
+					i < j && matcherFromTokens( tokens.slice( i, j ) ),
+					j < len && matcherFromTokens( (tokens = tokens.slice( j )) ),
+					j < len && toSelector( tokens )
+				);
+			}
+			matchers.push( matcher );
+		}
+	}
+
+	return elementMatcher( matchers );
+}
+
+function matcherFromGroupMatchers( elementMatchers, setMatchers ) {
+	var bySet = setMatchers.length > 0,
+		byElement = elementMatchers.length > 0,
+		superMatcher = function( seed, context, xml, results, outermost ) {
+			var elem, j, matcher,
+				matchedCount = 0,
+				i = "0",
+				unmatched = seed && [],
+				setMatched = [],
+				contextBackup = outermostContext,
+				// We must always have either seed elements or outermost context
+				elems = seed || byElement && Expr.find["TAG"]( "*", outermost ),
+				// Use integer dirruns iff this is the outermost matcher
+				dirrunsUnique = (dirruns += contextBackup == null ? 1 : Math.random() || 0.1),
+				len = elems.length;
+
+			if ( outermost ) {
+				outermostContext = context !== document && context;
+			}
+
+			// Add elements passing elementMatchers directly to results
+			// Keep `i` a string if there are no elements so `matchedCount` will be "00" below
+			// Support: IE<9, Safari
+			// Tolerate NodeList properties (IE: "length"; Safari: <number>) matching elements by id
+			for ( ; i !== len && (elem = elems[i]) != null; i++ ) {
+				if ( byElement && elem ) {
+					j = 0;
+					while ( (matcher = elementMatchers[j++]) ) {
+						if ( matcher( elem, context, xml ) ) {
+							results.push( elem );
+							break;
+						}
+					}
+					if ( outermost ) {
+						dirruns = dirrunsUnique;
+					}
+				}
+
+				// Track unmatched elements for set filters
+				if ( bySet ) {
+					// They will have gone through all possible matchers
+					if ( (elem = !matcher && elem) ) {
+						matchedCount--;
+					}
+
+					// Lengthen the array for every element, matched or not
+					if ( seed ) {
+						unmatched.push( elem );
+					}
+				}
+			}
+
+			// Apply set filters to unmatched elements
+			matchedCount += i;
+			if ( bySet && i !== matchedCount ) {
+				j = 0;
+				while ( (matcher = setMatchers[j++]) ) {
+					matcher( unmatched, setMatched, context, xml );
+				}
+
+				if ( seed ) {
+					// Reintegrate element matches to eliminate the need for sorting
+					if ( matchedCount > 0 ) {
+						while ( i-- ) {
+							if ( !(unmatched[i] || setMatched[i]) ) {
+								setMatched[i] = pop.call( results );
+							}
+						}
+					}
+
+					// Discard index placeholder values to get only actual matches
+					setMatched = condense( setMatched );
+				}
+
+				// Add matches to results
+				push.apply( results, setMatched );
+
+				// Seedless set matches succeeding multiple successful matchers stipulate sorting
+				if ( outermost && !seed && setMatched.length > 0 &&
+					( matchedCount + setMatchers.length ) > 1 ) {
+
+					Sizzle.uniqueSort( results );
+				}
+			}
+
+			// Override manipulation of globals by nested matchers
+			if ( outermost ) {
+				dirruns = dirrunsUnique;
+				outermostContext = contextBackup;
+			}
+
+			return unmatched;
+		};
+
+	return bySet ?
+		markFunction( superMatcher ) :
+		superMatcher;
+}
+
+compile = Sizzle.compile = function( selector, match /* Internal Use Only */ ) {
+	var i,
+		setMatchers = [],
+		elementMatchers = [],
+		cached = compilerCache[ selector + " " ];
+
+	if ( !cached ) {
+		// Generate a function of recursive functions that can be used to check each element
+		if ( !match ) {
+			match = tokenize( selector );
+		}
+		i = match.length;
+		while ( i-- ) {
+			cached = matcherFromTokens( match[i] );
+			if ( cached[ expando ] ) {
+				setMatchers.push( cached );
+			} else {
+				elementMatchers.push( cached );
+			}
+		}
+
+		// Cache the compiled function
+		cached = compilerCache( selector, matcherFromGroupMatchers( elementMatchers, setMatchers ) );
+
+		// Save selector and tokenization
+		cached.selector = selector;
+	}
+	return cached;
+};
+
+/**
+ * A low-level selection function that works with Sizzle's compiled
+ *  selector functions
+ * @param {String|Function} selector A selector or a pre-compiled
+ *  selector function built with Sizzle.compile
+ * @param {Element} context
+ * @param {Array} [results]
+ * @param {Array} [seed] A set of elements to match against
+ */
+select = Sizzle.select = function( selector, context, results, seed ) {
+	var i, tokens, token, type, find,
+		compiled = typeof selector === "function" && selector,
+		match = !seed && tokenize( (selector = compiled.selector || selector) );
+
+	results = results || [];
+
+	// Try to minimize operations if there is no seed and only one group
+	if ( match.length === 1 ) {
+
+		// Take a shortcut and set the context if the root selector is an ID
+		tokens = match[0] = match[0].slice( 0 );
+		if ( tokens.length > 2 && (token = tokens[0]).type === "ID" &&
+				support.getById && context.nodeType === 9 && documentIsHTML &&
+				Expr.relative[ tokens[1].type ] ) {
+
+			context = ( Expr.find["ID"]( token.matches[0].replace(runescape, funescape), context ) || [] )[0];
+			if ( !context ) {
+				return results;
+
+			// Precompiled matchers will still verify ancestry, so step up a level
+			} else if ( compiled ) {
+				context = context.parentNode;
+			}
+
+			selector = selector.slice( tokens.shift().value.length );
+		}
+
+		// Fetch a seed set for right-to-left matching
+		i = matchExpr["needsContext"].test( selector ) ? 0 : tokens.length;
+		while ( i-- ) {
+			token = tokens[i];
+
+			// Abort if we hit a combinator
+			if ( Expr.relative[ (type = token.type) ] ) {
+				break;
+			}
+			if ( (find = Expr.find[ type ]) ) {
+				// Search, expanding context for leading sibling combinators
+				if ( (seed = find(
+					token.matches[0].replace( runescape, funescape ),
+					rsibling.test( tokens[0].type ) && testContext( context.parentNode ) || context
+				)) ) {
+
+					// If seed is empty or no tokens remain, we can return early
+					tokens.splice( i, 1 );
+					selector = seed.length && toSelector( tokens );
+					if ( !selector ) {
+						push.apply( results, seed );
+						return results;
+					}
+
+					break;
+				}
+			}
+		}
+	}
+
+	// Compile and execute a filtering function if one is not provided
+	// Provide `match` to avoid retokenization if we modified the selector above
+	( compiled || compile( selector, match ) )(
+		seed,
+		context,
+		!documentIsHTML,
+		results,
+		rsibling.test( selector ) && testContext( context.parentNode ) || context
+	);
+	return results;
+};
+
+// One-time assignments
+
+// Sort stability
+support.sortStable = expando.split("").sort( sortOrder ).join("") === expando;
+
+// Support: Chrome 14-35+
+// Always assume duplicates if they aren't passed to the comparison function
+support.detectDuplicates = !!hasDuplicate;
+
+// Initialize against the default document
+setDocument();
+
+// Support: Webkit<537.32 - Safari 6.0.3/Chrome 25 (fixed in Chrome 27)
+// Detached nodes confoundingly follow *each other*
+support.sortDetached = assert(function( div1 ) {
+	// Should return 1, but returns 4 (following)
+	return div1.compareDocumentPosition( document.createElement("div") ) & 1;
+});
+
+// Support: IE<8
+// Prevent attribute/property "interpolation"
+// http://msdn.microsoft.com/en-us/library/ms536429%28VS.85%29.aspx
+if ( !assert(function( div ) {
+	div.innerHTML = "<a href='#'></a>";
+	return div.firstChild.getAttribute("href") === "#" ;
+}) ) {
+	addHandle( "type|href|height|width", function( elem, name, isXML ) {
+		if ( !isXML ) {
+			return elem.getAttribute( name, name.toLowerCase() === "type" ? 1 : 2 );
+		}
+	});
+}
+
+// Support: IE<9
+// Use defaultValue in place of getAttribute("value")
+if ( !support.attributes || !assert(function( div ) {
+	div.innerHTML = "<input/>";
+	div.firstChild.setAttribute( "value", "" );
+	return div.firstChild.getAttribute( "value" ) === "";
+}) ) {
+	addHandle( "value", function( elem, name, isXML ) {
+		if ( !isXML && elem.nodeName.toLowerCase() === "input" ) {
+			return elem.defaultValue;
+		}
+	});
+}
+
+// Support: IE<9
+// Use getAttributeNode to fetch booleans when getAttribute lies
+if ( !assert(function( div ) {
+	return div.getAttribute("disabled") == null;
+}) ) {
+	addHandle( booleans, function( elem, name, isXML ) {
+		var val;
+		if ( !isXML ) {
+			return elem[ name ] === true ? name.toLowerCase() :
+					(val = elem.getAttributeNode( name )) && val.specified ?
+					val.value :
+				null;
+		}
+	});
+}
+
+return Sizzle;
+
+})( window );
+
+
+
+jQuery.find = Sizzle;
+jQuery.expr = Sizzle.selectors;
+jQuery.expr[":"] = jQuery.expr.pseudos;
+jQuery.unique = Sizzle.uniqueSort;
+jQuery.text = Sizzle.getText;
+jQuery.isXMLDoc = Sizzle.isXML;
+jQuery.contains = Sizzle.contains;
+
+
+
+var rneedsContext = jQuery.expr.match.needsContext;
+
+var rsingleTag = (/^<(\w+)\s*\/?>(?:<\/\1>|)$/);
+
+
+
+var risSimple = /^.[^:#\[\.,]*$/;
+
+// Implement the identical functionality for filter and not
+function winnow( elements, qualifier, not ) {
+	if ( jQuery.isFunction( qualifier ) ) {
+		return jQuery.grep( elements, function( elem, i ) {
+			/* jshint -W018 */
+			return !!qualifier.call( elem, i, elem ) !== not;
+		});
+
+	}
+
+	if ( qualifier.nodeType ) {
+		return jQuery.grep( elements, function( elem ) {
+			return ( elem === qualifier ) !== not;
+		});
+
+	}
+
+	if ( typeof qualifier === "string" ) {
+		if ( risSimple.test( qualifier ) ) {
+			return jQuery.filter( qualifier, elements, not );
+		}
+
+		qualifier = jQuery.filter( qualifier, elements );
+	}
+
+	return jQuery.grep( elements, function( elem ) {
+		return ( indexOf.call( qualifier, elem ) >= 0 ) !== not;
+	});
+}
+
+jQuery.filter = function( expr, elems, not ) {
+	var elem = elems[ 0 ];
+
+	if ( not ) {
+		expr = ":not(" + expr + ")";
+	}
+
+	return elems.length === 1 && elem.nodeType === 1 ?
+		jQuery.find.matchesSelector( elem, expr ) ? [ elem ] : [] :
+		jQuery.find.matches( expr, jQuery.grep( elems, function( elem ) {
+			return elem.nodeType === 1;
+		}));
+};
+
+jQuery.fn.extend({
+	find: function( selector ) {
+		var i,
+			len = this.length,
+			ret = [],
+			self = this;
+
+		if ( typeof selector !== "string" ) {
+			return this.pushStack( jQuery( selector ).filter(function() {
+				for ( i = 0; i < len; i++ ) {
+					if ( jQuery.contains( self[ i ], this ) ) {
+						return true;
+					}
+				}
+			}) );
+		}
+
+		for ( i = 0; i < len; i++ ) {
+			jQuery.find( selector, self[ i ], ret );
+		}
+
+		// Needed because $( selector, context ) becomes $( context ).find( selector )
+		ret = this.pushStack( len > 1 ? jQuery.unique( ret ) : ret );
+		ret.selector = this.selector ? this.selector + " " + selector : selector;
+		return ret;
+	},
+	filter: function( selector ) {
+		return this.pushStack( winnow(this, selector || [], false) );
+	},
+	not: function( selector ) {
+		return this.pushStack( winnow(this, selector || [], true) );
+	},
+	is: function( selector ) {
+		return !!winnow(
+			this,
+
+			// If this is a positional/relative selector, check membership in the returned set
+			// so $("p:first").is("p:last") won't return true for a doc with two "p".
+			typeof selector === "string" && rneedsContext.test( selector ) ?
+				jQuery( selector ) :
+				selector || [],
+			false
+		).length;
+	}
+});
+
+
+// Initialize a jQuery object
+
+
+// A central reference to the root jQuery(document)
+var rootjQuery,
+
+	// A simple way to check for HTML strings
+	// Prioritize #id over <tag> to avoid XSS via location.hash (#9521)
+	// Strict HTML recognition (#11290: must start with <)
+	rquickExpr = /^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]*))$/,
+
+	init = jQuery.fn.init = function( selector, context ) {
+		var match, elem;
+
+		// HANDLE: $(""), $(null), $(undefined), $(false)
+		if ( !selector ) {
+			return this;
+		}
+
+		// Handle HTML strings
+		if ( typeof selector === "string" ) {
+			if ( selector[0] === "<" && selector[ selector.length - 1 ] === ">" && selector.length >= 3 ) {
+				// Assume that strings that start and end with <> are HTML and skip the regex check
+				match = [ null, selector, null ];
+
+			} else {
+				match = rquickExpr.exec( selector );
+			}
+
+			// Match html or make sure no context is specified for #id
+			if ( match && (match[1] || !context) ) {
+
+				// HANDLE: $(html) -> $(array)
+				if ( match[1] ) {
+					context = context instanceof jQuery ? context[0] : context;
+
+					// Option to run scripts is true for back-compat
+					// Intentionally let the error be thrown if parseHTML is not present
+					jQuery.merge( this, jQuery.parseHTML(
+						match[1],
+						context && context.nodeType ? context.ownerDocument || context : document,
+						true
+					) );
+
+					// HANDLE: $(html, props)
+					if ( rsingleTag.test( match[1] ) && jQuery.isPlainObject( context ) ) {
+						for ( match in context ) {
+							// Properties of context are called as methods if possible
+							if ( jQuery.isFunction( this[ match ] ) ) {
+								this[ match ]( context[ match ] );
+
+							// ...and otherwise set as attributes
+							} else {
+								this.attr( match, context[ match ] );
+							}
+						}
+					}
+
+					return this;
+
+				// HANDLE: $(#id)
+				} else {
+					elem = document.getElementById( match[2] );
+
+					// Support: Blackberry 4.6
+					// gEBID returns nodes no longer in the document (#6963)
+					if ( elem && elem.parentNode ) {
+						// Inject the element directly into the jQuery object
+						this.length = 1;
+						this[0] = elem;
+					}
+
+					this.context = document;
+					this.selector = selector;
+					return this;
+				}
+
+			// HANDLE: $(expr, $(...))
+			} else if ( !context || context.jquery ) {
+				return ( context || rootjQuery ).find( selector );
+
+			// HANDLE: $(expr, context)
+			// (which is just equivalent to: $(context).find(expr)
+			} else {
+				return this.constructor( context ).find( selector );
+			}
+
+		// HANDLE: $(DOMElement)
+		} else if ( selector.nodeType ) {
+			this.context = this[0] = selector;
+			this.length = 1;
+			return this;
+
+		// HANDLE: $(function)
+		// Shortcut for document ready
+		} else if ( jQuery.isFunction( selector ) ) {
+			return typeof rootjQuery.ready !== "undefined" ?
+				rootjQuery.ready( selector ) :
+				// Execute immediately if ready is not present
+				selector( jQuery );
+		}
+
+		if ( selector.selector !== undefined ) {
+			this.selector = selector.selector;
+			this.context = selector.context;
+		}
+
+		return jQuery.makeArray( selector, this );
+	};
+
+// Give the init function the jQuery prototype for later instantiation
+init.prototype = jQuery.fn;
+
+// Initialize central reference
+rootjQuery = jQuery( document );
+
+
+var rparentsprev = /^(?:parents|prev(?:Until|All))/,
+	// Methods guaranteed to produce a unique set when starting from a unique set
+	guaranteedUnique = {
+		children: true,
+		contents: true,
+		next: true,
+		prev: true
+	};
+
+jQuery.extend({
+	dir: function( elem, dir, until ) {
+		var matched = [],
+			truncate = until !== undefined;
+
+		while ( (elem = elem[ dir ]) && elem.nodeType !== 9 ) {
+			if ( elem.nodeType === 1 ) {
+				if ( truncate && jQuery( elem ).is( until ) ) {
+					break;
+				}
+				matched.push( elem );
+			}
+		}
+		return matched;
+	},
+
+	sibling: function( n, elem ) {
+		var matched = [];
+
+		for ( ; n; n = n.nextSibling ) {
+			if ( n.nodeType === 1 && n !== elem ) {
+				matched.push( n );
+			}
+		}
+
+		return matched;
+	}
+});
+
+jQuery.fn.extend({
+	has: function( target ) {
+		var targets = jQuery( target, this ),
+			l = targets.length;
+
+		return this.filter(function() {
+			var i = 0;
+			for ( ; i < l; i++ ) {
+				if ( jQuery.contains( this, targets[i] ) ) {
+					return true;
+				}
+			}
+		});
+	},
+
+	closest: function( selectors, context ) {
+		var cur,
+			i = 0,
+			l = this.length,
+			matched = [],
+			pos = rneedsContext.test( selectors ) || typeof selectors !== "string" ?
+				jQuery( selectors, context || this.context ) :
+				0;
+
+		for ( ; i < l; i++ ) {
+			for ( cur = this[i]; cur && cur !== context; cur = cur.parentNode ) {
+				// Always skip document fragments
+				if ( cur.nodeType < 11 && (pos ?
+					pos.index(cur) > -1 :
+
+					// Don't pass non-elements to Sizzle
+					cur.nodeType === 1 &&
+						jQuery.find.matchesSelector(cur, selectors)) ) {
+
+					matched.push( cur );
+					break;
+				}
+			}
+		}
+
+		return this.pushStack( matched.length > 1 ? jQuery.unique( matched ) : matched );
+	},
+
+	// Determine the position of an element within the set
+	index: function( elem ) {
+
+		// No argument, return index in parent
+		if ( !elem ) {
+			return ( this[ 0 ] && this[ 0 ].parentNode ) ? this.first().prevAll().length : -1;
+		}
+
+		// Index in selector
+		if ( typeof elem === "string" ) {
+			return indexOf.call( jQuery( elem ), this[ 0 ] );
+		}
+
+		// Locate the position of the desired element
+		return indexOf.call( this,
+
+			// If it receives a jQuery object, the first element is used
+			elem.jquery ? elem[ 0 ] : elem
+		);
+	},
+
+	add: function( selector, context ) {
+		return this.pushStack(
+			jQuery.unique(
+				jQuery.merge( this.get(), jQuery( selector, context ) )
+			)
+		);
+	},
+
+	addBack: function( selector ) {
+		return this.add( selector == null ?
+			this.prevObject : this.prevObject.filter(selector)
+		);
+	}
+});
+
+function sibling( cur, dir ) {
+	while ( (cur = cur[dir]) && cur.nodeType !== 1 ) {}
+	return cur;
+}
+
+jQuery.each({
+	parent: function( elem ) {
+		var parent = elem.parentNode;
+		return parent && parent.nodeType !== 11 ? parent : null;
+	},
+	parents: function( elem ) {
+		return jQuery.dir( elem, "parentNode" );
+	},
+	parentsUntil: function( elem, i, until ) {
+		return jQuery.dir( elem, "parentNode", until );
+	},
+	next: function( elem ) {
+		return sibling( elem, "nextSibling" );
+	},
+	prev: function( elem ) {
+		return sibling( elem, "previousSibling" );
+	},
+	nextAll: function( elem ) {
+		return jQuery.dir( elem, "nextSibling" );
+	},
+	prevAll: function( elem ) {
+		return jQuery.dir( elem, "previousSibling" );
+	},
+	nextUntil: function( elem, i, until ) {
+		return jQuery.dir( elem, "nextSibling", until );
+	},
+	prevUntil: function( elem, i, until ) {
+		return jQuery.dir( elem, "previousSibling", until );
+	},
+	siblings: function( elem ) {
+		return jQuery.sibling( ( elem.parentNode || {} ).firstChild, elem );
+	},
+	children: function( elem ) {
+		return jQuery.sibling( elem.firstChild );
+	},
+	contents: function( elem ) {
+		return elem.contentDocument || jQuery.merge( [], elem.childNodes );
+	}
+}, function( name, fn ) {
+	jQuery.fn[ name ] = function( until, selector ) {
+		var matched = jQuery.map( this, fn, until );
+
+		if ( name.slice( -5 ) !== "Until" ) {
+			selector = until;
+		}
+
+		if ( selector && typeof selector === "string" ) {
+			matched = jQuery.filter( selector, matched );
+		}
+
+		if ( this.length > 1 ) {
+			// Remove duplicates
+			if ( !guaranteedUnique[ name ] ) {
+				jQuery.unique( matched );
+			}
+
+			// Reverse order for parents* and prev-derivatives
+			if ( rparentsprev.test( name ) ) {
+				matched.reverse();
+			}
+		}
+
+		return this.pushStack( matched );
+	};
+});
+var rnotwhite = (/\S+/g);
+
+
+
+// String to Object options format cache
+var optionsCache = {};
+
+// Convert String-formatted options into Object-formatted ones and store in cache
+function createOptions( options ) {
+	var object = optionsCache[ options ] = {};
+	jQuery.each( options.match( rnotwhite ) || [], function( _, flag ) {
+		object[ flag ] = true;
+	});
+	return object;
+}
+
+/*
+ * Create a callback list using the following parameters:
+ *
+ *	options: an optional list of space-separated options that will change how
+ *			the callback list behaves or a more traditional option object
+ *
+ * By default a callback list will act like an event callback list and can be
+ * "fired" multiple times.
+ *
+ * Possible options:
+ *
+ *	once:			will ensure the callback list can only be fired once (like a Deferred)
+ *
+ *	memory:			will keep track of previous values and will call any callback added
+ *					after the list has been fired right away with the latest "memorized"
+ *					values (like a Deferred)
+ *
+ *	unique:			will ensure a callback can only be added once (no duplicate in the list)
+ *
+ *	stopOnFalse:	interrupt callings when a callback returns false
+ *
+ */
+jQuery.Callbacks = function( options ) {
+
+	// Convert options from String-formatted to Object-formatted if needed
+	// (we check in cache first)
+	options = typeof options === "string" ?
+		( optionsCache[ options ] || createOptions( options ) ) :
+		jQuery.extend( {}, options );
+
+	var // Last fire value (for non-forgettable lists)
+		memory,
+		// Flag to know if list was already fired
+		fired,
+		// Flag to know if list is currently firing
+		firing,
+		// First callback to fire (used internally by add and fireWith)
+		firingStart,
+		// End of the loop when firing
+		firingLength,
+		// Index of currently firing callback (modified by remove if needed)
+		firingIndex,
+		// Actual callback list
+		list = [],
+		// Stack of fire calls for repeatable lists
+		stack = !options.once && [],
+		// Fire callbacks
+		fire = function( data ) {
+			memory = options.memory && data;
+			fired = true;
+			firingIndex = firingStart || 0;
+			firingStart = 0;
+			firingLength = list.length;
+			firing = true;
+			for ( ; list && firingIndex < firingLength; firingIndex++ ) {
+				if ( list[ firingIndex ].apply( data[ 0 ], data[ 1 ] ) === false && options.stopOnFalse ) {
+					memory = false; // To prevent further calls using add
+					break;
+				}
+			}
+			firing = false;
+			if ( list ) {
+				if ( stack ) {
+					if ( stack.length ) {
+						fire( stack.shift() );
+					}
+				} else if ( memory ) {
+					list = [];
+				} else {
+					self.disable();
+				}
+			}
+		},
+		// Actual Callbacks object
+		self = {
+			// Add a callback or a collection of callbacks to the list
+			add: function() {
+				if ( list ) {
+					// First, we save the current length
+					var start = list.length;
+					(function add( args ) {
+						jQuery.each( args, function( _, arg ) {
+							var type = jQuery.type( arg );
+							if ( type === "function" ) {
+								if ( !options.unique || !self.has( arg ) ) {
+									list.push( arg );
+								}
+							} else if ( arg && arg.length && type !== "string" ) {
+								// Inspect recursively
+								add( arg );
+							}
+						});
+					})( arguments );
+					// Do we need to add the callbacks to the
+					// current firing batch?
+					if ( firing ) {
+						firingLength = list.length;
+					// With memory, if we're not firing then
+					// we should call right away
+					} else if ( memory ) {
+						firingStart = start;
+						fire( memory );
+					}
+				}
+				return this;
+			},
+			// Remove a callback from the list
+			remove: function() {
+				if ( list ) {
+					jQuery.each( arguments, function( _, arg ) {
+						var index;
+						while ( ( index = jQuery.inArray( arg, list, index ) ) > -1 ) {
+							list.splice( index, 1 );
+							// Handle firing indexes
+							if ( firing ) {
+								if ( index <= firingLength ) {
+									firingLength--;
+								}
+								if ( index <= firingIndex ) {
+									firingIndex--;
+								}
+							}
+						}
+					});
+				}
+				return this;
+			},
+			// Check if a given callback is in the list.
+			// If no argument is given, return whether or not list has callbacks attached.
+			has: function( fn ) {
+				return fn ? jQuery.inArray( fn, list ) > -1 : !!( list && list.length );
+			},
+			// Remove all callbacks from the list
+			empty: function() {
+				list = [];
+				firingLength = 0;
+				return this;
+			},
+			// Have the list do nothing anymore
+			disable: function() {
+				list = stack = memory = undefined;
+				return this;
+			},
+			// Is it disabled?
+			disabled: function() {
+				return !list;
+			},
+			// Lock the list in its current state
+			lock: function() {
+				stack = undefined;
+				if ( !memory ) {
+					self.disable();
+				}
+				return this;
+			},
+			// Is it locked?
+			locked: function() {
+				return !stack;
+			},
+			// Call all callbacks with the given context and arguments
+			fireWith: function( context, args ) {
+				if ( list && ( !fired || stack ) ) {
+					args = args || [];
+					args = [ context, args.slice ? args.slice() : args ];
+					if ( firing ) {
+						stack.push( args );
+					} else {
+						fire( args );
+					}
+				}
+				return this;
+			},
+			// Call all the callbacks with the given arguments
+			fire: function() {
+				self.fireWith( this, arguments );
+				return this;
+			},
+			// To know if the callbacks have already been called at least once
+			fired: function() {
+				return !!fired;
+			}
+		};
+
+	return self;
+};
+
+
+jQuery.extend({
+
+	Deferred: function( func ) {
+		var tuples = [
+				// action, add listener, listener list, final state
+				[ "resolve", "done", jQuery.Callbacks("once memory"), "resolved" ],
+				[ "reject", "fail", jQuery.Callbacks("once memory"), "rejected" ],
+				[ "notify", "progress", jQuery.Callbacks("memory") ]
+			],
+			state = "pending",
+			promise = {
+				state: function() {
+					return state;
+				},
+				always: function() {
+					deferred.done( arguments ).fail( arguments );
+					return this;
+				},
+				then: function( /* fnDone, fnFail, fnProgress */ ) {
+					var fns = arguments;
+					return jQuery.Deferred(function( newDefer ) {
+						jQuery.each( tuples, function( i, tuple ) {
+							var fn = jQuery.isFunction( fns[ i ] ) && fns[ i ];
+							// deferred[ done | fail | progress ] for forwarding actions to newDefer
+							deferred[ tuple[1] ](function() {
+								var returned = fn && fn.apply( this, arguments );
+								if ( returned && jQuery.isFunction( returned.promise ) ) {
+									returned.promise()
+										.done( newDefer.resolve )
+										.fail( newDefer.reject )
+										.progress( newDefer.notify );
+								} else {
+									newDefer[ tuple[ 0 ] + "With" ]( this === promise ? newDefer.promise() : this, fn ? [ returned ] : arguments );
+								}
+							});
+						});
+						fns = null;
+					}).promise();
+				},
+				// Get a promise for this deferred
+				// If obj is provided, the promise aspect is added to the object
+				promise: function( obj ) {
+					return obj != null ? jQuery.extend( obj, promise ) : promise;
+				}
+			},
+			deferred = {};
+
+		// Keep pipe for back-compat
+		promise.pipe = promise.then;
+
+		// Add list-specific methods
+		jQuery.each( tuples, function( i, tuple ) {
+			var list = tuple[ 2 ],
+				stateString = tuple[ 3 ];
+
+			// promise[ done | fail | progress ] = list.add
+			promise[ tuple[1] ] = list.add;
+
+			// Handle state
+			if ( stateString ) {
+				list.add(function() {
+					// state = [ resolved | rejected ]
+					state = stateString;
+
+				// [ reject_list | resolve_list ].disable; progress_list.lock
+				}, tuples[ i ^ 1 ][ 2 ].disable, tuples[ 2 ][ 2 ].lock );
+			}
+
+			// deferred[ resolve | reject | notify ]
+			deferred[ tuple[0] ] = function() {
+				deferred[ tuple[0] + "With" ]( this === deferred ? promise : this, arguments );
+				return this;
+			};
+			deferred[ tuple[0] + "With" ] = list.fireWith;
+		});
+
+		// Make the deferred a promise
+		promise.promise( deferred );
+
+		// Call given func if any
+		if ( func ) {
+			func.call( deferred, deferred );
+		}
+
+		// All done!
+		return deferred;
+	},
+
+	// Deferred helper
+	when: function( subordinate /* , ..., subordinateN */ ) {
+		var i = 0,
+			resolveValues = slice.call( arguments ),
+			length = resolveValues.length,
+
+			// the count of uncompleted subordinates
+			remaining = length !== 1 || ( subordinate && jQuery.isFunction( subordinate.promise ) ) ? length : 0,
+
+			// the master Deferred. If resolveValues consist of only a single Deferred, just use that.
+			deferred = remaining === 1 ? subordinate : jQuery.Deferred(),
+
+			// Update function for both resolve and progress values
+			updateFunc = function( i, contexts, values ) {
+				return function( value ) {
+					contexts[ i ] = this;
+					values[ i ] = arguments.length > 1 ? slice.call( arguments ) : value;
+					if ( values === progressValues ) {
+						deferred.notifyWith( contexts, values );
+					} else if ( !( --remaining ) ) {
+						deferred.resolveWith( contexts, values );
+					}
+				};
+			},
+
+			progressValues, progressContexts, resolveContexts;
+
+		// Add listeners to Deferred subordinates; treat others as resolved
+		if ( length > 1 ) {
+			progressValues = new Array( length );
+			progressContexts = new Array( length );
+			resolveContexts = new Array( length );
+			for ( ; i < length; i++ ) {
+				if ( resolveValues[ i ] && jQuery.isFunction( resolveValues[ i ].promise ) ) {
+					resolveValues[ i ].promise()
+						.done( updateFunc( i, resolveContexts, resolveValues ) )
+						.fail( deferred.reject )
+						.progress( updateFunc( i, progressContexts, progressValues ) );
+				} else {
+					--remaining;
+				}
+			}
+		}
+
+		// If we're not waiting on anything, resolve the master
+		if ( !remaining ) {
+			deferred.resolveWith( resolveContexts, resolveValues );
+		}
+
+		return deferred.promise();
+	}
+});
+
+
+// The deferred used on DOM ready
+var readyList;
+
+jQuery.fn.ready = function( fn ) {
+	// Add the callback
+	jQuery.ready.promise().done( fn );
+
+	return this;
+};
+
+jQuery.extend({
+	// Is the DOM ready to be used? Set to true once it occurs.
+	isReady: false,
+
+	// A counter to track how many items to wait for before
+	// the ready event fires. See #6781
+	readyWait: 1,
+
+	// Hold (or release) the ready event
+	holdReady: function( hold ) {
+		if ( hold ) {
+			jQuery.readyWait++;
+		} else {
+			jQuery.ready( true );
+		}
+	},
+
+	// Handle when the DOM is ready
+	ready: function( wait ) {
+
+		// Abort if there are pending holds or we're already ready
+		if ( wait === true ? --jQuery.readyWait : jQuery.isReady ) {
+			return;
+		}
+
+		// Remember that the DOM is ready
+		jQuery.isReady = true;
+
+		// If a normal DOM Ready event fired, decrement, and wait if need be
+		if ( wait !== true && --jQuery.readyWait > 0 ) {
+			return;
+		}
+
+		// If there are functions bound, to execute
+		readyList.resolveWith( document, [ jQuery ] );
+
+		// Trigger any bound ready events
+		if ( jQuery.fn.triggerHandler ) {
+			jQuery( document ).triggerHandler( "ready" );
+			jQuery( document ).off( "ready" );
+		}
+	}
+});
+
+/**
+ * The ready event handler and self cleanup method
+ */
+function completed() {
+	document.removeEventListener( "DOMContentLoaded", completed, false );
+	window.removeEventListener( "load", completed, false );
+	jQuery.ready();
+}
+
+jQuery.ready.promise = function( obj ) {
+	if ( !readyList ) {
+
+		readyList = jQuery.Deferred();
+
+		// Catch cases where $(document).ready() is called after the browser event has already occurred.
+		// We once tried to use readyState "interactive" here, but it caused issues like the one
+		// discovered by ChrisS here: http://bugs.jquery.com/ticket/12282#comment:15
+		if ( document.readyState === "complete" ) {
+			// Handle it asynchronously to allow scripts the opportunity to delay ready
+			setTimeout( jQuery.ready );
+
+		} else {
+
+			// Use the handy event callback
+			document.addEventListener( "DOMContentLoaded", completed, false );
+
+			// A fallback to window.onload, that will always work
+			window.addEventListener( "load", completed, false );
+		}
+	}
+	return readyList.promise( obj );
+};
+
+// Kick off the DOM ready check even if the user does not
+jQuery.ready.promise();
+
+
+
+
+// Multifunctional method to get and set values of a collection
+// The value/s can optionally be executed if it's a function
+var access = jQuery.access = function( elems, fn, key, value, chainable, emptyGet, raw ) {
+	var i = 0,
+		len = elems.length,
+		bulk = key == null;
+
+	// Sets many values
+	if ( jQuery.type( key ) === "object" ) {
+		chainable = true;
+		for ( i in key ) {
+			jQuery.access( elems, fn, i, key[i], true, emptyGet, raw );
+		}
+
+	// Sets one value
+	} else if ( value !== undefined ) {
+		chainable = true;
+
+		if ( !jQuery.isFunction( value ) ) {
+			raw = true;
+		}
+
+		if ( bulk ) {
+			// Bulk operations run against the entire set
+			if ( raw ) {
+				fn.call( elems, value );
+				fn = null;
+
+			// ...except when executing function values
+			} else {
+				bulk = fn;
+				fn = function( elem, key, value ) {
+					return bulk.call( jQuery( elem ), value );
+				};
+			}
+		}
+
+		if ( fn ) {
+			for ( ; i < len; i++ ) {
+				fn( elems[i], key, raw ? value : value.call( elems[i], i, fn( elems[i], key ) ) );
+			}
+		}
+	}
+
+	return chainable ?
+		elems :
+
+		// Gets
+		bulk ?
+			fn.call( elems ) :
+			len ? fn( elems[0], key ) : emptyGet;
+};
+
+
+/**
+ * Determines whether an object can have data
+ */
+jQuery.acceptData = function( owner ) {
+	// Accepts only:
+	//  - Node
+	//    - Node.ELEMENT_NODE
+	//    - Node.DOCUMENT_NODE
+	//  - Object
+	//    - Any
+	/* jshint -W018 */
+	return owner.nodeType === 1 || owner.nodeType === 9 || !( +owner.nodeType );
+};
+
+
+function Data() {
+	// Support: Android<4,
+	// Old WebKit does not have Object.preventExtensions/freeze method,
+	// return new empty object instead with no [[set]] accessor
+	Object.defineProperty( this.cache = {}, 0, {
+		get: function() {
+			return {};
+		}
+	});
+
+	this.expando = jQuery.expando + Data.uid++;
+}
+
+Data.uid = 1;
+Data.accepts = jQuery.acceptData;
+
+Data.prototype = {
+	key: function( owner ) {
+		// We can accept data for non-element nodes in modern browsers,
+		// but we should not, see #8335.
+		// Always return the key for a frozen object.
+		if ( !Data.accepts( owner ) ) {
+			return 0;
+		}
+
+		var descriptor = {},
+			// Check if the owner object already has a cache key
+			unlock = owner[ this.expando ];
+
+		// If not, create one
+		if ( !unlock ) {
+			unlock = Data.uid++;
+
+			// Secure it in a non-enumerable, non-writable property
+			try {
+				descriptor[ this.expando ] = { value: unlock };
+				Object.defineProperties( owner, descriptor );
+
+			// Support: Android<4
+			// Fallback to a less secure definition
+			} catch ( e ) {
+				descriptor[ this.expando ] = unlock;
+				jQuery.extend( owner, descriptor );
+			}
+		}
+
+		// Ensure the cache object
+		if ( !this.cache[ unlock ] ) {
+			this.cache[ unlock ] = {};
+		}
+
+		return unlock;
+	},
+	set: function( owner, data, value ) {
+		var prop,
+			// There may be an unlock assigned to this node,
+			// if there is no entry for this "owner", create one inline
+			// and set the unlock as though an owner entry had always existed
+			unlock = this.key( owner ),
+			cache = this.cache[ unlock ];
+
+		// Handle: [ owner, key, value ] args
+		if ( typeof data === "string" ) {
+			cache[ data ] = value;
+
+		// Handle: [ owner, { properties } ] args
+		} else {
+			// Fresh assignments by object are shallow copied
+			if ( jQuery.isEmptyObject( cache ) ) {
+				jQuery.extend( this.cache[ unlock ], data );
+			// Otherwise, copy the properties one-by-one to the cache object
+			} else {
+				for ( prop in data ) {
+					cache[ prop ] = data[ prop ];
+				}
+			}
+		}
+		return cache;
+	},
+	get: function( owner, key ) {
+		// Either a valid cache is found, or will be created.
+		// New caches will be created and the unlock returned,
+		// allowing direct access to the newly created
+		// empty data object. A valid owner object must be provided.
+		var cache = this.cache[ this.key( owner ) ];
+
+		return key === undefined ?
+			cache : cache[ key ];
+	},
+	access: function( owner, key, value ) {
+		var stored;
+		// In cases where either:
+		//
+		//   1. No key was specified
+		//   2. A string key was specified, but no value provided
+		//
+		// Take the "read" path and allow the get method to determine
+		// which value to return, respectively either:
+		//
+		//   1. The entire cache object
+		//   2. The data stored at the key
+		//
+		if ( key === undefined ||
+				((key && typeof key === "string") && value === undefined) ) {
+
+			stored = this.get( owner, key );
+
+			return stored !== undefined ?
+				stored : this.get( owner, jQuery.camelCase(key) );
+		}
+
+		// [*]When the key is not a string, or both a key and value
+		// are specified, set or extend (existing objects) with either:
+		//
+		//   1. An object of properties
+		//   2. A key and value
+		//
+		this.set( owner, key, value );
+
+		// Since the "set" path can have two possible entry points
+		// return the expected data based on which path was taken[*]
+		return value !== undefined ? value : key;
+	},
+	remove: function( owner, key ) {
+		var i, name, camel,
+			unlock = this.key( owner ),
+			cache = this.cache[ unlock ];
+
+		if ( key === undefined ) {
+			this.cache[ unlock ] = {};
+
+		} else {
+			// Support array or space separated string of keys
+			if ( jQuery.isArray( key ) ) {
+				// If "name" is an array of keys...
+				// When data is initially created, via ("key", "val") signature,
+				// keys will be converted to camelCase.
+				// Since there is no way to tell _how_ a key was added, remove
+				// both plain key and camelCase key. #12786
+				// This will only penalize the array argument path.
+				name = key.concat( key.map( jQuery.camelCase ) );
+			} else {
+				camel = jQuery.camelCase( key );
+				// Try the string as a key before any manipulation
+				if ( key in cache ) {
+					name = [ key, camel ];
+				} else {
+					// If a key with the spaces exists, use it.
+					// Otherwise, create an array by matching non-whitespace
+					name = camel;
+					name = name in cache ?
+						[ name ] : ( name.match( rnotwhite ) || [] );
+				}
+			}
+
+			i = name.length;
+			while ( i-- ) {
+				delete cache[ name[ i ] ];
+			}
+		}
+	},
+	hasData: function( owner ) {
+		return !jQuery.isEmptyObject(
+			this.cache[ owner[ this.expando ] ] || {}
+		);
+	},
+	discard: function( owner ) {
+		if ( owner[ this.expando ] ) {
+			delete this.cache[ owner[ this.expando ] ];
+		}
+	}
+};
+var data_priv = new Data();
+
+var data_user = new Data();
+
+
+
+//	Implementation Summary
+//
+//	1. Enforce API surface and semantic compatibility with 1.9.x branch
+//	2. Improve the module's maintainability by reducing the storage
+//		paths to a single mechanism.
+//	3. Use the same single mechanism to support "private" and "user" data.
+//	4. _Never_ expose "private" data to user code (TODO: Drop _data, _removeData)
+//	5. Avoid exposing implementation details on user objects (eg. expando properties)
+//	6. Provide a clear path for implementation upgrade to WeakMap in 2014
+
+var rbrace = /^(?:\{[\w\W]*\}|\[[\w\W]*\])$/,
+	rmultiDash = /([A-Z])/g;
+
+function dataAttr( elem, key, data ) {
+	var name;
+
+	// If nothing was found internally, try to fetch any
+	// data from the HTML5 data-* attribute
+	if ( data === undefined && elem.nodeType === 1 ) {
+		name = "data-" + key.replace( rmultiDash, "-$1" ).toLowerCase();
+		data = elem.getAttribute( name );
+
+		if ( typeof data === "string" ) {
+			try {
+				data = data === "true" ? true :
+					data === "false" ? false :
+					data === "null" ? null :
+					// Only convert to a number if it doesn't change the string
+					+data + "" === data ? +data :
+					rbrace.test( data ) ? jQuery.parseJSON( data ) :
+					data;
+			} catch( e ) {}
+
+			// Make sure we set the data so it isn't changed later
+			data_user.set( elem, key, data );
+		} else {
+			data = undefined;
+		}
+	}
+	return data;
+}
+
+jQuery.extend({
+	hasData: function( elem ) {
+		return data_user.hasData( elem ) || data_priv.hasData( elem );
+	},
+
+	data: function( elem, name, data ) {
+		return data_user.access( elem, name, data );
+	},
+
+	removeData: function( elem, name ) {
+		data_user.remove( elem, name );
+	},
+
+	// TODO: Now that all calls to _data and _removeData have been replaced
+	// with direct calls to data_priv methods, these can be deprecated.
+	_data: function( elem, name, data ) {
+		return data_priv.access( elem, name, data );
+	},
+
+	_removeData: function( elem, name ) {
+		data_priv.remove( elem, name );
+	}
+});
+
+jQuery.fn.extend({
+	data: function( key, value ) {
+		var i, name, data,
+			elem = this[ 0 ],
+			attrs = elem && elem.attributes;
+
+		// Gets all values
+		if ( key === undefined ) {
+			if ( this.length ) {
+				data = data_user.get( elem );
+
+				if ( elem.nodeType === 1 && !data_priv.get( elem, "hasDataAttrs" ) ) {
+					i = attrs.length;
+					while ( i-- ) {
+
+						// Support: IE11+
+						// The attrs elements can be null (#14894)
+						if ( attrs[ i ] ) {
+							name = attrs[ i ].name;
+							if ( name.indexOf( "data-" ) === 0 ) {
+								name = jQuery.camelCase( name.slice(5) );
+								dataAttr( elem, name, data[ name ] );
+							}
+						}
+					}
+					data_priv.set( elem, "hasDataAttrs", true );
+				}
+			}
+
+			return data;
+		}
+
+		// Sets multiple values
+		if ( typeof key === "object" ) {
+			return this.each(function() {
+				data_user.set( this, key );
+			});
+		}
+
+		return access( this, function( value ) {
+			var data,
+				camelKey = jQuery.camelCase( key );
+
+			// The calling jQuery object (element matches) is not empty
+			// (and therefore has an element appears at this[ 0 ]) and the
+			// `value` parameter was not undefined. An empty jQuery object
+			// will result in `undefined` for elem = this[ 0 ] which will
+			// throw an exception if an attempt to read a data cache is made.
+			if ( elem && value === undefined ) {
+				// Attempt to get data from the cache
+				// with the key as-is
+				data = data_user.get( elem, key );
+				if ( data !== undefined ) {
+					return data;
+				}
+
+				// Attempt to get data from the cache
+				// with the key camelized
+				data = data_user.get( elem, camelKey );
+				if ( data !== undefined ) {
+					return data;
+				}
+
+				// Attempt to "discover" the data in
+				// HTML5 custom data-* attrs
+				data = dataAttr( elem, camelKey, undefined );
+				if ( data !== undefined ) {
+					return data;
+				}
+
+				// We tried really hard, but the data doesn't exist.
+				return;
+			}
+
+			// Set the data...
+			this.each(function() {
+				// First, attempt to store a copy or reference of any
+				// data that might've been store with a camelCased key.
+				var data = data_user.get( this, camelKey );
+
+				// For HTML5 data-* attribute interop, we have to
+				// store property names with dashes in a camelCase form.
+				// This might not apply to all properties...*
+				data_user.set( this, camelKey, value );
+
+				// *... In the case of properties that might _actually_
+				// have dashes, we need to also store a copy of that
+				// unchanged property.
+				if ( key.indexOf("-") !== -1 && data !== undefined ) {
+					data_user.set( this, key, value );
+				}
+			});
+		}, null, value, arguments.length > 1, null, true );
+	},
+
+	removeData: function( key ) {
+		return this.each(function() {
+			data_user.remove( this, key );
+		});
+	}
+});
+
+
+jQuery.extend({
+	queue: function( elem, type, data ) {
+		var queue;
+
+		if ( elem ) {
+			type = ( type || "fx" ) + "queue";
+			queue = data_priv.get( elem, type );
+
+			// Speed up dequeue by getting out quickly if this is just a lookup
+			if ( data ) {
+				if ( !queue || jQuery.isArray( data ) ) {
+					queue = data_priv.access( elem, type, jQuery.makeArray(data) );
+				} else {
+					queue.push( data );
+				}
+			}
+			return queue || [];
+		}
+	},
+
+	dequeue: function( elem, type ) {
+		type = type || "fx";
+
+		var queue = jQuery.queue( elem, type ),
+			startLength = queue.length,
+			fn = queue.shift(),
+			hooks = jQuery._queueHooks( elem, type ),
+			next = function() {
+				jQuery.dequeue( elem, type );
+			};
+
+		// If the fx queue is dequeued, always remove the progress sentinel
+		if ( fn === "inprogress" ) {
+			fn = queue.shift();
+			startLength--;
+		}
+
+		if ( fn ) {
+
+			// Add a progress sentinel to prevent the fx queue from being
+			// automatically dequeued
+			if ( type === "fx" ) {
+				queue.unshift( "inprogress" );
+			}
+
+			// Clear up the last queue stop function
+			delete hooks.stop;
+			fn.call( elem, next, hooks );
+		}
+
+		if ( !startLength && hooks ) {
+			hooks.empty.fire();
+		}
+	},
+
+	// Not public - generate a queueHooks object, or return the current one
+	_queueHooks: function( elem, type ) {
+		var key = type + "queueHooks";
+		return data_priv.get( elem, key ) || data_priv.access( elem, key, {
+			empty: jQuery.Callbacks("once memory").add(function() {
+				data_priv.remove( elem, [ type + "queue", key ] );
+			})
+		});
+	}
+});
+
+jQuery.fn.extend({
+	queue: function( type, data ) {
+		var setter = 2;
+
+		if ( typeof type !== "string" ) {
+			data = type;
+			type = "fx";
+			setter--;
+		}
+
+		if ( arguments.length < setter ) {
+			return jQuery.queue( this[0], type );
+		}
+
+		return data === undefined ?
+			this :
+			this.each(function() {
+				var queue = jQuery.queue( this, type, data );
+
+				// Ensure a hooks for this queue
+				jQuery._queueHooks( this, type );
+
+				if ( type === "fx" && queue[0] !== "inprogress" ) {
+					jQuery.dequeue( this, type );
+				}
+			});
+	},
+	dequeue: function( type ) {
+		return this.each(function() {
+			jQuery.dequeue( this, type );
+		});
+	},
+	clearQueue: function( type ) {
+		return this.queue( type || "fx", [] );
+	},
+	// Get a promise resolved when queues of a certain type
+	// are emptied (fx is the type by default)
+	promise: function( type, obj ) {
+		var tmp,
+			count = 1,
+			defer = jQuery.Deferred(),
+			elements = this,
+			i = this.length,
+			resolve = function() {
+				if ( !( --count ) ) {
+					defer.resolveWith( elements, [ elements ] );
+				}
+			};
+
+		if ( typeof type !== "string" ) {
+			obj = type;
+			type = undefined;
+		}
+		type = type || "fx";
+
+		while ( i-- ) {
+			tmp = data_priv.get( elements[ i ], type + "queueHooks" );
+			if ( tmp && tmp.empty ) {
+				count++;
+				tmp.empty.add( resolve );
+			}
+		}
+		resolve();
+		return defer.promise( obj );
+	}
+});
+var pnum = (/[+-]?(?:\d*\.|)\d+(?:[eE][+-]?\d+|)/).source;
+
+var cssExpand = [ "Top", "Right", "Bottom", "Left" ];
+
+var isHidden = function( elem, el ) {
+		// isHidden might be called from jQuery#filter function;
+		// in that case, element will be second argument
+		elem = el || elem;
+		return jQuery.css( elem, "display" ) === "none" || !jQuery.contains( elem.ownerDocument, elem );
+	};
+
+var rcheckableType = (/^(?:checkbox|radio)$/i);
+
+
+
+(function() {
+	var fragment = document.createDocumentFragment(),
+		div = fragment.appendChild( document.createElement( "div" ) ),
+		input = document.createElement( "input" );
+
+	// Support: Safari<=5.1
+	// Check state lost if the name is set (#11217)
+	// Support: Windows Web Apps (WWA)
+	// `name` and `type` must use .setAttribute for WWA (#14901)
+	input.setAttribute( "type", "radio" );
+	input.setAttribute( "checked", "checked" );
+	input.setAttribute( "name", "t" );
+
+	div.appendChild( input );
+
+	// Support: Safari<=5.1, Android<4.2
+	// Older WebKit doesn't clone checked state correctly in fragments
+	support.checkClone = div.cloneNode( true ).cloneNode( true ).lastChild.checked;
+
+	// Support: IE<=11+
+	// Make sure textarea (and checkbox) defaultValue is properly cloned
+	div.innerHTML = "<textarea>x</textarea>";
+	support.noCloneChecked = !!div.cloneNode( true ).lastChild.defaultValue;
+})();
+var strundefined = typeof undefined;
+
+
+
+support.focusinBubbles = "onfocusin" in window;
+
+
+var
+	rkeyEvent = /^key/,
+	rmouseEvent = /^(?:mouse|pointer|contextmenu)|click/,
+	rfocusMorph = /^(?:focusinfocus|focusoutblur)$/,
+	rtypenamespace = /^([^.]*)(?:\.(.+)|)$/;
+
+function returnTrue() {
+	return true;
+}
+
+function returnFalse() {
+	return false;
+}
+
+function safeActiveElement() {
+	try {
+		return document.activeElement;
+	} catch ( err ) { }
+}
+
+/*
+ * Helper functions for managing events -- not part of the public interface.
+ * Props to Dean Edwards' addEvent library for many of the ideas.
+ */
+jQuery.event = {
+
+	global: {},
+
+	add: function( elem, types, handler, data, selector ) {
+
+		var handleObjIn, eventHandle, tmp,
+			events, t, handleObj,
+			special, handlers, type, namespaces, origType,
+			elemData = data_priv.get( elem );
+
+		// Don't attach events to noData or text/comment nodes (but allow plain objects)
+		if ( !elemData ) {
+			return;
+		}
+
+		// Caller can pass in an object of custom data in lieu of the handler
+		if ( handler.handler ) {
+			handleObjIn = handler;
+			handler = handleObjIn.handler;
+			selector = handleObjIn.selector;
+		}
+
+		// Make sure that the handler has a unique ID, used to find/remove it later
+		if ( !handler.guid ) {
+			handler.guid = jQuery.guid++;
+		}
+
+		// Init the element's event structure and main handler, if this is the first
+		if ( !(events = elemData.events) ) {
+			events = elemData.events = {};
+		}
+		if ( !(eventHandle = elemData.handle) ) {
+			eventHandle = elemData.handle = function( e ) {
+				// Discard the second event of a jQuery.event.trigger() and
+				// when an event is called after a page has unloaded
+				return typeof jQuery !== strundefined && jQuery.event.triggered !== e.type ?
+					jQuery.event.dispatch.apply( elem, arguments ) : undefined;
+			};
+		}
+
+		// Handle multiple events separated by a space
+		types = ( types || "" ).match( rnotwhite ) || [ "" ];
+		t = types.length;
+		while ( t-- ) {
+			tmp = rtypenamespace.exec( types[t] ) || [];
+			type = origType = tmp[1];
+			namespaces = ( tmp[2] || "" ).split( "." ).sort();
+
+			// There *must* be a type, no attaching namespace-only handlers
+			if ( !type ) {
+				continue;
+			}
+
+			// If event changes its type, use the special event handlers for the changed type
+			special = jQuery.event.special[ type ] || {};
+
+			// If selector defined, determine special event api type, otherwise given type
+			type = ( selector ? special.delegateType : special.bindType ) || type;
+
+			// Update special based on newly reset type
+			special = jQuery.event.special[ type ] || {};
+
+			// handleObj is passed to all event handlers
+			handleObj = jQuery.extend({
+				type: type,
+				origType: origType,
+				data: data,
+				handler: handler,
+				guid: handler.guid,
+				selector: selector,
+				needsContext: selector && jQuery.expr.match.needsContext.test( selector ),
+				namespace: namespaces.join(".")
+			}, handleObjIn );
+
+			// Init the event handler queue if we're the first
+			if ( !(handlers = events[ type ]) ) {
+				handlers = events[ type ] = [];
+				handlers.delegateCount = 0;
+
+				// Only use addEventListener if the special events handler returns false
+				if ( !special.setup || special.setup.call( elem, data, namespaces, eventHandle ) === false ) {
+					if ( elem.addEventListener ) {
+						elem.addEventListener( type, eventHandle, false );
+					}
+				}
+			}
+
+			if ( special.add ) {
+				special.add.call( elem, handleObj );
+
+				if ( !handleObj.handler.guid ) {
+					handleObj.handler.guid = handler.guid;
+				}
+			}
+
+			// Add to the element's handler list, delegates in front
+			if ( selector ) {
+				handlers.splice( handlers.delegateCount++, 0, handleObj );
+			} else {
+				handlers.push( handleObj );
+			}
+
+			// Keep track of which events have ever been used, for event optimization
+			jQuery.event.global[ type ] = true;
+		}
+
+	},
+
+	// Detach an event or set of events from an element
+	remove: function( elem, types, handler, selector, mappedTypes ) {
+
+		var j, origCount, tmp,
+			events, t, handleObj,
+			special, handlers, type, namespaces, origType,
+			elemData = data_priv.hasData( elem ) && data_priv.get( elem );
+
+		if ( !elemData || !(events = elemData.events) ) {
+			return;
+		}
+
+		// Once for each type.namespace in types; type may be omitted
+		types = ( types || "" ).match( rnotwhite ) || [ "" ];
+		t = types.length;
+		while ( t-- ) {
+			tmp = rtypenamespace.exec( types[t] ) || [];
+			type = origType = tmp[1];
+			namespaces = ( tmp[2] || "" ).split( "." ).sort();
+
+			// Unbind all events (on this namespace, if provided) for the element
+			if ( !type ) {
+				for ( type in events ) {
+					jQuery.event.remove( elem, type + types[ t ], handler, selector, true );
+				}
+				continue;
+			}
+
+			special = jQuery.event.special[ type ] || {};
+			type = ( selector ? special.delegateType : special.bindType ) || type;
+			handlers = events[ type ] || [];
+			tmp = tmp[2] && new RegExp( "(^|\\.)" + namespaces.join("\\.(?:.*\\.|)") + "(\\.|$)" );
+
+			// Remove matching events
+			origCount = j = handlers.length;
+			while ( j-- ) {
+				handleObj = handlers[ j ];
+
+				if ( ( mappedTypes || origType === handleObj.origType ) &&
+					( !handler || handler.guid === handleObj.guid ) &&
+					( !tmp || tmp.test( handleObj.namespace ) ) &&
+					( !selector || selector === handleObj.selector || selector === "**" && handleObj.selector ) ) {
+					handlers.splice( j, 1 );
+
+					if ( handleObj.selector ) {
+						handlers.delegateCount--;
+					}
+					if ( special.remove ) {
+						special.remove.call( elem, handleObj );
+					}
+				}
+			}
+
+			// Remove generic event handler if we removed something and no more handlers exist
+			// (avoids potential for endless recursion during removal of special event handlers)
+			if ( origCount && !handlers.length ) {
+				if ( !special.teardown || special.teardown.call( elem, namespaces, elemData.handle ) === false ) {
+					jQuery.removeEvent( elem, type, elemData.handle );
+				}
+
+				delete events[ type ];
+			}
+		}
+
+		// Remove the expando if it's no longer used
+		if ( jQuery.isEmptyObject( events ) ) {
+			delete elemData.handle;
+			data_priv.remove( elem, "events" );
+		}
+	},
+
+	trigger: function( event, data, elem, onlyHandlers ) {
+
+		var i, cur, tmp, bubbleType, ontype, handle, special,
+			eventPath = [ elem || document ],
+			type = hasOwn.call( event, "type" ) ? event.type : event,
+			namespaces = hasOwn.call( event, "namespace" ) ? event.namespace.split(".") : [];
+
+		cur = tmp = elem = elem || document;
+
+		// Don't do events on text and comment nodes
+		if ( elem.nodeType === 3 || elem.nodeType === 8 ) {
+			return;
+		}
+
+		// focus/blur morphs to focusin/out; ensure we're not firing them right now
+		if ( rfocusMorph.test( type + jQuery.event.triggered ) ) {
+			return;
+		}
+
+		if ( type.indexOf(".") >= 0 ) {
+			// Namespaced trigger; create a regexp to match event type in handle()
+			namespaces = type.split(".");
+			type = namespaces.shift();
+			namespaces.sort();
+		}
+		ontype = type.indexOf(":") < 0 && "on" + type;
+
+		// Caller can pass in a jQuery.Event object, Object, or just an event type string
+		event = event[ jQuery.expando ] ?
+			event :
+			new jQuery.Event( type, typeof event === "object" && event );
+
+		// Trigger bitmask: & 1 for native handlers; & 2 for jQuery (always true)
+		event.isTrigger = onlyHandlers ? 2 : 3;
+		event.namespace = namespaces.join(".");
+		event.namespace_re = event.namespace ?
+			new RegExp( "(^|\\.)" + namespaces.join("\\.(?:.*\\.|)") + "(\\.|$)" ) :
+			null;
+
+		// Clean up the event in case it is being reused
+		event.result = undefined;
+		if ( !event.target ) {
+			event.target = elem;
+		}
+
+		// Clone any incoming data and prepend the event, creating the handler arg list
+		data = data == null ?
+			[ event ] :
+			jQuery.makeArray( data, [ event ] );
+
+		// Allow special events to draw outside the lines
+		special = jQuery.event.special[ type ] || {};
+		if ( !onlyHandlers && special.trigger && special.trigger.apply( elem, data ) === false ) {
+			return;
+		}
+
+		// Determine event propagation path in advance, per W3C events spec (#9951)
+		// Bubble up to document, then to window; watch for a global ownerDocument var (#9724)
+		if ( !onlyHandlers && !special.noBubble && !jQuery.isWindow( elem ) ) {
+
+			bubbleType = special.delegateType || type;
+			if ( !rfocusMorph.test( bubbleType + type ) ) {
+				cur = cur.parentNode;
+			}
+			for ( ; cur; cur = cur.parentNode ) {
+				eventPath.push( cur );
+				tmp = cur;
+			}
+
+			// Only add window if we got to document (e.g., not plain obj or detached DOM)
+			if ( tmp === (elem.ownerDocument || document) ) {
+				eventPath.push( tmp.defaultView || tmp.parentWindow || window );
+			}
+		}
+
+		// Fire handlers on the event path
+		i = 0;
+		while ( (cur = eventPath[i++]) && !event.isPropagationStopped() ) {
+
+			event.type = i > 1 ?
+				bubbleType :
+				special.bindType || type;
+
+			// jQuery handler
+			handle = ( data_priv.get( cur, "events" ) || {} )[ event.type ] && data_priv.get( cur, "handle" );
+			if ( handle ) {
+				handle.apply( cur, data );
+			}
+
+			// Native handler
+			handle = ontype && cur[ ontype ];
+			if ( handle && handle.apply && jQuery.acceptData( cur ) ) {
+				event.result = handle.apply( cur, data );
+				if ( event.result === false ) {
+					event.preventDefault();
+				}
+			}
+		}
+		event.type = type;
+
+		// If nobody prevented the default action, do it now
+		if ( !onlyHandlers && !event.isDefaultPrevented() ) {
+
+			if ( (!special._default || special._default.apply( eventPath.pop(), data ) === false) &&
+				jQuery.acceptData( elem ) ) {
+
+				// Call a native DOM method on the target with the same name name as the event.
+				// Don't do default actions on window, that's where global variables be (#6170)
+				if ( ontype && jQuery.isFunction( elem[ type ] ) && !jQuery.isWindow( elem ) ) {
+
+					// Don't re-trigger an onFOO event when we call its FOO() method
+					tmp = elem[ ontype ];
+
+					if ( tmp ) {
+						elem[ ontype ] = null;
+					}
+
+					// Prevent re-triggering of the same event, since we already bubbled it above
+					jQuery.event.triggered = type;
+					elem[ type ]();
+					jQuery.event.triggered = undefined;
+
+					if ( tmp ) {
+						elem[ ontype ] = tmp;
+					}
+				}
+			}
+		}
+
+		return event.result;
+	},
+
+	dispatch: function( event ) {
+
+		// Make a writable jQuery.Event from the native event object
+		event = jQuery.event.fix( event );
+
+		var i, j, ret, matched, handleObj,
+			handlerQueue = [],
+			args = slice.call( arguments ),
+			handlers = ( data_priv.get( this, "events" ) || {} )[ event.type ] || [],
+			special = jQuery.event.special[ event.type ] || {};
+
+		// Use the fix-ed jQuery.Event rather than the (read-only) native event
+		args[0] = event;
+		event.delegateTarget = this;
+
+		// Call the preDispatch hook for the mapped type, and let it bail if desired
+		if ( special.preDispatch && special.preDispatch.call( this, event ) === false ) {
+			return;
+		}
+
+		// Determine handlers
+		handlerQueue = jQuery.event.handlers.call( this, event, handlers );
+
+		// Run delegates first; they may want to stop propagation beneath us
+		i = 0;
+		while ( (matched = handlerQueue[ i++ ]) && !event.isPropagationStopped() ) {
+			event.currentTarget = matched.elem;
+
+			j = 0;
+			while ( (handleObj = matched.handlers[ j++ ]) && !event.isImmediatePropagationStopped() ) {
+
+				// Triggered event must either 1) have no namespace, or 2) have namespace(s)
+				// a subset or equal to those in the bound event (both can have no namespace).
+				if ( !event.namespace_re || event.namespace_re.test( handleObj.namespace ) ) {
+
+					event.handleObj = handleObj;
+					event.data = handleObj.data;
+
+					ret = ( (jQuery.event.special[ handleObj.origType ] || {}).handle || handleObj.handler )
+							.apply( matched.elem, args );
+
+					if ( ret !== undefined ) {
+						if ( (event.result = ret) === false ) {
+							event.preventDefault();
+							event.stopPropagation();
+						}
+					}
+				}
+			}
+		}
+
+		// Call the postDispatch hook for the mapped type
+		if ( special.postDispatch ) {
+			special.postDispatch.call( this, event );
+		}
+
+		return event.result;
+	},
+
+	handlers: function( event, handlers ) {
+		var i, matches, sel, handleObj,
+			handlerQueue = [],
+			delegateCount = handlers.delegateCount,
+			cur = event.target;
+
+		// Find delegate handlers
+		// Black-hole SVG <use> instance trees (#13180)
+		// Avoid non-left-click bubbling in Firefox (#3861)
+		if ( delegateCount && cur.nodeType && (!event.button || event.type !== "click") ) {
+
+			for ( ; cur !== this; cur = cur.parentNode || this ) {
+
+				// Don't process clicks on disabled elements (#6911, #8165, #11382, #11764)
+				if ( cur.disabled !== true || event.type !== "click" ) {
+					matches = [];
+					for ( i = 0; i < delegateCount; i++ ) {
+						handleObj = handlers[ i ];
+
+						// Don't conflict with Object.prototype properties (#13203)
+						sel = handleObj.selector + " ";
+
+						if ( matches[ sel ] === undefined ) {
+							matches[ sel ] = handleObj.needsContext ?
+								jQuery( sel, this ).index( cur ) >= 0 :
+								jQuery.find( sel, this, null, [ cur ] ).length;
+						}
+						if ( matches[ sel ] ) {
+							matches.push( handleObj );
+						}
+					}
+					if ( matches.length ) {
+						handlerQueue.push({ elem: cur, handlers: matches });
+					}
+				}
+			}
+		}
+
+		// Add the remaining (directly-bound) handlers
+		if ( delegateCount < handlers.length ) {
+			handlerQueue.push({ elem: this, handlers: handlers.slice( delegateCount ) });
+		}
+
+		return handlerQueue;
+	},
+
+	// Includes some event props shared by KeyEvent and MouseEvent
+	props: "altKey bubbles cancelable ctrlKey currentTarget eventPhase metaKey relatedTarget shiftKey target timeStamp view which".split(" "),
+
+	fixHooks: {},
+
+	keyHooks: {
+		props: "char charCode key keyCode".split(" "),
+		filter: function( event, original ) {
+
+			// Add which for key events
+			if ( event.which == null ) {
+				event.which = original.charCode != null ? original.charCode : original.keyCode;
+			}
+
+			return event;
+		}
+	},
+
+	mouseHooks: {
+		props: "button buttons clientX clientY offsetX offsetY pageX pageY screenX screenY toElement".split(" "),
+		filter: function( event, original ) {
+			var eventDoc, doc, body,
+				button = original.button;
+
+			// Calculate pageX/Y if missing and clientX/Y available
+			if ( event.pageX == null && original.clientX != null ) {
+				eventDoc = event.target.ownerDocument || document;
+				doc = eventDoc.documentElement;
+				body = eventDoc.body;
+
+				event.pageX = original.clientX + ( doc && doc.scrollLeft || body && body.scrollLeft || 0 ) - ( doc && doc.clientLeft || body && body.clientLeft || 0 );
+				event.pageY = original.clientY + ( doc && doc.scrollTop  || body && body.scrollTop  || 0 ) - ( doc && doc.clientTop  || body && body.clientTop  || 0 );
+			}
+
+			// Add which for click: 1 === left; 2 === middle; 3 === right
+			// Note: button is not normalized, so don't use it
+			if ( !event.which && button !== undefined ) {
+				event.which = ( button & 1 ? 1 : ( button & 2 ? 3 : ( button & 4 ? 2 : 0 ) ) );
+			}
+
+			return event;
+		}
+	},
+
+	fix: function( event ) {
+		if ( event[ jQuery.expando ] ) {
+			return event;
+		}
+
+		// Create a writable copy of the event object and normalize some properties
+		var i, prop, copy,
+			type = event.type,
+			originalEvent = event,
+			fixHook = this.fixHooks[ type ];
+
+		if ( !fixHook ) {
+			this.fixHooks[ type ] = fixHook =
+				rmouseEvent.test( type ) ? this.mouseHooks :
+				rkeyEvent.test( type ) ? this.keyHooks :
+				{};
+		}
+		copy = fixHook.props ? this.props.concat( fixHook.props ) : this.props;
+
+		event = new jQuery.Event( originalEvent );
+
+		i = copy.length;
+		while ( i-- ) {
+			prop = copy[ i ];
+			event[ prop ] = originalEvent[ prop ];
+		}
+
+		// Support: Cordova 2.5 (WebKit) (#13255)
+		// All events should have a target; Cordova deviceready doesn't
+		if ( !event.target ) {
+			event.target = document;
+		}
+
+		// Support: Safari 6.0+, Chrome<28
+		// Target should not be a text node (#504, #13143)
+		if ( event.target.nodeType === 3 ) {
+			event.target = event.target.parentNode;
+		}
+
+		return fixHook.filter ? fixHook.filter( event, originalEvent ) : event;
+	},
+
+	special: {
+		load: {
+			// Prevent triggered image.load events from bubbling to window.load
+			noBubble: true
+		},
+		focus: {
+			// Fire native event if possible so blur/focus sequence is correct
+			trigger: function() {
+				if ( this !== safeActiveElement() && this.focus ) {
+					this.focus();
+					return false;
+				}
+			},
+			delegateType: "focusin"
+		},
+		blur: {
+			trigger: function() {
+				if ( this === safeActiveElement() && this.blur ) {
+					this.blur();
+					return false;
+				}
+			},
+			delegateType: "focusout"
+		},
+		click: {
+			// For checkbox, fire native event so checked state will be right
+			trigger: function() {
+				if ( this.type === "checkbox" && this.click && jQuery.nodeName( this, "input" ) ) {
+					this.click();
+					return false;
+				}
+			},
+
+			// For cross-browser consistency, don't fire native .click() on links
+			_default: function( event ) {
+				return jQuery.nodeName( event.target, "a" );
+			}
+		},
+
+		beforeunload: {
+			postDispatch: function( event ) {
+
+				// Support: Firefox 20+
+				// Firefox doesn't alert if the returnValue field is not set.
+				if ( event.result !== undefined && event.originalEvent ) {
+					event.originalEvent.returnValue = event.result;
+				}
+			}
+		}
+	},
+
+	simulate: function( type, elem, event, bubble ) {
+		// Piggyback on a donor event to simulate a different one.
+		// Fake originalEvent to avoid donor's stopPropagation, but if the
+		// simulated event prevents default then we do the same on the donor.
+		var e = jQuery.extend(
+			new jQuery.Event(),
+			event,
+			{
+				type: type,
+				isSimulated: true,
+				originalEvent: {}
+			}
+		);
+		if ( bubble ) {
+			jQuery.event.trigger( e, null, elem );
+		} else {
+			jQuery.event.dispatch.call( elem, e );
+		}
+		if ( e.isDefaultPrevented() ) {
+			event.preventDefault();
+		}
+	}
+};
+
+jQuery.removeEvent = function( elem, type, handle ) {
+	if ( elem.removeEventListener ) {
+		elem.removeEventListener( type, handle, false );
+	}
+};
+
+jQuery.Event = function( src, props ) {
+	// Allow instantiation without the 'new' keyword
+	if ( !(this instanceof jQuery.Event) ) {
+		return new jQuery.Event( src, props );
+	}
+
+	// Event object
+	if ( src && src.type ) {
+		this.originalEvent = src;
+		this.type = src.type;
+
+		// Events bubbling up the document may have been marked as prevented
+		// by a handler lower down the tree; reflect the correct value.
+		this.isDefaultPrevented = src.defaultPrevented ||
+				src.defaultPrevented === undefined &&
+				// Support: Android<4.0
+				src.returnValue === false ?
+			returnTrue :
+			returnFalse;
+
+	// Event type
+	} else {
+		this.type = src;
+	}
+
+	// Put explicitly provided properties onto the event object
+	if ( props ) {
+		jQuery.extend( this, props );
+	}
+
+	// Create a timestamp if incoming event doesn't have one
+	this.timeStamp = src && src.timeStamp || jQuery.now();
+
+	// Mark it as fixed
+	this[ jQuery.expando ] = true;
+};
+
+// jQuery.Event is based on DOM3 Events as specified by the ECMAScript Language Binding
+// http://www.w3.org/TR/2003/WD-DOM-Level-3-Events-20030331/ecma-script-binding.html
+jQuery.Event.prototype = {
+	isDefaultPrevented: returnFalse,
+	isPropagationStopped: returnFalse,
+	isImmediatePropagationStopped: returnFalse,
+
+	preventDefault: function() {
+		var e = this.originalEvent;
+
+		this.isDefaultPrevented = returnTrue;
+
+		if ( e && e.preventDefault ) {
+			e.preventDefault();
+		}
+	},
+	stopPropagation: function() {
+		var e = this.originalEvent;
+
+		this.isPropagationStopped = returnTrue;
+
+		if ( e && e.stopPropagation ) {
+			e.stopPropagation();
+		}
+	},
+	stopImmediatePropagation: function() {
+		var e = this.originalEvent;
+
+		this.isImmediatePropagationStopped = returnTrue;
+
+		if ( e && e.stopImmediatePropagation ) {
+			e.stopImmediatePropagation();
+		}
+
+		this.stopPropagation();
+	}
+};
+
+// Create mouseenter/leave events using mouseover/out and event-time checks
+// Support: Chrome 15+
+jQuery.each({
+	mouseenter: "mouseover",
+	mouseleave: "mouseout",
+	pointerenter: "pointerover",
+	pointerleave: "pointerout"
+}, function( orig, fix ) {
+	jQuery.event.special[ orig ] = {
+		delegateType: fix,
+		bindType: fix,
+
+		handle: function( event ) {
+			var ret,
+				target = this,
+				related = event.relatedTarget,
+				handleObj = event.handleObj;
+
+			// For mousenter/leave call the handler if related is outside the target.
+			// NB: No relatedTarget if the mouse left/entered the browser window
+			if ( !related || (related !== target && !jQuery.contains( target, related )) ) {
+				event.type = handleObj.origType;
+				ret = handleObj.handler.apply( this, arguments );
+				event.type = fix;
+			}
+			return ret;
+		}
+	};
+});
+
+// Support: Firefox, Chrome, Safari
+// Create "bubbling" focus and blur events
+if ( !support.focusinBubbles ) {
+	jQuery.each({ focus: "focusin", blur: "focusout" }, function( orig, fix ) {
+
+		// Attach a single capturing handler on the document while someone wants focusin/focusout
+		var handler = function( event ) {
+				jQuery.event.simulate( fix, event.target, jQuery.event.fix( event ), true );
+			};
+
+		jQuery.event.special[ fix ] = {
+			setup: function() {
+				var doc = this.ownerDocument || this,
+					attaches = data_priv.access( doc, fix );
+
+				if ( !attaches ) {
+					doc.addEventListener( orig, handler, true );
+				}
+				data_priv.access( doc, fix, ( attaches || 0 ) + 1 );
+			},
+			teardown: function() {
+				var doc = this.ownerDocument || this,
+					attaches = data_priv.access( doc, fix ) - 1;
+
+				if ( !attaches ) {
+					doc.removeEventListener( orig, handler, true );
+					data_priv.remove( doc, fix );
+
+				} else {
+					data_priv.access( doc, fix, attaches );
+				}
+			}
+		};
+	});
+}
+
+jQuery.fn.extend({
+
+	on: function( types, selector, data, fn, /*INTERNAL*/ one ) {
+		var origFn, type;
+
+		// Types can be a map of types/handlers
+		if ( typeof types === "object" ) {
+			// ( types-Object, selector, data )
+			if ( typeof selector !== "string" ) {
+				// ( types-Object, data )
+				data = data || selector;
+				selector = undefined;
+			}
+			for ( type in types ) {
+				this.on( type, selector, data, types[ type ], one );
+			}
+			return this;
+		}
+
+		if ( data == null && fn == null ) {
+			// ( types, fn )
+			fn = selector;
+			data = selector = undefined;
+		} else if ( fn == null ) {
+			if ( typeof selector === "string" ) {
+				// ( types, selector, fn )
+				fn = data;
+				data = undefined;
+			} else {
+				// ( types, data, fn )
+				fn = data;
+				data = selector;
+				selector = undefined;
+			}
+		}
+		if ( fn === false ) {
+			fn = returnFalse;
+		} else if ( !fn ) {
+			return this;
+		}
+
+		if ( one === 1 ) {
+			origFn = fn;
+			fn = function( event ) {
+				// Can use an empty set, since event contains the info
+				jQuery().off( event );
+				return origFn.apply( this, arguments );
+			};
+			// Use same guid so caller can remove using origFn
+			fn.guid = origFn.guid || ( origFn.guid = jQuery.guid++ );
+		}
+		return this.each( function() {
+			jQuery.event.add( this, types, fn, data, selector );
+		});
+	},
+	one: function( types, selector, data, fn ) {
+		return this.on( types, selector, data, fn, 1 );
+	},
+	off: function( types, selector, fn ) {
+		var handleObj, type;
+		if ( types && types.preventDefault && types.handleObj ) {
+			// ( event )  dispatched jQuery.Event
+			handleObj = types.handleObj;
+			jQuery( types.delegateTarget ).off(
+				handleObj.namespace ? handleObj.origType + "." + handleObj.namespace : handleObj.origType,
+				handleObj.selector,
+				handleObj.handler
+			);
+			return this;
+		}
+		if ( typeof types === "object" ) {
+			// ( types-object [, selector] )
+			for ( type in types ) {
+				this.off( type, selector, types[ type ] );
+			}
+			return this;
+		}
+		if ( selector === false || typeof selector === "function" ) {
+			// ( types [, fn] )
+			fn = selector;
+			selector = undefined;
+		}
+		if ( fn === false ) {
+			fn = returnFalse;
+		}
+		return this.each(function() {
+			jQuery.event.remove( this, types, fn, selector );
+		});
+	},
+
+	trigger: function( type, data ) {
+		return this.each(function() {
+			jQuery.event.trigger( type, data, this );
+		});
+	},
+	triggerHandler: function( type, data ) {
+		var elem = this[0];
+		if ( elem ) {
+			return jQuery.event.trigger( type, data, elem, true );
+		}
+	}
+});
+
+
+var
+	rxhtmlTag = /<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/gi,
+	rtagName = /<([\w:]+)/,
+	rhtml = /<|&#?\w+;/,
+	rnoInnerhtml = /<(?:script|style|link)/i,
+	// checked="checked" or checked
+	rchecked = /checked\s*(?:[^=]|=\s*.checked.)/i,
+	rscriptType = /^$|\/(?:java|ecma)script/i,
+	rscriptTypeMasked = /^true\/(.*)/,
+	rcleanScript = /^\s*<!(?:\[CDATA\[|--)|(?:\]\]|--)>\s*$/g,
+
+	// We have to close these tags to support XHTML (#13200)
+	wrapMap = {
+
+		// Support: IE9
+		option: [ 1, "<select multiple='multiple'>", "</select>" ],
+
+		thead: [ 1, "<table>", "</table>" ],
+		col: [ 2, "<table><colgroup>", "</colgroup></table>" ],
+		tr: [ 2, "<table><tbody>", "</tbody></table>" ],
+		td: [ 3, "<table><tbody><tr>", "</tr></tbody></table>" ],
+
+		_default: [ 0, "", "" ]
+	};
+
+// Support: IE9
+wrapMap.optgroup = wrapMap.option;
+
+wrapMap.tbody = wrapMap.tfoot = wrapMap.colgroup = wrapMap.caption = wrapMap.thead;
+wrapMap.th = wrapMap.td;
+
+// Support: 1.x compatibility
+// Manipulating tables requires a tbody
+function manipulationTarget( elem, content ) {
+	return jQuery.nodeName( elem, "table" ) &&
+		jQuery.nodeName( content.nodeType !== 11 ? content : content.firstChild, "tr" ) ?
+
+		elem.getElementsByTagName("tbody")[0] ||
+			elem.appendChild( elem.ownerDocument.createElement("tbody") ) :
+		elem;
+}
+
+// Replace/restore the type attribute of script elements for safe DOM manipulation
+function disableScript( elem ) {
+	elem.type = (elem.getAttribute("type") !== null) + "/" + elem.type;
+	return elem;
+}
+function restoreScript( elem ) {
+	var match = rscriptTypeMasked.exec( elem.type );
+
+	if ( match ) {
+		elem.type = match[ 1 ];
+	} else {
+		elem.removeAttribute("type");
+	}
+
+	return elem;
+}
+
+// Mark scripts as having already been evaluated
+function setGlobalEval( elems, refElements ) {
+	var i = 0,
+		l = elems.length;
+
+	for ( ; i < l; i++ ) {
+		data_priv.set(
+			elems[ i ], "globalEval", !refElements || data_priv.get( refElements[ i ], "globalEval" )
+		);
+	}
+}
+
+function cloneCopyEvent( src, dest ) {
+	var i, l, type, pdataOld, pdataCur, udataOld, udataCur, events;
+
+	if ( dest.nodeType !== 1 ) {
+		return;
+	}
+
+	// 1. Copy private data: events, handlers, etc.
+	if ( data_priv.hasData( src ) ) {
+		pdataOld = data_priv.access( src );
+		pdataCur = data_priv.set( dest, pdataOld );
+		events = pdataOld.events;
+
+		if ( events ) {
+			delete pdataCur.handle;
+			pdataCur.events = {};
+
+			for ( type in events ) {
+				for ( i = 0, l = events[ type ].length; i < l; i++ ) {
+					jQuery.event.add( dest, type, events[ type ][ i ] );
+				}
+			}
+		}
+	}
+
+	// 2. Copy user data
+	if ( data_user.hasData( src ) ) {
+		udataOld = data_user.access( src );
+		udataCur = jQuery.extend( {}, udataOld );
+
+		data_user.set( dest, udataCur );
+	}
+}
+
+function getAll( context, tag ) {
+	var ret = context.getElementsByTagName ? context.getElementsByTagName( tag || "*" ) :
+			context.querySelectorAll ? context.querySelectorAll( tag || "*" ) :
+			[];
+
+	return tag === undefined || tag && jQuery.nodeName( context, tag ) ?
+		jQuery.merge( [ context ], ret ) :
+		ret;
+}
+
+// Fix IE bugs, see support tests
+function fixInput( src, dest ) {
+	var nodeName = dest.nodeName.toLowerCase();
+
+	// Fails to persist the checked state of a cloned checkbox or radio button.
+	if ( nodeName === "input" && rcheckableType.test( src.type ) ) {
+		dest.checked = src.checked;
+
+	// Fails to return the selected option to the default selected state when cloning options
+	} else if ( nodeName === "input" || nodeName === "textarea" ) {
+		dest.defaultValue = src.defaultValue;
+	}
+}
+
+jQuery.extend({
+	clone: function( elem, dataAndEvents, deepDataAndEvents ) {
+		var i, l, srcElements, destElements,
+			clone = elem.cloneNode( true ),
+			inPage = jQuery.contains( elem.ownerDocument, elem );
+
+		// Fix IE cloning issues
+		if ( !support.noCloneChecked && ( elem.nodeType === 1 || elem.nodeType === 11 ) &&
+				!jQuery.isXMLDoc( elem ) ) {
+
+			// We eschew Sizzle here for performance reasons: http://jsperf.com/getall-vs-sizzle/2
+			destElements = getAll( clone );
+			srcElements = getAll( elem );
+
+			for ( i = 0, l = srcElements.length; i < l; i++ ) {
+				fixInput( srcElements[ i ], destElements[ i ] );
+			}
+		}
+
+		// Copy the events from the original to the clone
+		if ( dataAndEvents ) {
+			if ( deepDataAndEvents ) {
+				srcElements = srcElements || getAll( elem );
+				destElements = destElements || getAll( clone );
+
+				for ( i = 0, l = srcElements.length; i < l; i++ ) {
+					cloneCopyEvent( srcElements[ i ], destElements[ i ] );
+				}
+			} else {
+				cloneCopyEvent( elem, clone );
+			}
+		}
+
+		// Preserve script evaluation history
+		destElements = getAll( clone, "script" );
+		if ( destElements.length > 0 ) {
+			setGlobalEval( destElements, !inPage && getAll( elem, "script" ) );
+		}
+
+		// Return the cloned set
+		return clone;
+	},
+
+	buildFragment: function( elems, context, scripts, selection ) {
+		var elem, tmp, tag, wrap, contains, j,
+			fragment = context.createDocumentFragment(),
+			nodes = [],
+			i = 0,
+			l = elems.length;
+
+		for ( ; i < l; i++ ) {
+			elem = elems[ i ];
+
+			if ( elem || elem === 0 ) {
+
+				// Add nodes directly
+				if ( jQuery.type( elem ) === "object" ) {
+					// Support: QtWebKit, PhantomJS
+					// push.apply(_, arraylike) throws on ancient WebKit
+					jQuery.merge( nodes, elem.nodeType ? [ elem ] : elem );
+
+				// Convert non-html into a text node
+				} else if ( !rhtml.test( elem ) ) {
+					nodes.push( context.createTextNode( elem ) );
+
+				// Convert html into DOM nodes
+				} else {
+					tmp = tmp || fragment.appendChild( context.createElement("div") );
+
+					// Deserialize a standard representation
+					tag = ( rtagName.exec( elem ) || [ "", "" ] )[ 1 ].toLowerCase();
+					wrap = wrapMap[ tag ] || wrapMap._default;
+					tmp.innerHTML = wrap[ 1 ] + elem.replace( rxhtmlTag, "<$1></$2>" ) + wrap[ 2 ];
+
+					// Descend through wrappers to the right content
+					j = wrap[ 0 ];
+					while ( j-- ) {
+						tmp = tmp.lastChild;
+					}
+
+					// Support: QtWebKit, PhantomJS
+					// push.apply(_, arraylike) throws on ancient WebKit
+					jQuery.merge( nodes, tmp.childNodes );
+
+					// Remember the top-level container
+					tmp = fragment.firstChild;
+
+					// Ensure the created nodes are orphaned (#12392)
+					tmp.textContent = "";
+				}
+			}
+		}
+
+		// Remove wrapper from fragment
+		fragment.textContent = "";
+
+		i = 0;
+		while ( (elem = nodes[ i++ ]) ) {
+
+			// #4087 - If origin and destination elements are the same, and this is
+			// that element, do not do anything
+			if ( selection && jQuery.inArray( elem, selection ) !== -1 ) {
+				continue;
+			}
+
+			contains = jQuery.contains( elem.ownerDocument, elem );
+
+			// Append to fragment
+			tmp = getAll( fragment.appendChild( elem ), "script" );
+
+			// Preserve script evaluation history
+			if ( contains ) {
+				setGlobalEval( tmp );
+			}
+
+			// Capture executables
+			if ( scripts ) {
+				j = 0;
+				while ( (elem = tmp[ j++ ]) ) {
+					if ( rscriptType.test( elem.type || "" ) ) {
+						scripts.push( elem );
+					}
+				}
+			}
+		}
+
+		return fragment;
+	},
+
+	cleanData: function( elems ) {
+		var data, elem, type, key,
+			special = jQuery.event.special,
+			i = 0;
+
+		for ( ; (elem = elems[ i ]) !== undefined; i++ ) {
+			if ( jQuery.acceptData( elem ) ) {
+				key = elem[ data_priv.expando ];
+
+				if ( key && (data = data_priv.cache[ key ]) ) {
+					if ( data.events ) {
+						for ( type in data.events ) {
+							if ( special[ type ] ) {
+								jQuery.event.remove( elem, type );
+
+							// This is a shortcut to avoid jQuery.event.remove's overhead
+							} else {
+								jQuery.removeEvent( elem, type, data.handle );
+							}
+						}
+					}
+					if ( data_priv.cache[ key ] ) {
+						// Discard any remaining `private` data
+						delete data_priv.cache[ key ];
+					}
+				}
+			}
+			// Discard any remaining `user` data
+			delete data_user.cache[ elem[ data_user.expando ] ];
+		}
+	}
+});
+
+jQuery.fn.extend({
+	text: function( value ) {
+		return access( this, function( value ) {
+			return value === undefined ?
+				jQuery.text( this ) :
+				this.empty().each(function() {
+					if ( this.nodeType === 1 || this.nodeType === 11 || this.nodeType === 9 ) {
+						this.textContent = value;
+					}
+				});
+		}, null, value, arguments.length );
+	},
+
+	append: function() {
+		return this.domManip( arguments, function( elem ) {
+			if ( this.nodeType === 1 || this.nodeType === 11 || this.nodeType === 9 ) {
+				var target = manipulationTarget( this, elem );
+				target.appendChild( elem );
+			}
+		});
+	},
+
+	prepend: function() {
+		return this.domManip( arguments, function( elem ) {
+			if ( this.nodeType === 1 || this.nodeType === 11 || this.nodeType === 9 ) {
+				var target = manipulationTarget( this, elem );
+				target.insertBefore( elem, target.firstChild );
+			}
+		});
+	},
+
+	before: function() {
+		return this.domManip( arguments, function( elem ) {
+			if ( this.parentNode ) {
+				this.parentNode.insertBefore( elem, this );
+			}
+		});
+	},
+
+	after: function() {
+		return this.domManip( arguments, function( elem ) {
+			if ( this.parentNode ) {
+				this.parentNode.insertBefore( elem, this.nextSibling );
+			}
+		});
+	},
+
+	remove: function( selector, keepData /* Internal Use Only */ ) {
+		var elem,
+			elems = selector ? jQuery.filter( selector, this ) : this,
+			i = 0;
+
+		for ( ; (elem = elems[i]) != null; i++ ) {
+			if ( !keepData && elem.nodeType === 1 ) {
+				jQuery.cleanData( getAll( elem ) );
+			}
+
+			if ( elem.parentNode ) {
+				if ( keepData && jQuery.contains( elem.ownerDocument, elem ) ) {
+					setGlobalEval( getAll( elem, "script" ) );
+				}
+				elem.parentNode.removeChild( elem );
+			}
+		}
+
+		return this;
+	},
+
+	empty: function() {
+		var elem,
+			i = 0;
+
+		for ( ; (elem = this[i]) != null; i++ ) {
+			if ( elem.nodeType === 1 ) {
+
+				// Prevent memory leaks
+				jQuery.cleanData( getAll( elem, false ) );
+
+				// Remove any remaining nodes
+				elem.textContent = "";
+			}
+		}
+
+		return this;
+	},
+
+	clone: function( dataAndEvents, deepDataAndEvents ) {
+		dataAndEvents = dataAndEvents == null ? false : dataAndEvents;
+		deepDataAndEvents = deepDataAndEvents == null ? dataAndEvents : deepDataAndEvents;
+
+		return this.map(function() {
+			return jQuery.clone( this, dataAndEvents, deepDataAndEvents );
+		});
+	},
+
+	html: function( value ) {
+		return access( this, function( value ) {
+			var elem = this[ 0 ] || {},
+				i = 0,
+				l = this.length;
+
+			if ( value === undefined && elem.nodeType === 1 ) {
+				return elem.innerHTML;
+			}
+
+			// See if we can take a shortcut and just use innerHTML
+			if ( typeof value === "string" && !rnoInnerhtml.test( value ) &&
+				!wrapMap[ ( rtagName.exec( value ) || [ "", "" ] )[ 1 ].toLowerCase() ] ) {
+
+				value = value.replace( rxhtmlTag, "<$1></$2>" );
+
+				try {
+					for ( ; i < l; i++ ) {
+						elem = this[ i ] || {};
+
+						// Remove element nodes and prevent memory leaks
+						if ( elem.nodeType === 1 ) {
+							jQuery.cleanData( getAll( elem, false ) );
+							elem.innerHTML = value;
+						}
+					}
+
+					elem = 0;
+
+				// If using innerHTML throws an exception, use the fallback method
+				} catch( e ) {}
+			}
+
+			if ( elem ) {
+				this.empty().append( value );
+			}
+		}, null, value, arguments.length );
+	},
+
+	replaceWith: function() {
+		var arg = arguments[ 0 ];
+
+		// Make the changes, replacing each context element with the new content
+		this.domManip( arguments, function( elem ) {
+			arg = this.parentNode;
+
+			jQuery.cleanData( getAll( this ) );
+
+			if ( arg ) {
+				arg.replaceChild( elem, this );
+			}
+		});
+
+		// Force removal if there was no new content (e.g., from empty arguments)
+		return arg && (arg.length || arg.nodeType) ? this : this.remove();
+	},
+
+	detach: function( selector ) {
+		return this.remove( selector, true );
+	},
+
+	domManip: function( args, callback ) {
+
+		// Flatten any nested arrays
+		args = concat.apply( [], args );
+
+		var fragment, first, scripts, hasScripts, node, doc,
+			i = 0,
+			l = this.length,
+			set = this,
+			iNoClone = l - 1,
+			value = args[ 0 ],
+			isFunction = jQuery.isFunction( value );
+
+		// We can't cloneNode fragments that contain checked, in WebKit
+		if ( isFunction ||
+				( l > 1 && typeof value === "string" &&
+					!support.checkClone && rchecked.test( value ) ) ) {
+			return this.each(function( index ) {
+				var self = set.eq( index );
+				if ( isFunction ) {
+					args[ 0 ] = value.call( this, index, self.html() );
+				}
+				self.domManip( args, callback );
+			});
+		}
+
+		if ( l ) {
+			fragment = jQuery.buildFragment( args, this[ 0 ].ownerDocument, false, this );
+			first = fragment.firstChild;
+
+			if ( fragment.childNodes.length === 1 ) {
+				fragment = first;
+			}
+
+			if ( first ) {
+				scripts = jQuery.map( getAll( fragment, "script" ), disableScript );
+				hasScripts = scripts.length;
+
+				// Use the original fragment for the last item instead of the first because it can end up
+				// being emptied incorrectly in certain situations (#8070).
+				for ( ; i < l; i++ ) {
+					node = fragment;
+
+					if ( i !== iNoClone ) {
+						node = jQuery.clone( node, true, true );
+
+						// Keep references to cloned scripts for later restoration
+						if ( hasScripts ) {
+							// Support: QtWebKit
+							// jQuery.merge because push.apply(_, arraylike) throws
+							jQuery.merge( scripts, getAll( node, "script" ) );
+						}
+					}
+
+					callback.call( this[ i ], node, i );
+				}
+
+				if ( hasScripts ) {
+					doc = scripts[ scripts.length - 1 ].ownerDocument;
+
+					// Reenable scripts
+					jQuery.map( scripts, restoreScript );
+
+					// Evaluate executable scripts on first document insertion
+					for ( i = 0; i < hasScripts; i++ ) {
+						node = scripts[ i ];
+						if ( rscriptType.test( node.type || "" ) &&
+							!data_priv.access( node, "globalEval" ) && jQuery.contains( doc, node ) ) {
+
+							if ( node.src ) {
+								// Optional AJAX dependency, but won't run scripts if not present
+								if ( jQuery._evalUrl ) {
+									jQuery._evalUrl( node.src );
+								}
+							} else {
+								jQuery.globalEval( node.textContent.replace( rcleanScript, "" ) );
+							}
+						}
+					}
+				}
+			}
+		}
+
+		return this;
+	}
+});
+
+jQuery.each({
+	appendTo: "append",
+	prependTo: "prepend",
+	insertBefore: "before",
+	insertAfter: "after",
+	replaceAll: "replaceWith"
+}, function( name, original ) {
+	jQuery.fn[ name ] = function( selector ) {
+		var elems,
+			ret = [],
+			insert = jQuery( selector ),
+			last = insert.length - 1,
+			i = 0;
+
+		for ( ; i <= last; i++ ) {
+			elems = i === last ? this : this.clone( true );
+			jQuery( insert[ i ] )[ original ]( elems );
+
+			// Support: QtWebKit
+			// .get() because push.apply(_, arraylike) throws
+			push.apply( ret, elems.get() );
+		}
+
+		return this.pushStack( ret );
+	};
+});
+
+
+var iframe,
+	elemdisplay = {};
+
+/**
+ * Retrieve the actual display of a element
+ * @param {String} name nodeName of the element
+ * @param {Object} doc Document object
+ */
+// Called only from within defaultDisplay
+function actualDisplay( name, doc ) {
+	var style,
+		elem = jQuery( doc.createElement( name ) ).appendTo( doc.body ),
+
+		// getDefaultComputedStyle might be reliably used only on attached element
+		display = window.getDefaultComputedStyle && ( style = window.getDefaultComputedStyle( elem[ 0 ] ) ) ?
+
+			// Use of this method is a temporary fix (more like optimization) until something better comes along,
+			// since it was removed from specification and supported only in FF
+			style.display : jQuery.css( elem[ 0 ], "display" );
+
+	// We don't have any data stored on the element,
+	// so use "detach" method as fast way to get rid of the element
+	elem.detach();
+
+	return display;
+}
+
+/**
+ * Try to determine the default display value of an element
+ * @param {String} nodeName
+ */
+function defaultDisplay( nodeName ) {
+	var doc = document,
+		display = elemdisplay[ nodeName ];
+
+	if ( !display ) {
+		display = actualDisplay( nodeName, doc );
+
+		// If the simple way fails, read from inside an iframe
+		if ( display === "none" || !display ) {
+
+			// Use the already-created iframe if possible
+			iframe = (iframe || jQuery( "<iframe frameborder='0' width='0' height='0'/>" )).appendTo( doc.documentElement );
+
+			// Always write a new HTML skeleton so Webkit and Firefox don't choke on reuse
+			doc = iframe[ 0 ].contentDocument;
+
+			// Support: IE
+			doc.write();
+			doc.close();
+
+			display = actualDisplay( nodeName, doc );
+			iframe.detach();
+		}
+
+		// Store the correct default display
+		elemdisplay[ nodeName ] = display;
+	}
+
+	return display;
+}
+var rmargin = (/^margin/);
+
+var rnumnonpx = new RegExp( "^(" + pnum + ")(?!px)[a-z%]+$", "i" );
+
+var getStyles = function( elem ) {
+		// Support: IE<=11+, Firefox<=30+ (#15098, #14150)
+		// IE throws on elements created in popups
+		// FF meanwhile throws on frame elements through "defaultView.getComputedStyle"
+		if ( elem.ownerDocument.defaultView.opener ) {
+			return elem.ownerDocument.defaultView.getComputedStyle( elem, null );
+		}
+
+		return window.getComputedStyle( elem, null );
+	};
+
+
+
+function curCSS( elem, name, computed ) {
+	var width, minWidth, maxWidth, ret,
+		style = elem.style;
+
+	computed = computed || getStyles( elem );
+
+	// Support: IE9
+	// getPropertyValue is only needed for .css('filter') (#12537)
+	if ( computed ) {
+		ret = computed.getPropertyValue( name ) || computed[ name ];
+	}
+
+	if ( computed ) {
+
+		if ( ret === "" && !jQuery.contains( elem.ownerDocument, elem ) ) {
+			ret = jQuery.style( elem, name );
+		}
+
+		// Support: iOS < 6
+		// A tribute to the "awesome hack by Dean Edwards"
+		// iOS < 6 (at least) returns percentage for a larger set of values, but width seems to be reliably pixels
+		// this is against the CSSOM draft spec: http://dev.w3.org/csswg/cssom/#resolved-values
+		if ( rnumnonpx.test( ret ) && rmargin.test( name ) ) {
+
+			// Remember the original values
+			width = style.width;
+			minWidth = style.minWidth;
+			maxWidth = style.maxWidth;
+
+			// Put in the new values to get a computed value out
+			style.minWidth = style.maxWidth = style.width = ret;
+			ret = computed.width;
+
+			// Revert the changed values
+			style.width = width;
+			style.minWidth = minWidth;
+			style.maxWidth = maxWidth;
+		}
+	}
+
+	return ret !== undefined ?
+		// Support: IE
+		// IE returns zIndex value as an integer.
+		ret + "" :
+		ret;
+}
+
+
+function addGetHookIf( conditionFn, hookFn ) {
+	// Define the hook, we'll check on the first run if it's really needed.
+	return {
+		get: function() {
+			if ( conditionFn() ) {
+				// Hook not needed (or it's not possible to use it due
+				// to missing dependency), remove it.
+				delete this.get;
+				return;
+			}
+
+			// Hook needed; redefine it so that the support test is not executed again.
+			return (this.get = hookFn).apply( this, arguments );
+		}
+	};
+}
+
+
+(function() {
+	var pixelPositionVal, boxSizingReliableVal,
+		docElem = document.documentElement,
+		container = document.createElement( "div" ),
+		div = document.createElement( "div" );
+
+	if ( !div.style ) {
+		return;
+	}
+
+	// Support: IE9-11+
+	// Style of cloned element affects source element cloned (#8908)
+	div.style.backgroundClip = "content-box";
+	div.cloneNode( true ).style.backgroundClip = "";
+	support.clearCloneStyle = div.style.backgroundClip === "content-box";
+
+	container.style.cssText = "border:0;width:0;height:0;top:0;left:-9999px;margin-top:1px;" +
+		"position:absolute";
+	container.appendChild( div );
+
+	// Executing both pixelPosition & boxSizingReliable tests require only one layout
+	// so they're executed at the same time to save the second computation.
+	function computePixelPositionAndBoxSizingReliable() {
+		div.style.cssText =
+			// Support: Firefox<29, Android 2.3
+			// Vendor-prefix box-sizing
+			"-webkit-box-sizing:border-box;-moz-box-sizing:border-box;" +
+			"box-sizing:border-box;display:block;margin-top:1%;top:1%;" +
+			"border:1px;padding:1px;width:4px;position:absolute";
+		div.innerHTML = "";
+		docElem.appendChild( container );
+
+		var divStyle = window.getComputedStyle( div, null );
+		pixelPositionVal = divStyle.top !== "1%";
+		boxSizingReliableVal = divStyle.width === "4px";
+
+		docElem.removeChild( container );
+	}
+
+	// Support: node.js jsdom
+	// Don't assume that getComputedStyle is a property of the global object
+	if ( window.getComputedStyle ) {
+		jQuery.extend( support, {
+			pixelPosition: function() {
+
+				// This test is executed only once but we still do memoizing
+				// since we can use the boxSizingReliable pre-computing.
+				// No need to check if the test was already performed, though.
+				computePixelPositionAndBoxSizingReliable();
+				return pixelPositionVal;
+			},
+			boxSizingReliable: function() {
+				if ( boxSizingReliableVal == null ) {
+					computePixelPositionAndBoxSizingReliable();
+				}
+				return boxSizingReliableVal;
+			},
+			reliableMarginRight: function() {
+
+				// Support: Android 2.3
+				// Check if div with explicit width and no margin-right incorrectly
+				// gets computed margin-right based on width of container. (#3333)
+				// WebKit Bug 13343 - getComputedStyle returns wrong value for margin-right
+				// This support function is only executed once so no memoizing is needed.
+				var ret,
+					marginDiv = div.appendChild( document.createElement( "div" ) );
+
+				// Reset CSS: box-sizing; display; margin; border; padding
+				marginDiv.style.cssText = div.style.cssText =
+					// Support: Firefox<29, Android 2.3
+					// Vendor-prefix box-sizing
+					"-webkit-box-sizing:content-box;-moz-box-sizing:content-box;" +
+					"box-sizing:content-box;display:block;margin:0;border:0;padding:0";
+				marginDiv.style.marginRight = marginDiv.style.width = "0";
+				div.style.width = "1px";
+				docElem.appendChild( container );
+
+				ret = !parseFloat( window.getComputedStyle( marginDiv, null ).marginRight );
+
+				docElem.removeChild( container );
+				div.removeChild( marginDiv );
+
+				return ret;
+			}
+		});
+	}
+})();
+
+
+// A method for quickly swapping in/out CSS properties to get correct calculations.
+jQuery.swap = function( elem, options, callback, args ) {
+	var ret, name,
+		old = {};
+
+	// Remember the old values, and insert the new ones
+	for ( name in options ) {
+		old[ name ] = elem.style[ name ];
+		elem.style[ name ] = options[ name ];
+	}
+
+	ret = callback.apply( elem, args || [] );
+
+	// Revert the old values
+	for ( name in options ) {
+		elem.style[ name ] = old[ name ];
+	}
+
+	return ret;
+};
+
+
+var
+	// Swappable if display is none or starts with table except "table", "table-cell", or "table-caption"
+	// See here for display values: https://developer.mozilla.org/en-US/docs/CSS/display
+	rdisplayswap = /^(none|table(?!-c[ea]).+)/,
+	rnumsplit = new RegExp( "^(" + pnum + ")(.*)$", "i" ),
+	rrelNum = new RegExp( "^([+-])=(" + pnum + ")", "i" ),
+
+	cssShow = { position: "absolute", visibility: "hidden", display: "block" },
+	cssNormalTransform = {
+		letterSpacing: "0",
+		fontWeight: "400"
+	},
+
+	cssPrefixes = [ "Webkit", "O", "Moz", "ms" ];
+
+// Return a css property mapped to a potentially vendor prefixed property
+function vendorPropName( style, name ) {
+
+	// Shortcut for names that are not vendor prefixed
+	if ( name in style ) {
+		return name;
+	}
+
+	// Check for vendor prefixed names
+	var capName = name[0].toUpperCase() + name.slice(1),
+		origName = name,
+		i = cssPrefixes.length;
+
+	while ( i-- ) {
+		name = cssPrefixes[ i ] + capName;
+		if ( name in style ) {
+			return name;
+		}
+	}
+
+	return origName;
+}
+
+function setPositiveNumber( elem, value, subtract ) {
+	var matches = rnumsplit.exec( value );
+	return matches ?
+		// Guard against undefined "subtract", e.g., when used as in cssHooks
+		Math.max( 0, matches[ 1 ] - ( subtract || 0 ) ) + ( matches[ 2 ] || "px" ) :
+		value;
+}
+
+function augmentWidthOrHeight( elem, name, extra, isBorderBox, styles ) {
+	var i = extra === ( isBorderBox ? "border" : "content" ) ?
+		// If we already have the right measurement, avoid augmentation
+		4 :
+		// Otherwise initialize for horizontal or vertical properties
+		name === "width" ? 1 : 0,
+
+		val = 0;
+
+	for ( ; i < 4; i += 2 ) {
+		// Both box models exclude margin, so add it if we want it
+		if ( extra === "margin" ) {
+			val += jQuery.css( elem, extra + cssExpand[ i ], true, styles );
+		}
+
+		if ( isBorderBox ) {
+			// border-box includes padding, so remove it if we want content
+			if ( extra === "content" ) {
+				val -= jQuery.css( elem, "padding" + cssExpand[ i ], true, styles );
+			}
+
+			// At this point, extra isn't border nor margin, so remove border
+			if ( extra !== "margin" ) {
+				val -= jQuery.css( elem, "border" + cssExpand[ i ] + "Width", true, styles );
+			}
+		} else {
+			// At this point, extra isn't content, so add padding
+			val += jQuery.css( elem, "padding" + cssExpand[ i ], true, styles );
+
+			// At this point, extra isn't content nor padding, so add border
+			if ( extra !== "padding" ) {
+				val += jQuery.css( elem, "border" + cssExpand[ i ] + "Width", true, styles );
+			}
+		}
+	}
+
+	return val;
+}
+
+function getWidthOrHeight( elem, name, extra ) {
+
+	// Start with offset property, which is equivalent to the border-box value
+	var valueIsBorderBox = true,
+		val = name === "width" ? elem.offsetWidth : elem.offsetHeight,
+		styles = getStyles( elem ),
+		isBorderBox = jQuery.css( elem, "boxSizing", false, styles ) === "border-box";
+
+	// Some non-html elements return undefined for offsetWidth, so check for null/undefined
+	// svg - https://bugzilla.mozilla.org/show_bug.cgi?id=649285
+	// MathML - https://bugzilla.mozilla.org/show_bug.cgi?id=491668
+	if ( val <= 0 || val == null ) {
+		// Fall back to computed then uncomputed css if necessary
+		val = curCSS( elem, name, styles );
+		if ( val < 0 || val == null ) {
+			val = elem.style[ name ];
+		}
+
+		// Computed unit is not pixels. Stop here and return.
+		if ( rnumnonpx.test(val) ) {
+			return val;
+		}
+
+		// Check for style in case a browser which returns unreliable values
+		// for getComputedStyle silently falls back to the reliable elem.style
+		valueIsBorderBox = isBorderBox &&
+			( support.boxSizingReliable() || val === elem.style[ name ] );
+
+		// Normalize "", auto, and prepare for extra
+		val = parseFloat( val ) || 0;
+	}
+
+	// Use the active box-sizing model to add/subtract irrelevant styles
+	return ( val +
+		augmentWidthOrHeight(
+			elem,
+			name,
+			extra || ( isBorderBox ? "border" : "content" ),
+			valueIsBorderBox,
+			styles
+		)
+	) + "px";
+}
+
+function showHide( elements, show ) {
+	var display, elem, hidden,
+		values = [],
+		index = 0,
+		length = elements.length;
+
+	for ( ; index < length; index++ ) {
+		elem = elements[ index ];
+		if ( !elem.style ) {
+			continue;
+		}
+
+		values[ index ] = data_priv.get( elem, "olddisplay" );
+		display = elem.style.display;
+		if ( show ) {
+			// Reset the inline display of this element to learn if it is
+			// being hidden by cascaded rules or not
+			if ( !values[ index ] && display === "none" ) {
+				elem.style.display = "";
+			}
+
+			// Set elements which have been overridden with display: none
+			// in a stylesheet to whatever the default browser style is
+			// for such an element
+			if ( elem.style.display === "" && isHidden( elem ) ) {
+				values[ index ] = data_priv.access( elem, "olddisplay", defaultDisplay(elem.nodeName) );
+			}
+		} else {
+			hidden = isHidden( elem );
+
+			if ( display !== "none" || !hidden ) {
+				data_priv.set( elem, "olddisplay", hidden ? display : jQuery.css( elem, "display" ) );
+			}
+		}
+	}
+
+	// Set the display of most of the elements in a second loop
+	// to avoid the constant reflow
+	for ( index = 0; index < length; index++ ) {
+		elem = elements[ index ];
+		if ( !elem.style ) {
+			continue;
+		}
+		if ( !show || elem.style.display === "none" || elem.style.display === "" ) {
+			elem.style.display = show ? values[ index ] || "" : "none";
+		}
+	}
+
+	return elements;
+}
+
+jQuery.extend({
+
+	// Add in style property hooks for overriding the default
+	// behavior of getting and setting a style property
+	cssHooks: {
+		opacity: {
+			get: function( elem, computed ) {
+				if ( computed ) {
+
+					// We should always get a number back from opacity
+					var ret = curCSS( elem, "opacity" );
+					return ret === "" ? "1" : ret;
+				}
+			}
+		}
+	},
+
+	// Don't automatically add "px" to these possibly-unitless properties
+	cssNumber: {
+		"columnCount": true,
+		"fillOpacity": true,
+		"flexGrow": true,
+		"flexShrink": true,
+		"fontWeight": true,
+		"lineHeight": true,
+		"opacity": true,
+		"order": true,
+		"orphans": true,
+		"widows": true,
+		"zIndex": true,
+		"zoom": true
+	},
+
+	// Add in properties whose names you wish to fix before
+	// setting or getting the value
+	cssProps: {
+		"float": "cssFloat"
+	},
+
+	// Get and set the style property on a DOM Node
+	style: function( elem, name, value, extra ) {
+
+		// Don't set styles on text and comment nodes
+		if ( !elem || elem.nodeType === 3 || elem.nodeType === 8 || !elem.style ) {
+			return;
+		}
+
+		// Make sure that we're working with the right name
+		var ret, type, hooks,
+			origName = jQuery.camelCase( name ),
+			style = elem.style;
+
+		name = jQuery.cssProps[ origName ] || ( jQuery.cssProps[ origName ] = vendorPropName( style, origName ) );
+
+		// Gets hook for the prefixed version, then unprefixed version
+		hooks = jQuery.cssHooks[ name ] || jQuery.cssHooks[ origName ];
+
+		// Check if we're setting a value
+		if ( value !== undefined ) {
+			type = typeof value;
+
+			// Convert "+=" or "-=" to relative numbers (#7345)
+			if ( type === "string" && (ret = rrelNum.exec( value )) ) {
+				value = ( ret[1] + 1 ) * ret[2] + parseFloat( jQuery.css( elem, name ) );
+				// Fixes bug #9237
+				type = "number";
+			}
+
+			// Make sure that null and NaN values aren't set (#7116)
+			if ( value == null || value !== value ) {
+				return;
+			}
+
+			// If a number, add 'px' to the (except for certain CSS properties)
+			if ( type === "number" && !jQuery.cssNumber[ origName ] ) {
+				value += "px";
+			}
+
+			// Support: IE9-11+
+			// background-* props affect original clone's values
+			if ( !support.clearCloneStyle && value === "" && name.indexOf( "background" ) === 0 ) {
+				style[ name ] = "inherit";
+			}
+
+			// If a hook was provided, use that value, otherwise just set the specified value
+			if ( !hooks || !("set" in hooks) || (value = hooks.set( elem, value, extra )) !== undefined ) {
+				style[ name ] = value;
+			}
+
+		} else {
+			// If a hook was provided get the non-computed value from there
+			if ( hooks && "get" in hooks && (ret = hooks.get( elem, false, extra )) !== undefined ) {
+				return ret;
+			}
+
+			// Otherwise just get the value from the style object
+			return style[ name ];
+		}
+	},
+
+	css: function( elem, name, extra, styles ) {
+		var val, num, hooks,
+			origName = jQuery.camelCase( name );
+
+		// Make sure that we're working with the right name
+		name = jQuery.cssProps[ origName ] || ( jQuery.cssProps[ origName ] = vendorPropName( elem.style, origName ) );
+
+		// Try prefixed name followed by the unprefixed name
+		hooks = jQuery.cssHooks[ name ] || jQuery.cssHooks[ origName ];
+
+		// If a hook was provided get the computed value from there
+		if ( hooks && "get" in hooks ) {
+			val = hooks.get( elem, true, extra );
+		}
+
+		// Otherwise, if a way to get the computed value exists, use that
+		if ( val === undefined ) {
+			val = curCSS( elem, name, styles );
+		}
+
+		// Convert "normal" to computed value
+		if ( val === "normal" && name in cssNormalTransform ) {
+			val = cssNormalTransform[ name ];
+		}
+
+		// Make numeric if forced or a qualifier was provided and val looks numeric
+		if ( extra === "" || extra ) {
+			num = parseFloat( val );
+			return extra === true || jQuery.isNumeric( num ) ? num || 0 : val;
+		}
+		return val;
+	}
+});
+
+jQuery.each([ "height", "width" ], function( i, name ) {
+	jQuery.cssHooks[ name ] = {
+		get: function( elem, computed, extra ) {
+			if ( computed ) {
+
+				// Certain elements can have dimension info if we invisibly show them
+				// but it must have a current display style that would benefit
+				return rdisplayswap.test( jQuery.css( elem, "display" ) ) && elem.offsetWidth === 0 ?
+					jQuery.swap( elem, cssShow, function() {
+						return getWidthOrHeight( elem, name, extra );
+					}) :
+					getWidthOrHeight( elem, name, extra );
+			}
+		},
+
+		set: function( elem, value, extra ) {
+			var styles = extra && getStyles( elem );
+			return setPositiveNumber( elem, value, extra ?
+				augmentWidthOrHeight(
+					elem,
+					name,
+					extra,
+					jQuery.css( elem, "boxSizing", false, styles ) === "border-box",
+					styles
+				) : 0
+			);
+		}
+	};
+});
+
+// Support: Android 2.3
+jQuery.cssHooks.marginRight = addGetHookIf( support.reliableMarginRight,
+	function( elem, computed ) {
+		if ( computed ) {
+			return jQuery.swap( elem, { "display": "inline-block" },
+				curCSS, [ elem, "marginRight" ] );
+		}
+	}
+);
+
+// These hooks are used by animate to expand properties
+jQuery.each({
+	margin: "",
+	padding: "",
+	border: "Width"
+}, function( prefix, suffix ) {
+	jQuery.cssHooks[ prefix + suffix ] = {
+		expand: function( value ) {
+			var i = 0,
+				expanded = {},
+
+				// Assumes a single number if not a string
+				parts = typeof value === "string" ? value.split(" ") : [ value ];
+
+			for ( ; i < 4; i++ ) {
+				expanded[ prefix + cssExpand[ i ] + suffix ] =
+					parts[ i ] || parts[ i - 2 ] || parts[ 0 ];
+			}
+
+			return expanded;
+		}
+	};
+
+	if ( !rmargin.test( prefix ) ) {
+		jQuery.cssHooks[ prefix + suffix ].set = setPositiveNumber;
+	}
+});
+
+jQuery.fn.extend({
+	css: function( name, value ) {
+		return access( this, function( elem, name, value ) {
+			var styles, len,
+				map = {},
+				i = 0;
+
+			if ( jQuery.isArray( name ) ) {
+				styles = getStyles( elem );
+				len = name.length;
+
+				for ( ; i < len; i++ ) {
+					map[ name[ i ] ] = jQuery.css( elem, name[ i ], false, styles );
+				}
+
+				return map;
+			}
+
+			return value !== undefined ?
+				jQuery.style( elem, name, value ) :
+				jQuery.css( elem, name );
+		}, name, value, arguments.length > 1 );
+	},
+	show: function() {
+		return showHide( this, true );
+	},
+	hide: function() {
+		return showHide( this );
+	},
+	toggle: function( state ) {
+		if ( typeof state === "boolean" ) {
+			return state ? this.show() : this.hide();
+		}
+
+		return this.each(function() {
+			if ( isHidden( this ) ) {
+				jQuery( this ).show();
+			} else {
+				jQuery( this ).hide();
+			}
+		});
+	}
+});
+
+
+function Tween( elem, options, prop, end, easing ) {
+	return new Tween.prototype.init( elem, options, prop, end, easing );
+}
+jQuery.Tween = Tween;
+
+Tween.prototype = {
+	constructor: Tween,
+	init: function( elem, options, prop, end, easing, unit ) {
+		this.elem = elem;
+		this.prop = prop;
+		this.easing = easing || "swing";
+		this.options = options;
+		this.start = this.now = this.cur();
+		this.end = end;
+		this.unit = unit || ( jQuery.cssNumber[ prop ] ? "" : "px" );
+	},
+	cur: function() {
+		var hooks = Tween.propHooks[ this.prop ];
+
+		return hooks && hooks.get ?
+			hooks.get( this ) :
+			Tween.propHooks._default.get( this );
+	},
+	run: function( percent ) {
+		var eased,
+			hooks = Tween.propHooks[ this.prop ];
+
+		if ( this.options.duration ) {
+			this.pos = eased = jQuery.easing[ this.easing ](
+				percent, this.options.duration * percent, 0, 1, this.options.duration
+			);
+		} else {
+			this.pos = eased = percent;
+		}
+		this.now = ( this.end - this.start ) * eased + this.start;
+
+		if ( this.options.step ) {
+			this.options.step.call( this.elem, this.now, this );
+		}
+
+		if ( hooks && hooks.set ) {
+			hooks.set( this );
+		} else {
+			Tween.propHooks._default.set( this );
+		}
+		return this;
+	}
+};
+
+Tween.prototype.init.prototype = Tween.prototype;
+
+Tween.propHooks = {
+	_default: {
+		get: function( tween ) {
+			var result;
+
+			if ( tween.elem[ tween.prop ] != null &&
+				(!tween.elem.style || tween.elem.style[ tween.prop ] == null) ) {
+				return tween.elem[ tween.prop ];
+			}
+
+			// Passing an empty string as a 3rd parameter to .css will automatically
+			// attempt a parseFloat and fallback to a string if the parse fails.
+			// Simple values such as "10px" are parsed to Float;
+			// complex values such as "rotate(1rad)" are returned as-is.
+			result = jQuery.css( tween.elem, tween.prop, "" );
+			// Empty strings, null, undefined and "auto" are converted to 0.
+			return !result || result === "auto" ? 0 : result;
+		},
+		set: function( tween ) {
+			// Use step hook for back compat.
+			// Use cssHook if its there.
+			// Use .style if available and use plain properties where available.
+			if ( jQuery.fx.step[ tween.prop ] ) {
+				jQuery.fx.step[ tween.prop ]( tween );
+			} else if ( tween.elem.style && ( tween.elem.style[ jQuery.cssProps[ tween.prop ] ] != null || jQuery.cssHooks[ tween.prop ] ) ) {
+				jQuery.style( tween.elem, tween.prop, tween.now + tween.unit );
+			} else {
+				tween.elem[ tween.prop ] = tween.now;
+			}
+		}
+	}
+};
+
+// Support: IE9
+// Panic based approach to setting things on disconnected nodes
+Tween.propHooks.scrollTop = Tween.propHooks.scrollLeft = {
+	set: function( tween ) {
+		if ( tween.elem.nodeType && tween.elem.parentNode ) {
+			tween.elem[ tween.prop ] = tween.now;
+		}
+	}
+};
+
+jQuery.easing = {
+	linear: function( p ) {
+		return p;
+	},
+	swing: function( p ) {
+		return 0.5 - Math.cos( p * Math.PI ) / 2;
+	}
+};
+
+jQuery.fx = Tween.prototype.init;
+
+// Back Compat <1.8 extension point
+jQuery.fx.step = {};
+
+
+
+
+var
+	fxNow, timerId,
+	rfxtypes = /^(?:toggle|show|hide)$/,
+	rfxnum = new RegExp( "^(?:([+-])=|)(" + pnum + ")([a-z%]*)$", "i" ),
+	rrun = /queueHooks$/,
+	animationPrefilters = [ defaultPrefilter ],
+	tweeners = {
+		"*": [ function( prop, value ) {
+			var tween = this.createTween( prop, value ),
+				target = tween.cur(),
+				parts = rfxnum.exec( value ),
+				unit = parts && parts[ 3 ] || ( jQuery.cssNumber[ prop ] ? "" : "px" ),
+
+				// Starting value computation is required for potential unit mismatches
+				start = ( jQuery.cssNumber[ prop ] || unit !== "px" && +target ) &&
+					rfxnum.exec( jQuery.css( tween.elem, prop ) ),
+				scale = 1,
+				maxIterations = 20;
+
+			if ( start && start[ 3 ] !== unit ) {
+				// Trust units reported by jQuery.css
+				unit = unit || start[ 3 ];
+
+				// Make sure we update the tween properties later on
+				parts = parts || [];
+
+				// Iteratively approximate from a nonzero starting point
+				start = +target || 1;
+
+				do {
+					// If previous iteration zeroed out, double until we get *something*.
+					// Use string for doubling so we don't accidentally see scale as unchanged below
+					scale = scale || ".5";
+
+					// Adjust and apply
+					start = start / scale;
+					jQuery.style( tween.elem, prop, start + unit );
+
+				// Update scale, tolerating zero or NaN from tween.cur(),
+				// break the loop if scale is unchanged or perfect, or if we've just had enough
+				} while ( scale !== (scale = tween.cur() / target) && scale !== 1 && --maxIterations );
+			}
+
+			// Update tween properties
+			if ( parts ) {
+				start = tween.start = +start || +target || 0;
+				tween.unit = unit;
+				// If a +=/-= token was provided, we're doing a relative animation
+				tween.end = parts[ 1 ] ?
+					start + ( parts[ 1 ] + 1 ) * parts[ 2 ] :
+					+parts[ 2 ];
+			}
+
+			return tween;
+		} ]
+	};
+
+// Animations created synchronously will run synchronously
+function createFxNow() {
+	setTimeout(function() {
+		fxNow = undefined;
+	});
+	return ( fxNow = jQuery.now() );
+}
+
+// Generate parameters to create a standard animation
+function genFx( type, includeWidth ) {
+	var which,
+		i = 0,
+		attrs = { height: type };
+
+	// If we include width, step value is 1 to do all cssExpand values,
+	// otherwise step value is 2 to skip over Left and Right
+	includeWidth = includeWidth ? 1 : 0;
+	for ( ; i < 4 ; i += 2 - includeWidth ) {
+		which = cssExpand[ i ];
+		attrs[ "margin" + which ] = attrs[ "padding" + which ] = type;
+	}
+
+	if ( includeWidth ) {
+		attrs.opacity = attrs.width = type;
+	}
+
+	return attrs;
+}
+
+function createTween( value, prop, animation ) {
+	var tween,
+		collection = ( tweeners[ prop ] || [] ).concat( tweeners[ "*" ] ),
+		index = 0,
+		length = collection.length;
+	for ( ; index < length; index++ ) {
+		if ( (tween = collection[ index ].call( animation, prop, value )) ) {
+
+			// We're done with this property
+			return tween;
+		}
+	}
+}
+
+function defaultPrefilter( elem, props, opts ) {
+	/* jshint validthis: true */
+	var prop, value, toggle, tween, hooks, oldfire, display, checkDisplay,
+		anim = this,
+		orig = {},
+		style = elem.style,
+		hidden = elem.nodeType && isHidden( elem ),
+		dataShow = data_priv.get( elem, "fxshow" );
+
+	// Handle queue: false promises
+	if ( !opts.queue ) {
+		hooks = jQuery._queueHooks( elem, "fx" );
+		if ( hooks.unqueued == null ) {
+			hooks.unqueued = 0;
+			oldfire = hooks.empty.fire;
+			hooks.empty.fire = function() {
+				if ( !hooks.unqueued ) {
+					oldfire();
+				}
+			};
+		}
+		hooks.unqueued++;
+
+		anim.always(function() {
+			// Ensure the complete handler is called before this completes
+			anim.always(function() {
+				hooks.unqueued--;
+				if ( !jQuery.queue( elem, "fx" ).length ) {
+					hooks.empty.fire();
+				}
+			});
+		});
+	}
+
+	// Height/width overflow pass
+	if ( elem.nodeType === 1 && ( "height" in props || "width" in props ) ) {
+		// Make sure that nothing sneaks out
+		// Record all 3 overflow attributes because IE9-10 do not
+		// change the overflow attribute when overflowX and
+		// overflowY are set to the same value
+		opts.overflow = [ style.overflow, style.overflowX, style.overflowY ];
+
+		// Set display property to inline-block for height/width
+		// animations on inline elements that are having width/height animated
+		display = jQuery.css( elem, "display" );
+
+		// Test default display if display is currently "none"
+		checkDisplay = display === "none" ?
+			data_priv.get( elem, "olddisplay" ) || defaultDisplay( elem.nodeName ) : display;
+
+		if ( checkDisplay === "inline" && jQuery.css( elem, "float" ) === "none" ) {
+			style.display = "inline-block";
+		}
+	}
+
+	if ( opts.overflow ) {
+		style.overflow = "hidden";
+		anim.always(function() {
+			style.overflow = opts.overflow[ 0 ];
+			style.overflowX = opts.overflow[ 1 ];
+			style.overflowY = opts.overflow[ 2 ];
+		});
+	}
+
+	// show/hide pass
+	for ( prop in props ) {
+		value = props[ prop ];
+		if ( rfxtypes.exec( value ) ) {
+			delete props[ prop ];
+			toggle = toggle || value === "toggle";
+			if ( value === ( hidden ? "hide" : "show" ) ) {
+
+				// If there is dataShow left over from a stopped hide or show and we are going to proceed with show, we should pretend to be hidden
+				if ( value === "show" && dataShow && dataShow[ prop ] !== undefined ) {
+					hidden = true;
+				} else {
+					continue;
+				}
+			}
+			orig[ prop ] = dataShow && dataShow[ prop ] || jQuery.style( elem, prop );
+
+		// Any non-fx value stops us from restoring the original display value
+		} else {
+			display = undefined;
+		}
+	}
+
+	if ( !jQuery.isEmptyObject( orig ) ) {
+		if ( dataShow ) {
+			if ( "hidden" in dataShow ) {
+				hidden = dataShow.hidden;
+			}
+		} else {
+			dataShow = data_priv.access( elem, "fxshow", {} );
+		}
+
+		// Store state if its toggle - enables .stop().toggle() to "reverse"
+		if ( toggle ) {
+			dataShow.hidden = !hidden;
+		}
+		if ( hidden ) {
+			jQuery( elem ).show();
+		} else {
+			anim.done(function() {
+				jQuery( elem ).hide();
+			});
+		}
+		anim.done(function() {
+			var prop;
+
+			data_priv.remove( elem, "fxshow" );
+			for ( prop in orig ) {
+				jQuery.style( elem, prop, orig[ prop ] );
+			}
+		});
+		for ( prop in orig ) {
+			tween = createTween( hidden ? dataShow[ prop ] : 0, prop, anim );
+
+			if ( !( prop in dataShow ) ) {
+				dataShow[ prop ] = tween.start;
+				if ( hidden ) {
+					tween.end = tween.start;
+					tween.start = prop === "width" || prop === "height" ? 1 : 0;
+				}
+			}
+		}
+
+	// If this is a noop like .hide().hide(), restore an overwritten display value
+	} else if ( (display === "none" ? defaultDisplay( elem.nodeName ) : display) === "inline" ) {
+		style.display = display;
+	}
+}
+
+function propFilter( props, specialEasing ) {
+	var index, name, easing, value, hooks;
+
+	// camelCase, specialEasing and expand cssHook pass
+	for ( index in props ) {
+		name = jQuery.camelCase( index );
+		easing = specialEasing[ name ];
+		value = props[ index ];
+		if ( jQuery.isArray( value ) ) {
+			easing = value[ 1 ];
+			value = props[ index ] = value[ 0 ];
+		}
+
+		if ( index !== name ) {
+			props[ name ] = value;
+			delete props[ index ];
+		}
+
+		hooks = jQuery.cssHooks[ name ];
+		if ( hooks && "expand" in hooks ) {
+			value = hooks.expand( value );
+			delete props[ name ];
+
+			// Not quite $.extend, this won't overwrite existing keys.
+			// Reusing 'index' because we have the correct "name"
+			for ( index in value ) {
+				if ( !( index in props ) ) {
+					props[ index ] = value[ index ];
+					specialEasing[ index ] = easing;
+				}
+			}
+		} else {
+			specialEasing[ name ] = easing;
+		}
+	}
+}
+
+function Animation( elem, properties, options ) {
+	var result,
+		stopped,
+		index = 0,
+		length = animationPrefilters.length,
+		deferred = jQuery.Deferred().always( function() {
+			// Don't match elem in the :animated selector
+			delete tick.elem;
+		}),
+		tick = function() {
+			if ( stopped ) {
+				return false;
+			}
+			var currentTime = fxNow || createFxNow(),
+				remaining = Math.max( 0, animation.startTime + animation.duration - currentTime ),
+				// Support: Android 2.3
+				// Archaic crash bug won't allow us to use `1 - ( 0.5 || 0 )` (#12497)
+				temp = remaining / animation.duration || 0,
+				percent = 1 - temp,
+				index = 0,
+				length = animation.tweens.length;
+
+			for ( ; index < length ; index++ ) {
+				animation.tweens[ index ].run( percent );
+			}
+
+			deferred.notifyWith( elem, [ animation, percent, remaining ]);
+
+			if ( percent < 1 && length ) {
+				return remaining;
+			} else {
+				deferred.resolveWith( elem, [ animation ] );
+				return false;
+			}
+		},
+		animation = deferred.promise({
+			elem: elem,
+			props: jQuery.extend( {}, properties ),
+			opts: jQuery.extend( true, { specialEasing: {} }, options ),
+			originalProperties: properties,
+			originalOptions: options,
+			startTime: fxNow || createFxNow(),
+			duration: options.duration,
+			tweens: [],
+			createTween: function( prop, end ) {
+				var tween = jQuery.Tween( elem, animation.opts, prop, end,
+						animation.opts.specialEasing[ prop ] || animation.opts.easing );
+				animation.tweens.push( tween );
+				return tween;
+			},
+			stop: function( gotoEnd ) {
+				var index = 0,
+					// If we are going to the end, we want to run all the tweens
+					// otherwise we skip this part
+					length = gotoEnd ? animation.tweens.length : 0;
+				if ( stopped ) {
+					return this;
+				}
+				stopped = true;
+				for ( ; index < length ; index++ ) {
+					animation.tweens[ index ].run( 1 );
+				}
+
+				// Resolve when we played the last frame; otherwise, reject
+				if ( gotoEnd ) {
+					deferred.resolveWith( elem, [ animation, gotoEnd ] );
+				} else {
+					deferred.rejectWith( elem, [ animation, gotoEnd ] );
+				}
+				return this;
+			}
+		}),
+		props = animation.props;
+
+	propFilter( props, animation.opts.specialEasing );
+
+	for ( ; index < length ; index++ ) {
+		result = animationPrefilters[ index ].call( animation, elem, props, animation.opts );
+		if ( result ) {
+			return result;
+		}
+	}
+
+	jQuery.map( props, createTween, animation );
+
+	if ( jQuery.isFunction( animation.opts.start ) ) {
+		animation.opts.start.call( elem, animation );
+	}
+
+	jQuery.fx.timer(
+		jQuery.extend( tick, {
+			elem: elem,
+			anim: animation,
+			queue: animation.opts.queue
+		})
+	);
+
+	// attach callbacks from options
+	return animation.progress( animation.opts.progress )
+		.done( animation.opts.done, animation.opts.complete )
+		.fail( animation.opts.fail )
+		.always( animation.opts.always );
+}
+
+jQuery.Animation = jQuery.extend( Animation, {
+
+	tweener: function( props, callback ) {
+		if ( jQuery.isFunction( props ) ) {
+			callback = props;
+			props = [ "*" ];
+		} else {
+			props = props.split(" ");
+		}
+
+		var prop,
+			index = 0,
+			length = props.length;
+
+		for ( ; index < length ; index++ ) {
+			prop = props[ index ];
+			tweeners[ prop ] = tweeners[ prop ] || [];
+			tweeners[ prop ].unshift( callback );
+		}
+	},
+
+	prefilter: function( callback, prepend ) {
+		if ( prepend ) {
+			animationPrefilters.unshift( callback );
+		} else {
+			animationPrefilters.push( callback );
+		}
+	}
+});
+
+jQuery.speed = function( speed, easing, fn ) {
+	var opt = speed && typeof speed === "object" ? jQuery.extend( {}, speed ) : {
+		complete: fn || !fn && easing ||
+			jQuery.isFunction( speed ) && speed,
+		duration: speed,
+		easing: fn && easing || easing && !jQuery.isFunction( easing ) && easing
+	};
+
+	opt.duration = jQuery.fx.off ? 0 : typeof opt.duration === "number" ? opt.duration :
+		opt.duration in jQuery.fx.speeds ? jQuery.fx.speeds[ opt.duration ] : jQuery.fx.speeds._default;
+
+	// Normalize opt.queue - true/undefined/null -> "fx"
+	if ( opt.queue == null || opt.queue === true ) {
+		opt.queue = "fx";
+	}
+
+	// Queueing
+	opt.old = opt.complete;
+
+	opt.complete = function() {
+		if ( jQuery.isFunction( opt.old ) ) {
+			opt.old.call( this );
+		}
+
+		if ( opt.queue ) {
+			jQuery.dequeue( this, opt.queue );
+		}
+	};
+
+	return opt;
+};
+
+jQuery.fn.extend({
+	fadeTo: function( speed, to, easing, callback ) {
+
+		// Show any hidden elements after setting opacity to 0
+		return this.filter( isHidden ).css( "opacity", 0 ).show()
+
+			// Animate to the value specified
+			.end().animate({ opacity: to }, speed, easing, callback );
+	},
+	animate: function( prop, speed, easing, callback ) {
+		var empty = jQuery.isEmptyObject( prop ),
+			optall = jQuery.speed( speed, easing, callback ),
+			doAnimation = function() {
+				// Operate on a copy of prop so per-property easing won't be lost
+				var anim = Animation( this, jQuery.extend( {}, prop ), optall );
+
+				// Empty animations, or finishing resolves immediately
+				if ( empty || data_priv.get( this, "finish" ) ) {
+					anim.stop( true );
+				}
+			};
+			doAnimation.finish = doAnimation;
+
+		return empty || optall.queue === false ?
+			this.each( doAnimation ) :
+			this.queue( optall.queue, doAnimation );
+	},
+	stop: function( type, clearQueue, gotoEnd ) {
+		var stopQueue = function( hooks ) {
+			var stop = hooks.stop;
+			delete hooks.stop;
+			stop( gotoEnd );
+		};
+
+		if ( typeof type !== "string" ) {
+			gotoEnd = clearQueue;
+			clearQueue = type;
+			type = undefined;
+		}
+		if ( clearQueue && type !== false ) {
+			this.queue( type || "fx", [] );
+		}
+
+		return this.each(function() {
+			var dequeue = true,
+				index = type != null && type + "queueHooks",
+				timers = jQuery.timers,
+				data = data_priv.get( this );
+
+			if ( index ) {
+				if ( data[ index ] && data[ index ].stop ) {
+					stopQueue( data[ index ] );
+				}
+			} else {
+				for ( index in data ) {
+					if ( data[ index ] && data[ index ].stop && rrun.test( index ) ) {
+						stopQueue( data[ index ] );
+					}
+				}
+			}
+
+			for ( index = timers.length; index--; ) {
+				if ( timers[ index ].elem === this && (type == null || timers[ index ].queue === type) ) {
+					timers[ index ].anim.stop( gotoEnd );
+					dequeue = false;
+					timers.splice( index, 1 );
+				}
+			}
+
+			// Start the next in the queue if the last step wasn't forced.
+			// Timers currently will call their complete callbacks, which
+			// will dequeue but only if they were gotoEnd.
+			if ( dequeue || !gotoEnd ) {
+				jQuery.dequeue( this, type );
+			}
+		});
+	},
+	finish: function( type ) {
+		if ( type !== false ) {
+			type = type || "fx";
+		}
+		return this.each(function() {
+			var index,
+				data = data_priv.get( this ),
+				queue = data[ type + "queue" ],
+				hooks = data[ type + "queueHooks" ],
+				timers = jQuery.timers,
+				length = queue ? queue.length : 0;
+
+			// Enable finishing flag on private data
+			data.finish = true;
+
+			// Empty the queue first
+			jQuery.queue( this, type, [] );
+
+			if ( hooks && hooks.stop ) {
+				hooks.stop.call( this, true );
+			}
+
+			// Look for any active animations, and finish them
+			for ( index = timers.length; index--; ) {
+				if ( timers[ index ].elem === this && timers[ index ].queue === type ) {
+					timers[ index ].anim.stop( true );
+					timers.splice( index, 1 );
+				}
+			}
+
+			// Look for any animations in the old queue and finish them
+			for ( index = 0; index < length; index++ ) {
+				if ( queue[ index ] && queue[ index ].finish ) {
+					queue[ index ].finish.call( this );
+				}
+			}
+
+			// Turn off finishing flag
+			delete data.finish;
+		});
+	}
+});
+
+jQuery.each([ "toggle", "show", "hide" ], function( i, name ) {
+	var cssFn = jQuery.fn[ name ];
+	jQuery.fn[ name ] = function( speed, easing, callback ) {
+		return speed == null || typeof speed === "boolean" ?
+			cssFn.apply( this, arguments ) :
+			this.animate( genFx( name, true ), speed, easing, callback );
+	};
+});
+
+// Generate shortcuts for custom animations
+jQuery.each({
+	slideDown: genFx("show"),
+	slideUp: genFx("hide"),
+	slideToggle: genFx("toggle"),
+	fadeIn: { opacity: "show" },
+	fadeOut: { opacity: "hide" },
+	fadeToggle: { opacity: "toggle" }
+}, function( name, props ) {
+	jQuery.fn[ name ] = function( speed, easing, callback ) {
+		return this.animate( props, speed, easing, callback );
+	};
+});
+
+jQuery.timers = [];
+jQuery.fx.tick = function() {
+	var timer,
+		i = 0,
+		timers = jQuery.timers;
+
+	fxNow = jQuery.now();
+
+	for ( ; i < timers.length; i++ ) {
+		timer = timers[ i ];
+		// Checks the timer has not already been removed
+		if ( !timer() && timers[ i ] === timer ) {
+			timers.splice( i--, 1 );
+		}
+	}
+
+	if ( !timers.length ) {
+		jQuery.fx.stop();
+	}
+	fxNow = undefined;
+};
+
+jQuery.fx.timer = function( timer ) {
+	jQuery.timers.push( timer );
+	if ( timer() ) {
+		jQuery.fx.start();
+	} else {
+		jQuery.timers.pop();
+	}
+};
+
+jQuery.fx.interval = 13;
+
+jQuery.fx.start = function() {
+	if ( !timerId ) {
+		timerId = setInterval( jQuery.fx.tick, jQuery.fx.interval );
+	}
+};
+
+jQuery.fx.stop = function() {
+	clearInterval( timerId );
+	timerId = null;
+};
+
+jQuery.fx.speeds = {
+	slow: 600,
+	fast: 200,
+	// Default speed
+	_default: 400
+};
+
+
+// Based off of the plugin by Clint Helfers, with permission.
+// http://blindsignals.com/index.php/2009/07/jquery-delay/
+jQuery.fn.delay = function( time, type ) {
+	time = jQuery.fx ? jQuery.fx.speeds[ time ] || time : time;
+	type = type || "fx";
+
+	return this.queue( type, function( next, hooks ) {
+		var timeout = setTimeout( next, time );
+		hooks.stop = function() {
+			clearTimeout( timeout );
+		};
+	});
+};
+
+
+(function() {
+	var input = document.createElement( "input" ),
+		select = document.createElement( "select" ),
+		opt = select.appendChild( document.createElement( "option" ) );
+
+	input.type = "checkbox";
+
+	// Support: iOS<=5.1, Android<=4.2+
+	// Default value for a checkbox should be "on"
+	support.checkOn = input.value !== "";
+
+	// Support: IE<=11+
+	// Must access selectedIndex to make default options select
+	support.optSelected = opt.selected;
+
+	// Support: Android<=2.3
+	// Options inside disabled selects are incorrectly marked as disabled
+	select.disabled = true;
+	support.optDisabled = !opt.disabled;
+
+	// Support: IE<=11+
+	// An input loses its value after becoming a radio
+	input = document.createElement( "input" );
+	input.value = "t";
+	input.type = "radio";
+	support.radioValue = input.value === "t";
+})();
+
+
+var nodeHook, boolHook,
+	attrHandle = jQuery.expr.attrHandle;
+
+jQuery.fn.extend({
+	attr: function( name, value ) {
+		return access( this, jQuery.attr, name, value, arguments.length > 1 );
+	},
+
+	removeAttr: function( name ) {
+		return this.each(function() {
+			jQuery.removeAttr( this, name );
+		});
+	}
+});
+
+jQuery.extend({
+	attr: function( elem, name, value ) {
+		var hooks, ret,
+			nType = elem.nodeType;
+
+		// don't get/set attributes on text, comment and attribute nodes
+		if ( !elem || nType === 3 || nType === 8 || nType === 2 ) {
+			return;
+		}
+
+		// Fallback to prop when attributes are not supported
+		if ( typeof elem.getAttribute === strundefined ) {
+			return jQuery.prop( elem, name, value );
+		}
+
+		// All attributes are lowercase
+		// Grab necessary hook if one is defined
+		if ( nType !== 1 || !jQuery.isXMLDoc( elem ) ) {
+			name = name.toLowerCase();
+			hooks = jQuery.attrHooks[ name ] ||
+				( jQuery.expr.match.bool.test( name ) ? boolHook : nodeHook );
+		}
+
+		if ( value !== undefined ) {
+
+			if ( value === null ) {
+				jQuery.removeAttr( elem, name );
+
+			} else if ( hooks && "set" in hooks && (ret = hooks.set( elem, value, name )) !== undefined ) {
+				return ret;
+
+			} else {
+				elem.setAttribute( name, value + "" );
+				return value;
+			}
+
+		} else if ( hooks && "get" in hooks && (ret = hooks.get( elem, name )) !== null ) {
+			return ret;
+
+		} else {
+			ret = jQuery.find.attr( elem, name );
+
+			// Non-existent attributes return null, we normalize to undefined
+			return ret == null ?
+				undefined :
+				ret;
+		}
+	},
+
+	removeAttr: function( elem, value ) {
+		var name, propName,
+			i = 0,
+			attrNames = value && value.match( rnotwhite );
+
+		if ( attrNames && elem.nodeType === 1 ) {
+			while ( (name = attrNames[i++]) ) {
+				propName = jQuery.propFix[ name ] || name;
+
+				// Boolean attributes get special treatment (#10870)
+				if ( jQuery.expr.match.bool.test( name ) ) {
+					// Set corresponding property to false
+					elem[ propName ] = false;
+				}
+
+				elem.removeAttribute( name );
+			}
+		}
+	},
+
+	attrHooks: {
+		type: {
+			set: function( elem, value ) {
+				if ( !support.radioValue && value === "radio" &&
+					jQuery.nodeName( elem, "input" ) ) {
+					var val = elem.value;
+					elem.setAttribute( "type", value );
+					if ( val ) {
+						elem.value = val;
+					}
+					return value;
+				}
+			}
+		}
+	}
+});
+
+// Hooks for boolean attributes
+boolHook = {
+	set: function( elem, value, name ) {
+		if ( value === false ) {
+			// Remove boolean attributes when set to false
+			jQuery.removeAttr( elem, name );
+		} else {
+			elem.setAttribute( name, name );
+		}
+		return name;
+	}
+};
+jQuery.each( jQuery.expr.match.bool.source.match( /\w+/g ), function( i, name ) {
+	var getter = attrHandle[ name ] || jQuery.find.attr;
+
+	attrHandle[ name ] = function( elem, name, isXML ) {
+		var ret, handle;
+		if ( !isXML ) {
+			// Avoid an infinite loop by temporarily removing this function from the getter
+			handle = attrHandle[ name ];
+			attrHandle[ name ] = ret;
+			ret = getter( elem, name, isXML ) != null ?
+				name.toLowerCase() :
+				null;
+			attrHandle[ name ] = handle;
+		}
+		return ret;
+	};
+});
+
+
+
+
+var rfocusable = /^(?:input|select|textarea|button)$/i;
+
+jQuery.fn.extend({
+	prop: function( name, value ) {
+		return access( this, jQuery.prop, name, value, arguments.length > 1 );
+	},
+
+	removeProp: function( name ) {
+		return this.each(function() {
+			delete this[ jQuery.propFix[ name ] || name ];
+		});
+	}
+});
+
+jQuery.extend({
+	propFix: {
+		"for": "htmlFor",
+		"class": "className"
+	},
+
+	prop: function( elem, name, value ) {
+		var ret, hooks, notxml,
+			nType = elem.nodeType;
+
+		// Don't get/set properties on text, comment and attribute nodes
+		if ( !elem || nType === 3 || nType === 8 || nType === 2 ) {
+			return;
+		}
+
+		notxml = nType !== 1 || !jQuery.isXMLDoc( elem );
+
+		if ( notxml ) {
+			// Fix name and attach hooks
+			name = jQuery.propFix[ name ] || name;
+			hooks = jQuery.propHooks[ name ];
+		}
+
+		if ( value !== undefined ) {
+			return hooks && "set" in hooks && (ret = hooks.set( elem, value, name )) !== undefined ?
+				ret :
+				( elem[ name ] = value );
+
+		} else {
+			return hooks && "get" in hooks && (ret = hooks.get( elem, name )) !== null ?
+				ret :
+				elem[ name ];
+		}
+	},
+
+	propHooks: {
+		tabIndex: {
+			get: function( elem ) {
+				return elem.hasAttribute( "tabindex" ) || rfocusable.test( elem.nodeName ) || elem.href ?
+					elem.tabIndex :
+					-1;
+			}
+		}
+	}
+});
+
+if ( !support.optSelected ) {
+	jQuery.propHooks.selected = {
+		get: function( elem ) {
+			var parent = elem.parentNode;
+			if ( parent && parent.parentNode ) {
+				parent.parentNode.selectedIndex;
+			}
+			return null;
+		}
+	};
+}
+
+jQuery.each([
+	"tabIndex",
+	"readOnly",
+	"maxLength",
+	"cellSpacing",
+	"cellPadding",
+	"rowSpan",
+	"colSpan",
+	"useMap",
+	"frameBorder",
+	"contentEditable"
+], function() {
+	jQuery.propFix[ this.toLowerCase() ] = this;
+});
+
+
+
+
+var rclass = /[\t\r\n\f]/g;
+
+jQuery.fn.extend({
+	addClass: function( value ) {
+		var classes, elem, cur, clazz, j, finalValue,
+			proceed = typeof value === "string" && value,
+			i = 0,
+			len = this.length;
+
+		if ( jQuery.isFunction( value ) ) {
+			return this.each(function( j ) {
+				jQuery( this ).addClass( value.call( this, j, this.className ) );
+			});
+		}
+
+		if ( proceed ) {
+			// The disjunction here is for better compressibility (see removeClass)
+			classes = ( value || "" ).match( rnotwhite ) || [];
+
+			for ( ; i < len; i++ ) {
+				elem = this[ i ];
+				cur = elem.nodeType === 1 && ( elem.className ?
+					( " " + elem.className + " " ).replace( rclass, " " ) :
+					" "
+				);
+
+				if ( cur ) {
+					j = 0;
+					while ( (clazz = classes[j++]) ) {
+						if ( cur.indexOf( " " + clazz + " " ) < 0 ) {
+							cur += clazz + " ";
+						}
+					}
+
+					// only assign if different to avoid unneeded rendering.
+					finalValue = jQuery.trim( cur );
+					if ( elem.className !== finalValue ) {
+						elem.className = finalValue;
+					}
+				}
+			}
+		}
+
+		return this;
+	},
+
+	removeClass: function( value ) {
+		var classes, elem, cur, clazz, j, finalValue,
+			proceed = arguments.length === 0 || typeof value === "string" && value,
+			i = 0,
+			len = this.length;
+
+		if ( jQuery.isFunction( value ) ) {
+			return this.each(function( j ) {
+				jQuery( this ).removeClass( value.call( this, j, this.className ) );
+			});
+		}
+		if ( proceed ) {
+			classes = ( value || "" ).match( rnotwhite ) || [];
+
+			for ( ; i < len; i++ ) {
+				elem = this[ i ];
+				// This expression is here for better compressibility (see addClass)
+				cur = elem.nodeType === 1 && ( elem.className ?
+					( " " + elem.className + " " ).replace( rclass, " " ) :
+					""
+				);
+
+				if ( cur ) {
+					j = 0;
+					while ( (clazz = classes[j++]) ) {
+						// Remove *all* instances
+						while ( cur.indexOf( " " + clazz + " " ) >= 0 ) {
+							cur = cur.replace( " " + clazz + " ", " " );
+						}
+					}
+
+					// Only assign if different to avoid unneeded rendering.
+					finalValue = value ? jQuery.trim( cur ) : "";
+					if ( elem.className !== finalValue ) {
+						elem.className = finalValue;
+					}
+				}
+			}
+		}
+
+		return this;
+	},
+
+	toggleClass: function( value, stateVal ) {
+		var type = typeof value;
+
+		if ( typeof stateVal === "boolean" && type === "string" ) {
+			return stateVal ? this.addClass( value ) : this.removeClass( value );
+		}
+
+		if ( jQuery.isFunction( value ) ) {
+			return this.each(function( i ) {
+				jQuery( this ).toggleClass( value.call(this, i, this.className, stateVal), stateVal );
+			});
+		}
+
+		return this.each(function() {
+			if ( type === "string" ) {
+				// Toggle individual class names
+				var className,
+					i = 0,
+					self = jQuery( this ),
+					classNames = value.match( rnotwhite ) || [];
+
+				while ( (className = classNames[ i++ ]) ) {
+					// Check each className given, space separated list
+					if ( self.hasClass( className ) ) {
+						self.removeClass( className );
+					} else {
+						self.addClass( className );
+					}
+				}
+
+			// Toggle whole class name
+			} else if ( type === strundefined || type === "boolean" ) {
+				if ( this.className ) {
+					// store className if set
+					data_priv.set( this, "__className__", this.className );
+				}
+
+				// If the element has a class name or if we're passed `false`,
+				// then remove the whole classname (if there was one, the above saved it).
+				// Otherwise bring back whatever was previously saved (if anything),
+				// falling back to the empty string if nothing was stored.
+				this.className = this.className || value === false ? "" : data_priv.get( this, "__className__" ) || "";
+			}
+		});
+	},
+
+	hasClass: function( selector ) {
+		var className = " " + selector + " ",
+			i = 0,
+			l = this.length;
+		for ( ; i < l; i++ ) {
+			if ( this[i].nodeType === 1 && (" " + this[i].className + " ").replace(rclass, " ").indexOf( className ) >= 0 ) {
+				return true;
+			}
+		}
+
+		return false;
+	}
+});
+
+
+
+
+var rreturn = /\r/g;
+
+jQuery.fn.extend({
+	val: function( value ) {
+		var hooks, ret, isFunction,
+			elem = this[0];
+
+		if ( !arguments.length ) {
+			if ( elem ) {
+				hooks = jQuery.valHooks[ elem.type ] || jQuery.valHooks[ elem.nodeName.toLowerCase() ];
+
+				if ( hooks && "get" in hooks && (ret = hooks.get( elem, "value" )) !== undefined ) {
+					return ret;
+				}
+
+				ret = elem.value;
+
+				return typeof ret === "string" ?
+					// Handle most common string cases
+					ret.replace(rreturn, "") :
+					// Handle cases where value is null/undef or number
+					ret == null ? "" : ret;
+			}
+
+			return;
+		}
+
+		isFunction = jQuery.isFunction( value );
+
+		return this.each(function( i ) {
+			var val;
+
+			if ( this.nodeType !== 1 ) {
+				return;
+			}
+
+			if ( isFunction ) {
+				val = value.call( this, i, jQuery( this ).val() );
+			} else {
+				val = value;
+			}
+
+			// Treat null/undefined as ""; convert numbers to string
+			if ( val == null ) {
+				val = "";
+
+			} else if ( typeof val === "number" ) {
+				val += "";
+
+			} else if ( jQuery.isArray( val ) ) {
+				val = jQuery.map( val, function( value ) {
+					return value == null ? "" : value + "";
+				});
+			}
+
+			hooks = jQuery.valHooks[ this.type ] || jQuery.valHooks[ this.nodeName.toLowerCase() ];
+
+			// If set returns undefined, fall back to normal setting
+			if ( !hooks || !("set" in hooks) || hooks.set( this, val, "value" ) === undefined ) {
+				this.value = val;
+			}
+		});
+	}
+});
+
+jQuery.extend({
+	valHooks: {
+		option: {
+			get: function( elem ) {
+				var val = jQuery.find.attr( elem, "value" );
+				return val != null ?
+					val :
+					// Support: IE10-11+
+					// option.text throws exceptions (#14686, #14858)
+					jQuery.trim( jQuery.text( elem ) );
+			}
+		},
+		select: {
+			get: function( elem ) {
+				var value, option,
+					options = elem.options,
+					index = elem.selectedIndex,
+					one = elem.type === "select-one" || index < 0,
+					values = one ? null : [],
+					max = one ? index + 1 : options.length,
+					i = index < 0 ?
+						max :
+						one ? index : 0;
+
+				// Loop through all the selected options
+				for ( ; i < max; i++ ) {
+					option = options[ i ];
+
+					// IE6-9 doesn't update selected after form reset (#2551)
+					if ( ( option.selected || i === index ) &&
+							// Don't return options that are disabled or in a disabled optgroup
+							( support.optDisabled ? !option.disabled : option.getAttribute( "disabled" ) === null ) &&
+							( !option.parentNode.disabled || !jQuery.nodeName( option.parentNode, "optgroup" ) ) ) {
+
+						// Get the specific value for the option
+						value = jQuery( option ).val();
+
+						// We don't need an array for one selects
+						if ( one ) {
+							return value;
+						}
+
+						// Multi-Selects return an array
+						values.push( value );
+					}
+				}
+
+				return values;
+			},
+
+			set: function( elem, value ) {
+				var optionSet, option,
+					options = elem.options,
+					values = jQuery.makeArray( value ),
+					i = options.length;
+
+				while ( i-- ) {
+					option = options[ i ];
+					if ( (option.selected = jQuery.inArray( option.value, values ) >= 0) ) {
+						optionSet = true;
+					}
+				}
+
+				// Force browsers to behave consistently when non-matching value is set
+				if ( !optionSet ) {
+					elem.selectedIndex = -1;
+				}
+				return values;
+			}
+		}
+	}
+});
+
+// Radios and checkboxes getter/setter
+jQuery.each([ "radio", "checkbox" ], function() {
+	jQuery.valHooks[ this ] = {
+		set: function( elem, value ) {
+			if ( jQuery.isArray( value ) ) {
+				return ( elem.checked = jQuery.inArray( jQuery(elem).val(), value ) >= 0 );
+			}
+		}
+	};
+	if ( !support.checkOn ) {
+		jQuery.valHooks[ this ].get = function( elem ) {
+			return elem.getAttribute("value") === null ? "on" : elem.value;
+		};
+	}
+});
+
+
+
+
+// Return jQuery for attributes-only inclusion
+
+
+jQuery.each( ("blur focus focusin focusout load resize scroll unload click dblclick " +
+	"mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave " +
+	"change select submit keydown keypress keyup error contextmenu").split(" "), function( i, name ) {
+
+	// Handle event binding
+	jQuery.fn[ name ] = function( data, fn ) {
+		return arguments.length > 0 ?
+			this.on( name, null, data, fn ) :
+			this.trigger( name );
+	};
+});
+
+jQuery.fn.extend({
+	hover: function( fnOver, fnOut ) {
+		return this.mouseenter( fnOver ).mouseleave( fnOut || fnOver );
+	},
+
+	bind: function( types, data, fn ) {
+		return this.on( types, null, data, fn );
+	},
+	unbind: function( types, fn ) {
+		return this.off( types, null, fn );
+	},
+
+	delegate: function( selector, types, data, fn ) {
+		return this.on( types, selector, data, fn );
+	},
+	undelegate: function( selector, types, fn ) {
+		// ( namespace ) or ( selector, types [, fn] )
+		return arguments.length === 1 ? this.off( selector, "**" ) : this.off( types, selector || "**", fn );
+	}
+});
+
+
+var nonce = jQuery.now();
+
+var rquery = (/\?/);
+
+
+
+// Support: Android 2.3
+// Workaround failure to string-cast null input
+jQuery.parseJSON = function( data ) {
+	return JSON.parse( data + "" );
+};
+
+
+// Cross-browser xml parsing
+jQuery.parseXML = function( data ) {
+	var xml, tmp;
+	if ( !data || typeof data !== "string" ) {
+		return null;
+	}
+
+	// Support: IE9
+	try {
+		tmp = new DOMParser();
+		xml = tmp.parseFromString( data, "text/xml" );
+	} catch ( e ) {
+		xml = undefined;
+	}
+
+	if ( !xml || xml.getElementsByTagName( "parsererror" ).length ) {
+		jQuery.error( "Invalid XML: " + data );
+	}
+	return xml;
+};
+
+
+var
+	rhash = /#.*$/,
+	rts = /([?&])_=[^&]*/,
+	rheaders = /^(.*?):[ \t]*([^\r\n]*)$/mg,
+	// #7653, #8125, #8152: local protocol detection
+	rlocalProtocol = /^(?:about|app|app-storage|.+-extension|file|res|widget):$/,
+	rnoContent = /^(?:GET|HEAD)$/,
+	rprotocol = /^\/\//,
+	rurl = /^([\w.+-]+:)(?:\/\/(?:[^\/?#]*@|)([^\/?#:]*)(?::(\d+)|)|)/,
+
+	/* Prefilters
+	 * 1) They are useful to introduce custom dataTypes (see ajax/jsonp.js for an example)
+	 * 2) These are called:
+	 *    - BEFORE asking for a transport
+	 *    - AFTER param serialization (s.data is a string if s.processData is true)
+	 * 3) key is the dataType
+	 * 4) the catchall symbol "*" can be used
+	 * 5) execution will start with transport dataType and THEN continue down to "*" if needed
+	 */
+	prefilters = {},
+
+	/* Transports bindings
+	 * 1) key is the dataType
+	 * 2) the catchall symbol "*" can be used
+	 * 3) selection will start with transport dataType and THEN go to "*" if needed
+	 */
+	transports = {},
+
+	// Avoid comment-prolog char sequence (#10098); must appease lint and evade compression
+	allTypes = "*/".concat( "*" ),
+
+	// Document location
+	ajaxLocation = window.location.href,
+
+	// Segment location into parts
+	ajaxLocParts = rurl.exec( ajaxLocation.toLowerCase() ) || [];
+
+// Base "constructor" for jQuery.ajaxPrefilter and jQuery.ajaxTransport
+function addToPrefiltersOrTransports( structure ) {
+
+	// dataTypeExpression is optional and defaults to "*"
+	return function( dataTypeExpression, func ) {
+
+		if ( typeof dataTypeExpression !== "string" ) {
+			func = dataTypeExpression;
+			dataTypeExpression = "*";
+		}
+
+		var dataType,
+			i = 0,
+			dataTypes = dataTypeExpression.toLowerCase().match( rnotwhite ) || [];
+
+		if ( jQuery.isFunction( func ) ) {
+			// For each dataType in the dataTypeExpression
+			while ( (dataType = dataTypes[i++]) ) {
+				// Prepend if requested
+				if ( dataType[0] === "+" ) {
+					dataType = dataType.slice( 1 ) || "*";
+					(structure[ dataType ] = structure[ dataType ] || []).unshift( func );
+
+				// Otherwise append
+				} else {
+					(structure[ dataType ] = structure[ dataType ] || []).push( func );
+				}
+			}
+		}
+	};
+}
+
+// Base inspection function for prefilters and transports
+function inspectPrefiltersOrTransports( structure, options, originalOptions, jqXHR ) {
+
+	var inspected = {},
+		seekingTransport = ( structure === transports );
+
+	function inspect( dataType ) {
+		var selected;
+		inspected[ dataType ] = true;
+		jQuery.each( structure[ dataType ] || [], function( _, prefilterOrFactory ) {
+			var dataTypeOrTransport = prefilterOrFactory( options, originalOptions, jqXHR );
+			if ( typeof dataTypeOrTransport === "string" && !seekingTransport && !inspected[ dataTypeOrTransport ] ) {
+				options.dataTypes.unshift( dataTypeOrTransport );
+				inspect( dataTypeOrTransport );
+				return false;
+			} else if ( seekingTransport ) {
+				return !( selected = dataTypeOrTransport );
+			}
+		});
+		return selected;
+	}
+
+	return inspect( options.dataTypes[ 0 ] ) || !inspected[ "*" ] && inspect( "*" );
+}
+
+// A special extend for ajax options
+// that takes "flat" options (not to be deep extended)
+// Fixes #9887
+function ajaxExtend( target, src ) {
+	var key, deep,
+		flatOptions = jQuery.ajaxSettings.flatOptions || {};
+
+	for ( key in src ) {
+		if ( src[ key ] !== undefined ) {
+			( flatOptions[ key ] ? target : ( deep || (deep = {}) ) )[ key ] = src[ key ];
+		}
+	}
+	if ( deep ) {
+		jQuery.extend( true, target, deep );
+	}
+
+	return target;
+}
+
+/* Handles responses to an ajax request:
+ * - finds the right dataType (mediates between content-type and expected dataType)
+ * - returns the corresponding response
+ */
+function ajaxHandleResponses( s, jqXHR, responses ) {
+
+	var ct, type, finalDataType, firstDataType,
+		contents = s.contents,
+		dataTypes = s.dataTypes;
+
+	// Remove auto dataType and get content-type in the process
+	while ( dataTypes[ 0 ] === "*" ) {
+		dataTypes.shift();
+		if ( ct === undefined ) {
+			ct = s.mimeType || jqXHR.getResponseHeader("Content-Type");
+		}
+	}
+
+	// Check if we're dealing with a known content-type
+	if ( ct ) {
+		for ( type in contents ) {
+			if ( contents[ type ] && contents[ type ].test( ct ) ) {
+				dataTypes.unshift( type );
+				break;
+			}
+		}
+	}
+
+	// Check to see if we have a response for the expected dataType
+	if ( dataTypes[ 0 ] in responses ) {
+		finalDataType = dataTypes[ 0 ];
+	} else {
+		// Try convertible dataTypes
+		for ( type in responses ) {
+			if ( !dataTypes[ 0 ] || s.converters[ type + " " + dataTypes[0] ] ) {
+				finalDataType = type;
+				break;
+			}
+			if ( !firstDataType ) {
+				firstDataType = type;
+			}
+		}
+		// Or just use first one
+		finalDataType = finalDataType || firstDataType;
+	}
+
+	// If we found a dataType
+	// We add the dataType to the list if needed
+	// and return the corresponding response
+	if ( finalDataType ) {
+		if ( finalDataType !== dataTypes[ 0 ] ) {
+			dataTypes.unshift( finalDataType );
+		}
+		return responses[ finalDataType ];
+	}
+}
+
+/* Chain conversions given the request and the original response
+ * Also sets the responseXXX fields on the jqXHR instance
+ */
+function ajaxConvert( s, response, jqXHR, isSuccess ) {
+	var conv2, current, conv, tmp, prev,
+		converters = {},
+		// Work with a copy of dataTypes in case we need to modify it for conversion
+		dataTypes = s.dataTypes.slice();
+
+	// Create converters map with lowercased keys
+	if ( dataTypes[ 1 ] ) {
+		for ( conv in s.converters ) {
+			converters[ conv.toLowerCase() ] = s.converters[ conv ];
+		}
+	}
+
+	current = dataTypes.shift();
+
+	// Convert to each sequential dataType
+	while ( current ) {
+
+		if ( s.responseFields[ current ] ) {
+			jqXHR[ s.responseFields[ current ] ] = response;
+		}
+
+		// Apply the dataFilter if provided
+		if ( !prev && isSuccess && s.dataFilter ) {
+			response = s.dataFilter( response, s.dataType );
+		}
+
+		prev = current;
+		current = dataTypes.shift();
+
+		if ( current ) {
+
+		// There's only work to do if current dataType is non-auto
+			if ( current === "*" ) {
+
+				current = prev;
+
+			// Convert response if prev dataType is non-auto and differs from current
+			} else if ( prev !== "*" && prev !== current ) {
+
+				// Seek a direct converter
+				conv = converters[ prev + " " + current ] || converters[ "* " + current ];
+
+				// If none found, seek a pair
+				if ( !conv ) {
+					for ( conv2 in converters ) {
+
+						// If conv2 outputs current
+						tmp = conv2.split( " " );
+						if ( tmp[ 1 ] === current ) {
+
+							// If prev can be converted to accepted input
+							conv = converters[ prev + " " + tmp[ 0 ] ] ||
+								converters[ "* " + tmp[ 0 ] ];
+							if ( conv ) {
+								// Condense equivalence converters
+								if ( conv === true ) {
+									conv = converters[ conv2 ];
+
+								// Otherwise, insert the intermediate dataType
+								} else if ( converters[ conv2 ] !== true ) {
+									current = tmp[ 0 ];
+									dataTypes.unshift( tmp[ 1 ] );
+								}
+								break;
+							}
+						}
+					}
+				}
+
+				// Apply converter (if not an equivalence)
+				if ( conv !== true ) {
+
+					// Unless errors are allowed to bubble, catch and return them
+					if ( conv && s[ "throws" ] ) {
+						response = conv( response );
+					} else {
+						try {
+							response = conv( response );
+						} catch ( e ) {
+							return { state: "parsererror", error: conv ? e : "No conversion from " + prev + " to " + current };
+						}
+					}
+				}
+			}
+		}
+	}
+
+	return { state: "success", data: response };
+}
+
+jQuery.extend({
+
+	// Counter for holding the number of active queries
+	active: 0,
+
+	// Last-Modified header cache for next request
+	lastModified: {},
+	etag: {},
+
+	ajaxSettings: {
+		url: ajaxLocation,
+		type: "GET",
+		isLocal: rlocalProtocol.test( ajaxLocParts[ 1 ] ),
+		global: true,
+		processData: true,
+		async: true,
+		contentType: "application/x-www-form-urlencoded; charset=UTF-8",
+		/*
+		timeout: 0,
+		data: null,
+		dataType: null,
+		username: null,
+		password: null,
+		cache: null,
+		throws: false,
+		traditional: false,
+		headers: {},
+		*/
+
+		accepts: {
+			"*": allTypes,
+			text: "text/plain",
+			html: "text/html",
+			xml: "application/xml, text/xml",
+			json: "application/json, text/javascript"
+		},
+
+		contents: {
+			xml: /xml/,
+			html: /html/,
+			json: /json/
+		},
+
+		responseFields: {
+			xml: "responseXML",
+			text: "responseText",
+			json: "responseJSON"
+		},
+
+		// Data converters
+		// Keys separate source (or catchall "*") and destination types with a single space
+		converters: {
+
+			// Convert anything to text
+			"* text": String,
+
+			// Text to html (true = no transformation)
+			"text html": true,
+
+			// Evaluate text as a json expression
+			"text json": jQuery.parseJSON,
+
+			// Parse text as xml
+			"text xml": jQuery.parseXML
+		},
+
+		// For options that shouldn't be deep extended:
+		// you can add your own custom options here if
+		// and when you create one that shouldn't be
+		// deep extended (see ajaxExtend)
+		flatOptions: {
+			url: true,
+			context: true
+		}
+	},
+
+	// Creates a full fledged settings object into target
+	// with both ajaxSettings and settings fields.
+	// If target is omitted, writes into ajaxSettings.
+	ajaxSetup: function( target, settings ) {
+		return settings ?
+
+			// Building a settings object
+			ajaxExtend( ajaxExtend( target, jQuery.ajaxSettings ), settings ) :
+
+			// Extending ajaxSettings
+			ajaxExtend( jQuery.ajaxSettings, target );
+	},
+
+	ajaxPrefilter: addToPrefiltersOrTransports( prefilters ),
+	ajaxTransport: addToPrefiltersOrTransports( transports ),
+
+	// Main method
+	ajax: function( url, options ) {
+
+		// If url is an object, simulate pre-1.5 signature
+		if ( typeof url === "object" ) {
+			options = url;
+			url = undefined;
+		}
+
+		// Force options to be an object
+		options = options || {};
+
+		var transport,
+			// URL without anti-cache param
+			cacheURL,
+			// Response headers
+			responseHeadersString,
+			responseHeaders,
+			// timeout handle
+			timeoutTimer,
+			// Cross-domain detection vars
+			parts,
+			// To know if global events are to be dispatched
+			fireGlobals,
+			// Loop variable
+			i,
+			// Create the final options object
+			s = jQuery.ajaxSetup( {}, options ),
+			// Callbacks context
+			callbackContext = s.context || s,
+			// Context for global events is callbackContext if it is a DOM node or jQuery collection
+			globalEventContext = s.context && ( callbackContext.nodeType || callbackContext.jquery ) ?
+				jQuery( callbackContext ) :
+				jQuery.event,
+			// Deferreds
+			deferred = jQuery.Deferred(),
+			completeDeferred = jQuery.Callbacks("once memory"),
+			// Status-dependent callbacks
+			statusCode = s.statusCode || {},
+			// Headers (they are sent all at once)
+			requestHeaders = {},
+			requestHeadersNames = {},
+			// The jqXHR state
+			state = 0,
+			// Default abort message
+			strAbort = "canceled",
+			// Fake xhr
+			jqXHR = {
+				readyState: 0,
+
+				// Builds headers hashtable if needed
+				getResponseHeader: function( key ) {
+					var match;
+					if ( state === 2 ) {
+						if ( !responseHeaders ) {
+							responseHeaders = {};
+							while ( (match = rheaders.exec( responseHeadersString )) ) {
+								responseHeaders[ match[1].toLowerCase() ] = match[ 2 ];
+							}
+						}
+						match = responseHeaders[ key.toLowerCase() ];
+					}
+					return match == null ? null : match;
+				},
+
+				// Raw string
+				getAllResponseHeaders: function() {
+					return state === 2 ? responseHeadersString : null;
+				},
+
+				// Caches the header
+				setRequestHeader: function( name, value ) {
+					var lname = name.toLowerCase();
+					if ( !state ) {
+						name = requestHeadersNames[ lname ] = requestHeadersNames[ lname ] || name;
+						requestHeaders[ name ] = value;
+					}
+					return this;
+				},
+
+				// Overrides response content-type header
+				overrideMimeType: function( type ) {
+					if ( !state ) {
+						s.mimeType = type;
+					}
+					return this;
+				},
+
+				// Status-dependent callbacks
+				statusCode: function( map ) {
+					var code;
+					if ( map ) {
+						if ( state < 2 ) {
+							for ( code in map ) {
+								// Lazy-add the new callback in a way that preserves old ones
+								statusCode[ code ] = [ statusCode[ code ], map[ code ] ];
+							}
+						} else {
+							// Execute the appropriate callbacks
+							jqXHR.always( map[ jqXHR.status ] );
+						}
+					}
+					return this;
+				},
+
+				// Cancel the request
+				abort: function( statusText ) {
+					var finalText = statusText || strAbort;
+					if ( transport ) {
+						transport.abort( finalText );
+					}
+					done( 0, finalText );
+					return this;
+				}
+			};
+
+		// Attach deferreds
+		deferred.promise( jqXHR ).complete = completeDeferred.add;
+		jqXHR.success = jqXHR.done;
+		jqXHR.error = jqXHR.fail;
+
+		// Remove hash character (#7531: and string promotion)
+		// Add protocol if not provided (prefilters might expect it)
+		// Handle falsy url in the settings object (#10093: consistency with old signature)
+		// We also use the url parameter if available
+		s.url = ( ( url || s.url || ajaxLocation ) + "" ).replace( rhash, "" )
+			.replace( rprotocol, ajaxLocParts[ 1 ] + "//" );
+
+		// Alias method option to type as per ticket #12004
+		s.type = options.method || options.type || s.method || s.type;
+
+		// Extract dataTypes list
+		s.dataTypes = jQuery.trim( s.dataType || "*" ).toLowerCase().match( rnotwhite ) || [ "" ];
+
+		// A cross-domain request is in order when we have a protocol:host:port mismatch
+		if ( s.crossDomain == null ) {
+			parts = rurl.exec( s.url.toLowerCase() );
+			s.crossDomain = !!( parts &&
+				( parts[ 1 ] !== ajaxLocParts[ 1 ] || parts[ 2 ] !== ajaxLocParts[ 2 ] ||
+					( parts[ 3 ] || ( parts[ 1 ] === "http:" ? "80" : "443" ) ) !==
+						( ajaxLocParts[ 3 ] || ( ajaxLocParts[ 1 ] === "http:" ? "80" : "443" ) ) )
+			);
+		}
+
+		// Convert data if not already a string
+		if ( s.data && s.processData && typeof s.data !== "string" ) {
+			s.data = jQuery.param( s.data, s.traditional );
+		}
+
+		// Apply prefilters
+		inspectPrefiltersOrTransports( prefilters, s, options, jqXHR );
+
+		// If request was aborted inside a prefilter, stop there
+		if ( state === 2 ) {
+			return jqXHR;
+		}
+
+		// We can fire global events as of now if asked to
+		// Don't fire events if jQuery.event is undefined in an AMD-usage scenario (#15118)
+		fireGlobals = jQuery.event && s.global;
+
+		// Watch for a new set of requests
+		if ( fireGlobals && jQuery.active++ === 0 ) {
+			jQuery.event.trigger("ajaxStart");
+		}
+
+		// Uppercase the type
+		s.type = s.type.toUpperCase();
+
+		// Determine if request has content
+		s.hasContent = !rnoContent.test( s.type );
+
+		// Save the URL in case we're toying with the If-Modified-Since
+		// and/or If-None-Match header later on
+		cacheURL = s.url;
+
+		// More options handling for requests with no content
+		if ( !s.hasContent ) {
+
+			// If data is available, append data to url
+			if ( s.data ) {
+				cacheURL = ( s.url += ( rquery.test( cacheURL ) ? "&" : "?" ) + s.data );
+				// #9682: remove data so that it's not used in an eventual retry
+				delete s.data;
+			}
+
+			// Add anti-cache in url if needed
+			if ( s.cache === false ) {
+				s.url = rts.test( cacheURL ) ?
+
+					// If there is already a '_' parameter, set its value
+					cacheURL.replace( rts, "$1_=" + nonce++ ) :
+
+					// Otherwise add one to the end
+					cacheURL + ( rquery.test( cacheURL ) ? "&" : "?" ) + "_=" + nonce++;
+			}
+		}
+
+		// Set the If-Modified-Since and/or If-None-Match header, if in ifModified mode.
+		if ( s.ifModified ) {
+			if ( jQuery.lastModified[ cacheURL ] ) {
+				jqXHR.setRequestHeader( "If-Modified-Since", jQuery.lastModified[ cacheURL ] );
+			}
+			if ( jQuery.etag[ cacheURL ] ) {
+				jqXHR.setRequestHeader( "If-None-Match", jQuery.etag[ cacheURL ] );
+			}
+		}
+
+		// Set the correct header, if data is being sent
+		if ( s.data && s.hasContent && s.contentType !== false || options.contentType ) {
+			jqXHR.setRequestHeader( "Content-Type", s.contentType );
+		}
+
+		// Set the Accepts header for the server, depending on the dataType
+		jqXHR.setRequestHeader(
+			"Accept",
+			s.dataTypes[ 0 ] && s.accepts[ s.dataTypes[0] ] ?
+				s.accepts[ s.dataTypes[0] ] + ( s.dataTypes[ 0 ] !== "*" ? ", " + allTypes + "; q=0.01" : "" ) :
+				s.accepts[ "*" ]
+		);
+
+		// Check for headers option
+		for ( i in s.headers ) {
+			jqXHR.setRequestHeader( i, s.headers[ i ] );
+		}
+
+		// Allow custom headers/mimetypes and early abort
+		if ( s.beforeSend && ( s.beforeSend.call( callbackContext, jqXHR, s ) === false || state === 2 ) ) {
+			// Abort if not done already and return
+			return jqXHR.abort();
+		}
+
+		// Aborting is no longer a cancellation
+		strAbort = "abort";
+
+		// Install callbacks on deferreds
+		for ( i in { success: 1, error: 1, complete: 1 } ) {
+			jqXHR[ i ]( s[ i ] );
+		}
+
+		// Get transport
+		transport = inspectPrefiltersOrTransports( transports, s, options, jqXHR );
+
+		// If no transport, we auto-abort
+		if ( !transport ) {
+			done( -1, "No Transport" );
+		} else {
+			jqXHR.readyState = 1;
+
+			// Send global event
+			if ( fireGlobals ) {
+				globalEventContext.trigger( "ajaxSend", [ jqXHR, s ] );
+			}
+			// Timeout
+			if ( s.async && s.timeout > 0 ) {
+				timeoutTimer = setTimeout(function() {
+					jqXHR.abort("timeout");
+				}, s.timeout );
+			}
+
+			try {
+				state = 1;
+				transport.send( requestHeaders, done );
+			} catch ( e ) {
+				// Propagate exception as error if not done
+				if ( state < 2 ) {
+					done( -1, e );
+				// Simply rethrow otherwise
+				} else {
+					throw e;
+				}
+			}
+		}
+
+		// Callback for when everything is done
+		function done( status, nativeStatusText, responses, headers ) {
+			var isSuccess, success, error, response, modified,
+				statusText = nativeStatusText;
+
+			// Called once
+			if ( state === 2 ) {
+				return;
+			}
+
+			// State is "done" now
+			state = 2;
+
+			// Clear timeout if it exists
+			if ( timeoutTimer ) {
+				clearTimeout( timeoutTimer );
+			}
+
+			// Dereference transport for early garbage collection
+			// (no matter how long the jqXHR object will be used)
+			transport = undefined;
+
+			// Cache response headers
+			responseHeadersString = headers || "";
+
+			// Set readyState
+			jqXHR.readyState = status > 0 ? 4 : 0;
+
+			// Determine if successful
+			isSuccess = status >= 200 && status < 300 || status === 304;
+
+			// Get response data
+			if ( responses ) {
+				response = ajaxHandleResponses( s, jqXHR, responses );
+			}
+
+			// Convert no matter what (that way responseXXX fields are always set)
+			response = ajaxConvert( s, response, jqXHR, isSuccess );
+
+			// If successful, handle type chaining
+			if ( isSuccess ) {
+
+				// Set the If-Modified-Since and/or If-None-Match header, if in ifModified mode.
+				if ( s.ifModified ) {
+					modified = jqXHR.getResponseHeader("Last-Modified");
+					if ( modified ) {
+						jQuery.lastModified[ cacheURL ] = modified;
+					}
+					modified = jqXHR.getResponseHeader("etag");
+					if ( modified ) {
+						jQuery.etag[ cacheURL ] = modified;
+					}
+				}
+
+				// if no content
+				if ( status === 204 || s.type === "HEAD" ) {
+					statusText = "nocontent";
+
+				// if not modified
+				} else if ( status === 304 ) {
+					statusText = "notmodified";
+
+				// If we have data, let's convert it
+				} else {
+					statusText = response.state;
+					success = response.data;
+					error = response.error;
+					isSuccess = !error;
+				}
+			} else {
+				// Extract error from statusText and normalize for non-aborts
+				error = statusText;
+				if ( status || !statusText ) {
+					statusText = "error";
+					if ( status < 0 ) {
+						status = 0;
+					}
+				}
+			}
+
+			// Set data for the fake xhr object
+			jqXHR.status = status;
+			jqXHR.statusText = ( nativeStatusText || statusText ) + "";
+
+			// Success/Error
+			if ( isSuccess ) {
+				deferred.resolveWith( callbackContext, [ success, statusText, jqXHR ] );
+			} else {
+				deferred.rejectWith( callbackContext, [ jqXHR, statusText, error ] );
+			}
+
+			// Status-dependent callbacks
+			jqXHR.statusCode( statusCode );
+			statusCode = undefined;
+
+			if ( fireGlobals ) {
+				globalEventContext.trigger( isSuccess ? "ajaxSuccess" : "ajaxError",
+					[ jqXHR, s, isSuccess ? success : error ] );
+			}
+
+			// Complete
+			completeDeferred.fireWith( callbackContext, [ jqXHR, statusText ] );
+
+			if ( fireGlobals ) {
+				globalEventContext.trigger( "ajaxComplete", [ jqXHR, s ] );
+				// Handle the global AJAX counter
+				if ( !( --jQuery.active ) ) {
+					jQuery.event.trigger("ajaxStop");
+				}
+			}
+		}
+
+		return jqXHR;
+	},
+
+	getJSON: function( url, data, callback ) {
+		return jQuery.get( url, data, callback, "json" );
+	},
+
+	getScript: function( url, callback ) {
+		return jQuery.get( url, undefined, callback, "script" );
+	}
+});
+
+jQuery.each( [ "get", "post" ], function( i, method ) {
+	jQuery[ method ] = function( url, data, callback, type ) {
+		// Shift arguments if data argument was omitted
+		if ( jQuery.isFunction( data ) ) {
+			type = type || callback;
+			callback = data;
+			data = undefined;
+		}
+
+		return jQuery.ajax({
+			url: url,
+			type: method,
+			dataType: type,
+			data: data,
+			success: callback
+		});
+	};
+});
+
+
+jQuery._evalUrl = function( url ) {
+	return jQuery.ajax({
+		url: url,
+		type: "GET",
+		dataType: "script",
+		async: false,
+		global: false,
+		"throws": true
+	});
+};
+
+
+jQuery.fn.extend({
+	wrapAll: function( html ) {
+		var wrap;
+
+		if ( jQuery.isFunction( html ) ) {
+			return this.each(function( i ) {
+				jQuery( this ).wrapAll( html.call(this, i) );
+			});
+		}
+
+		if ( this[ 0 ] ) {
+
+			// The elements to wrap the target around
+			wrap = jQuery( html, this[ 0 ].ownerDocument ).eq( 0 ).clone( true );
+
+			if ( this[ 0 ].parentNode ) {
+				wrap.insertBefore( this[ 0 ] );
+			}
+
+			wrap.map(function() {
+				var elem = this;
+
+				while ( elem.firstElementChild ) {
+					elem = elem.firstElementChild;
+				}
+
+				return elem;
+			}).append( this );
+		}
+
+		return this;
+	},
+
+	wrapInner: function( html ) {
+		if ( jQuery.isFunction( html ) ) {
+			return this.each(function( i ) {
+				jQuery( this ).wrapInner( html.call(this, i) );
+			});
+		}
+
+		return this.each(function() {
+			var self = jQuery( this ),
+				contents = self.contents();
+
+			if ( contents.length ) {
+				contents.wrapAll( html );
+
+			} else {
+				self.append( html );
+			}
+		});
+	},
+
+	wrap: function( html ) {
+		var isFunction = jQuery.isFunction( html );
+
+		return this.each(function( i ) {
+			jQuery( this ).wrapAll( isFunction ? html.call(this, i) : html );
+		});
+	},
+
+	unwrap: function() {
+		return this.parent().each(function() {
+			if ( !jQuery.nodeName( this, "body" ) ) {
+				jQuery( this ).replaceWith( this.childNodes );
+			}
+		}).end();
+	}
+});
+
+
+jQuery.expr.filters.hidden = function( elem ) {
+	// Support: Opera <= 12.12
+	// Opera reports offsetWidths and offsetHeights less than zero on some elements
+	return elem.offsetWidth <= 0 && elem.offsetHeight <= 0;
+};
+jQuery.expr.filters.visible = function( elem ) {
+	return !jQuery.expr.filters.hidden( elem );
+};
+
+
+
+
+var r20 = /%20/g,
+	rbracket = /\[\]$/,
+	rCRLF = /\r?\n/g,
+	rsubmitterTypes = /^(?:submit|button|image|reset|file)$/i,
+	rsubmittable = /^(?:input|select|textarea|keygen)/i;
+
+function buildParams( prefix, obj, traditional, add ) {
+	var name;
+
+	if ( jQuery.isArray( obj ) ) {
+		// Serialize array item.
+		jQuery.each( obj, function( i, v ) {
+			if ( traditional || rbracket.test( prefix ) ) {
+				// Treat each array item as a scalar.
+				add( prefix, v );
+
+			} else {
+				// Item is non-scalar (array or object), encode its numeric index.
+				buildParams( prefix + "[" + ( typeof v === "object" ? i : "" ) + "]", v, traditional, add );
+			}
+		});
+
+	} else if ( !traditional && jQuery.type( obj ) === "object" ) {
+		// Serialize object item.
+		for ( name in obj ) {
+			buildParams( prefix + "[" + name + "]", obj[ name ], traditional, add );
+		}
+
+	} else {
+		// Serialize scalar item.
+		add( prefix, obj );
+	}
+}
+
+// Serialize an array of form elements or a set of
+// key/values into a query string
+jQuery.param = function( a, traditional ) {
+	var prefix,
+		s = [],
+		add = function( key, value ) {
+			// If value is a function, invoke it and return its value
+			value = jQuery.isFunction( value ) ? value() : ( value == null ? "" : value );
+			s[ s.length ] = encodeURIComponent( key ) + "=" + encodeURIComponent( value );
+		};
+
+	// Set traditional to true for jQuery <= 1.3.2 behavior.
+	if ( traditional === undefined ) {
+		traditional = jQuery.ajaxSettings && jQuery.ajaxSettings.traditional;
+	}
+
+	// If an array was passed in, assume that it is an array of form elements.
+	if ( jQuery.isArray( a ) || ( a.jquery && !jQuery.isPlainObject( a ) ) ) {
+		// Serialize the form elements
+		jQuery.each( a, function() {
+			add( this.name, this.value );
+		});
+
+	} else {
+		// If traditional, encode the "old" way (the way 1.3.2 or older
+		// did it), otherwise encode params recursively.
+		for ( prefix in a ) {
+			buildParams( prefix, a[ prefix ], traditional, add );
+		}
+	}
+
+	// Return the resulting serialization
+	return s.join( "&" ).replace( r20, "+" );
+};
+
+jQuery.fn.extend({
+	serialize: function() {
+		return jQuery.param( this.serializeArray() );
+	},
+	serializeArray: function() {
+		return this.map(function() {
+			// Can add propHook for "elements" to filter or add form elements
+			var elements = jQuery.prop( this, "elements" );
+			return elements ? jQuery.makeArray( elements ) : this;
+		})
+		.filter(function() {
+			var type = this.type;
+
+			// Use .is( ":disabled" ) so that fieldset[disabled] works
+			return this.name && !jQuery( this ).is( ":disabled" ) &&
+				rsubmittable.test( this.nodeName ) && !rsubmitterTypes.test( type ) &&
+				( this.checked || !rcheckableType.test( type ) );
+		})
+		.map(function( i, elem ) {
+			var val = jQuery( this ).val();
+
+			return val == null ?
+				null :
+				jQuery.isArray( val ) ?
+					jQuery.map( val, function( val ) {
+						return { name: elem.name, value: val.replace( rCRLF, "\r\n" ) };
+					}) :
+					{ name: elem.name, value: val.replace( rCRLF, "\r\n" ) };
+		}).get();
+	}
+});
+
+
+jQuery.ajaxSettings.xhr = function() {
+	try {
+		return new XMLHttpRequest();
+	} catch( e ) {}
+};
+
+var xhrId = 0,
+	xhrCallbacks = {},
+	xhrSuccessStatus = {
+		// file protocol always yields status code 0, assume 200
+		0: 200,
+		// Support: IE9
+		// #1450: sometimes IE returns 1223 when it should be 204
+		1223: 204
+	},
+	xhrSupported = jQuery.ajaxSettings.xhr();
+
+// Support: IE9
+// Open requests must be manually aborted on unload (#5280)
+// See https://support.microsoft.com/kb/2856746 for more info
+if ( window.attachEvent ) {
+	window.attachEvent( "onunload", function() {
+		for ( var key in xhrCallbacks ) {
+			xhrCallbacks[ key ]();
+		}
+	});
+}
+
+support.cors = !!xhrSupported && ( "withCredentials" in xhrSupported );
+support.ajax = xhrSupported = !!xhrSupported;
+
+jQuery.ajaxTransport(function( options ) {
+	var callback;
+
+	// Cross domain only allowed if supported through XMLHttpRequest
+	if ( support.cors || xhrSupported && !options.crossDomain ) {
+		return {
+			send: function( headers, complete ) {
+				var i,
+					xhr = options.xhr(),
+					id = ++xhrId;
+
+				xhr.open( options.type, options.url, options.async, options.username, options.password );
+
+				// Apply custom fields if provided
+				if ( options.xhrFields ) {
+					for ( i in options.xhrFields ) {
+						xhr[ i ] = options.xhrFields[ i ];
+					}
+				}
+
+				// Override mime type if needed
+				if ( options.mimeType && xhr.overrideMimeType ) {
+					xhr.overrideMimeType( options.mimeType );
+				}
+
+				// X-Requested-With header
+				// For cross-domain requests, seeing as conditions for a preflight are
+				// akin to a jigsaw puzzle, we simply never set it to be sure.
+				// (it can always be set on a per-request basis or even using ajaxSetup)
+				// For same-domain requests, won't change header if already provided.
+				if ( !options.crossDomain && !headers["X-Requested-With"] ) {
+					headers["X-Requested-With"] = "XMLHttpRequest";
+				}
+
+				// Set headers
+				for ( i in headers ) {
+					xhr.setRequestHeader( i, headers[ i ] );
+				}
+
+				// Callback
+				callback = function( type ) {
+					return function() {
+						if ( callback ) {
+							delete xhrCallbacks[ id ];
+							callback = xhr.onload = xhr.onerror = null;
+
+							if ( type === "abort" ) {
+								xhr.abort();
+							} else if ( type === "error" ) {
+								complete(
+									// file: protocol always yields status 0; see #8605, #14207
+									xhr.status,
+									xhr.statusText
+								);
+							} else {
+								complete(
+									xhrSuccessStatus[ xhr.status ] || xhr.status,
+									xhr.statusText,
+									// Support: IE9
+									// Accessing binary-data responseText throws an exception
+									// (#11426)
+									typeof xhr.responseText === "string" ? {
+										text: xhr.responseText
+									} : undefined,
+									xhr.getAllResponseHeaders()
+								);
+							}
+						}
+					};
+				};
+
+				// Listen to events
+				xhr.onload = callback();
+				xhr.onerror = callback("error");
+
+				// Create the abort callback
+				callback = xhrCallbacks[ id ] = callback("abort");
+
+				try {
+					// Do send the request (this may raise an exception)
+					xhr.send( options.hasContent && options.data || null );
+				} catch ( e ) {
+					// #14683: Only rethrow if this hasn't been notified as an error yet
+					if ( callback ) {
+						throw e;
+					}
+				}
+			},
+
+			abort: function() {
+				if ( callback ) {
+					callback();
+				}
+			}
+		};
+	}
+});
+
+
+
+
+// Install script dataType
+jQuery.ajaxSetup({
+	accepts: {
+		script: "text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"
+	},
+	contents: {
+		script: /(?:java|ecma)script/
+	},
+	converters: {
+		"text script": function( text ) {
+			jQuery.globalEval( text );
+			return text;
+		}
+	}
+});
+
+// Handle cache's special case and crossDomain
+jQuery.ajaxPrefilter( "script", function( s ) {
+	if ( s.cache === undefined ) {
+		s.cache = false;
+	}
+	if ( s.crossDomain ) {
+		s.type = "GET";
+	}
+});
+
+// Bind script tag hack transport
+jQuery.ajaxTransport( "script", function( s ) {
+	// This transport only deals with cross domain requests
+	if ( s.crossDomain ) {
+		var script, callback;
+		return {
+			send: function( _, complete ) {
+				script = jQuery("<script>").prop({
+					async: true,
+					charset: s.scriptCharset,
+					src: s.url
+				}).on(
+					"load error",
+					callback = function( evt ) {
+						script.remove();
+						callback = null;
+						if ( evt ) {
+							complete( evt.type === "error" ? 404 : 200, evt.type );
+						}
+					}
+				);
+				document.head.appendChild( script[ 0 ] );
+			},
+			abort: function() {
+				if ( callback ) {
+					callback();
+				}
+			}
+		};
+	}
+});
+
+
+
+
+var oldCallbacks = [],
+	rjsonp = /(=)\?(?=&|$)|\?\?/;
+
+// Default jsonp settings
+jQuery.ajaxSetup({
+	jsonp: "callback",
+	jsonpCallback: function() {
+		var callback = oldCallbacks.pop() || ( jQuery.expando + "_" + ( nonce++ ) );
+		this[ callback ] = true;
+		return callback;
+	}
+});
+
+// Detect, normalize options and install callbacks for jsonp requests
+jQuery.ajaxPrefilter( "json jsonp", function( s, originalSettings, jqXHR ) {
+
+	var callbackName, overwritten, responseContainer,
+		jsonProp = s.jsonp !== false && ( rjsonp.test( s.url ) ?
+			"url" :
+			typeof s.data === "string" && !( s.contentType || "" ).indexOf("application/x-www-form-urlencoded") && rjsonp.test( s.data ) && "data"
+		);
+
+	// Handle iff the expected data type is "jsonp" or we have a parameter to set
+	if ( jsonProp || s.dataTypes[ 0 ] === "jsonp" ) {
+
+		// Get callback name, remembering preexisting value associated with it
+		callbackName = s.jsonpCallback = jQuery.isFunction( s.jsonpCallback ) ?
+			s.jsonpCallback() :
+			s.jsonpCallback;
+
+		// Insert callback into url or form data
+		if ( jsonProp ) {
+			s[ jsonProp ] = s[ jsonProp ].replace( rjsonp, "$1" + callbackName );
+		} else if ( s.jsonp !== false ) {
+			s.url += ( rquery.test( s.url ) ? "&" : "?" ) + s.jsonp + "=" + callbackName;
+		}
+
+		// Use data converter to retrieve json after script execution
+		s.converters["script json"] = function() {
+			if ( !responseContainer ) {
+				jQuery.error( callbackName + " was not called" );
+			}
+			return responseContainer[ 0 ];
+		};
+
+		// force json dataType
+		s.dataTypes[ 0 ] = "json";
+
+		// Install callback
+		overwritten = window[ callbackName ];
+		window[ callbackName ] = function() {
+			responseContainer = arguments;
+		};
+
+		// Clean-up function (fires after converters)
+		jqXHR.always(function() {
+			// Restore preexisting value
+			window[ callbackName ] = overwritten;
+
+			// Save back as free
+			if ( s[ callbackName ] ) {
+				// make sure that re-using the options doesn't screw things around
+				s.jsonpCallback = originalSettings.jsonpCallback;
+
+				// save the callback name for future use
+				oldCallbacks.push( callbackName );
+			}
+
+			// Call if it was a function and we have a response
+			if ( responseContainer && jQuery.isFunction( overwritten ) ) {
+				overwritten( responseContainer[ 0 ] );
+			}
+
+			responseContainer = overwritten = undefined;
+		});
+
+		// Delegate to script
+		return "script";
+	}
+});
+
+
+
+
+// data: string of html
+// context (optional): If specified, the fragment will be created in this context, defaults to document
+// keepScripts (optional): If true, will include scripts passed in the html string
+jQuery.parseHTML = function( data, context, keepScripts ) {
+	if ( !data || typeof data !== "string" ) {
+		return null;
+	}
+	if ( typeof context === "boolean" ) {
+		keepScripts = context;
+		context = false;
+	}
+	context = context || document;
+
+	var parsed = rsingleTag.exec( data ),
+		scripts = !keepScripts && [];
+
+	// Single tag
+	if ( parsed ) {
+		return [ context.createElement( parsed[1] ) ];
+	}
+
+	parsed = jQuery.buildFragment( [ data ], context, scripts );
+
+	if ( scripts && scripts.length ) {
+		jQuery( scripts ).remove();
+	}
+
+	return jQuery.merge( [], parsed.childNodes );
+};
+
+
+// Keep a copy of the old load method
+var _load = jQuery.fn.load;
+
+/**
+ * Load a url into a page
+ */
+jQuery.fn.load = function( url, params, callback ) {
+	if ( typeof url !== "string" && _load ) {
+		return _load.apply( this, arguments );
+	}
+
+	var selector, type, response,
+		self = this,
+		off = url.indexOf(" ");
+
+	if ( off >= 0 ) {
+		selector = jQuery.trim( url.slice( off ) );
+		url = url.slice( 0, off );
+	}
+
+	// If it's a function
+	if ( jQuery.isFunction( params ) ) {
+
+		// We assume that it's the callback
+		callback = params;
+		params = undefined;
+
+	// Otherwise, build a param string
+	} else if ( params && typeof params === "object" ) {
+		type = "POST";
+	}
+
+	// If we have elements to modify, make the request
+	if ( self.length > 0 ) {
+		jQuery.ajax({
+			url: url,
+
+			// if "type" variable is undefined, then "GET" method will be used
+			type: type,
+			dataType: "html",
+			data: params
+		}).done(function( responseText ) {
+
+			// Save response for use in complete callback
+			response = arguments;
+
+			self.html( selector ?
+
+				// If a selector was specified, locate the right elements in a dummy div
+				// Exclude scripts to avoid IE 'Permission Denied' errors
+				jQuery("<div>").append( jQuery.parseHTML( responseText ) ).find( selector ) :
+
+				// Otherwise use the full result
+				responseText );
+
+		}).complete( callback && function( jqXHR, status ) {
+			self.each( callback, response || [ jqXHR.responseText, status, jqXHR ] );
+		});
+	}
+
+	return this;
+};
+
+
+
+
+// Attach a bunch of functions for handling common AJAX events
+jQuery.each( [ "ajaxStart", "ajaxStop", "ajaxComplete", "ajaxError", "ajaxSuccess", "ajaxSend" ], function( i, type ) {
+	jQuery.fn[ type ] = function( fn ) {
+		return this.on( type, fn );
+	};
+});
+
+
+
+
+jQuery.expr.filters.animated = function( elem ) {
+	return jQuery.grep(jQuery.timers, function( fn ) {
+		return elem === fn.elem;
+	}).length;
+};
+
+
+
+
+var docElem = window.document.documentElement;
+
+/**
+ * Gets a window from an element
+ */
+function getWindow( elem ) {
+	return jQuery.isWindow( elem ) ? elem : elem.nodeType === 9 && elem.defaultView;
+}
+
+jQuery.offset = {
+	setOffset: function( elem, options, i ) {
+		var curPosition, curLeft, curCSSTop, curTop, curOffset, curCSSLeft, calculatePosition,
+			position = jQuery.css( elem, "position" ),
+			curElem = jQuery( elem ),
+			props = {};
+
+		// Set position first, in-case top/left are set even on static elem
+		if ( position === "static" ) {
+			elem.style.position = "relative";
+		}
+
+		curOffset = curElem.offset();
+		curCSSTop = jQuery.css( elem, "top" );
+		curCSSLeft = jQuery.css( elem, "left" );
+		calculatePosition = ( position === "absolute" || position === "fixed" ) &&
+			( curCSSTop + curCSSLeft ).indexOf("auto") > -1;
+
+		// Need to be able to calculate position if either
+		// top or left is auto and position is either absolute or fixed
+		if ( calculatePosition ) {
+			curPosition = curElem.position();
+			curTop = curPosition.top;
+			curLeft = curPosition.left;
+
+		} else {
+			curTop = parseFloat( curCSSTop ) || 0;
+			curLeft = parseFloat( curCSSLeft ) || 0;
+		}
+
+		if ( jQuery.isFunction( options ) ) {
+			options = options.call( elem, i, curOffset );
+		}
+
+		if ( options.top != null ) {
+			props.top = ( options.top - curOffset.top ) + curTop;
+		}
+		if ( options.left != null ) {
+			props.left = ( options.left - curOffset.left ) + curLeft;
+		}
+
+		if ( "using" in options ) {
+			options.using.call( elem, props );
+
+		} else {
+			curElem.css( props );
+		}
+	}
+};
+
+jQuery.fn.extend({
+	offset: function( options ) {
+		if ( arguments.length ) {
+			return options === undefined ?
+				this :
+				this.each(function( i ) {
+					jQuery.offset.setOffset( this, options, i );
+				});
+		}
+
+		var docElem, win,
+			elem = this[ 0 ],
+			box = { top: 0, left: 0 },
+			doc = elem && elem.ownerDocument;
+
+		if ( !doc ) {
+			return;
+		}
+
+		docElem = doc.documentElement;
+
+		// Make sure it's not a disconnected DOM node
+		if ( !jQuery.contains( docElem, elem ) ) {
+			return box;
+		}
+
+		// Support: BlackBerry 5, iOS 3 (original iPhone)
+		// If we don't have gBCR, just use 0,0 rather than error
+		if ( typeof elem.getBoundingClientRect !== strundefined ) {
+			box = elem.getBoundingClientRect();
+		}
+		win = getWindow( doc );
+		return {
+			top: box.top + win.pageYOffset - docElem.clientTop,
+			left: box.left + win.pageXOffset - docElem.clientLeft
+		};
+	},
+
+	position: function() {
+		if ( !this[ 0 ] ) {
+			return;
+		}
+
+		var offsetParent, offset,
+			elem = this[ 0 ],
+			parentOffset = { top: 0, left: 0 };
+
+		// Fixed elements are offset from window (parentOffset = {top:0, left: 0}, because it is its only offset parent
+		if ( jQuery.css( elem, "position" ) === "fixed" ) {
+			// Assume getBoundingClientRect is there when computed position is fixed
+			offset = elem.getBoundingClientRect();
+
+		} else {
+			// Get *real* offsetParent
+			offsetParent = this.offsetParent();
+
+			// Get correct offsets
+			offset = this.offset();
+			if ( !jQuery.nodeName( offsetParent[ 0 ], "html" ) ) {
+				parentOffset = offsetParent.offset();
+			}
+
+			// Add offsetParent borders
+			parentOffset.top += jQuery.css( offsetParent[ 0 ], "borderTopWidth", true );
+			parentOffset.left += jQuery.css( offsetParent[ 0 ], "borderLeftWidth", true );
+		}
+
+		// Subtract parent offsets and element margins
+		return {
+			top: offset.top - parentOffset.top - jQuery.css( elem, "marginTop", true ),
+			left: offset.left - parentOffset.left - jQuery.css( elem, "marginLeft", true )
+		};
+	},
+
+	offsetParent: function() {
+		return this.map(function() {
+			var offsetParent = this.offsetParent || docElem;
+
+			while ( offsetParent && ( !jQuery.nodeName( offsetParent, "html" ) && jQuery.css( offsetParent, "position" ) === "static" ) ) {
+				offsetParent = offsetParent.offsetParent;
+			}
+
+			return offsetParent || docElem;
+		});
+	}
+});
+
+// Create scrollLeft and scrollTop methods
+jQuery.each( { scrollLeft: "pageXOffset", scrollTop: "pageYOffset" }, function( method, prop ) {
+	var top = "pageYOffset" === prop;
+
+	jQuery.fn[ method ] = function( val ) {
+		return access( this, function( elem, method, val ) {
+			var win = getWindow( elem );
+
+			if ( val === undefined ) {
+				return win ? win[ prop ] : elem[ method ];
+			}
+
+			if ( win ) {
+				win.scrollTo(
+					!top ? val : window.pageXOffset,
+					top ? val : window.pageYOffset
+				);
+
+			} else {
+				elem[ method ] = val;
+			}
+		}, method, val, arguments.length, null );
+	};
+});
+
+// Support: Safari<7+, Chrome<37+
+// Add the top/left cssHooks using jQuery.fn.position
+// Webkit bug: https://bugs.webkit.org/show_bug.cgi?id=29084
+// Blink bug: https://code.google.com/p/chromium/issues/detail?id=229280
+// getComputedStyle returns percent when specified for top/left/bottom/right;
+// rather than make the css module depend on the offset module, just check for it here
+jQuery.each( [ "top", "left" ], function( i, prop ) {
+	jQuery.cssHooks[ prop ] = addGetHookIf( support.pixelPosition,
+		function( elem, computed ) {
+			if ( computed ) {
+				computed = curCSS( elem, prop );
+				// If curCSS returns percentage, fallback to offset
+				return rnumnonpx.test( computed ) ?
+					jQuery( elem ).position()[ prop ] + "px" :
+					computed;
+			}
+		}
+	);
+});
+
+
+// Create innerHeight, innerWidth, height, width, outerHeight and outerWidth methods
+jQuery.each( { Height: "height", Width: "width" }, function( name, type ) {
+	jQuery.each( { padding: "inner" + name, content: type, "": "outer" + name }, function( defaultExtra, funcName ) {
+		// Margin is only for outerHeight, outerWidth
+		jQuery.fn[ funcName ] = function( margin, value ) {
+			var chainable = arguments.length && ( defaultExtra || typeof margin !== "boolean" ),
+				extra = defaultExtra || ( margin === true || value === true ? "margin" : "border" );
+
+			return access( this, function( elem, type, value ) {
+				var doc;
+
+				if ( jQuery.isWindow( elem ) ) {
+					// As of 5/8/2012 this will yield incorrect results for Mobile Safari, but there
+					// isn't a whole lot we can do. See pull request at this URL for discussion:
+					// https://github.com/jquery/jquery/pull/764
+					return elem.document.documentElement[ "client" + name ];
+				}
+
+				// Get document width or height
+				if ( elem.nodeType === 9 ) {
+					doc = elem.documentElement;
+
+					// Either scroll[Width/Height] or offset[Width/Height] or client[Width/Height],
+					// whichever is greatest
+					return Math.max(
+						elem.body[ "scroll" + name ], doc[ "scroll" + name ],
+						elem.body[ "offset" + name ], doc[ "offset" + name ],
+						doc[ "client" + name ]
+					);
+				}
+
+				return value === undefined ?
+					// Get width or height on the element, requesting but not forcing parseFloat
+					jQuery.css( elem, type, extra ) :
+
+					// Set width or height on the element
+					jQuery.style( elem, type, value, extra );
+			}, type, chainable ? margin : undefined, chainable, null );
+		};
+	});
+});
+
+
+// The number of elements contained in the matched element set
+jQuery.fn.size = function() {
+	return this.length;
+};
+
+jQuery.fn.andSelf = jQuery.fn.addBack;
+
+
+
+
+// Register as a named AMD module, since jQuery can be concatenated with other
+// files that may use define, but not via a proper concatenation script that
+// understands anonymous AMD modules. A named AMD is safest and most robust
+// way to register. Lowercase jquery is used because AMD module names are
+// derived from file names, and jQuery is normally delivered in a lowercase
+// file name. Do this after creating the global so that if an AMD module wants
+// to call noConflict to hide this version of jQuery, it will work.
+
+// Note that for maximum portability, libraries that are not jQuery should
+// declare themselves as anonymous modules, and avoid setting a global if an
+// AMD loader is present. jQuery is a special case. For more information, see
+// https://github.com/jrburke/requirejs/wiki/Updating-existing-libraries#wiki-anon
+
+if ( typeof define === "function" && define.amd ) {
+	define( "jquery", [], function() {
+		return jQuery;
+	});
+}
+
+
+
+
+var
+	// Map over jQuery in case of overwrite
+	_jQuery = window.jQuery,
+
+	// Map over the $ in case of overwrite
+	_$ = window.$;
+
+jQuery.noConflict = function( deep ) {
+	if ( window.$ === jQuery ) {
+		window.$ = _$;
+	}
+
+	if ( deep && window.jQuery === jQuery ) {
+		window.jQuery = _jQuery;
+	}
+
+	return jQuery;
+};
+
+// Expose jQuery and $ identifiers, even in AMD
+// (#7102#comment:10, https://github.com/jquery/jquery/pull/557)
+// and CommonJS for browser emulators (#13566)
+if ( typeof noGlobal === strundefined ) {
+	window.jQuery = window.$ = jQuery;
+}
+
+
+
+
+return jQuery;
+
+}));
diff --git a/www/js/embed-src/main.js b/www/js/embed-src/main.js
new file mode 100644
index 0000000000000000000000000000000000000000..6cba0fec73cb92fc14ff3a89e899b76aa80dbad6
--- /dev/null
+++ b/www/js/embed-src/main.js
@@ -0,0 +1,14 @@
+requirejs.config({
+	map: {
+		"*": {
+			css: 'require-css/css'
+		}
+	}
+});
+
+requirejs([
+	'jquery',
+	'analytics'
+], function($, analytics) {
+	analytics.initialize();
+});
diff --git a/www/js/embed-src/require-css/LICENSE b/www/js/embed-src/require-css/LICENSE
new file mode 100644
index 0000000000000000000000000000000000000000..e39e77c72a034607564a739c7a4446c585f76994
--- /dev/null
+++ b/www/js/embed-src/require-css/LICENSE
@@ -0,0 +1,10 @@
+MIT License
+-----------
+
+Copyright (C) 2013 Guy Bedford
+
+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.
diff --git a/www/js/embed-src/require-css/css-builder.js b/www/js/embed-src/require-css/css-builder.js
new file mode 100644
index 0000000000000000000000000000000000000000..0f908ccba0930ceea6c502cb633f64852136291e
--- /dev/null
+++ b/www/js/embed-src/require-css/css-builder.js
@@ -0,0 +1,242 @@
+define(['require', './normalize'], function(req, normalize) {
+  var cssAPI = {};
+
+  var isWindows = !!process.platform.match(/^win/);
+
+  function compress(css) {
+    if (config.optimizeCss == 'none') {
+      return css;
+    }
+
+    if (typeof process !== "undefined" && process.versions && !!process.versions.node && require.nodeRequire) {
+      var csso;
+      try {
+        csso = require.nodeRequire('csso');
+      }
+      catch(e) {
+        console.log('Compression module not installed. Use "npm install csso -g" to enable.');
+        return css;
+      }
+      var csslen = css.length;
+      try {
+        css =  (csso.minify || csso.justDoIt)(css);
+      }
+      catch(e) {
+        console.log('Compression failed due to a CSS syntax error.');
+        return css;
+      }
+      console.log('Compressed CSS output to ' + Math.round(css.length / csslen * 100) + '%.');
+      return css;
+    }
+    console.log('Compression not supported outside of nodejs environments.');
+    return css;
+  }
+
+  //load file code - stolen from text plugin
+  function loadFile(path) {
+    var file;
+    if (typeof process !== "undefined" && process.versions && !!process.versions.node && require.nodeRequire) {
+      var fs = require.nodeRequire('fs');
+      file = fs.readFileSync(path, 'utf8');
+      if (file.indexOf('\uFEFF') === 0)
+        return file.substring(1);
+      return file;
+    }
+    else {
+      file = new java.io.File(path);
+      var lineSeparator = java.lang.System.getProperty("line.separator"),
+        input = new java.io.BufferedReader(new java.io.InputStreamReader(new java.io.FileInputStream(file), 'utf-8')),
+        stringBuffer, line;
+      try {
+        stringBuffer = new java.lang.StringBuffer();
+        line = input.readLine();
+        if (line && line.length() && line.charAt(0) === 0xfeff)
+          line = line.substring(1);
+        stringBuffer.append(line);
+        while ((line = input.readLine()) !== null) {
+          stringBuffer.append(lineSeparator).append(line);
+        }
+        return String(stringBuffer.toString());
+      }
+      finally {
+        input.close();
+      }
+    }
+  }
+
+
+  function saveFile(path, data) {
+    if (typeof process !== "undefined" && process.versions && !!process.versions.node && require.nodeRequire) {
+      var fs = require.nodeRequire('fs');
+      fs.writeFileSync(path, data, 'utf8');
+    }
+    else {
+      var content = new java.lang.String(data);
+      var output = new java.io.BufferedWriter(new java.io.OutputStreamWriter(new java.io.FileOutputStream(path), 'utf-8'));
+
+      try {
+        output.write(content, 0, content.length());
+        output.flush();
+      }
+      finally {
+        output.close();
+      }
+    }
+  }
+
+  //when adding to the link buffer, paths are normalised to the baseUrl
+  //when removing from the link buffer, paths are normalised to the output file path
+  function escape(content) {
+    return content.replace(/(["'\\])/g, '\\$1')
+      .replace(/[\f]/g, "\\f")
+      .replace(/[\b]/g, "\\b")
+      .replace(/[\n]/g, "\\n")
+      .replace(/[\t]/g, "\\t")
+      .replace(/[\r]/g, "\\r");
+  }
+
+  // NB add @media query support for media imports
+  var importRegEx = /@import\s*(url)?\s*(('([^']*)'|"([^"]*)")|\(('([^']*)'|"([^"]*)"|([^\)]*))\))\s*;?/g;
+  var absUrlRegEx = /^([^\:\/]+:\/)?\//;
+
+  // Write Css module definition
+  var writeCSSDefinition = "define('@writecss', function() {return function writeCss(c) {var d=document,a='appendChild',i='styleSheet',s=d.createElement('style');s.type='text/css';d.getElementsByTagName('head')[0][a](s);s[i]?s[i].cssText=c:s[a](d.createTextNode(c));};});";
+
+  var siteRoot;
+
+  var baseParts = req.toUrl('base_url').split('/');
+  baseParts[baseParts.length - 1] = '';
+  var baseUrl = baseParts.join('/');
+
+  var curModule = 0;
+  var config;
+
+  var writeCSSForLayer = true;
+  var layerBuffer = [];
+  var cssBuffer = {};
+
+  cssAPI.load = function(name, req, load, _config) {
+    //store config
+    config = config || _config;
+
+    if (!siteRoot) {
+      siteRoot = (path.resolve(config.dir || path.dirname(config.out), config.siteRoot || '.') + '/').substr(1);
+      if (isWindows)
+        siteRoot = siteRoot.replace(/\\/g, '/');
+    }
+
+    //external URLS don't get added (just like JS requires)
+    if (name.match(absUrlRegEx))
+      return load();
+
+    var fileUrl = req.toUrl(name + '.css');
+    if (isWindows)
+      fileUrl = fileUrl.replace(/\\/g, '/');
+
+    // rebase to the output directory if based on the source directory;
+    // baseUrl points always to the output directory, fileUrl only if
+    // it is not prefixed by a computed path (relative too)
+    var fileSiteUrl = fileUrl;
+    if (fileSiteUrl.indexOf(baseUrl) < 0) {
+      var appRoot = req.toUrl(config.appDir);
+      if (isWindows)
+        appRoot = appRoot.replace(/\\/g, '/');
+      if (fileSiteUrl.indexOf(appRoot) === 0)
+        fileSiteUrl = siteRoot + fileSiteUrl.substring(appRoot.length);
+    } else if (config.deployRoot) {
+      siteRoot = '/';
+      fileSiteUrl = config.deployRoot + fileSiteUrl.substring(baseUrl.length);
+    } else {
+      fileSiteUrl = fileSiteUrl.substr(1);
+    }
+
+    //add to the buffer
+    cssBuffer[name] = normalize(loadFile(fileUrl), fileSiteUrl, siteRoot);
+
+    load();
+  };
+
+  cssAPI.normalize = function(name, normalize) {
+    if (name.substr(name.length - 4, 4) == '.css')
+      name = name.substr(0, name.length - 4);
+    return normalize(name);
+  };
+
+  cssAPI.write = function(pluginName, moduleName, write, parse) {
+    var cssModule;
+
+    //external URLS don't get added (just like JS requires)
+    if (moduleName.match(absUrlRegEx))
+      return;
+
+    layerBuffer.push(cssBuffer[moduleName]);
+
+    if (!global._requirejsCssData) {
+      global._requirejsCssData = {
+        usedBy: {css: true},
+        css: ''
+      };
+    } else {
+      global._requirejsCssData.usedBy.css = true;
+    }
+
+    if (config.buildCSS !== false) {
+      var style = cssBuffer[moduleName];
+
+      if (config.writeCSSModule && style) {
+ 	    if (writeCSSForLayer) {
+    	  writeCSSForLayer = false;
+          write(writeCSSDefinition);
+        }
+
+        cssModule = 'define(["@writecss"], function(writeCss){\n writeCss("'+ escape(compress(style)) +'");\n})';
+      }
+      else {
+		cssModule = 'define(function(){})';
+      }
+
+      write.asModule(pluginName + '!' + moduleName, cssModule);
+    }
+  };
+
+  cssAPI.onLayerEnd = function(write, data) {
+    if (config.separateCSS && config.IESelectorLimit)
+      throw 'RequireCSS: separateCSS option is not compatible with ensuring the IE selector limit';
+
+    if (config.separateCSS) {
+      var outPath = data.path.replace(/(\.js)?$/, '.css');
+      console.log('Writing CSS! file: ' + outPath + '\n');
+
+      var css = layerBuffer.join('');
+
+      process.nextTick(function() {
+        if (global._requirejsCssData) {
+          css = global._requirejsCssData.css = css + global._requirejsCssData.css;
+          delete global._requirejsCssData.usedBy.css;
+          if (Object.keys(global._requirejsCssData.usedBy).length === 0) {
+            delete global._requirejsCssData;
+          }
+        }
+
+        saveFile(outPath, compress(css));
+      });
+
+    }
+    else if (config.buildCSS !== false && config.writeCSSModule !== true) {
+      var styles = config.IESelectorLimit ? layerBuffer : [layerBuffer.join('')];
+      for (var i = 0; i < styles.length; i++) {
+        if (styles[i] === '')
+          return;
+        write(
+          "(function(c){var d=document,a='appendChild',i='styleSheet',s=d.createElement('style');s.type='text/css';d.getElementsByTagName('head')[0][a](s);s[i]?s[i].cssText=c:s[a](d.createTextNode(c));})\n" +
+          "('" + escape(compress(styles[i])) + "');\n"
+        );
+      }
+    }
+    //clear layer buffer for next layer
+    layerBuffer = [];
+    writeCSSForLayer = true;
+  };
+
+  return cssAPI;
+});
diff --git a/www/js/embed-src/require-css/css.js b/www/js/embed-src/require-css/css.js
new file mode 100644
index 0000000000000000000000000000000000000000..d30bf98da47677668e8ef9a24b392007b71b6233
--- /dev/null
+++ b/www/js/embed-src/require-css/css.js
@@ -0,0 +1,169 @@
+/*
+ * Require-CSS RequireJS css! loader plugin
+ * 0.1.8
+ * Guy Bedford 2014
+ * MIT
+ */
+
+/*
+ *
+ * Usage:
+ *  require(['css!./mycssFile']);
+ *
+ * Tested and working in (up to latest versions as of March 2013):
+ * Android
+ * iOS 6
+ * IE 6 - 10
+ * Chome 3 - 26
+ * Firefox 3.5 - 19
+ * Opera 10 - 12
+ * 
+ * browserling.com used for virtual testing environment
+ *
+ * Credit to B Cavalier & J Hann for the IE 6 - 9 method,
+ * refined with help from Martin Cermak
+ * 
+ * Sources that helped along the way:
+ * - https://developer.mozilla.org/en-US/docs/Browser_detection_using_the_user_agent
+ * - http://www.phpied.com/when-is-a-stylesheet-really-loaded/
+ * - https://github.com/cujojs/curl/blob/master/src/curl/plugin/css.js
+ *
+ */
+
+define(function() {
+//>>excludeStart('excludeRequireCss', pragmas.excludeRequireCss)
+  if (typeof window == 'undefined')
+    return { load: function(n, r, load){ load() } };
+
+  var head = document.getElementsByTagName('head')[0];
+
+  var engine = window.navigator.userAgent.match(/Trident\/([^ ;]*)|AppleWebKit\/([^ ;]*)|Opera\/([^ ;]*)|rv\:([^ ;]*)(.*?)Gecko\/([^ ;]*)|MSIE\s([^ ;]*)|AndroidWebKit\/([^ ;]*)/) || 0;
+
+  // use <style> @import load method (IE < 9, Firefox < 18)
+  var useImportLoad = false;
+  
+  // set to false for explicit <link> load checking when onload doesn't work perfectly (webkit)
+  var useOnload = true;
+
+  // trident / msie
+  if (engine[1] || engine[7])
+    useImportLoad = parseInt(engine[1]) < 6 || parseInt(engine[7]) <= 9;
+  // webkit
+  else if (engine[2] || engine[8])
+    useOnload = false;
+  // gecko
+  else if (engine[4])
+    useImportLoad = parseInt(engine[4]) < 18;
+
+//>>excludeEnd('excludeRequireCss')
+  //main api object
+  var cssAPI = {};
+
+//>>excludeStart('excludeRequireCss', pragmas.excludeRequireCss)
+  cssAPI.pluginBuilder = './css-builder';
+
+  // <style> @import load method
+  var curStyle, curSheet;
+  var createStyle = function () {
+    curStyle = document.createElement('style');
+    head.appendChild(curStyle);
+    curSheet = curStyle.styleSheet || curStyle.sheet;
+  }
+  var ieCnt = 0;
+  var ieLoads = [];
+  var ieCurCallback;
+  
+  var createIeLoad = function(url) {
+    curSheet.addImport(url);
+    curStyle.onload = function(){ processIeLoad() };
+    
+    ieCnt++;
+    if (ieCnt == 31) {
+      createStyle();
+      ieCnt = 0;
+    }
+  }
+  var processIeLoad = function() {
+    ieCurCallback();
+ 
+    var nextLoad = ieLoads.shift();
+ 
+    if (!nextLoad) {
+      ieCurCallback = null;
+      return;
+    }
+ 
+    ieCurCallback = nextLoad[1];
+    createIeLoad(nextLoad[0]);
+  }
+  var importLoad = function(url, callback) {
+    if (!curSheet || !curSheet.addImport)
+      createStyle();
+
+    if (curSheet && curSheet.addImport) {
+      // old IE
+      if (ieCurCallback) {
+        ieLoads.push([url, callback]);
+      }
+      else {
+        createIeLoad(url);
+        ieCurCallback = callback;
+      }
+    }
+    else {
+      // old Firefox
+      curStyle.textContent = '@import "' + url + '";';
+
+      var loadInterval = setInterval(function() {
+        try {
+          curStyle.sheet.cssRules;
+          clearInterval(loadInterval);
+          callback();
+        } catch(e) {}
+      }, 10);
+    }
+  }
+
+  // <link> load method
+  var linkLoad = function(url, callback) {
+    var link = document.createElement('link');
+    link.type = 'text/css';
+    link.rel = 'stylesheet';
+    if (useOnload)
+      link.onload = function() {
+        link.onload = function() {};
+        // for style dimensions queries, a short delay can still be necessary
+        setTimeout(callback, 7);
+      }
+    else
+      var loadInterval = setInterval(function() {
+        for (var i = 0; i < document.styleSheets.length; i++) {
+          var sheet = document.styleSheets[i];
+          if (sheet.href == link.href) {
+            clearInterval(loadInterval);
+            return callback();
+          }
+        }
+      }, 10);
+    link.href = url;
+    head.appendChild(link);
+  }
+
+//>>excludeEnd('excludeRequireCss')
+  cssAPI.normalize = function(name, normalize) {
+    if (name.substr(name.length - 4, 4) == '.css')
+      name = name.substr(0, name.length - 4);
+
+    return normalize(name);
+  }
+
+//>>excludeStart('excludeRequireCss', pragmas.excludeRequireCss)
+  cssAPI.load = function(cssId, req, load, config) {
+
+    (useImportLoad ? importLoad : linkLoad)(req.toUrl(cssId + '.css'), load);
+
+  }
+
+//>>excludeEnd('excludeRequireCss')
+  return cssAPI;
+});
diff --git a/www/js/embed-src/require-css/normalize.js b/www/js/embed-src/require-css/normalize.js
new file mode 100644
index 0000000000000000000000000000000000000000..25cc6fdb9d854f447fb702ab925df5f92648adca
--- /dev/null
+++ b/www/js/embed-src/require-css/normalize.js
@@ -0,0 +1,142 @@
+//>>excludeStart('excludeRequireCss', pragmas.excludeRequireCss)
+/*
+ * css.normalize.js
+ *
+ * CSS Normalization
+ *
+ * CSS paths are normalized based on an optional basePath and the RequireJS config
+ *
+ * Usage:
+ *   normalize(css, fromBasePath, toBasePath);
+ *
+ * css: the stylesheet content to normalize
+ * fromBasePath: the absolute base path of the css relative to any root (but without ../ backtracking)
+ * toBasePath: the absolute new base path of the css relative to the same root
+ * 
+ * Absolute dependencies are left untouched.
+ *
+ * Urls in the CSS are picked up by regular expressions.
+ * These will catch all statements of the form:
+ *
+ * url(*)
+ * url('*')
+ * url("*")
+ * 
+ * @import '*'
+ * @import "*"
+ *
+ * (and so also @import url(*) variations)
+ *
+ * For urls needing normalization
+ *
+ */
+
+define(function() {
+  
+  // regular expression for removing double slashes
+  // eg http://www.example.com//my///url/here -> http://www.example.com/my/url/here
+  var slashes = /([^:])\/+/g
+  var removeDoubleSlashes = function(uri) {
+    return uri.replace(slashes, '$1/');
+  }
+
+  // given a relative URI, and two absolute base URIs, convert it from one base to another
+  var protocolRegEx = /([^\:\/]*):\/\/([^\/]*)/;
+  var absUrlRegEx = /^(\/|data:)/;
+  function convertURIBase(uri, fromBase, toBase) {
+    if (uri.match(absUrlRegEx) || uri.match(protocolRegEx))
+      return uri;
+    uri = removeDoubleSlashes(uri);
+    // if toBase specifies a protocol path, ensure this is the same protocol as fromBase, if not
+    // use absolute path at fromBase
+    var toBaseProtocol = toBase.match(protocolRegEx);
+    var fromBaseProtocol = fromBase.match(protocolRegEx);
+    if (fromBaseProtocol && (!toBaseProtocol || toBaseProtocol[1] != fromBaseProtocol[1] || toBaseProtocol[2] != fromBaseProtocol[2]))
+      return absoluteURI(uri, fromBase);
+    else if (toBase.match(absUrlRegEx))
+      return absoluteURI(absoluteURI(uri, fromBase), toBase); 
+    else {
+      return relativeURI(absoluteURI(uri, fromBase), toBase);
+    }
+  };
+  
+  // given a relative URI, calculate the absolute URI
+  function absoluteURI(uri, base) {
+    if (uri.substr(0, 2) == './')
+      uri = uri.substr(2);
+
+    // absolute urls are left in tact
+    if (uri.match(absUrlRegEx) || uri.match(protocolRegEx))
+      return uri;
+    
+    var baseParts = base.split('/');
+    var uriParts = uri.split('/');
+    
+    baseParts.pop();
+    
+    while (curPart = uriParts.shift())
+      if (curPart == '..')
+        baseParts.pop();
+      else
+        baseParts.push(curPart);
+    
+    return baseParts.join('/');
+  };
+
+
+  // given an absolute URI, calculate the relative URI
+  function relativeURI(uri, base) {
+    
+    // reduce base and uri strings to just their difference string
+    var baseParts = base.split('/');
+    baseParts.pop();
+    base = baseParts.join('/') + '/';
+    i = 0;
+    while (base.substr(i, 1) == uri.substr(i, 1))
+      i++;
+    while (base.substr(i, 1) != '/')
+      i--;
+    base = base.substr(i + 1);
+    uri = uri.substr(i + 1);
+
+    // each base folder difference is thus a backtrack
+    baseParts = base.split('/');
+    var uriParts = uri.split('/');
+    out = '';
+    while (baseParts.shift())
+      out += '../';
+    
+    // finally add uri parts
+    while (curPart = uriParts.shift())
+      out += curPart + '/';
+    
+    return out.substr(0, out.length - 1);
+  };
+  
+  var normalizeCSS = function(source, fromBase, toBase) {
+
+    fromBase = removeDoubleSlashes(fromBase);
+    toBase = removeDoubleSlashes(toBase);
+
+    var urlRegEx = /@import\s*("([^"]*)"|'([^']*)')|url\s*\((?!#)\s*(\s*"([^"]*)"|'([^']*)'|[^\)]*\s*)\s*\)/ig;
+    var result, url, source;
+
+    while (result = urlRegEx.exec(source)) {
+      url = result[3] || result[2] || result[5] || result[6] || result[4];
+      var newUrl;
+      newUrl = convertURIBase(url, fromBase, toBase);
+      var quoteLen = result[5] || result[6] ? 1 : 0;
+      source = source.substr(0, urlRegEx.lastIndex - url.length - quoteLen - 1) + newUrl + source.substr(urlRegEx.lastIndex - quoteLen - 1);
+      urlRegEx.lastIndex = urlRegEx.lastIndex + (newUrl.length - url.length);
+    }
+    
+    return source;
+  };
+  
+  normalizeCSS.convertURIBase = convertURIBase;
+  normalizeCSS.absoluteURI = absoluteURI;
+  normalizeCSS.relativeURI = relativeURI;
+  
+  return normalizeCSS;
+});
+//>>excludeEnd('excludeRequireCss')
diff --git a/www/js/embed-src/require.js b/www/js/embed-src/require.js
new file mode 100644
index 0000000000000000000000000000000000000000..e33c7dded705d3e47d02c305cac2fc2d3ed97d06
--- /dev/null
+++ b/www/js/embed-src/require.js
@@ -0,0 +1,2129 @@
+/** vim: et:ts=4:sw=4:sts=4
+ * @license RequireJS 2.1.22 Copyright (c) 2010-2015, The Dojo Foundation All Rights Reserved.
+ * Available via the MIT or new BSD license.
+ * see: http://github.com/jrburke/requirejs for details
+ */
+//Not using strict: uneven strict support in browsers, #392, and causes
+//problems with requirejs.exec()/transpiler plugins that may not be strict.
+/*jslint regexp: true, nomen: true, sloppy: true */
+/*global window, navigator, document, importScripts, setTimeout, opera */
+
+var requirejs, require, define;
+(function (global) {
+    var req, s, head, baseElement, dataMain, src,
+        interactiveScript, currentlyAddingScript, mainScript, subPath,
+        version = '2.1.22',
+        commentRegExp = /(\/\*([\s\S]*?)\*\/|([^:]|^)\/\/(.*)$)/mg,
+        cjsRequireRegExp = /[^.]\s*require\s*\(\s*["']([^'"\s]+)["']\s*\)/g,
+        jsSuffixRegExp = /\.js$/,
+        currDirRegExp = /^\.\//,
+        op = Object.prototype,
+        ostring = op.toString,
+        hasOwn = op.hasOwnProperty,
+        ap = Array.prototype,
+        isBrowser = !!(typeof window !== 'undefined' && typeof navigator !== 'undefined' && window.document),
+        isWebWorker = !isBrowser && typeof importScripts !== 'undefined',
+        //PS3 indicates loaded and complete, but need to wait for complete
+        //specifically. Sequence is 'loading', 'loaded', execution,
+        // then 'complete'. The UA check is unfortunate, but not sure how
+        //to feature test w/o causing perf issues.
+        readyRegExp = isBrowser && navigator.platform === 'PLAYSTATION 3' ?
+                      /^complete$/ : /^(complete|loaded)$/,
+        defContextName = '_',
+        //Oh the tragedy, detecting opera. See the usage of isOpera for reason.
+        isOpera = typeof opera !== 'undefined' && opera.toString() === '[object Opera]',
+        contexts = {},
+        cfg = {},
+        globalDefQueue = [],
+        useInteractive = false;
+
+    function isFunction(it) {
+        return ostring.call(it) === '[object Function]';
+    }
+
+    function isArray(it) {
+        return ostring.call(it) === '[object Array]';
+    }
+
+    /**
+     * Helper function for iterating over an array. If the func returns
+     * a true value, it will break out of the loop.
+     */
+    function each(ary, func) {
+        if (ary) {
+            var i;
+            for (i = 0; i < ary.length; i += 1) {
+                if (ary[i] && func(ary[i], i, ary)) {
+                    break;
+                }
+            }
+        }
+    }
+
+    /**
+     * Helper function for iterating over an array backwards. If the func
+     * returns a true value, it will break out of the loop.
+     */
+    function eachReverse(ary, func) {
+        if (ary) {
+            var i;
+            for (i = ary.length - 1; i > -1; i -= 1) {
+                if (ary[i] && func(ary[i], i, ary)) {
+                    break;
+                }
+            }
+        }
+    }
+
+    function hasProp(obj, prop) {
+        return hasOwn.call(obj, prop);
+    }
+
+    function getOwn(obj, prop) {
+        return hasProp(obj, prop) && obj[prop];
+    }
+
+    /**
+     * Cycles over properties in an object and calls a function for each
+     * property value. If the function returns a truthy value, then the
+     * iteration is stopped.
+     */
+    function eachProp(obj, func) {
+        var prop;
+        for (prop in obj) {
+            if (hasProp(obj, prop)) {
+                if (func(obj[prop], prop)) {
+                    break;
+                }
+            }
+        }
+    }
+
+    /**
+     * Simple function to mix in properties from source into target,
+     * but only if target does not already have a property of the same name.
+     */
+    function mixin(target, source, force, deepStringMixin) {
+        if (source) {
+            eachProp(source, function (value, prop) {
+                if (force || !hasProp(target, prop)) {
+                    if (deepStringMixin && typeof value === 'object' && value &&
+                        !isArray(value) && !isFunction(value) &&
+                        !(value instanceof RegExp)) {
+
+                        if (!target[prop]) {
+                            target[prop] = {};
+                        }
+                        mixin(target[prop], value, force, deepStringMixin);
+                    } else {
+                        target[prop] = value;
+                    }
+                }
+            });
+        }
+        return target;
+    }
+
+    //Similar to Function.prototype.bind, but the 'this' object is specified
+    //first, since it is easier to read/figure out what 'this' will be.
+    function bind(obj, fn) {
+        return function () {
+            return fn.apply(obj, arguments);
+        };
+    }
+
+    function scripts() {
+        return document.getElementsByTagName('script');
+    }
+
+    function defaultOnError(err) {
+        throw err;
+    }
+
+    //Allow getting a global that is expressed in
+    //dot notation, like 'a.b.c'.
+    function getGlobal(value) {
+        if (!value) {
+            return value;
+        }
+        var g = global;
+        each(value.split('.'), function (part) {
+            g = g[part];
+        });
+        return g;
+    }
+
+    /**
+     * Constructs an error with a pointer to an URL with more information.
+     * @param {String} id the error ID that maps to an ID on a web page.
+     * @param {String} message human readable error.
+     * @param {Error} [err] the original error, if there is one.
+     *
+     * @returns {Error}
+     */
+    function makeError(id, msg, err, requireModules) {
+        var e = new Error(msg + '\nhttp://requirejs.org/docs/errors.html#' + id);
+        e.requireType = id;
+        e.requireModules = requireModules;
+        if (err) {
+            e.originalError = err;
+        }
+        return e;
+    }
+
+    if (typeof define !== 'undefined') {
+        //If a define is already in play via another AMD loader,
+        //do not overwrite.
+        return;
+    }
+
+    if (typeof requirejs !== 'undefined') {
+        if (isFunction(requirejs)) {
+            //Do not overwrite an existing requirejs instance.
+            return;
+        }
+        cfg = requirejs;
+        requirejs = undefined;
+    }
+
+    //Allow for a require config object
+    if (typeof require !== 'undefined' && !isFunction(require)) {
+        //assume it is a config object.
+        cfg = require;
+        require = undefined;
+    }
+
+    function newContext(contextName) {
+        var inCheckLoaded, Module, context, handlers,
+            checkLoadedTimeoutId,
+            config = {
+                //Defaults. Do not set a default for map
+                //config to speed up normalize(), which
+                //will run faster if there is no default.
+                waitSeconds: 7,
+                baseUrl: './',
+                paths: {},
+                bundles: {},
+                pkgs: {},
+                shim: {},
+                config: {}
+            },
+            registry = {},
+            //registry of just enabled modules, to speed
+            //cycle breaking code when lots of modules
+            //are registered, but not activated.
+            enabledRegistry = {},
+            undefEvents = {},
+            defQueue = [],
+            defined = {},
+            urlFetched = {},
+            bundlesMap = {},
+            requireCounter = 1,
+            unnormalizedCounter = 1;
+
+        /**
+         * Trims the . and .. from an array of path segments.
+         * It will keep a leading path segment if a .. will become
+         * the first path segment, to help with module name lookups,
+         * which act like paths, but can be remapped. But the end result,
+         * all paths that use this function should look normalized.
+         * NOTE: this method MODIFIES the input array.
+         * @param {Array} ary the array of path segments.
+         */
+        function trimDots(ary) {
+            var i, part;
+            for (i = 0; i < ary.length; i++) {
+                part = ary[i];
+                if (part === '.') {
+                    ary.splice(i, 1);
+                    i -= 1;
+                } else if (part === '..') {
+                    // If at the start, or previous value is still ..,
+                    // keep them so that when converted to a path it may
+                    // still work when converted to a path, even though
+                    // as an ID it is less than ideal. In larger point
+                    // releases, may be better to just kick out an error.
+                    if (i === 0 || (i === 1 && ary[2] === '..') || ary[i - 1] === '..') {
+                        continue;
+                    } else if (i > 0) {
+                        ary.splice(i - 1, 2);
+                        i -= 2;
+                    }
+                }
+            }
+        }
+
+        /**
+         * Given a relative module name, like ./something, normalize it to
+         * a real name that can be mapped to a path.
+         * @param {String} name the relative name
+         * @param {String} baseName a real name that the name arg is relative
+         * to.
+         * @param {Boolean} applyMap apply the map config to the value. Should
+         * only be done if this normalization is for a dependency ID.
+         * @returns {String} normalized name
+         */
+        function normalize(name, baseName, applyMap) {
+            var pkgMain, mapValue, nameParts, i, j, nameSegment, lastIndex,
+                foundMap, foundI, foundStarMap, starI, normalizedBaseParts,
+                baseParts = (baseName && baseName.split('/')),
+                map = config.map,
+                starMap = map && map['*'];
+
+            //Adjust any relative paths.
+            if (name) {
+                name = name.split('/');
+                lastIndex = name.length - 1;
+
+                // If wanting node ID compatibility, strip .js from end
+                // of IDs. Have to do this here, and not in nameToUrl
+                // because node allows either .js or non .js to map
+                // to same file.
+                if (config.nodeIdCompat && jsSuffixRegExp.test(name[lastIndex])) {
+                    name[lastIndex] = name[lastIndex].replace(jsSuffixRegExp, '');
+                }
+
+                // Starts with a '.' so need the baseName
+                if (name[0].charAt(0) === '.' && baseParts) {
+                    //Convert baseName to array, and lop off the last part,
+                    //so that . matches that 'directory' and not name of the baseName's
+                    //module. For instance, baseName of 'one/two/three', maps to
+                    //'one/two/three.js', but we want the directory, 'one/two' for
+                    //this normalization.
+                    normalizedBaseParts = baseParts.slice(0, baseParts.length - 1);
+                    name = normalizedBaseParts.concat(name);
+                }
+
+                trimDots(name);
+                name = name.join('/');
+            }
+
+            //Apply map config if available.
+            if (applyMap && map && (baseParts || starMap)) {
+                nameParts = name.split('/');
+
+                outerLoop: for (i = nameParts.length; i > 0; i -= 1) {
+                    nameSegment = nameParts.slice(0, i).join('/');
+
+                    if (baseParts) {
+                        //Find the longest baseName segment match in the config.
+                        //So, do joins on the biggest to smallest lengths of baseParts.
+                        for (j = baseParts.length; j > 0; j -= 1) {
+                            mapValue = getOwn(map, baseParts.slice(0, j).join('/'));
+
+                            //baseName segment has config, find if it has one for
+                            //this name.
+                            if (mapValue) {
+                                mapValue = getOwn(mapValue, nameSegment);
+                                if (mapValue) {
+                                    //Match, update name to the new value.
+                                    foundMap = mapValue;
+                                    foundI = i;
+                                    break outerLoop;
+                                }
+                            }
+                        }
+                    }
+
+                    //Check for a star map match, but just hold on to it,
+                    //if there is a shorter segment match later in a matching
+                    //config, then favor over this star map.
+                    if (!foundStarMap && starMap && getOwn(starMap, nameSegment)) {
+                        foundStarMap = getOwn(starMap, nameSegment);
+                        starI = i;
+                    }
+                }
+
+                if (!foundMap && foundStarMap) {
+                    foundMap = foundStarMap;
+                    foundI = starI;
+                }
+
+                if (foundMap) {
+                    nameParts.splice(0, foundI, foundMap);
+                    name = nameParts.join('/');
+                }
+            }
+
+            // If the name points to a package's name, use
+            // the package main instead.
+            pkgMain = getOwn(config.pkgs, name);
+
+            return pkgMain ? pkgMain : name;
+        }
+
+        function removeScript(name) {
+            if (isBrowser) {
+                each(scripts(), function (scriptNode) {
+                    if (scriptNode.getAttribute('data-requiremodule') === name &&
+                            scriptNode.getAttribute('data-requirecontext') === context.contextName) {
+                        scriptNode.parentNode.removeChild(scriptNode);
+                        return true;
+                    }
+                });
+            }
+        }
+
+        function hasPathFallback(id) {
+            var pathConfig = getOwn(config.paths, id);
+            if (pathConfig && isArray(pathConfig) && pathConfig.length > 1) {
+                //Pop off the first array value, since it failed, and
+                //retry
+                pathConfig.shift();
+                context.require.undef(id);
+
+                //Custom require that does not do map translation, since
+                //ID is "absolute", already mapped/resolved.
+                context.makeRequire(null, {
+                    skipMap: true
+                })([id]);
+
+                return true;
+            }
+        }
+
+        //Turns a plugin!resource to [plugin, resource]
+        //with the plugin being undefined if the name
+        //did not have a plugin prefix.
+        function splitPrefix(name) {
+            var prefix,
+                index = name ? name.indexOf('!') : -1;
+            if (index > -1) {
+                prefix = name.substring(0, index);
+                name = name.substring(index + 1, name.length);
+            }
+            return [prefix, name];
+        }
+
+        /**
+         * Creates a module mapping that includes plugin prefix, module
+         * name, and path. If parentModuleMap is provided it will
+         * also normalize the name via require.normalize()
+         *
+         * @param {String} name the module name
+         * @param {String} [parentModuleMap] parent module map
+         * for the module name, used to resolve relative names.
+         * @param {Boolean} isNormalized: is the ID already normalized.
+         * This is true if this call is done for a define() module ID.
+         * @param {Boolean} applyMap: apply the map config to the ID.
+         * Should only be true if this map is for a dependency.
+         *
+         * @returns {Object}
+         */
+        function makeModuleMap(name, parentModuleMap, isNormalized, applyMap) {
+            var url, pluginModule, suffix, nameParts,
+                prefix = null,
+                parentName = parentModuleMap ? parentModuleMap.name : null,
+                originalName = name,
+                isDefine = true,
+                normalizedName = '';
+
+            //If no name, then it means it is a require call, generate an
+            //internal name.
+            if (!name) {
+                isDefine = false;
+                name = '_@r' + (requireCounter += 1);
+            }
+
+            nameParts = splitPrefix(name);
+            prefix = nameParts[0];
+            name = nameParts[1];
+
+            if (prefix) {
+                prefix = normalize(prefix, parentName, applyMap);
+                pluginModule = getOwn(defined, prefix);
+            }
+
+            //Account for relative paths if there is a base name.
+            if (name) {
+                if (prefix) {
+                    if (pluginModule && pluginModule.normalize) {
+                        //Plugin is loaded, use its normalize method.
+                        normalizedName = pluginModule.normalize(name, function (name) {
+                            return normalize(name, parentName, applyMap);
+                        });
+                    } else {
+                        // If nested plugin references, then do not try to
+                        // normalize, as it will not normalize correctly. This
+                        // places a restriction on resourceIds, and the longer
+                        // term solution is not to normalize until plugins are
+                        // loaded and all normalizations to allow for async
+                        // loading of a loader plugin. But for now, fixes the
+                        // common uses. Details in #1131
+                        normalizedName = name.indexOf('!') === -1 ?
+                                         normalize(name, parentName, applyMap) :
+                                         name;
+                    }
+                } else {
+                    //A regular module.
+                    normalizedName = normalize(name, parentName, applyMap);
+
+                    //Normalized name may be a plugin ID due to map config
+                    //application in normalize. The map config values must
+                    //already be normalized, so do not need to redo that part.
+                    nameParts = splitPrefix(normalizedName);
+                    prefix = nameParts[0];
+                    normalizedName = nameParts[1];
+                    isNormalized = true;
+
+                    url = context.nameToUrl(normalizedName);
+                }
+            }
+
+            //If the id is a plugin id that cannot be determined if it needs
+            //normalization, stamp it with a unique ID so two matching relative
+            //ids that may conflict can be separate.
+            suffix = prefix && !pluginModule && !isNormalized ?
+                     '_unnormalized' + (unnormalizedCounter += 1) :
+                     '';
+
+            return {
+                prefix: prefix,
+                name: normalizedName,
+                parentMap: parentModuleMap,
+                unnormalized: !!suffix,
+                url: url,
+                originalName: originalName,
+                isDefine: isDefine,
+                id: (prefix ?
+                        prefix + '!' + normalizedName :
+                        normalizedName) + suffix
+            };
+        }
+
+        function getModule(depMap) {
+            var id = depMap.id,
+                mod = getOwn(registry, id);
+
+            if (!mod) {
+                mod = registry[id] = new context.Module(depMap);
+            }
+
+            return mod;
+        }
+
+        function on(depMap, name, fn) {
+            var id = depMap.id,
+                mod = getOwn(registry, id);
+
+            if (hasProp(defined, id) &&
+                    (!mod || mod.defineEmitComplete)) {
+                if (name === 'defined') {
+                    fn(defined[id]);
+                }
+            } else {
+                mod = getModule(depMap);
+                if (mod.error && name === 'error') {
+                    fn(mod.error);
+                } else {
+                    mod.on(name, fn);
+                }
+            }
+        }
+
+        function onError(err, errback) {
+            var ids = err.requireModules,
+                notified = false;
+
+            if (errback) {
+                errback(err);
+            } else {
+                each(ids, function (id) {
+                    var mod = getOwn(registry, id);
+                    if (mod) {
+                        //Set error on module, so it skips timeout checks.
+                        mod.error = err;
+                        if (mod.events.error) {
+                            notified = true;
+                            mod.emit('error', err);
+                        }
+                    }
+                });
+
+                if (!notified) {
+                    req.onError(err);
+                }
+            }
+        }
+
+        /**
+         * Internal method to transfer globalQueue items to this context's
+         * defQueue.
+         */
+        function takeGlobalQueue() {
+            //Push all the globalDefQueue items into the context's defQueue
+            if (globalDefQueue.length) {
+                each(globalDefQueue, function(queueItem) {
+                    var id = queueItem[0];
+                    if (typeof id === 'string') {
+                        context.defQueueMap[id] = true;
+                    }
+                    defQueue.push(queueItem);
+                });
+                globalDefQueue = [];
+            }
+        }
+
+        handlers = {
+            'require': function (mod) {
+                if (mod.require) {
+                    return mod.require;
+                } else {
+                    return (mod.require = context.makeRequire(mod.map));
+                }
+            },
+            'exports': function (mod) {
+                mod.usingExports = true;
+                if (mod.map.isDefine) {
+                    if (mod.exports) {
+                        return (defined[mod.map.id] = mod.exports);
+                    } else {
+                        return (mod.exports = defined[mod.map.id] = {});
+                    }
+                }
+            },
+            'module': function (mod) {
+                if (mod.module) {
+                    return mod.module;
+                } else {
+                    return (mod.module = {
+                        id: mod.map.id,
+                        uri: mod.map.url,
+                        config: function () {
+                            return getOwn(config.config, mod.map.id) || {};
+                        },
+                        exports: mod.exports || (mod.exports = {})
+                    });
+                }
+            }
+        };
+
+        function cleanRegistry(id) {
+            //Clean up machinery used for waiting modules.
+            delete registry[id];
+            delete enabledRegistry[id];
+        }
+
+        function breakCycle(mod, traced, processed) {
+            var id = mod.map.id;
+
+            if (mod.error) {
+                mod.emit('error', mod.error);
+            } else {
+                traced[id] = true;
+                each(mod.depMaps, function (depMap, i) {
+                    var depId = depMap.id,
+                        dep = getOwn(registry, depId);
+
+                    //Only force things that have not completed
+                    //being defined, so still in the registry,
+                    //and only if it has not been matched up
+                    //in the module already.
+                    if (dep && !mod.depMatched[i] && !processed[depId]) {
+                        if (getOwn(traced, depId)) {
+                            mod.defineDep(i, defined[depId]);
+                            mod.check(); //pass false?
+                        } else {
+                            breakCycle(dep, traced, processed);
+                        }
+                    }
+                });
+                processed[id] = true;
+            }
+        }
+
+        function checkLoaded() {
+            var err, usingPathFallback,
+                waitInterval = config.waitSeconds * 1000,
+                //It is possible to disable the wait interval by using waitSeconds of 0.
+                expired = waitInterval && (context.startTime + waitInterval) < new Date().getTime(),
+                noLoads = [],
+                reqCalls = [],
+                stillLoading = false,
+                needCycleCheck = true;
+
+            //Do not bother if this call was a result of a cycle break.
+            if (inCheckLoaded) {
+                return;
+            }
+
+            inCheckLoaded = true;
+
+            //Figure out the state of all the modules.
+            eachProp(enabledRegistry, function (mod) {
+                var map = mod.map,
+                    modId = map.id;
+
+                //Skip things that are not enabled or in error state.
+                if (!mod.enabled) {
+                    return;
+                }
+
+                if (!map.isDefine) {
+                    reqCalls.push(mod);
+                }
+
+                if (!mod.error) {
+                    //If the module should be executed, and it has not
+                    //been inited and time is up, remember it.
+                    if (!mod.inited && expired) {
+                        if (hasPathFallback(modId)) {
+                            usingPathFallback = true;
+                            stillLoading = true;
+                        } else {
+                            noLoads.push(modId);
+                            removeScript(modId);
+                        }
+                    } else if (!mod.inited && mod.fetched && map.isDefine) {
+                        stillLoading = true;
+                        if (!map.prefix) {
+                            //No reason to keep looking for unfinished
+                            //loading. If the only stillLoading is a
+                            //plugin resource though, keep going,
+                            //because it may be that a plugin resource
+                            //is waiting on a non-plugin cycle.
+                            return (needCycleCheck = false);
+                        }
+                    }
+                }
+            });
+
+            if (expired && noLoads.length) {
+                //If wait time expired, throw error of unloaded modules.
+                err = makeError('timeout', 'Load timeout for modules: ' + noLoads, null, noLoads);
+                err.contextName = context.contextName;
+                return onError(err);
+            }
+
+            //Not expired, check for a cycle.
+            if (needCycleCheck) {
+                each(reqCalls, function (mod) {
+                    breakCycle(mod, {}, {});
+                });
+            }
+
+            //If still waiting on loads, and the waiting load is something
+            //other than a plugin resource, or there are still outstanding
+            //scripts, then just try back later.
+            if ((!expired || usingPathFallback) && stillLoading) {
+                //Something is still waiting to load. Wait for it, but only
+                //if a timeout is not already in effect.
+                if ((isBrowser || isWebWorker) && !checkLoadedTimeoutId) {
+                    checkLoadedTimeoutId = setTimeout(function () {
+                        checkLoadedTimeoutId = 0;
+                        checkLoaded();
+                    }, 50);
+                }
+            }
+
+            inCheckLoaded = false;
+        }
+
+        Module = function (map) {
+            this.events = getOwn(undefEvents, map.id) || {};
+            this.map = map;
+            this.shim = getOwn(config.shim, map.id);
+            this.depExports = [];
+            this.depMaps = [];
+            this.depMatched = [];
+            this.pluginMaps = {};
+            this.depCount = 0;
+
+            /* this.exports this.factory
+               this.depMaps = [],
+               this.enabled, this.fetched
+            */
+        };
+
+        Module.prototype = {
+            init: function (depMaps, factory, errback, options) {
+                options = options || {};
+
+                //Do not do more inits if already done. Can happen if there
+                //are multiple define calls for the same module. That is not
+                //a normal, common case, but it is also not unexpected.
+                if (this.inited) {
+                    return;
+                }
+
+                this.factory = factory;
+
+                if (errback) {
+                    //Register for errors on this module.
+                    this.on('error', errback);
+                } else if (this.events.error) {
+                    //If no errback already, but there are error listeners
+                    //on this module, set up an errback to pass to the deps.
+                    errback = bind(this, function (err) {
+                        this.emit('error', err);
+                    });
+                }
+
+                //Do a copy of the dependency array, so that
+                //source inputs are not modified. For example
+                //"shim" deps are passed in here directly, and
+                //doing a direct modification of the depMaps array
+                //would affect that config.
+                this.depMaps = depMaps && depMaps.slice(0);
+
+                this.errback = errback;
+
+                //Indicate this module has be initialized
+                this.inited = true;
+
+                this.ignore = options.ignore;
+
+                //Could have option to init this module in enabled mode,
+                //or could have been previously marked as enabled. However,
+                //the dependencies are not known until init is called. So
+                //if enabled previously, now trigger dependencies as enabled.
+                if (options.enabled || this.enabled) {
+                    //Enable this module and dependencies.
+                    //Will call this.check()
+                    this.enable();
+                } else {
+                    this.check();
+                }
+            },
+
+            defineDep: function (i, depExports) {
+                //Because of cycles, defined callback for a given
+                //export can be called more than once.
+                if (!this.depMatched[i]) {
+                    this.depMatched[i] = true;
+                    this.depCount -= 1;
+                    this.depExports[i] = depExports;
+                }
+            },
+
+            fetch: function () {
+                if (this.fetched) {
+                    return;
+                }
+                this.fetched = true;
+
+                context.startTime = (new Date()).getTime();
+
+                var map = this.map;
+
+                //If the manager is for a plugin managed resource,
+                //ask the plugin to load it now.
+                if (this.shim) {
+                    context.makeRequire(this.map, {
+                        enableBuildCallback: true
+                    })(this.shim.deps || [], bind(this, function () {
+                        return map.prefix ? this.callPlugin() : this.load();
+                    }));
+                } else {
+                    //Regular dependency.
+                    return map.prefix ? this.callPlugin() : this.load();
+                }
+            },
+
+            load: function () {
+                var url = this.map.url;
+
+                //Regular dependency.
+                if (!urlFetched[url]) {
+                    urlFetched[url] = true;
+                    context.load(this.map.id, url);
+                }
+            },
+
+            /**
+             * Checks if the module is ready to define itself, and if so,
+             * define it.
+             */
+            check: function () {
+                if (!this.enabled || this.enabling) {
+                    return;
+                }
+
+                var err, cjsModule,
+                    id = this.map.id,
+                    depExports = this.depExports,
+                    exports = this.exports,
+                    factory = this.factory;
+
+                if (!this.inited) {
+                    // Only fetch if not already in the defQueue.
+                    if (!hasProp(context.defQueueMap, id)) {
+                        this.fetch();
+                    }
+                } else if (this.error) {
+                    this.emit('error', this.error);
+                } else if (!this.defining) {
+                    //The factory could trigger another require call
+                    //that would result in checking this module to
+                    //define itself again. If already in the process
+                    //of doing that, skip this work.
+                    this.defining = true;
+
+                    if (this.depCount < 1 && !this.defined) {
+                        if (isFunction(factory)) {
+                            try {
+                                exports = context.execCb(id, factory, depExports, exports);
+                            } catch (e) {
+                                err = e;
+                            }
+
+                            // Favor return value over exports. If node/cjs in play,
+                            // then will not have a return value anyway. Favor
+                            // module.exports assignment over exports object.
+                            if (this.map.isDefine && exports === undefined) {
+                                cjsModule = this.module;
+                                if (cjsModule) {
+                                    exports = cjsModule.exports;
+                                } else if (this.usingExports) {
+                                    //exports already set the defined value.
+                                    exports = this.exports;
+                                }
+                            }
+
+                            if (err) {
+                                // If there is an error listener, favor passing
+                                // to that instead of throwing an error. However,
+                                // only do it for define()'d  modules. require
+                                // errbacks should not be called for failures in
+                                // their callbacks (#699). However if a global
+                                // onError is set, use that.
+                                if ((this.events.error && this.map.isDefine) ||
+                                    req.onError !== defaultOnError) {
+                                    err.requireMap = this.map;
+                                    err.requireModules = this.map.isDefine ? [this.map.id] : null;
+                                    err.requireType = this.map.isDefine ? 'define' : 'require';
+                                    return onError((this.error = err));
+                                } else if (typeof console !== 'undefined' &&
+                                           console.error) {
+                                    // Log the error for debugging. If promises could be
+                                    // used, this would be different, but making do.
+                                    console.error(err);
+                                } else {
+                                    // Do not want to completely lose the error. While this
+                                    // will mess up processing and lead to similar results
+                                    // as bug 1440, it at least surfaces the error.
+                                    req.onError(err);
+                                }
+                            }
+                        } else {
+                            //Just a literal value
+                            exports = factory;
+                        }
+
+                        this.exports = exports;
+
+                        if (this.map.isDefine && !this.ignore) {
+                            defined[id] = exports;
+
+                            if (req.onResourceLoad) {
+                                var resLoadMaps = [];
+                                each(this.depMaps, function (depMap) {
+                                    resLoadMaps.push(depMap.normalizedMap || depMap);
+                                });
+                                req.onResourceLoad(context, this.map, resLoadMaps);
+                            }
+                        }
+
+                        //Clean up
+                        cleanRegistry(id);
+
+                        this.defined = true;
+                    }
+
+                    //Finished the define stage. Allow calling check again
+                    //to allow define notifications below in the case of a
+                    //cycle.
+                    this.defining = false;
+
+                    if (this.defined && !this.defineEmitted) {
+                        this.defineEmitted = true;
+                        this.emit('defined', this.exports);
+                        this.defineEmitComplete = true;
+                    }
+
+                }
+            },
+
+            callPlugin: function () {
+                var map = this.map,
+                    id = map.id,
+                    //Map already normalized the prefix.
+                    pluginMap = makeModuleMap(map.prefix);
+
+                //Mark this as a dependency for this plugin, so it
+                //can be traced for cycles.
+                this.depMaps.push(pluginMap);
+
+                on(pluginMap, 'defined', bind(this, function (plugin) {
+                    var load, normalizedMap, normalizedMod,
+                        bundleId = getOwn(bundlesMap, this.map.id),
+                        name = this.map.name,
+                        parentName = this.map.parentMap ? this.map.parentMap.name : null,
+                        localRequire = context.makeRequire(map.parentMap, {
+                            enableBuildCallback: true
+                        });
+
+                    //If current map is not normalized, wait for that
+                    //normalized name to load instead of continuing.
+                    if (this.map.unnormalized) {
+                        //Normalize the ID if the plugin allows it.
+                        if (plugin.normalize) {
+                            name = plugin.normalize(name, function (name) {
+                                return normalize(name, parentName, true);
+                            }) || '';
+                        }
+
+                        //prefix and name should already be normalized, no need
+                        //for applying map config again either.
+                        normalizedMap = makeModuleMap(map.prefix + '!' + name,
+                                                      this.map.parentMap);
+                        on(normalizedMap,
+                            'defined', bind(this, function (value) {
+                                this.map.normalizedMap = normalizedMap;
+                                this.init([], function () { return value; }, null, {
+                                    enabled: true,
+                                    ignore: true
+                                });
+                            }));
+
+                        normalizedMod = getOwn(registry, normalizedMap.id);
+                        if (normalizedMod) {
+                            //Mark this as a dependency for this plugin, so it
+                            //can be traced for cycles.
+                            this.depMaps.push(normalizedMap);
+
+                            if (this.events.error) {
+                                normalizedMod.on('error', bind(this, function (err) {
+                                    this.emit('error', err);
+                                }));
+                            }
+                            normalizedMod.enable();
+                        }
+
+                        return;
+                    }
+
+                    //If a paths config, then just load that file instead to
+                    //resolve the plugin, as it is built into that paths layer.
+                    if (bundleId) {
+                        this.map.url = context.nameToUrl(bundleId);
+                        this.load();
+                        return;
+                    }
+
+                    load = bind(this, function (value) {
+                        this.init([], function () { return value; }, null, {
+                            enabled: true
+                        });
+                    });
+
+                    load.error = bind(this, function (err) {
+                        this.inited = true;
+                        this.error = err;
+                        err.requireModules = [id];
+
+                        //Remove temp unnormalized modules for this module,
+                        //since they will never be resolved otherwise now.
+                        eachProp(registry, function (mod) {
+                            if (mod.map.id.indexOf(id + '_unnormalized') === 0) {
+                                cleanRegistry(mod.map.id);
+                            }
+                        });
+
+                        onError(err);
+                    });
+
+                    //Allow plugins to load other code without having to know the
+                    //context or how to 'complete' the load.
+                    load.fromText = bind(this, function (text, textAlt) {
+                        /*jslint evil: true */
+                        var moduleName = map.name,
+                            moduleMap = makeModuleMap(moduleName),
+                            hasInteractive = useInteractive;
+
+                        //As of 2.1.0, support just passing the text, to reinforce
+                        //fromText only being called once per resource. Still
+                        //support old style of passing moduleName but discard
+                        //that moduleName in favor of the internal ref.
+                        if (textAlt) {
+                            text = textAlt;
+                        }
+
+                        //Turn off interactive script matching for IE for any define
+                        //calls in the text, then turn it back on at the end.
+                        if (hasInteractive) {
+                            useInteractive = false;
+                        }
+
+                        //Prime the system by creating a module instance for
+                        //it.
+                        getModule(moduleMap);
+
+                        //Transfer any config to this other module.
+                        if (hasProp(config.config, id)) {
+                            config.config[moduleName] = config.config[id];
+                        }
+
+                        try {
+                            req.exec(text);
+                        } catch (e) {
+                            return onError(makeError('fromtexteval',
+                                             'fromText eval for ' + id +
+                                            ' failed: ' + e,
+                                             e,
+                                             [id]));
+                        }
+
+                        if (hasInteractive) {
+                            useInteractive = true;
+                        }
+
+                        //Mark this as a dependency for the plugin
+                        //resource
+                        this.depMaps.push(moduleMap);
+
+                        //Support anonymous modules.
+                        context.completeLoad(moduleName);
+
+                        //Bind the value of that module to the value for this
+                        //resource ID.
+                        localRequire([moduleName], load);
+                    });
+
+                    //Use parentName here since the plugin's name is not reliable,
+                    //could be some weird string with no path that actually wants to
+                    //reference the parentName's path.
+                    plugin.load(map.name, localRequire, load, config);
+                }));
+
+                context.enable(pluginMap, this);
+                this.pluginMaps[pluginMap.id] = pluginMap;
+            },
+
+            enable: function () {
+                enabledRegistry[this.map.id] = this;
+                this.enabled = true;
+
+                //Set flag mentioning that the module is enabling,
+                //so that immediate calls to the defined callbacks
+                //for dependencies do not trigger inadvertent load
+                //with the depCount still being zero.
+                this.enabling = true;
+
+                //Enable each dependency
+                each(this.depMaps, bind(this, function (depMap, i) {
+                    var id, mod, handler;
+
+                    if (typeof depMap === 'string') {
+                        //Dependency needs to be converted to a depMap
+                        //and wired up to this module.
+                        depMap = makeModuleMap(depMap,
+                                               (this.map.isDefine ? this.map : this.map.parentMap),
+                                               false,
+                                               !this.skipMap);
+                        this.depMaps[i] = depMap;
+
+                        handler = getOwn(handlers, depMap.id);
+
+                        if (handler) {
+                            this.depExports[i] = handler(this);
+                            return;
+                        }
+
+                        this.depCount += 1;
+
+                        on(depMap, 'defined', bind(this, function (depExports) {
+                            if (this.undefed) {
+                                return;
+                            }
+                            this.defineDep(i, depExports);
+                            this.check();
+                        }));
+
+                        if (this.errback) {
+                            on(depMap, 'error', bind(this, this.errback));
+                        } else if (this.events.error) {
+                            // No direct errback on this module, but something
+                            // else is listening for errors, so be sure to
+                            // propagate the error correctly.
+                            on(depMap, 'error', bind(this, function(err) {
+                                this.emit('error', err);
+                            }));
+                        }
+                    }
+
+                    id = depMap.id;
+                    mod = registry[id];
+
+                    //Skip special modules like 'require', 'exports', 'module'
+                    //Also, don't call enable if it is already enabled,
+                    //important in circular dependency cases.
+                    if (!hasProp(handlers, id) && mod && !mod.enabled) {
+                        context.enable(depMap, this);
+                    }
+                }));
+
+                //Enable each plugin that is used in
+                //a dependency
+                eachProp(this.pluginMaps, bind(this, function (pluginMap) {
+                    var mod = getOwn(registry, pluginMap.id);
+                    if (mod && !mod.enabled) {
+                        context.enable(pluginMap, this);
+                    }
+                }));
+
+                this.enabling = false;
+
+                this.check();
+            },
+
+            on: function (name, cb) {
+                var cbs = this.events[name];
+                if (!cbs) {
+                    cbs = this.events[name] = [];
+                }
+                cbs.push(cb);
+            },
+
+            emit: function (name, evt) {
+                each(this.events[name], function (cb) {
+                    cb(evt);
+                });
+                if (name === 'error') {
+                    //Now that the error handler was triggered, remove
+                    //the listeners, since this broken Module instance
+                    //can stay around for a while in the registry.
+                    delete this.events[name];
+                }
+            }
+        };
+
+        function callGetModule(args) {
+            //Skip modules already defined.
+            if (!hasProp(defined, args[0])) {
+                getModule(makeModuleMap(args[0], null, true)).init(args[1], args[2]);
+            }
+        }
+
+        function removeListener(node, func, name, ieName) {
+            //Favor detachEvent because of IE9
+            //issue, see attachEvent/addEventListener comment elsewhere
+            //in this file.
+            if (node.detachEvent && !isOpera) {
+                //Probably IE. If not it will throw an error, which will be
+                //useful to know.
+                if (ieName) {
+                    node.detachEvent(ieName, func);
+                }
+            } else {
+                node.removeEventListener(name, func, false);
+            }
+        }
+
+        /**
+         * Given an event from a script node, get the requirejs info from it,
+         * and then removes the event listeners on the node.
+         * @param {Event} evt
+         * @returns {Object}
+         */
+        function getScriptData(evt) {
+            //Using currentTarget instead of target for Firefox 2.0's sake. Not
+            //all old browsers will be supported, but this one was easy enough
+            //to support and still makes sense.
+            var node = evt.currentTarget || evt.srcElement;
+
+            //Remove the listeners once here.
+            removeListener(node, context.onScriptLoad, 'load', 'onreadystatechange');
+            removeListener(node, context.onScriptError, 'error');
+
+            return {
+                node: node,
+                id: node && node.getAttribute('data-requiremodule')
+            };
+        }
+
+        function intakeDefines() {
+            var args;
+
+            //Any defined modules in the global queue, intake them now.
+            takeGlobalQueue();
+
+            //Make sure any remaining defQueue items get properly processed.
+            while (defQueue.length) {
+                args = defQueue.shift();
+                if (args[0] === null) {
+                    return onError(makeError('mismatch', 'Mismatched anonymous define() module: ' +
+                        args[args.length - 1]));
+                } else {
+                    //args are id, deps, factory. Should be normalized by the
+                    //define() function.
+                    callGetModule(args);
+                }
+            }
+            context.defQueueMap = {};
+        }
+
+        context = {
+            config: config,
+            contextName: contextName,
+            registry: registry,
+            defined: defined,
+            urlFetched: urlFetched,
+            defQueue: defQueue,
+            defQueueMap: {},
+            Module: Module,
+            makeModuleMap: makeModuleMap,
+            nextTick: req.nextTick,
+            onError: onError,
+
+            /**
+             * Set a configuration for the context.
+             * @param {Object} cfg config object to integrate.
+             */
+            configure: function (cfg) {
+                //Make sure the baseUrl ends in a slash.
+                if (cfg.baseUrl) {
+                    if (cfg.baseUrl.charAt(cfg.baseUrl.length - 1) !== '/') {
+                        cfg.baseUrl += '/';
+                    }
+                }
+
+                //Save off the paths since they require special processing,
+                //they are additive.
+                var shim = config.shim,
+                    objs = {
+                        paths: true,
+                        bundles: true,
+                        config: true,
+                        map: true
+                    };
+
+                eachProp(cfg, function (value, prop) {
+                    if (objs[prop]) {
+                        if (!config[prop]) {
+                            config[prop] = {};
+                        }
+                        mixin(config[prop], value, true, true);
+                    } else {
+                        config[prop] = value;
+                    }
+                });
+
+                //Reverse map the bundles
+                if (cfg.bundles) {
+                    eachProp(cfg.bundles, function (value, prop) {
+                        each(value, function (v) {
+                            if (v !== prop) {
+                                bundlesMap[v] = prop;
+                            }
+                        });
+                    });
+                }
+
+                //Merge shim
+                if (cfg.shim) {
+                    eachProp(cfg.shim, function (value, id) {
+                        //Normalize the structure
+                        if (isArray(value)) {
+                            value = {
+                                deps: value
+                            };
+                        }
+                        if ((value.exports || value.init) && !value.exportsFn) {
+                            value.exportsFn = context.makeShimExports(value);
+                        }
+                        shim[id] = value;
+                    });
+                    config.shim = shim;
+                }
+
+                //Adjust packages if necessary.
+                if (cfg.packages) {
+                    each(cfg.packages, function (pkgObj) {
+                        var location, name;
+
+                        pkgObj = typeof pkgObj === 'string' ? {name: pkgObj} : pkgObj;
+
+                        name = pkgObj.name;
+                        location = pkgObj.location;
+                        if (location) {
+                            config.paths[name] = pkgObj.location;
+                        }
+
+                        //Save pointer to main module ID for pkg name.
+                        //Remove leading dot in main, so main paths are normalized,
+                        //and remove any trailing .js, since different package
+                        //envs have different conventions: some use a module name,
+                        //some use a file name.
+                        config.pkgs[name] = pkgObj.name + '/' + (pkgObj.main || 'main')
+                                     .replace(currDirRegExp, '')
+                                     .replace(jsSuffixRegExp, '');
+                    });
+                }
+
+                //If there are any "waiting to execute" modules in the registry,
+                //update the maps for them, since their info, like URLs to load,
+                //may have changed.
+                eachProp(registry, function (mod, id) {
+                    //If module already has init called, since it is too
+                    //late to modify them, and ignore unnormalized ones
+                    //since they are transient.
+                    if (!mod.inited && !mod.map.unnormalized) {
+                        mod.map = makeModuleMap(id, null, true);
+                    }
+                });
+
+                //If a deps array or a config callback is specified, then call
+                //require with those args. This is useful when require is defined as a
+                //config object before require.js is loaded.
+                if (cfg.deps || cfg.callback) {
+                    context.require(cfg.deps || [], cfg.callback);
+                }
+            },
+
+            makeShimExports: function (value) {
+                function fn() {
+                    var ret;
+                    if (value.init) {
+                        ret = value.init.apply(global, arguments);
+                    }
+                    return ret || (value.exports && getGlobal(value.exports));
+                }
+                return fn;
+            },
+
+            makeRequire: function (relMap, options) {
+                options = options || {};
+
+                function localRequire(deps, callback, errback) {
+                    var id, map, requireMod;
+
+                    if (options.enableBuildCallback && callback && isFunction(callback)) {
+                        callback.__requireJsBuild = true;
+                    }
+
+                    if (typeof deps === 'string') {
+                        if (isFunction(callback)) {
+                            //Invalid call
+                            return onError(makeError('requireargs', 'Invalid require call'), errback);
+                        }
+
+                        //If require|exports|module are requested, get the
+                        //value for them from the special handlers. Caveat:
+                        //this only works while module is being defined.
+                        if (relMap && hasProp(handlers, deps)) {
+                            return handlers[deps](registry[relMap.id]);
+                        }
+
+                        //Synchronous access to one module. If require.get is
+                        //available (as in the Node adapter), prefer that.
+                        if (req.get) {
+                            return req.get(context, deps, relMap, localRequire);
+                        }
+
+                        //Normalize module name, if it contains . or ..
+                        map = makeModuleMap(deps, relMap, false, true);
+                        id = map.id;
+
+                        if (!hasProp(defined, id)) {
+                            return onError(makeError('notloaded', 'Module name "' +
+                                        id +
+                                        '" has not been loaded yet for context: ' +
+                                        contextName +
+                                        (relMap ? '' : '. Use require([])')));
+                        }
+                        return defined[id];
+                    }
+
+                    //Grab defines waiting in the global queue.
+                    intakeDefines();
+
+                    //Mark all the dependencies as needing to be loaded.
+                    context.nextTick(function () {
+                        //Some defines could have been added since the
+                        //require call, collect them.
+                        intakeDefines();
+
+                        requireMod = getModule(makeModuleMap(null, relMap));
+
+                        //Store if map config should be applied to this require
+                        //call for dependencies.
+                        requireMod.skipMap = options.skipMap;
+
+                        requireMod.init(deps, callback, errback, {
+                            enabled: true
+                        });
+
+                        checkLoaded();
+                    });
+
+                    return localRequire;
+                }
+
+                mixin(localRequire, {
+                    isBrowser: isBrowser,
+
+                    /**
+                     * Converts a module name + .extension into an URL path.
+                     * *Requires* the use of a module name. It does not support using
+                     * plain URLs like nameToUrl.
+                     */
+                    toUrl: function (moduleNamePlusExt) {
+                        var ext,
+                            index = moduleNamePlusExt.lastIndexOf('.'),
+                            segment = moduleNamePlusExt.split('/')[0],
+                            isRelative = segment === '.' || segment === '..';
+
+                        //Have a file extension alias, and it is not the
+                        //dots from a relative path.
+                        if (index !== -1 && (!isRelative || index > 1)) {
+                            ext = moduleNamePlusExt.substring(index, moduleNamePlusExt.length);
+                            moduleNamePlusExt = moduleNamePlusExt.substring(0, index);
+                        }
+
+                        return context.nameToUrl(normalize(moduleNamePlusExt,
+                                                relMap && relMap.id, true), ext,  true);
+                    },
+
+                    defined: function (id) {
+                        return hasProp(defined, makeModuleMap(id, relMap, false, true).id);
+                    },
+
+                    specified: function (id) {
+                        id = makeModuleMap(id, relMap, false, true).id;
+                        return hasProp(defined, id) || hasProp(registry, id);
+                    }
+                });
+
+                //Only allow undef on top level require calls
+                if (!relMap) {
+                    localRequire.undef = function (id) {
+                        //Bind any waiting define() calls to this context,
+                        //fix for #408
+                        takeGlobalQueue();
+
+                        var map = makeModuleMap(id, relMap, true),
+                            mod = getOwn(registry, id);
+
+                        mod.undefed = true;
+                        removeScript(id);
+
+                        delete defined[id];
+                        delete urlFetched[map.url];
+                        delete undefEvents[id];
+
+                        //Clean queued defines too. Go backwards
+                        //in array so that the splices do not
+                        //mess up the iteration.
+                        eachReverse(defQueue, function(args, i) {
+                            if (args[0] === id) {
+                                defQueue.splice(i, 1);
+                            }
+                        });
+                        delete context.defQueueMap[id];
+
+                        if (mod) {
+                            //Hold on to listeners in case the
+                            //module will be attempted to be reloaded
+                            //using a different config.
+                            if (mod.events.defined) {
+                                undefEvents[id] = mod.events;
+                            }
+
+                            cleanRegistry(id);
+                        }
+                    };
+                }
+
+                return localRequire;
+            },
+
+            /**
+             * Called to enable a module if it is still in the registry
+             * awaiting enablement. A second arg, parent, the parent module,
+             * is passed in for context, when this method is overridden by
+             * the optimizer. Not shown here to keep code compact.
+             */
+            enable: function (depMap) {
+                var mod = getOwn(registry, depMap.id);
+                if (mod) {
+                    getModule(depMap).enable();
+                }
+            },
+
+            /**
+             * Internal method used by environment adapters to complete a load event.
+             * A load event could be a script load or just a load pass from a synchronous
+             * load call.
+             * @param {String} moduleName the name of the module to potentially complete.
+             */
+            completeLoad: function (moduleName) {
+                var found, args, mod,
+                    shim = getOwn(config.shim, moduleName) || {},
+                    shExports = shim.exports;
+
+                takeGlobalQueue();
+
+                while (defQueue.length) {
+                    args = defQueue.shift();
+                    if (args[0] === null) {
+                        args[0] = moduleName;
+                        //If already found an anonymous module and bound it
+                        //to this name, then this is some other anon module
+                        //waiting for its completeLoad to fire.
+                        if (found) {
+                            break;
+                        }
+                        found = true;
+                    } else if (args[0] === moduleName) {
+                        //Found matching define call for this script!
+                        found = true;
+                    }
+
+                    callGetModule(args);
+                }
+                context.defQueueMap = {};
+
+                //Do this after the cycle of callGetModule in case the result
+                //of those calls/init calls changes the registry.
+                mod = getOwn(registry, moduleName);
+
+                if (!found && !hasProp(defined, moduleName) && mod && !mod.inited) {
+                    if (config.enforceDefine && (!shExports || !getGlobal(shExports))) {
+                        if (hasPathFallback(moduleName)) {
+                            return;
+                        } else {
+                            return onError(makeError('nodefine',
+                                             'No define call for ' + moduleName,
+                                             null,
+                                             [moduleName]));
+                        }
+                    } else {
+                        //A script that does not call define(), so just simulate
+                        //the call for it.
+                        callGetModule([moduleName, (shim.deps || []), shim.exportsFn]);
+                    }
+                }
+
+                checkLoaded();
+            },
+
+            /**
+             * Converts a module name to a file path. Supports cases where
+             * moduleName may actually be just an URL.
+             * Note that it **does not** call normalize on the moduleName,
+             * it is assumed to have already been normalized. This is an
+             * internal API, not a public one. Use toUrl for the public API.
+             */
+            nameToUrl: function (moduleName, ext, skipExt) {
+                var paths, syms, i, parentModule, url,
+                    parentPath, bundleId,
+                    pkgMain = getOwn(config.pkgs, moduleName);
+
+                if (pkgMain) {
+                    moduleName = pkgMain;
+                }
+
+                bundleId = getOwn(bundlesMap, moduleName);
+
+                if (bundleId) {
+                    return context.nameToUrl(bundleId, ext, skipExt);
+                }
+
+                //If a colon is in the URL, it indicates a protocol is used and it is just
+                //an URL to a file, or if it starts with a slash, contains a query arg (i.e. ?)
+                //or ends with .js, then assume the user meant to use an url and not a module id.
+                //The slash is important for protocol-less URLs as well as full paths.
+                if (req.jsExtRegExp.test(moduleName)) {
+                    //Just a plain path, not module name lookup, so just return it.
+                    //Add extension if it is included. This is a bit wonky, only non-.js things pass
+                    //an extension, this method probably needs to be reworked.
+                    url = moduleName + (ext || '');
+                } else {
+                    //A module that needs to be converted to a path.
+                    paths = config.paths;
+
+                    syms = moduleName.split('/');
+                    //For each module name segment, see if there is a path
+                    //registered for it. Start with most specific name
+                    //and work up from it.
+                    for (i = syms.length; i > 0; i -= 1) {
+                        parentModule = syms.slice(0, i).join('/');
+
+                        parentPath = getOwn(paths, parentModule);
+                        if (parentPath) {
+                            //If an array, it means there are a few choices,
+                            //Choose the one that is desired
+                            if (isArray(parentPath)) {
+                                parentPath = parentPath[0];
+                            }
+                            syms.splice(0, i, parentPath);
+                            break;
+                        }
+                    }
+
+                    //Join the path parts together, then figure out if baseUrl is needed.
+                    url = syms.join('/');
+                    url += (ext || (/^data\:|\?/.test(url) || skipExt ? '' : '.js'));
+                    url = (url.charAt(0) === '/' || url.match(/^[\w\+\.\-]+:/) ? '' : config.baseUrl) + url;
+                }
+
+                return config.urlArgs ? url +
+                                        ((url.indexOf('?') === -1 ? '?' : '&') +
+                                         config.urlArgs) : url;
+            },
+
+            //Delegates to req.load. Broken out as a separate function to
+            //allow overriding in the optimizer.
+            load: function (id, url) {
+                req.load(context, id, url);
+            },
+
+            /**
+             * Executes a module callback function. Broken out as a separate function
+             * solely to allow the build system to sequence the files in the built
+             * layer in the right sequence.
+             *
+             * @private
+             */
+            execCb: function (name, callback, args, exports) {
+                return callback.apply(exports, args);
+            },
+
+            /**
+             * callback for script loads, used to check status of loading.
+             *
+             * @param {Event} evt the event from the browser for the script
+             * that was loaded.
+             */
+            onScriptLoad: function (evt) {
+                //Using currentTarget instead of target for Firefox 2.0's sake. Not
+                //all old browsers will be supported, but this one was easy enough
+                //to support and still makes sense.
+                if (evt.type === 'load' ||
+                        (readyRegExp.test((evt.currentTarget || evt.srcElement).readyState))) {
+                    //Reset interactive script so a script node is not held onto for
+                    //to long.
+                    interactiveScript = null;
+
+                    //Pull out the name of the module and the context.
+                    var data = getScriptData(evt);
+                    context.completeLoad(data.id);
+                }
+            },
+
+            /**
+             * Callback for script errors.
+             */
+            onScriptError: function (evt) {
+                var data = getScriptData(evt);
+                if (!hasPathFallback(data.id)) {
+                    var parents = [];
+                    eachProp(registry, function(value, key) {
+                        if (key.indexOf('_@r') !== 0) {
+                            each(value.depMaps, function(depMap) {
+                                if (depMap.id === data.id) {
+                                    parents.push(key);
+                                }
+                                return true;
+                            });
+                        }
+                    });
+                    return onError(makeError('scripterror', 'Script error for "' + data.id +
+                                             (parents.length ?
+                                             '", needed by: ' + parents.join(', ') :
+                                             '"'), evt, [data.id]));
+                }
+            }
+        };
+
+        context.require = context.makeRequire();
+        return context;
+    }
+
+    /**
+     * Main entry point.
+     *
+     * If the only argument to require is a string, then the module that
+     * is represented by that string is fetched for the appropriate context.
+     *
+     * If the first argument is an array, then it will be treated as an array
+     * of dependency string names to fetch. An optional function callback can
+     * be specified to execute when all of those dependencies are available.
+     *
+     * Make a local req variable to help Caja compliance (it assumes things
+     * on a require that are not standardized), and to give a short
+     * name for minification/local scope use.
+     */
+    req = requirejs = function (deps, callback, errback, optional) {
+
+        //Find the right context, use default
+        var context, config,
+            contextName = defContextName;
+
+        // Determine if have config object in the call.
+        if (!isArray(deps) && typeof deps !== 'string') {
+            // deps is a config object
+            config = deps;
+            if (isArray(callback)) {
+                // Adjust args if there are dependencies
+                deps = callback;
+                callback = errback;
+                errback = optional;
+            } else {
+                deps = [];
+            }
+        }
+
+        if (config && config.context) {
+            contextName = config.context;
+        }
+
+        context = getOwn(contexts, contextName);
+        if (!context) {
+            context = contexts[contextName] = req.s.newContext(contextName);
+        }
+
+        if (config) {
+            context.configure(config);
+        }
+
+        return context.require(deps, callback, errback);
+    };
+
+    /**
+     * Support require.config() to make it easier to cooperate with other
+     * AMD loaders on globally agreed names.
+     */
+    req.config = function (config) {
+        return req(config);
+    };
+
+    /**
+     * Execute something after the current tick
+     * of the event loop. Override for other envs
+     * that have a better solution than setTimeout.
+     * @param  {Function} fn function to execute later.
+     */
+    req.nextTick = typeof setTimeout !== 'undefined' ? function (fn) {
+        setTimeout(fn, 4);
+    } : function (fn) { fn(); };
+
+    /**
+     * Export require as a global, but only if it does not already exist.
+     */
+    if (!require) {
+        require = req;
+    }
+
+    req.version = version;
+
+    //Used to filter out dependencies that are already paths.
+    req.jsExtRegExp = /^\/|:|\?|\.js$/;
+    req.isBrowser = isBrowser;
+    s = req.s = {
+        contexts: contexts,
+        newContext: newContext
+    };
+
+    //Create default context.
+    req({});
+
+    //Exports some context-sensitive methods on global require.
+    each([
+        'toUrl',
+        'undef',
+        'defined',
+        'specified'
+    ], function (prop) {
+        //Reference from contexts instead of early binding to default context,
+        //so that during builds, the latest instance of the default context
+        //with its config gets used.
+        req[prop] = function () {
+            var ctx = contexts[defContextName];
+            return ctx.require[prop].apply(ctx, arguments);
+        };
+    });
+
+    if (isBrowser) {
+        head = s.head = document.getElementsByTagName('head')[0];
+        //If BASE tag is in play, using appendChild is a problem for IE6.
+        //When that browser dies, this can be removed. Details in this jQuery bug:
+        //http://dev.jquery.com/ticket/2709
+        baseElement = document.getElementsByTagName('base')[0];
+        if (baseElement) {
+            head = s.head = baseElement.parentNode;
+        }
+    }
+
+    /**
+     * Any errors that require explicitly generates will be passed to this
+     * function. Intercept/override it if you want custom error handling.
+     * @param {Error} err the error object.
+     */
+    req.onError = defaultOnError;
+
+    /**
+     * Creates the node for the load command. Only used in browser envs.
+     */
+    req.createNode = function (config, moduleName, url) {
+        var node = config.xhtml ?
+                document.createElementNS('http://www.w3.org/1999/xhtml', 'html:script') :
+                document.createElement('script');
+        node.type = config.scriptType || 'text/javascript';
+        node.charset = 'utf-8';
+        node.async = true;
+        return node;
+    };
+
+    /**
+     * Does the request to load a module for the browser case.
+     * Make this a separate function to allow other environments
+     * to override it.
+     *
+     * @param {Object} context the require context to find state.
+     * @param {String} moduleName the name of the module.
+     * @param {Object} url the URL to the module.
+     */
+    req.load = function (context, moduleName, url) {
+        var config = (context && context.config) || {},
+            node;
+        if (isBrowser) {
+            //In the browser so use a script tag
+            node = req.createNode(config, moduleName, url);
+            if (config.onNodeCreated) {
+                config.onNodeCreated(node, config, moduleName, url);
+            }
+
+            node.setAttribute('data-requirecontext', context.contextName);
+            node.setAttribute('data-requiremodule', moduleName);
+
+            //Set up load listener. Test attachEvent first because IE9 has
+            //a subtle issue in its addEventListener and script onload firings
+            //that do not match the behavior of all other browsers with
+            //addEventListener support, which fire the onload event for a
+            //script right after the script execution. See:
+            //https://connect.microsoft.com/IE/feedback/details/648057/script-onload-event-is-not-fired-immediately-after-script-execution
+            //UNFORTUNATELY Opera implements attachEvent but does not follow the script
+            //script execution mode.
+            if (node.attachEvent &&
+                    //Check if node.attachEvent is artificially added by custom script or
+                    //natively supported by browser
+                    //read https://github.com/jrburke/requirejs/issues/187
+                    //if we can NOT find [native code] then it must NOT natively supported.
+                    //in IE8, node.attachEvent does not have toString()
+                    //Note the test for "[native code" with no closing brace, see:
+                    //https://github.com/jrburke/requirejs/issues/273
+                    !(node.attachEvent.toString && node.attachEvent.toString().indexOf('[native code') < 0) &&
+                    !isOpera) {
+                //Probably IE. IE (at least 6-8) do not fire
+                //script onload right after executing the script, so
+                //we cannot tie the anonymous define call to a name.
+                //However, IE reports the script as being in 'interactive'
+                //readyState at the time of the define call.
+                useInteractive = true;
+
+                node.attachEvent('onreadystatechange', context.onScriptLoad);
+                //It would be great to add an error handler here to catch
+                //404s in IE9+. However, onreadystatechange will fire before
+                //the error handler, so that does not help. If addEventListener
+                //is used, then IE will fire error before load, but we cannot
+                //use that pathway given the connect.microsoft.com issue
+                //mentioned above about not doing the 'script execute,
+                //then fire the script load event listener before execute
+                //next script' that other browsers do.
+                //Best hope: IE10 fixes the issues,
+                //and then destroys all installs of IE 6-9.
+                //node.attachEvent('onerror', context.onScriptError);
+            } else {
+                node.addEventListener('load', context.onScriptLoad, false);
+                node.addEventListener('error', context.onScriptError, false);
+            }
+            node.src = url;
+
+            //For some cache cases in IE 6-8, the script executes before the end
+            //of the appendChild execution, so to tie an anonymous define
+            //call to the module name (which is stored on the node), hold on
+            //to a reference to this node, but clear after the DOM insertion.
+            currentlyAddingScript = node;
+            if (baseElement) {
+                head.insertBefore(node, baseElement);
+            } else {
+                head.appendChild(node);
+            }
+            currentlyAddingScript = null;
+
+            return node;
+        } else if (isWebWorker) {
+            try {
+                //In a web worker, use importScripts. This is not a very
+                //efficient use of importScripts, importScripts will block until
+                //its script is downloaded and evaluated. However, if web workers
+                //are in play, the expectation is that a build has been done so
+                //that only one script needs to be loaded anyway. This may need
+                //to be reevaluated if other use cases become common.
+                importScripts(url);
+
+                //Account for anonymous modules
+                context.completeLoad(moduleName);
+            } catch (e) {
+                context.onError(makeError('importscripts',
+                                'importScripts failed for ' +
+                                    moduleName + ' at ' + url,
+                                e,
+                                [moduleName]));
+            }
+        }
+    };
+
+    function getInteractiveScript() {
+        if (interactiveScript && interactiveScript.readyState === 'interactive') {
+            return interactiveScript;
+        }
+
+        eachReverse(scripts(), function (script) {
+            if (script.readyState === 'interactive') {
+                return (interactiveScript = script);
+            }
+        });
+        return interactiveScript;
+    }
+
+    //Look for a data-main script attribute, which could also adjust the baseUrl.
+    if (isBrowser && !cfg.skipDataMain) {
+        //Figure out baseUrl. Get it from the script tag with require.js in it.
+        eachReverse(scripts(), function (script) {
+            //Set the 'head' where we can append children by
+            //using the script's parent.
+            if (!head) {
+                head = script.parentNode;
+            }
+
+            //Look for a data-main attribute to set main script for the page
+            //to load. If it is there, the path to data main becomes the
+            //baseUrl, if it is not already set.
+            dataMain = script.getAttribute('data-main');
+            if (dataMain) {
+                //Preserve dataMain in case it is a path (i.e. contains '?')
+                mainScript = dataMain;
+
+                //Set final baseUrl if there is not already an explicit one.
+                if (!cfg.baseUrl) {
+                    //Pull off the directory of data-main for use as the
+                    //baseUrl.
+                    src = mainScript.split('/');
+                    mainScript = src.pop();
+                    subPath = src.length ? src.join('/')  + '/' : './';
+
+                    cfg.baseUrl = subPath;
+                }
+
+                //Strip off any trailing .js since mainScript is now
+                //like a module name.
+                mainScript = mainScript.replace(jsSuffixRegExp, '');
+
+                //If mainScript is still a path, fall back to dataMain
+                if (req.jsExtRegExp.test(mainScript)) {
+                    mainScript = dataMain;
+                }
+
+                //Put the data-main script in the files to load.
+                cfg.deps = cfg.deps ? cfg.deps.concat(mainScript) : [mainScript];
+
+                return true;
+            }
+        });
+    }
+
+    /**
+     * The function that handles definitions of modules. Differs from
+     * require() in that a string for the module should be the first argument,
+     * and the function to execute after dependencies are loaded should
+     * return a value to define the module corresponding to the first argument's
+     * name.
+     */
+    define = function (name, deps, callback) {
+        var node, context;
+
+        //Allow for anonymous modules
+        if (typeof name !== 'string') {
+            //Adjust args appropriately
+            callback = deps;
+            deps = name;
+            name = null;
+        }
+
+        //This module may not have dependencies
+        if (!isArray(deps)) {
+            callback = deps;
+            deps = null;
+        }
+
+        //If no name, and callback is a function, then figure out if it a
+        //CommonJS thing with dependencies.
+        if (!deps && isFunction(callback)) {
+            deps = [];
+            //Remove comments from the callback string,
+            //look for require calls, and pull them into the dependencies,
+            //but only if there are function args.
+            if (callback.length) {
+                callback
+                    .toString()
+                    .replace(commentRegExp, '')
+                    .replace(cjsRequireRegExp, function (match, dep) {
+                        deps.push(dep);
+                    });
+
+                //May be a CommonJS thing even without require calls, but still
+                //could use exports, and module. Avoid doing exports and module
+                //work though if it just needs require.
+                //REQUIRES the function to expect the CommonJS variables in the
+                //order listed below.
+                deps = (callback.length === 1 ? ['require'] : ['require', 'exports', 'module']).concat(deps);
+            }
+        }
+
+        //If in IE 6-8 and hit an anonymous define() call, do the interactive
+        //work.
+        if (useInteractive) {
+            node = currentlyAddingScript || getInteractiveScript();
+            if (node) {
+                if (!name) {
+                    name = node.getAttribute('data-requiremodule');
+                }
+                context = contexts[node.getAttribute('data-requirecontext')];
+            }
+        }
+
+        //Always save off evaluating the def call until the script onload handler.
+        //This allows multiple modules to be in a file without prematurely
+        //tracing dependencies, and allows for anonymous module support,
+        //where the module name is not known until the script onload event
+        //occurs. If no context, use the global queue, and get it processed
+        //in the onscript load callback.
+        if (context) {
+            context.defQueue.push([name, deps, callback]);
+            context.defQueueMap[name] = true;
+        } else {
+            globalDefQueue.push([name, deps, callback]);
+        }
+    };
+
+    define.amd = {
+        jQuery: true
+    };
+
+    /**
+     * Executes the text. Normally just uses eval, but can be modified
+     * to use a better, environment-specific call. Only used for transpiling
+     * loader plugins, not for plain JS modules.
+     * @param {String} text the text to execute/evaluate.
+     */
+    req.exec = function (text) {
+        /*jslint evil: true */
+        return eval(text);
+    };
+
+    //Set up with config info.
+    req(cfg);
+}(this));
diff --git a/www/js/search.js b/www/js/search.js
index bc3ca7a5c6e96b042b8281810840a9ab72efc3a0..dabf7b3feec3a7a6e49cbfb4a4a8d8649e9d180a 100644
--- a/www/js/search.js
+++ b/www/js/search.js
@@ -1,157 +1,152 @@
-(function(window) {
+define(['jquery', 'analytics'], function ($, analytics) {
 	"use strict";
-	
-	var
-		initCallback = 'searchInit',
-	
+
 		// Service server (defaults to //directory.unl.edu)
-		directoryServer = null,
-		
-		unlContext = '015236299699564929946:nk1siew10ie',
-		
-		transitionDelay = 400,
-		
-		inputSel = '#search_q',
-		formSel = '#searchform form',
-		resultSel = '.search-results',
-		googleSel = '.google-results',
-		
-		evtStateChange = 'statechange',
-		wrapperMain = '#search_wrapper',
-		wrapperWeb = '#search_results',
-		wrapperDir = '#directory_results',
-		
-		dirResults = 'ppl_results',
-		unlResults = 'unl_results',
-		localResults = 'local_results';
-	
-	window[initCallback] = function() {
-		window[initCallback] = null;
-		
-		require(['jquery', 'analytics'], function($, analytics) {
-			// Caching Class
-			var Cache = function() {
-				this.storage = {};
-			};
-			Cache.prototype.get = function(key) {
-				return this.storage[key] || undefined;
-			};
-			Cache.prototype.save = function(key, value) {
-				this.storage[key] = value;
-				return this;
-			};
-			
-			// Directory Controller Class
-			var Directory = function(server, containerId) {
-				var cntSel = '#' + containerId;
-				
-				this._server = server || '//directory.unl.edu';
-				this._cache = new Cache();
-				this._searchCanceled = false;
-				this._viewState = 0;
-				this._renderTo = cntSel;
-				
-				$(function() {
-					$(cntSel).on('click', '.fn a', function() {
-						if (this.target !== '_blank') {
-							this.target = '_blank';
-						}
-					});
-				});
-			};
-			Directory.prototype._render = function(data) {
-				if (this._searchCanceled) {
-					return;
-				}
-				
-				$(this._renderTo)
-					.html(data)
-					.addClass('active');
-				
-				this._renderState(0);
-			};
-			Directory.prototype._renderState = function(duration) {
-				var $innerRes = $('.results', $(this._renderTo)),
-					$showRes, failState,
-					depFilter = '.departments';
-				
-				if (!$innerRes.length) {
-					return;
-				}
-			
-				$innerRes.slideUp(duration);
-				if (this._viewState === 0) {
-					$showRes = $innerRes.not(depFilter);
-					failState = 1;
-				} else {
-					$showRes = $innerRes.filter(depFilter);
-					failState = 0;
-				}
-				
-				if (!$showRes.length && typeof duration !== "undefined") {
-					this.changeViewState(failState);
-					return;
-				}
-				
-				$showRes.slideDown();
-			};
-			Directory.prototype.cancelSearch = function() {
-				this._searchCanceled = true;
-				if (this._xhr) {
-					this._xhr.abort();
-				}
-			};
-			Directory.prototype.execute = function(q) {
-				var cacheData = this._cache.get(q),
-					self = this;
-				
-				this._searchCanceled = false;
-				if (this._xhr) {
-					this._xhr.abort();
-				}
-				
-				if (cacheData) {
-					this._render(cacheData);
-				} else {
-					this._xhr = $.get(this._server + '/service.php?q=' + encodeURIComponent(q), function(data) {
-						self._cache.save(q, data);
-						self._render(data);
-					});
-				}
-			};
-			Directory.prototype.changeViewState = function(state) {
-				if (this._viewState == state) {
-					return;
+	var directoryServer = null;
+
+	var unlContext = '015236299699564929946:nk1siew10ie';
+
+	var transitionDelay = 400;
+
+	var inputSel = '#search_q';
+	var formSel = '#searchform form';
+	var resultSel = '.search-results';
+	var googleSel = '.google-results';
+
+	var evtStateChange = 'statechange';
+	var wrapperMain = '#search_wrapper';
+	var wrapperWeb = '#search_results';
+	var wrapperDir = '#directory_results';
+
+	var dirResults = 'ppl_results';
+	var unlResults = 'unl_results';
+	var localResults = 'local_results';
+
+	window.pf_getUID = function() {
+		return true;
+	};
+
+	// Caching Class
+	var Cache = function() {
+		this.storage = {};
+	};
+	Cache.prototype.get = function(key) {
+		return this.storage[key] || undefined;
+	};
+	Cache.prototype.save = function(key, value) {
+		this.storage[key] = value;
+		return this;
+	};
+
+	// Directory Controller Class
+	var Directory = function(server, containerId) {
+		var cntSel = '#' + containerId;
+
+		this._server = server || '//directory.unl.edu';
+		this._cache = new Cache();
+		this._searchCanceled = false;
+		this._viewState = 0;
+		this._renderTo = cntSel;
+
+		$(function() {
+			$(cntSel).on('click', '.fn a', function() {
+				if (this.target !== '_blank') {
+					this.target = '_blank';
 				}
-				
-				var prevState = this._viewState;
-				
-				this._viewState = state;
-				this._renderState();
-				
-				$(this._renderTo).trigger(evtStateChange, [state, prevState]);
-			};
-			Directory.prototype.clearAllResults = function() {
-				$(this._renderTo).empty();
-			};
-			
-			var
-				// query related
-				query = '',
-				firstQ = window['INITIAL_QUERY'],
-				
-				actCls = 'active',
-				
+			});
+		});
+	};
+	Directory.prototype._render = function(data) {
+		if (this._searchCanceled) {
+			return;
+		}
+
+		$(this._renderTo)
+			.html(data)
+			.addClass('active');
+
+		this._renderState(0);
+	};
+	Directory.prototype._renderState = function(duration) {
+		var $innerRes = $('.results', $(this._renderTo)),
+			$showRes, failState,
+			depFilter = '.departments';
+
+		if (!$innerRes.length) {
+			return;
+		}
+
+		$innerRes.slideUp(duration);
+		if (this._viewState === 0) {
+			$showRes = $innerRes.not(depFilter);
+			failState = 1;
+		} else {
+			$showRes = $innerRes.filter(depFilter);
+			failState = 0;
+		}
+
+		if (!$showRes.length && typeof duration !== "undefined") {
+			this.changeViewState(failState);
+			return;
+		}
+
+		$showRes.slideDown();
+	};
+	Directory.prototype.cancelSearch = function() {
+		this._searchCanceled = true;
+		if (this._xhr) {
+			this._xhr.abort();
+		}
+	};
+	Directory.prototype.execute = function(q) {
+		var cacheData = this._cache.get(q),
+			self = this;
+
+		this._searchCanceled = false;
+		if (this._xhr) {
+			this._xhr.abort();
+		}
+
+		if (cacheData) {
+			this._render(cacheData);
+		} else {
+			this._xhr = $.get(this._server + '/service.php?q=' + encodeURIComponent(q), function(data) {
+				self._cache.save(q, data);
+				self._render(data);
+			});
+		}
+	};
+	Directory.prototype.changeViewState = function(state) {
+		if (this._viewState == state) {
+			return;
+		}
+
+		var prevState = this._viewState;
+
+		this._viewState = state;
+		this._renderState();
+
+		$(this._renderTo).trigger(evtStateChange, [state, prevState]);
+	};
+	Directory.prototype.clearAllResults = function() {
+		$(this._renderTo).empty();
+	};
+
+	return {
+		initialize: function(firstQ, localContext) {
+			// query related
+			var query = '';
+			var actCls = 'active';
+
 				// CustomSearchControl instances and config
-				unlSearch,
-				localSearch,
-				activeSearch,
-				directorySearch,
-				localContext = window['LOCAL_SEARCH_CONTEXT'],
-				drawOp = new google.search.DrawOptions(),
-				searchToggleLock = false,
-				
-				trackQuery = function(q) {
+			var unlSearch;
+			var localSearch;
+			var activeSearch;
+			var directorySearch;
+			var drawOp = new google.search.DrawOptions();
+			var searchToggleLock = false;
+
+			var trackQuery = function(q) {
 					var loc = window.location,
 						qs = loc.search.replace(/(?:(\?)|&)q=[^&]*(?:&|$)/, '$1'),
 						page = [
@@ -161,16 +156,17 @@
 						    'q=',
 						    encodeURIComponent(q)
 				        ].join('');
-					
+
 					analytics.callTrackPageview(page);
-					
+
 					if (window.history.pushState) {
 						window.history.pushState({query: q}, '', page);
 					}
-				},
-				queryComplete = function(control) {
+			};
+
+			var queryComplete = function(control) {
 					var $root = $(control.root);
-					
+
 					// a11y patching
 					$('img.gs-image', $root).each(function() {
 						if (!this.alt) {
@@ -178,31 +174,32 @@
 						}
 					});
 					$('img.gcsc-branding-img-noclear', $root).attr('alt', 'Googleâ„¢');
-					
+
 					if (!searchToggleLock && control == localSearch && $('.gs-no-results-result', $root).length) {
 						$root.closest('.results-group').find('.result-tab li:last-child').click();
 						return;
 					}
-					
+
 					$root.closest(resultSel).addClass(actCls);
 					$root.closest(googleSel).slideDown();
-					
+
 					searchToggleLock = false;
-				},
-				fullQuery = function(q, track) {
+			};
+
+			var fullQuery = function(q, track) {
 					if (track !== false) {
 						trackQuery(q);
 					}
 					try {
 						activeSearch.execute(q, undefined, {});
 					} catch (e) {
-						console && console.log(e);
 						queryComplete(activeSearch);
 					}
 					directorySearch.execute(q);
 					$(wrapperMain).fadeIn();
-				},
-				fullStop = function() {
+			};
+
+			var fullStop = function() {
 					activeSearch.cancelSearch();
 					directorySearch.cancelSearch();
 					$(resultSel).removeClass(actCls);
@@ -211,104 +208,105 @@
 						activeSearch.clearAllResults();
 						directorySearch.clearAllResults();
 					}, transitionDelay);
-				},
-				queryStart = function(control, searcher, q) {
+			};
+
+			var queryStart = function(control, searcher, q) {
 					$(control.root).closest(googleSel).slideUp(0);
 					if (q !== query) {
 						trackQuery(q);
 						directorySearch.execute(q);
 					}
-				};
-			
+			};
+
 			drawOp.enableSearchResultsOnly();
-			
+
 			unlSearch = activeSearch = new google.search.CustomSearchControl(unlContext);
 			unlSearch.setResultSetSize(google.search.Search.FILTERED_CSE_RESULTSET);
 			unlSearch.setSearchCompleteCallback(window, queryComplete);
 			unlSearch.setSearchStartingCallback(window, queryStart);
-			
+
 			if (localContext) {
 				localSearch = activeSearch = new google.search.CustomSearchControl(localContext);
 				localSearch.setResultSetSize('small');
 				localSearch.setSearchCompleteCallback(window, queryComplete);
 				localSearch.setSearchStartingCallback(window, queryStart);
 			}
-			
+
 			directorySearch = new Directory(directoryServer, dirResults);
-			
+
 			// Setup DOM on ready
 			$(function() {
 				var $q = $(inputSel),
-					
+
 					resSel = '.results-group',
 					tabsSel = '.result-tab',
 					selCls = 'selected',
 					stateClsPfx = 'state-',
-					
+
 					$resTabs = $('.result-tab'),
 					tabStateChange = function(e, state, prevState) {
 						var $tab = $(this).find(tabsSel);
-						
+
 						e.stopPropagation();
-						
+
 						$tab.removeClass(stateClsPfx + prevState);
 						$tab.addClass(stateClsPfx + state);
-						
+
 						$tab.children().removeClass(selCls).eq(state).addClass(selCls);
 					},
-					
+
 					googleOrigin = /^https?:\/\/.*\.google\.com$/,
-					
+
 					isValidOrigin = function(origin) {
 						if (googleOrigin.test(origin)) {
 							return false;
 						}
-						
+
 						// don't allow self origin or browser extension origins
 						if (origin == location.origin || /^chrome:/.test(origin)) {
 							return false;
 						}
-						
+
 						return true;
 					},
-					
+
 					passiveQuery = function(q, track) {
 						if (query === q) {
 							return;
 						}
-						
+
 						query = q;
 						$q.val(q);
-						
+
 						if (q) {
 							fullQuery(q, track);
 						} else {
 							fullStop();
 						}
 					};
-				
+
 				// draw the Google search controls
 				unlSearch.draw(unlResults, drawOp);
-				
+
 				if (localContext) {
 					localSearch.draw(localResults, drawOp);
 				}
-				
+
 				// a11y patch Google search box
 				$('form.gsc-search-box').remove();
-				
+
 				// setup the tab-like result filters
 				$('li:first-child', $resTabs).addClass(selCls);
 				$($resTabs).on('click', 'li', function(e) {
-					e.preventDefault(); 
-					
+					e.preventDefault();
+
 					if ($(this).hasClass(selCls)) {
 						return;
 					}
-						
+
 					var i = $(this).index(),
 						$par = $(this).parents(resSel);
-					
+
 					if ($par.is(wrapperDir)) {
 						directorySearch.changeViewState(i);
 					} else if ($par.is(wrapperWeb)) {
@@ -319,49 +317,49 @@
 						} else {
 							activeSearch = unlSearch;
 						}
-						
+
 						activeSearch.execute(query);
 					}
 				});
-				
+
 				$(resSel).on(evtStateChange, tabStateChange);
-				
+
 				// listen for the submit event
 				$(formSel).submit(function(e) {
 					e.preventDefault();
-					
+
 					var q = $.trim($q.val());
 					passiveQuery(q);
 				});
-				
+
 				// issue an inital query
 				if (firstQ) {
 					passiveQuery(firstQ, false);
 				}
-				
+
 				// listen for message from parent frames
 				$(window).on('message', function(e) {
 					var oEvent = e.originalEvent, q;
-					
+
 					if (!isValidOrigin(oEvent.origin)) {
 						return;
 					}
-					
+
 					q = $.trim(oEvent.data);
 					passiveQuery(q);
 				});
-				
+
 				$(window).on('popstate', function(e) {
 					var oEvent = e.originalEvent,
 						q = firstQ || '';
-					
+
 					if (oEvent.state) {
 						q = oEvent.state.query || '';
 					}
 					passiveQuery(q, false);
 				});
-				
-				if (window.parent != undefined) {
+
+				if (window.parent) {
 					$(document).on('keydown', function(e) {
 						if (e.keyCode === 27) {
 							window.parent.postMessage('wdn.search.close', "*");
@@ -369,11 +367,6 @@
 					});
 				}
 			});
-			
-		});
-	};
-	
-	window['pf_getUID'] = function() {
-		return true;
+		}
 	};
-}(window));
+});
diff --git a/www/less/search-google.less b/www/less/search-google.less
new file mode 100644
index 0000000000000000000000000000000000000000..1c4e7eb19ffcd49aa6bdd2b721499be844663998
--- /dev/null
+++ b/www/less/search-google.less
@@ -0,0 +1,91 @@
+@charset "UTF-8";
+
+@import "lib/breakpoints.less";
+@import "lib/colors.less";
+@import "lib/fonts.less";
+
+// Google Styles
+.gsc-control-cse,
+.gsc-control-cse .gsc-table-result {
+	font-family: inherit;
+	font-size: inherit;
+}
+
+.gsc-result {
+
+	.gsc-webResult & {
+		border: 0;
+		padding: 0.75em 0;
+	}
+
+	.gs-title {
+		height: 1.662em;
+	}
+}
+
+.gs-result {
+	.gs-title, .gs-title * {
+		color: @brand;
+		text-decoration: none;
+	}
+
+	a.gs-visibleUrl, .gs-visibleUrl {
+		color: @light-neutral;
+	}
+}
+
+.gsc-result-info {
+	font-style: italic;
+	margin: 0 0 10px;
+	color: @ui08;
+}
+
+.gsc-results {
+
+	.gsc-cursor-box {
+		border-top: 1px solid @ui03;
+		padding: 1em 0 0;
+		margin-top: 1em;
+		.sans-serif-font();
+
+		.gsc-cursor-page {
+			border: 1px solid @ui03;
+			padding: 2px 8px;
+			margin-bottom: 1em;
+			min-width: 2.2em;
+			display: inline-block;
+			text-align: center;
+			text-decoration: none;
+			color: @brand;
+		}
+
+		.gsc-cursor-current-page {
+			font-weight: normal;
+			color: @ui08;
+			border: 0;
+		}
+	}
+}
+
+.gcsc-branding {
+	margin-bottom: 1.3333em;
+}
+
+td.gcsc-branding-text {
+	font-style: italic;
+	width: auto;
+
+	div.gcsc-branding-text {
+		text-align: left;
+		color: @ui08;
+	}
+}
+
+td.gcsc-branding-text-name {
+	width: 100%;
+}
+
+.gs-web-image-box img.gs-image, .gs-promotion-image-box img.gs-promotion-image {
+	max-width: 100%;
+	max-height: none;
+}
diff --git a/www/less/search.less b/www/less/search.less
index 5fcff42d139e7256b089f9bd1e650816ce63aca6..e71d58fad12085625f44cb5f207ed6a9c7c60767 100644
--- a/www/less/search.less
+++ b/www/less/search.less
@@ -1,73 +1,27 @@
 @charset "UTF-8";
 
-@import "lib/lesshat.less";
-
 @import "lib/breakpoints.less";
 @import "lib/colors.less";
 @import "lib/fonts.less";
 
 // Template overrides
 .embed #visitorChat,
-#wdn_search { 
+#wdn_search {
 	display: none !important;
 }
 
-#wdn_navigation_bar {
-	padding: 0;
-}
-
 #search_results table,
 #search_results td {
 	border: 0;
 	padding: 0;
 }
 
-// Input Groups
-form .input-group {
-	display: table;
-	
-	> * {
-		display: table-cell;
-		.border-radius(0);
-	}
-	
-	.input-group-btn {
-		width: 1%;
-		vertical-align: middle;
-		
-		button {
-			font-size: 18px;
-			line-height: normal;
-			padding: 0.8em 1em;
-			margin: 0;
-		}
-	}
-	
-	input {
-		margin: 0;
-	}
-	
-	:first-child {
-		.border-radius(4px 0 0 4px);
-	}
-	
-	:last-child {
-		.border-bottom-right-radius(4px);
-		.border-top-right-radius(4px);
-		
-		button {
-			.border-bottom-left-radius(0);
-			.border-top-left-radius(0);
-		}
-	}
-}
-
 #searchform {
 	text-align: center;
 	background: #38431b url(../images/050419.jpg) 50% 50% no-repeat;
-	.background-size(cover);
-	
-	.input-group {
+	background-size: cover;
+
+	.wdn-input-group {
 		margin: 0 auto;
 		max-width: 30em;
 	}
@@ -78,20 +32,20 @@ form .input-group {
 }
 
 .results-group {
-	
+
 	&:hover {
 		background-color: #fff;
-		
+
 		.result-head {
 			background-color: @ui09;
 		}
 	}
-	
+
 	.result-head {
 		background-color: mix(@ui09, @page-background, 95%);
 		color: #fff;
 		position: relative;
-		
+
 		h2 {
 			color: inherit;
 			margin: 0;
@@ -104,77 +58,62 @@ form .input-group {
 	margin: 0;
 	padding: 0;
 	list-style: none;
-	
+	position: relative;
+
 	li {
 		display: inline;
-		
+
 		&.selected {
 			color: #fff;
 		}
-		
+
 		a {
 			color: inherit;
 			border: 0;
 		}
-		
+
 		&:before {
 			content: '\b7\a0'; // middle-dot + space
 		}
-		
+
 		&:first-child:before {
 			content: none;
 		}
 	}
-	
+
 	&:after {
 		content: '';
 		position: absolute;
 		border-style: solid;
 		border-width: 0 6px 6px;
 		border-color: transparent transparent #fff;
-		bottom: 0;
+		bottom: -1.425em;
 		left: 0;
-		.transition(transform 400ms);
-		
-		.no-csstransforms & {
-			.transition(left 400ms);
-		}
-		
+		transition: transform 400ms;
+
 		#directory_results & {
-			.translateX(2.95em);
-			
-			.no-csstransforms & {
-				left: 2.95em;
-			}
+			transform: translateX(1.3125em);
 		}
-		
+
 		#search_results & {
-			.translateX(4.95em);
-			
-			.no-csstransforms & {
-				left: 4.95em;
+			&.no-local {
+				transform: translateX(2.2812em);
 			}
+
+			transform: translateX(1.875em);
 		}
 	}
-	
+
 	&.state-1:after {
 		#directory_results & {
-			.translateX(8.95em);
-			
-			.no-csstransforms & {
-				left: 8.95em;
-			}
+			transform: translateX(7em);
 		}
-		
+
 		#search_results & {
-			.translateX(10.35em);
-			
-			.no-csstransforms & {
-				left: 10.35em;
-			}
+			transform: translateX(7.5312em);
 		}
 	}
-	
+
 }
 
 .search-set, .embed {
@@ -183,13 +122,13 @@ form .input-group {
 }
 
 .search-results {
-	.transition(opacity 400ms);
+	transition: opacity 400ms;
 	opacity: 0;
-	
+
 	&.active {
 		opacity: 1;
 	}
-	
+
 	h3 {
 		display: none;
 	}
@@ -204,41 +143,41 @@ form .input-group {
 	> * {
 		padding: 1.425em 9.375%;
 	}
-	
+
 	@media @bp2 {
 		width: 33.3333%;
 	}
-	
+
 	.embed & {
 		width: 40%;
 	}
-	
+
 }
 
 #search_results {
 	> * {
 		padding: 1.425em 7.812%;
 	}
-	
+
 	@media @bp2 {
 		width: 66.6667%;
-		
+
 		.result-head {
 			border-right: 1px solid @ui09;
 		}
-		
+
 		.search-results {
 			border-right: 1px solid @ui02;
 		}
 	}
-	
+
 	.embed & {
 		width: 60%;
-		
+
 		.result-head {
 			border-right: 1px solid @ui09;
 		}
-		
+
 		.search-results {
 			border-right: 1px solid @ui02;
 		}
@@ -254,47 +193,47 @@ form .input-group {
 	h3, h4, .result_head {
 		display: none;
 	}
-	
+
 	.pfResult {
 		padding: 0;
 		list-style: none;
 	}
-	
+
 	.ppl_Sresult, .dep_result {
 		margin: 1em 0;
 	}
-	
+
 	.cInfo {
 		display: none;
 	}
-	
+
 	.overflow {
 		overflow: auto;
 	}
-	
-	.planetred_profile {
+
+	.profile_pic {
 		float: left;
 		border: 0;
 		max-width: 40px;
 		overflow: hidden;
 	}
-	
+
 	.recordDetails {
 		margin-left: 50px;
 		font-size: 0.75em;
 		line-height: 1.425;
 		.sans-serif-font();
 	}
-	
+
 	.fn {
 		font-size: 2.3333em;
 		.brand-font();
 		line-height: 1;
-		
+
 		* {
 			border: 0;
 		}
-		
+
 		.givenName {
 			margin-left: 0.254em;
 			font-size: 10px;
@@ -302,111 +241,25 @@ form .input-group {
 			.sans-serif-font;
 		}
 	}
-	
+
 	.fn, .eppa, .organization-unit, .title, .tel {
 		margin-bottom: 0.178em;
 	}
-	
-	.eppa {
+
+	.eppa, .roles {
 		display: none;
 	}
-	
+
 	.student .eppa {
 		display: block;
 	}
-	
+
 	.tel > a {
 		display: block;
 		border: 0;
 	}
-	
-	.on-campus-dialing {
-		color: @light-neutral;
-	}
-}
 
-// Google Styles
-.gsc-control-cse,
-.gsc-control-cse .gsc-table-result {
-	font-family: inherit;
-	font-size: inherit;
-}
-
-.gsc-result {
-	
-	.gsc-webResult & {
-		border: 0;
-		padding: 0.75em 0;
-	}
-	
-	.gs-title {
-		height: 1.662em;
-	}
-}
-
-.gs-result {
-	.gs-title, .gs-title * {
-		color: @brand;
-		text-decoration: none;
-	}
-	
-	a.gs-visibleUrl, .gs-visibleUrl {
+	.on-campus-dialing {
 		color: @light-neutral;
 	}
 }
-
-.gsc-result-info {
-	font-style: italic;
-	margin: 0 0 10px;
-	color: @ui08;
-}
-
-.gsc-results {
-	
-	.gsc-cursor-box {
-		border-top: 1px solid @ui03;
-		padding: 1em 0 0;
-		margin-top: 1em;
-		.sans-serif-font();
-		
-		.gsc-cursor-page {
-			border: 1px solid @ui03;
-			padding: 2px 8px;
-			margin-bottom: 1em;
-			min-width: 2.2em;
-			display: inline-block;
-			text-align: center;
-			text-decoration: none;
-			color: @brand;
-		}
-		
-		.gsc-cursor-current-page {
-			font-weight: normal;
-			color: @ui08;
-			border: 0;
-		}
-	}
-}
-
-.gcsc-branding {
-	margin-bottom: 1.3333em;
-}
-
-td.gcsc-branding-text {
-	font-style: italic;
-	width: auto;
-	
-	div.gcsc-branding-text {
-		text-align: left;
-		color: @ui08;
-	}
-}
-
-td.gcsc-branding-text-name {
-	width: 100%;
-}
-
-.gs-web-image-box img.gs-image, .gs-promotion-image-box img.gs-promotion-image {
-	max-width: 100%;
-	max-height: none;
-}
\ No newline at end of file
diff --git a/www/templates/embed-debug.tpl.php b/www/templates/embed-debug.tpl.php
index 38a9a07bc1ca15d0ebedb4d16b6db700e70cf8e4..9cb60873e13cd3a567b493d3cad6180b49cc73bb 100644
--- a/www/templates/embed-debug.tpl.php
+++ b/www/templates/embed-debug.tpl.php
@@ -1,41 +1,17 @@
 <!DOCTYPE html>
-<!--[if IEMobile 7 ]><html class="ie iem7 embed"><![endif]-->
-<!--[if lt IE 7 ]><html class="ie ie6 embed" lang="en"><![endif]-->
-<!--[if IE 7 ]><html class="ie ie7 embed" lang="en"><![endif]-->
-<!--[if IE 8 ]><html class="ie ie8 embed" lang="en"><![endif]-->
-<!--[if (gte IE 9)|(gt IEMobile 7) ]><html class="ie embed" lang="en"><![endif]-->
-<!--[if !(IEMobile) | !(IE)]><!--><html class="embed" lang="en"><!--<![endif]-->
+<html class="no-js embed" lang="en">
 <head>
     <meta charset="utf-8" />
+    <meta http-equiv="x-ua-compatible" content="ie=edge" />
     <title>UNL Search | University of Nebraska&ndash;Lincoln</title>
-<!-- Load Cloud.typography fonts -->
-	<link rel="stylesheet" type="text/css" href="//cloud.typography.com/7717652/616662/css/fonts.css" />
-<!-- Load our base CSS file -->
-<!--[if gte IE 9]><!-->    
-    <link rel="stylesheet" type="text/css" media="all" href="/wdn/templates_4.0/css/all.css" />
-<!--<![endif]-->
-
-<!-- Load the template JS file -->
-    <script type="text/javascript" src="/wdn/templates_4.0/scripts/compressed/all.js" id="wdn_dependents"></script>
-    
-<!--[if lt IE 9]>
-    <link rel="stylesheet" type="text/css" media="all" href="/wdn/templates_4.0/css/all_oldie.css" />
-    <script src="//html5shiv.googlecode.com/svn/trunk/html5.js"></script>
-<![endif]-->
-
-<!-- For all IE versions, bring in the tweaks -->
-<!--[if IE]>
-    <link rel="stylesheet" type="text/css" media="all" href="/wdn/templates_4.0/css/ie.css" />
-<![endif]-->
+	<link rel="stylesheet" href="https://cloud.typography.com/7717652/616662/css/fonts.css" />
+    <link rel="stylesheet" href="/wdn/templates_4.1/css/all.css" />
+    <script data-main="js/embed-src/main.js" src="js/embed-src/require.js"></script>
     <?php echo $head ?>
 </head>
 <body>
-    <div id="wdn_wrapper">
-        <div id="wdn_content_wrapper">
-            <div id="maincontent" class="wdn-main">
-            <?php echo $maincontent ?>
-            </div>
-        </div>
-    </div>
+    <main>
+        <?php echo $maincontent ?>
+    </main>
 </body>
 </html>
diff --git a/www/templates/embed.tpl.php b/www/templates/embed.tpl.php
index 03da953268d63366afc321966bd156eba1f3daeb..ddf2f77fe9f681cb2de98cfc43b1c5016180bb0c 100644
--- a/www/templates/embed.tpl.php
+++ b/www/templates/embed.tpl.php
@@ -1,41 +1,17 @@
 <!DOCTYPE html>
-<!--[if IEMobile 7 ]><html class="ie iem7 embed"><![endif]-->
-<!--[if lt IE 7 ]><html class="ie ie6 embed" lang="en"><![endif]-->
-<!--[if IE 7 ]><html class="ie ie7 embed" lang="en"><![endif]-->
-<!--[if IE 8 ]><html class="ie ie8 embed" lang="en"><![endif]-->
-<!--[if (gte IE 9)|(gt IEMobile 7) ]><html class="ie embed" lang="en"><![endif]-->
-<!--[if !(IEMobile) | !(IE)]><!--><html class="embed" lang="en"><!--<![endif]-->
+<html class="no-js embed" lang="en">
 <head>
     <meta charset="utf-8" />
+    <meta http-equiv="x-ua-compatible" content="ie=edge" />
     <title>UNL Search | University of Nebraska&ndash;Lincoln</title>
-<!-- Load Cloud.typography fonts -->
-	<link rel="stylesheet" type="text/css" href="//cloud.typography.com/7717652/616662/css/fonts.css" />
-<!-- Load our base CSS file -->
-<!--[if gte IE 9]><!-->    
-    <link rel="stylesheet" type="text/css" media="all" href="//unlcms.unl.edu/wdn/templates_4.0/css/all.css" />
-<!--<![endif]-->
-
-<!-- Load the template JS file -->
-    <script type="text/javascript" src="//unlcms.unl.edu/wdn/templates_4.0/scripts/compressed/all.js?dep=$DEP_VERSION$" id="wdn_dependents"></script>
-    
-<!--[if lt IE 9]>
-    <link rel="stylesheet" type="text/css" media="all" href="//unlcms.unl.edu/wdn/templates_4.0/css/all_oldie.css" />
-    <script src="//html5shiv.googlecode.com/svn/trunk/html5.js"></script>
-<![endif]-->
-
-<!-- For all IE versions, bring in the tweaks -->
-<!--[if IE]>
-    <link rel="stylesheet" type="text/css" media="all" href="//unlcms.unl.edu/wdn/templates_4.0/css/ie.css" />
-<![endif]-->
+    <link rel="stylesheet" href="https://cloud.typography.com/7717652/616662/css/fonts.css" />
+    <link rel="stylesheet" href="https://unlcms.unl.edu/wdn/templates_4.1/css/all.css" />
+    <script src="js/embed/all.js"></script>
     <?php echo $head ?>
 </head>
 <body>
-    <div id="wdn_wrapper">
-        <div id="wdn_content_wrapper">
-            <div id="maincontent" class="wdn-main">
-            <?php echo $maincontent ?>
-            </div>
-        </div>
-    </div>
+    <main>
+        <?php echo $maincontent ?>
+    </main>
 </body>
 </html>
diff --git a/www/templates/end-scripts.tpl.php b/www/templates/end-scripts.tpl.php
new file mode 100644
index 0000000000000000000000000000000000000000..63c71e694c97fbc837b477a70a5a0e411a61bafb
--- /dev/null
+++ b/www/templates/end-scripts.tpl.php
@@ -0,0 +1,26 @@
+<script>
+require(['jquery', '<?php echo $localScriptUrl ?>'], function($, UNLSearch) {
+	var gSearchDefer = $.Deferred();
+	window.searchInit = function() {
+        window.searchInit = $.noop;
+        gSearchDefer.resolve(google);
+    };
+
+    $('<script>', {
+        src: '<?php echo $googleLoaderUrl ?>',
+        asycn: 'async',
+        defer: 'defer'
+    }).appendTo($('body'));
+
+    var $localCss = $('<link>', {
+        'href': './css/search-google.css'
+    });
+
+    gSearchDefer.done(function(google) {
+        // ensure this CSS is loaded AFTER google
+        require(['css!' + $localCss[0].href], function() {
+    	   UNLSearch.initialize(<?php echo $initialQuery ?>, <?php echo $localContext ?>)
+        });
+    });
+});
+</script>
diff --git a/www/templates/search-form.tpl.php b/www/templates/search-form.tpl.php
index 1302a3a1487da5852b0246eb2c954c464b4c7efa..4d128ef6a704e3dfacfb8afdfca5583ecc80a430 100644
--- a/www/templates/search-form.tpl.php
+++ b/www/templates/search-form.tpl.php
@@ -1,8 +1,8 @@
 <div id="searchform" class="wdn-band">
   <form action="./" method="get" class="wdn-inner-wrapper">
-      <div class="input-group">
-        <input type="text" value=""  name="q" id="search_q" title="Search Query" placeholder="e.g., Herbert Husker, Ph.D." />
-        <span class="input-group-btn"><button class="button wdn-icon-search" title="Search" type="submit"></button></span>
+      <div class="wdn-input-group">
+        <input type="text" name="q" id="search_q" aria-label="Search Query" placeholder="e.g., Herbert Husker, Ph.D." />
+        <span class="wdn-input-group-btn"><button class="button wdn-icon-search" type="submit"><span class="wdn-text-hidden">Search</span></button></span>
     </div>
       <?php if (!empty($local_results)): ?>
       <input type="hidden" name="u" value="<?php echo htmlentities($_GET['u'], ENT_QUOTES) ?>" />
diff --git a/www/templates/search-results.tpl.php b/www/templates/search-results.tpl.php
index b0deffb74bed504a0d12e769e49b562d4b03ce79..d4658272b5bdabfcd5585617032cf8d8296a2e2f 100644
--- a/www/templates/search-results.tpl.php
+++ b/www/templates/search-results.tpl.php
@@ -1,12 +1,14 @@
-<section class="wdn-band" id="search_wrapper">
-    <div class="<?php if (!$isEmbed): ?>wdn-inner-wrapper wdn-inner-padding-sm<?php endif; ?>">
-    
+<section<?php if (!$isEmbed): ?> class="wdn-band"<?php endif ?> id="search_wrapper">
+    <?php if (!$isEmbed): ?>
+    <div class="wdn-inner-wrapper wdn-inner-padding-sm">
+    <?php endif; ?>
+
         <div class="wdn-grid-set search-set">
-        
+
             <div id="search_results" class="results-group">
                 <div class="result-head">
                     <h2>UNL Web</h2>
-                    <ul class="result-tab">
+                    <ul class="result-tab<?php if (empty($local_results)): ?> no-local<?php endif; ?>">
                         <?php if (!empty($local_results)): ?>
                         <li><a href="#">This unit</a></li>
                         <?php endif; ?>
@@ -15,13 +17,13 @@
                 </div>
                 <div class="search-results">
                 <?php echo $local_results ?>
-                <?php renderTemplate('templates/google-results.tpl.php', array(
+                <?php echo renderTemplate('templates/google-results.tpl.php', array(
                     'title' => 'All of UNL',
                     'id' => 'unl_results',
                 )) ?>
                 </div>
             </div>
-            
+
             <div id="directory_results" class="results-group">
                 <div class="result-head">
                     <h2>UNL Directory</h2>
@@ -32,8 +34,10 @@
                 </div>
                 <div id="ppl_results" class="search-results"></div>
             </div>
-            
+
         </div>
-    
+
+    <?php if (!$isEmbed): ?>
     </div>
-</section>
\ No newline at end of file
+    <?php endif; ?>
+</section>