List of all ouya games
authorChristian Weiske <cweiske@cweiske.de>
Sun, 24 May 2020 20:08:13 +0000 (22:08 +0200)
committerChristian Weiske <cweiske@cweiske.de>
Sun, 24 May 2020 20:08:13 +0000 (22:08 +0200)
bin/build-html.php
data/templates/allgames.tpl.php [new file with mode: 0644]
www/datatables/datatables.css [new file with mode: 0644]
www/datatables/datatables.js [new file with mode: 0644]
www/datatables/datatables.min.css [new file with mode: 0644]
www/datatables/datatables.min.js [new file with mode: 0644]
www/datatables/jquery-3.5.1.min.js [new file with mode: 0644]
www/datatables/jquery.dataTables.yadcf.css [new file with mode: 0644]
www/datatables/jquery.dataTables.yadcf.js [new file with mode: 0644]
www/ouya-allgames.css [new file with mode: 0644]

index 112a93d404cde1b575d3c5caad29b349e7d8525c..3f6fa4b42423a9e105029c3af782e2ad7ea97196 100755 (executable)
@@ -46,6 +46,46 @@ foreach (glob($discoverDir . '*.json') as $discoverFile) {
     );
 }
 
+file_put_contents(
+    $wwwDiscoverDir . 'allgames.htm',
+    renderAllGamesList(glob($gameDetailsDir . '*.json'))
+);
+
+
+function renderAllGamesList($detailsFiles)
+{
+    $games = [];
+    foreach ($detailsFiles as $gameDataFile) {
+        $json = json_decode(file_get_contents($gameDataFile));
+        $games[] = (object) [
+            'packageName'  => basename($gameDataFile, '.json'),
+            'title'        => $json->title,
+            'genres'       => $json->genres,
+            'developer'    => $json->developer->name,
+            'suggestedAge' => $json->suggestedAge,
+            'apkVersion'   => $json->version->number,
+            'apkTimestamp' => $json->version->publishedAt,
+            'players'      => $json->gamerNumbers,
+            'detailUrl'    => '../game/' . str_replace(
+                        'ouya://launcher/details?app=',
+                        '',
+                        basename($gameDataFile, '.json')
+                    ) . '.htm',
+        ];
+    }
+    $navLinks = [
+        './' => 'back',
+    ];
+
+    $allGamesTemplate = __DIR__ . '/../data/templates/allgames.tpl.php';
+    ob_start();
+    include $allGamesTemplate;
+    $html = ob_get_contents();
+    ob_end_clean();
+
+    return $html;
+}
+
 function renderDiscoverFile($discoverFile)
 {
     $json = json_decode(file_get_contents($discoverFile));
@@ -91,6 +131,7 @@ function renderDiscoverFile($discoverFile)
     $navLinks = [];
     if ($json->title == 'DISCOVER') {
         $navLinks['../'] = 'back';
+        $navLinks['allgames.htm'] = 'all games';
         $title = 'OUYA games list';
     } else {
         $navLinks['./'] = 'discover';
diff --git a/data/templates/allgames.tpl.php b/data/templates/allgames.tpl.php
new file mode 100644 (file)
index 0000000..613caad
--- /dev/null
@@ -0,0 +1,102 @@
+<!DOCTYPE html>
+<html xmlns="http://www.w3.org/1999/xhtml" lang="en">
+ <head>
+  <meta charset="utf-8"/>
+  <title>List of all OUYA games</title>
+  <meta name="generator" content="stouyapi"/>
+  <link rel="stylesheet" type="text/css" href="../datatables/datatables.min.css"/>
+  <link rel="stylesheet" type="text/css" href="../datatables/jquery.dataTables.yadcf.css"/>
+  <link rel="stylesheet" type="text/css" href="../ouya-allgames.css"/>
+  <link rel="icon" href="../favicon.ico"/>
+ </head>
+ <body class="allgames">
+  <header>
+   <h1>List of all OUYA games</h1>
+   <img class="ouyalogo" src="../ouya-logo.grey.svg" alt="OUYA logo" width="50"/>
+  </header>
+
+  <table id="allouyagames" class="display">
+   <thead>
+    <tr>
+     <th>Game title</th>
+     <th>Developer</th>
+     <th>Age</th>
+     <th>Players</th>
+     <th>Genres</th>
+     <th>Release</th>
+    </tr>
+   </thead>
+   <tbody>
+    <?php foreach ($games as $game): ?>
+     <tr>
+      <td>
+       <a href="<?= htmlspecialchars($game->detailUrl) ?>">
+        <?= htmlspecialchars($game->title) ?>
+       </a>
+      </td>
+      <td><?= htmlspecialchars($game->developer) ?></td>
+      <td><?= htmlspecialchars($game->suggestedAge) ?></td>
+      <td><?= htmlspecialchars(implode(', ', $game->players)) ?></td>
+      <td><?= htmlspecialchars(implode(', ', $game->genres)) ?></td>
+      <td><?= htmlspecialchars(gmdate('Y-m-d', $game->apkTimestamp)) ?></td>
+     </tr>
+    <?php endforeach; ?>
+   </tbody>
+  </table>
+
+  <nav>
+   <?php foreach ($navLinks as $url => $title): ?>
+    <a rel="up" href="<?= htmlspecialchars($url) ?>"><?= htmlspecialchars($title) ?></a>
+   <?php endforeach ?>
+  </nav>
+
+  <script type="text/javascript" src="../datatables/jquery-3.5.1.min.js"></script>
+  <script type="text/javascript" src="../datatables/datatables.min.js"></script>
+  <script type="text/javascript" src="../datatables/jquery.dataTables.yadcf.js"></script>
+  <script type="text/javascript">
+   $(document).ready(
+       function() {
+           var allOuyaGamesTable = $('#allouyagames').DataTable(
+               {
+                   paging: false,
+                   fixedHeader: true
+               }
+           );
+           yadcf.init(
+               allOuyaGamesTable,
+               [
+                   {
+                       column_number: 0,
+                       filter_type: "text",
+                       filter_default_label: "Filter game title",
+                   },
+                   {
+                       column_number: 1,
+                       filter_type: "text",
+                       filter_default_label: "Filter developer",
+                   },
+                   {
+                       column_number: 2,
+                       column_data_type: "text",
+                       data: ["Everyone", "9+", "12+", "17+"],
+                       filter_default_label: "Filter age"
+                   },
+                   {
+                       column_number: 3,
+                       column_data_type: "text",
+                       text_data_delimiter: ", ",
+                       filter_default_label: "Filter player number"
+                   },
+                   {
+                       column_number: 4,
+                       column_data_type: "text",
+                       text_data_delimiter: ", ",
+                       filter_default_label: "Filter genre"
+                   }
+               ]
+           );
+       }
+   );
+  </script>
+ </body>
+</html>
diff --git a/www/datatables/datatables.css b/www/datatables/datatables.css
new file mode 100644 (file)
index 0000000..dc6d7a6
--- /dev/null
@@ -0,0 +1,979 @@
+/*
+ * This combined file was created by the DataTables downloader builder:
+ *   https://datatables.net/download
+ *
+ * To rebuild or modify this file with the latest versions of the included
+ * software please visit:
+ *   https://datatables.net/download/#dt/dt-1.10.21/fh-3.1.7/sp-1.1.1/sl-1.3.1
+ *
+ * Included libraries:
+ *   DataTables 1.10.21, FixedHeader 3.1.7, SearchPanes 1.1.1, Select 1.3.1
+ */
+
+/*
+ * Table styles
+ */
+table.dataTable {
+  width: 100%;
+  margin: 0 auto;
+  clear: both;
+  border-collapse: separate;
+  border-spacing: 0;
+  /*
+   * Header and footer styles
+   */
+  /*
+   * Body styles
+   */
+}
+table.dataTable thead th,
+table.dataTable tfoot th {
+  font-weight: bold;
+}
+table.dataTable thead th,
+table.dataTable thead td {
+  padding: 10px 18px;
+  border-bottom: 1px solid #111;
+}
+table.dataTable thead th:active,
+table.dataTable thead td:active {
+  outline: none;
+}
+table.dataTable tfoot th,
+table.dataTable tfoot td {
+  padding: 10px 18px 6px 18px;
+  border-top: 1px solid #111;
+}
+table.dataTable thead .sorting,
+table.dataTable thead .sorting_asc,
+table.dataTable thead .sorting_desc,
+table.dataTable thead .sorting_asc_disabled,
+table.dataTable thead .sorting_desc_disabled {
+  cursor: pointer;
+  *cursor: hand;
+  background-repeat: no-repeat;
+  background-position: center right;
+}
+table.dataTable thead .sorting {
+  background-image: url("DataTables-1.10.21/images/sort_both.png");
+}
+table.dataTable thead .sorting_asc {
+  background-image: url("DataTables-1.10.21/images/sort_asc.png");
+}
+table.dataTable thead .sorting_desc {
+  background-image: url("DataTables-1.10.21/images/sort_desc.png");
+}
+table.dataTable thead .sorting_asc_disabled {
+  background-image: url("DataTables-1.10.21/images/sort_asc_disabled.png");
+}
+table.dataTable thead .sorting_desc_disabled {
+  background-image: url("DataTables-1.10.21/images/sort_desc_disabled.png");
+}
+table.dataTable tbody tr {
+  background-color: #ffffff;
+}
+table.dataTable tbody tr.selected {
+  background-color: #B0BED9;
+}
+table.dataTable tbody th,
+table.dataTable tbody td {
+  padding: 8px 10px;
+}
+table.dataTable.row-border tbody th, table.dataTable.row-border tbody td, table.dataTable.display tbody th, table.dataTable.display tbody td {
+  border-top: 1px solid #ddd;
+}
+table.dataTable.row-border tbody tr:first-child th,
+table.dataTable.row-border tbody tr:first-child td, table.dataTable.display tbody tr:first-child th,
+table.dataTable.display tbody tr:first-child td {
+  border-top: none;
+}
+table.dataTable.cell-border tbody th, table.dataTable.cell-border tbody td {
+  border-top: 1px solid #ddd;
+  border-right: 1px solid #ddd;
+}
+table.dataTable.cell-border tbody tr th:first-child,
+table.dataTable.cell-border tbody tr td:first-child {
+  border-left: 1px solid #ddd;
+}
+table.dataTable.cell-border tbody tr:first-child th,
+table.dataTable.cell-border tbody tr:first-child td {
+  border-top: none;
+}
+table.dataTable.stripe tbody tr.odd, table.dataTable.display tbody tr.odd {
+  background-color: #f9f9f9;
+}
+table.dataTable.stripe tbody tr.odd.selected, table.dataTable.display tbody tr.odd.selected {
+  background-color: #acbad4;
+}
+table.dataTable.hover tbody tr:hover, table.dataTable.display tbody tr:hover {
+  background-color: #f6f6f6;
+}
+table.dataTable.hover tbody tr:hover.selected, table.dataTable.display tbody tr:hover.selected {
+  background-color: #aab7d1;
+}
+table.dataTable.order-column tbody tr > .sorting_1,
+table.dataTable.order-column tbody tr > .sorting_2,
+table.dataTable.order-column tbody tr > .sorting_3, table.dataTable.display tbody tr > .sorting_1,
+table.dataTable.display tbody tr > .sorting_2,
+table.dataTable.display tbody tr > .sorting_3 {
+  background-color: #fafafa;
+}
+table.dataTable.order-column tbody tr.selected > .sorting_1,
+table.dataTable.order-column tbody tr.selected > .sorting_2,
+table.dataTable.order-column tbody tr.selected > .sorting_3, table.dataTable.display tbody tr.selected > .sorting_1,
+table.dataTable.display tbody tr.selected > .sorting_2,
+table.dataTable.display tbody tr.selected > .sorting_3 {
+  background-color: #acbad5;
+}
+table.dataTable.display tbody tr.odd > .sorting_1, table.dataTable.order-column.stripe tbody tr.odd > .sorting_1 {
+  background-color: #f1f1f1;
+}
+table.dataTable.display tbody tr.odd > .sorting_2, table.dataTable.order-column.stripe tbody tr.odd > .sorting_2 {
+  background-color: #f3f3f3;
+}
+table.dataTable.display tbody tr.odd > .sorting_3, table.dataTable.order-column.stripe tbody tr.odd > .sorting_3 {
+  background-color: whitesmoke;
+}
+table.dataTable.display tbody tr.odd.selected > .sorting_1, table.dataTable.order-column.stripe tbody tr.odd.selected > .sorting_1 {
+  background-color: #a6b4cd;
+}
+table.dataTable.display tbody tr.odd.selected > .sorting_2, table.dataTable.order-column.stripe tbody tr.odd.selected > .sorting_2 {
+  background-color: #a8b5cf;
+}
+table.dataTable.display tbody tr.odd.selected > .sorting_3, table.dataTable.order-column.stripe tbody tr.odd.selected > .sorting_3 {
+  background-color: #a9b7d1;
+}
+table.dataTable.display tbody tr.even > .sorting_1, table.dataTable.order-column.stripe tbody tr.even > .sorting_1 {
+  background-color: #fafafa;
+}
+table.dataTable.display tbody tr.even > .sorting_2, table.dataTable.order-column.stripe tbody tr.even > .sorting_2 {
+  background-color: #fcfcfc;
+}
+table.dataTable.display tbody tr.even > .sorting_3, table.dataTable.order-column.stripe tbody tr.even > .sorting_3 {
+  background-color: #fefefe;
+}
+table.dataTable.display tbody tr.even.selected > .sorting_1, table.dataTable.order-column.stripe tbody tr.even.selected > .sorting_1 {
+  background-color: #acbad5;
+}
+table.dataTable.display tbody tr.even.selected > .sorting_2, table.dataTable.order-column.stripe tbody tr.even.selected > .sorting_2 {
+  background-color: #aebcd6;
+}
+table.dataTable.display tbody tr.even.selected > .sorting_3, table.dataTable.order-column.stripe tbody tr.even.selected > .sorting_3 {
+  background-color: #afbdd8;
+}
+table.dataTable.display tbody tr:hover > .sorting_1, table.dataTable.order-column.hover tbody tr:hover > .sorting_1 {
+  background-color: #eaeaea;
+}
+table.dataTable.display tbody tr:hover > .sorting_2, table.dataTable.order-column.hover tbody tr:hover > .sorting_2 {
+  background-color: #ececec;
+}
+table.dataTable.display tbody tr:hover > .sorting_3, table.dataTable.order-column.hover tbody tr:hover > .sorting_3 {
+  background-color: #efefef;
+}
+table.dataTable.display tbody tr:hover.selected > .sorting_1, table.dataTable.order-column.hover tbody tr:hover.selected > .sorting_1 {
+  background-color: #a2aec7;
+}
+table.dataTable.display tbody tr:hover.selected > .sorting_2, table.dataTable.order-column.hover tbody tr:hover.selected > .sorting_2 {
+  background-color: #a3b0c9;
+}
+table.dataTable.display tbody tr:hover.selected > .sorting_3, table.dataTable.order-column.hover tbody tr:hover.selected > .sorting_3 {
+  background-color: #a5b2cb;
+}
+table.dataTable.no-footer {
+  border-bottom: 1px solid #111;
+}
+table.dataTable.nowrap th, table.dataTable.nowrap td {
+  white-space: nowrap;
+}
+table.dataTable.compact thead th,
+table.dataTable.compact thead td {
+  padding: 4px 17px;
+}
+table.dataTable.compact tfoot th,
+table.dataTable.compact tfoot td {
+  padding: 4px;
+}
+table.dataTable.compact tbody th,
+table.dataTable.compact tbody td {
+  padding: 4px;
+}
+table.dataTable th.dt-left,
+table.dataTable td.dt-left {
+  text-align: left;
+}
+table.dataTable th.dt-center,
+table.dataTable td.dt-center,
+table.dataTable td.dataTables_empty {
+  text-align: center;
+}
+table.dataTable th.dt-right,
+table.dataTable td.dt-right {
+  text-align: right;
+}
+table.dataTable th.dt-justify,
+table.dataTable td.dt-justify {
+  text-align: justify;
+}
+table.dataTable th.dt-nowrap,
+table.dataTable td.dt-nowrap {
+  white-space: nowrap;
+}
+table.dataTable thead th.dt-head-left,
+table.dataTable thead td.dt-head-left,
+table.dataTable tfoot th.dt-head-left,
+table.dataTable tfoot td.dt-head-left {
+  text-align: left;
+}
+table.dataTable thead th.dt-head-center,
+table.dataTable thead td.dt-head-center,
+table.dataTable tfoot th.dt-head-center,
+table.dataTable tfoot td.dt-head-center {
+  text-align: center;
+}
+table.dataTable thead th.dt-head-right,
+table.dataTable thead td.dt-head-right,
+table.dataTable tfoot th.dt-head-right,
+table.dataTable tfoot td.dt-head-right {
+  text-align: right;
+}
+table.dataTable thead th.dt-head-justify,
+table.dataTable thead td.dt-head-justify,
+table.dataTable tfoot th.dt-head-justify,
+table.dataTable tfoot td.dt-head-justify {
+  text-align: justify;
+}
+table.dataTable thead th.dt-head-nowrap,
+table.dataTable thead td.dt-head-nowrap,
+table.dataTable tfoot th.dt-head-nowrap,
+table.dataTable tfoot td.dt-head-nowrap {
+  white-space: nowrap;
+}
+table.dataTable tbody th.dt-body-left,
+table.dataTable tbody td.dt-body-left {
+  text-align: left;
+}
+table.dataTable tbody th.dt-body-center,
+table.dataTable tbody td.dt-body-center {
+  text-align: center;
+}
+table.dataTable tbody th.dt-body-right,
+table.dataTable tbody td.dt-body-right {
+  text-align: right;
+}
+table.dataTable tbody th.dt-body-justify,
+table.dataTable tbody td.dt-body-justify {
+  text-align: justify;
+}
+table.dataTable tbody th.dt-body-nowrap,
+table.dataTable tbody td.dt-body-nowrap {
+  white-space: nowrap;
+}
+
+table.dataTable,
+table.dataTable th,
+table.dataTable td {
+  box-sizing: content-box;
+}
+
+/*
+ * Control feature layout
+ */
+.dataTables_wrapper {
+  position: relative;
+  clear: both;
+  *zoom: 1;
+  zoom: 1;
+}
+.dataTables_wrapper .dataTables_length {
+  float: left;
+}
+.dataTables_wrapper .dataTables_filter {
+  float: right;
+  text-align: right;
+}
+.dataTables_wrapper .dataTables_filter input {
+  margin-left: 0.5em;
+}
+.dataTables_wrapper .dataTables_info {
+  clear: both;
+  float: left;
+  padding-top: 0.755em;
+}
+.dataTables_wrapper .dataTables_paginate {
+  float: right;
+  text-align: right;
+  padding-top: 0.25em;
+}
+.dataTables_wrapper .dataTables_paginate .paginate_button {
+  box-sizing: border-box;
+  display: inline-block;
+  min-width: 1.5em;
+  padding: 0.5em 1em;
+  margin-left: 2px;
+  text-align: center;
+  text-decoration: none !important;
+  cursor: pointer;
+  *cursor: hand;
+  color: #333 !important;
+  border: 1px solid transparent;
+  border-radius: 2px;
+}
+.dataTables_wrapper .dataTables_paginate .paginate_button.current, .dataTables_wrapper .dataTables_paginate .paginate_button.current:hover {
+  color: #333 !important;
+  border: 1px solid #979797;
+  background-color: white;
+  background: -webkit-gradient(linear, left top, left bottom, color-stop(0%, white), color-stop(100%, #dcdcdc));
+  /* Chrome,Safari4+ */
+  background: -webkit-linear-gradient(top, white 0%, #dcdcdc 100%);
+  /* Chrome10+,Safari5.1+ */
+  background: -moz-linear-gradient(top, white 0%, #dcdcdc 100%);
+  /* FF3.6+ */
+  background: -ms-linear-gradient(top, white 0%, #dcdcdc 100%);
+  /* IE10+ */
+  background: -o-linear-gradient(top, white 0%, #dcdcdc 100%);
+  /* Opera 11.10+ */
+  background: linear-gradient(to bottom, white 0%, #dcdcdc 100%);
+  /* W3C */
+}
+.dataTables_wrapper .dataTables_paginate .paginate_button.disabled, .dataTables_wrapper .dataTables_paginate .paginate_button.disabled:hover, .dataTables_wrapper .dataTables_paginate .paginate_button.disabled:active {
+  cursor: default;
+  color: #666 !important;
+  border: 1px solid transparent;
+  background: transparent;
+  box-shadow: none;
+}
+.dataTables_wrapper .dataTables_paginate .paginate_button:hover {
+  color: white !important;
+  border: 1px solid #111;
+  background-color: #585858;
+  background: -webkit-gradient(linear, left top, left bottom, color-stop(0%, #585858), color-stop(100%, #111));
+  /* Chrome,Safari4+ */
+  background: -webkit-linear-gradient(top, #585858 0%, #111 100%);
+  /* Chrome10+,Safari5.1+ */
+  background: -moz-linear-gradient(top, #585858 0%, #111 100%);
+  /* FF3.6+ */
+  background: -ms-linear-gradient(top, #585858 0%, #111 100%);
+  /* IE10+ */
+  background: -o-linear-gradient(top, #585858 0%, #111 100%);
+  /* Opera 11.10+ */
+  background: linear-gradient(to bottom, #585858 0%, #111 100%);
+  /* W3C */
+}
+.dataTables_wrapper .dataTables_paginate .paginate_button:active {
+  outline: none;
+  background-color: #2b2b2b;
+  background: -webkit-gradient(linear, left top, left bottom, color-stop(0%, #2b2b2b), color-stop(100%, #0c0c0c));
+  /* Chrome,Safari4+ */
+  background: -webkit-linear-gradient(top, #2b2b2b 0%, #0c0c0c 100%);
+  /* Chrome10+,Safari5.1+ */
+  background: -moz-linear-gradient(top, #2b2b2b 0%, #0c0c0c 100%);
+  /* FF3.6+ */
+  background: -ms-linear-gradient(top, #2b2b2b 0%, #0c0c0c 100%);
+  /* IE10+ */
+  background: -o-linear-gradient(top, #2b2b2b 0%, #0c0c0c 100%);
+  /* Opera 11.10+ */
+  background: linear-gradient(to bottom, #2b2b2b 0%, #0c0c0c 100%);
+  /* W3C */
+  box-shadow: inset 0 0 3px #111;
+}
+.dataTables_wrapper .dataTables_paginate .ellipsis {
+  padding: 0 1em;
+}
+.dataTables_wrapper .dataTables_processing {
+  position: absolute;
+  top: 50%;
+  left: 50%;
+  width: 100%;
+  height: 40px;
+  margin-left: -50%;
+  margin-top: -25px;
+  padding-top: 20px;
+  text-align: center;
+  font-size: 1.2em;
+  background-color: white;
+  background: -webkit-gradient(linear, left top, right top, color-stop(0%, rgba(255, 255, 255, 0)), color-stop(25%, rgba(255, 255, 255, 0.9)), color-stop(75%, rgba(255, 255, 255, 0.9)), color-stop(100%, rgba(255, 255, 255, 0)));
+  background: -webkit-linear-gradient(left, rgba(255, 255, 255, 0) 0%, rgba(255, 255, 255, 0.9) 25%, rgba(255, 255, 255, 0.9) 75%, rgba(255, 255, 255, 0) 100%);
+  background: -moz-linear-gradient(left, rgba(255, 255, 255, 0) 0%, rgba(255, 255, 255, 0.9) 25%, rgba(255, 255, 255, 0.9) 75%, rgba(255, 255, 255, 0) 100%);
+  background: -ms-linear-gradient(left, rgba(255, 255, 255, 0) 0%, rgba(255, 255, 255, 0.9) 25%, rgba(255, 255, 255, 0.9) 75%, rgba(255, 255, 255, 0) 100%);
+  background: -o-linear-gradient(left, rgba(255, 255, 255, 0) 0%, rgba(255, 255, 255, 0.9) 25%, rgba(255, 255, 255, 0.9) 75%, rgba(255, 255, 255, 0) 100%);
+  background: linear-gradient(to right, rgba(255, 255, 255, 0) 0%, rgba(255, 255, 255, 0.9) 25%, rgba(255, 255, 255, 0.9) 75%, rgba(255, 255, 255, 0) 100%);
+}
+.dataTables_wrapper .dataTables_length,
+.dataTables_wrapper .dataTables_filter,
+.dataTables_wrapper .dataTables_info,
+.dataTables_wrapper .dataTables_processing,
+.dataTables_wrapper .dataTables_paginate {
+  color: #333;
+}
+.dataTables_wrapper .dataTables_scroll {
+  clear: both;
+}
+.dataTables_wrapper .dataTables_scroll div.dataTables_scrollBody {
+  *margin-top: -1px;
+  -webkit-overflow-scrolling: touch;
+}
+.dataTables_wrapper .dataTables_scroll div.dataTables_scrollBody > table > thead > tr > th, .dataTables_wrapper .dataTables_scroll div.dataTables_scrollBody > table > thead > tr > td, .dataTables_wrapper .dataTables_scroll div.dataTables_scrollBody > table > tbody > tr > th, .dataTables_wrapper .dataTables_scroll div.dataTables_scrollBody > table > tbody > tr > td {
+  vertical-align: middle;
+}
+.dataTables_wrapper .dataTables_scroll div.dataTables_scrollBody > table > thead > tr > th > div.dataTables_sizing,
+.dataTables_wrapper .dataTables_scroll div.dataTables_scrollBody > table > thead > tr > td > div.dataTables_sizing, .dataTables_wrapper .dataTables_scroll div.dataTables_scrollBody > table > tbody > tr > th > div.dataTables_sizing,
+.dataTables_wrapper .dataTables_scroll div.dataTables_scrollBody > table > tbody > tr > td > div.dataTables_sizing {
+  height: 0;
+  overflow: hidden;
+  margin: 0 !important;
+  padding: 0 !important;
+}
+.dataTables_wrapper.no-footer .dataTables_scrollBody {
+  border-bottom: 1px solid #111;
+}
+.dataTables_wrapper.no-footer div.dataTables_scrollHead table.dataTable,
+.dataTables_wrapper.no-footer div.dataTables_scrollBody > table {
+  border-bottom: none;
+}
+.dataTables_wrapper:after {
+  visibility: hidden;
+  display: block;
+  content: "";
+  clear: both;
+  height: 0;
+}
+
+@media screen and (max-width: 767px) {
+  .dataTables_wrapper .dataTables_info,
+  .dataTables_wrapper .dataTables_paginate {
+    float: none;
+    text-align: center;
+  }
+  .dataTables_wrapper .dataTables_paginate {
+    margin-top: 0.5em;
+  }
+}
+@media screen and (max-width: 640px) {
+  .dataTables_wrapper .dataTables_length,
+  .dataTables_wrapper .dataTables_filter {
+    float: none;
+    text-align: center;
+  }
+  .dataTables_wrapper .dataTables_filter {
+    margin-top: 0.5em;
+  }
+}
+
+
+table.fixedHeader-floating {
+  position: fixed !important;
+  background-color: white;
+}
+
+table.fixedHeader-floating.no-footer {
+  border-bottom-width: 0;
+}
+
+table.fixedHeader-locked {
+  position: absolute !important;
+  background-color: white;
+}
+
+@media print {
+  table.fixedHeader-floating {
+    display: none;
+  }
+}
+
+
+div.dtsp-topRow {
+  display: flex;
+  flex-direction: row;
+  flex-wrap: nowrap;
+  justify-content: space-around;
+  align-content: flex-start;
+  align-items: flex-start;
+}
+div.dtsp-topRow input.dtsp-search {
+  text-overflow: ellipsis;
+}
+div.dtsp-topRow div.dtsp-subRow1 {
+  display: flex;
+  flex-direction: row;
+  flex-wrap: nowrap;
+  flex-grow: 1;
+  flex-shrink: 0;
+  flex-basis: 0;
+}
+div.dtsp-topRow div.dtsp-searchCont {
+  display: flex;
+  flex-direction: row;
+  flex-wrap: nowrap;
+  flex-grow: 1;
+  flex-shrink: 0;
+  flex-basis: 0;
+}
+div.dtsp-topRow button.dtsp-nameButton {
+  background-image: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAACMAAAAjCAYAAAAe2bNZAAABcGlDQ1BpY2MAACiRdZHNSwJBGMYftTDS8FCHkA57sOigIAXRMQzyYh3UIKvL7rirwe66zK6IdA26dBA6RF36OvQf1DXoWhAERRAR9B/0dQnZ3nEFJXSG2ffHs/O8zDwD+DM6M+yBJGCYDs+mU9JaYV0KviNMM4QoEjKzreXcUh59x88jfKI+JESv/vt6jlBRtRngGyKeYxZ3iBeIMzXHErxHPMbKcpH4hDjO6YDEt0JXPH4TXPL4SzDPZxcBv+gplbpY6WJW5gbxNHHM0KusfR5xk7BqruaoRmlNwEYWaaQgQUEVW9DhIEHVpMx6+5It3woq5GH0tVAHJ0cJZfLGSa1SV5WqRrpKU0dd5P4/T1ubnfG6h1PA4Kvrfk4CwX2g2XDd31PXbZ4BgRfg2uz4K5TT/DfpjY4WOwYiO8DlTUdTDoCrXWD82ZK53JICtPyaBnxcACMFYPQeGN7wsmr/x/kTkN+mJ7oDDo+AKdof2fwDCBRoDkL8UccAAAAJcEhZcwAAD2EAAA9hAag/p2kAAAK2SURBVFgJ7ZY9j41BFICvryCExrJBQ6HyEYVEIREaUZDQIRoR2ViJKCioxV+gkVXYTVZEQiEUhG2EQnxUCh0FKolY4ut5XnM2cyfva3Pt5m7EPcmzZ2bemTNnzjkzd1utnvQi0IvAfxiBy5z5FoxO89kPY+8mbMjtzs47RXs5/WVpbAG6bWExt5PuIibvhVkwmC+ck3eK9ln6/fAddFojYzBVuYSBpcnIEvRaqOw2RcaN18FPuJH0JvRUxbT3wWf4ltiKPgfVidWlbGZgPozDFfgAC+EA/K2EI4cwcAJ+gPaeQ+VQU2SOMMGcPgPl/m/V2p50rrbRsRgt9Iv5h6xtpP22Bz7Ce1C+gFFxfKzOmShcU+Qmyh2w3w8rIJfddHTck66EukL/xPhj+JM8rHNmFys0Pg4v0up3aFNlwR9NYyodd3OL/C64zpsymcTFcf6ElM4YzjAWKYrJkaq8kE/yUYNP4BoYvS1QRo+hNtF5xfkTUjoTheukSFFMjlTFm6PjceOca/SMpKfeCR1L6Uzk/y2WIkVhNFJlJAZhP+hYns7b9D3IPuhY5mYrIv8OrQJvR5NYyNaW4jsU8pSGNySiVx4o5tXq3JkoXE/mg5R/M8dGJCJpKhaDcjBRdbI/Rm8g69c122om33BHmj2CHoV5qa9jUXBraJ+G1fAVjIBO1klc87ro1K4JZ/K35SWW3TwcyDd6TecqnAEd8cGq2+w84xvBm1n3vS0izKkkwh5XNC/GmFPqqAtPF89AOScKuemaNzoTV1SD5dtSbmLf1/RV+tC0WTgcj6R7HEtrVGWaqu/lYDZ/2pvxQ/kIyw/gFByHC9AHw910hv1aUUumyd8yy0QfhmEkfiNod0Xusct68J1qc8Tdux0Z97Q+hsDb+AYGYEbF/4Guw2Q/qDPqZG/zXgT+3Qj8AtKnfWhFwmuAAAAAAElFTkSuQmCC");
+  background-repeat: no-repeat;
+  background-position: center;
+  background-size: 23px;
+  vertical-align: bottom;
+}
+div.dtsp-topRow button.dtsp-countButton {
+  background-image: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABgAAAAYCAYAAADgdz34AAABcGlDQ1BpY2MAACiRdZHNSwJBGMYftTDS8FCHkA57sOigIAXRMQzyYh3UIKvL7rirwe66zK6IdA26dBA6RF36OvQf1DXoWhAERRAR9B/0dQnZ3nEFJXSG2ffHs/O8zDwD+DM6M+yBJGCYDs+mU9JaYV0KviNMM4QoEjKzreXcUh59x88jfKI+JESv/vt6jlBRtRngGyKeYxZ3iBeIMzXHErxHPMbKcpH4hDjO6YDEt0JXPH4TXPL4SzDPZxcBv+gplbpY6WJW5gbxNHHM0KusfR5xk7BqruaoRmlNwEYWaaQgQUEVW9DhIEHVpMx6+5It3woq5GH0tVAHJ0cJZfLGSa1SV5WqRrpKU0dd5P4/T1ubnfG6h1PA4Kvrfk4CwX2g2XDd31PXbZ4BgRfg2uz4K5TT/DfpjY4WOwYiO8DlTUdTDoCrXWD82ZK53JICtPyaBnxcACMFYPQeGN7wsmr/x/kTkN+mJ7oDDo+AKdof2fwDCBRoDkL8UccAAAAJcEhZcwAAD2EAAA9hAag/p2kAAAG5SURBVEgN3VU9LwVBFF0fiYhofUSlEQkKhU7z/oBCQkIiGr9BgUbhVzy9BAnhFyjV/AYFiU5ICM7ZN+c5Zud5dm3lJmfmzrkz9+7cu3c3y/6jjOBSF8CxXS7FmTkbwqIJjDpJvTcmsJ4K3KPZUpyZsx0sxoB9J6mnAkyC7wGuuCFIipNtEcpcWExgXpOBc78vgj6N+QO4NVsjwdFM59tUIDxDrHMBOeIQ34C5ZDregXuAQm4YcI68nN9B3wr2PcwPAIPkN2EqtJH6b+QZm1ajjTx7BqwAr26Lb+C2Kvpbt0Mb2HAJ7NrGFGfmXO3DeA4UshDfQAVmH0gaUFg852TTTDvlxwBlCtxy9zXyBhQFaq0wMmIdRebrfgosA3zb2hKnqG0oqchp4QbuR8X0TjzABhbdOT8jnQ/atcgqpnfwOA7yqZyTU587ZkIGdesLTt2EkynOnbreMUUKMI/dA4B/QVOcO13CQh+5wWCgDwo/75u59odB/wjmfhbgvACcAOyZPHihMWAoIwxyCLgf1oxfgjzVbgBXSTzIN+f0pg6s5DkcesLMRpsBrgE2XO3CN64JFP7JtUeKHX4CKtRRXFZ+7dEAAAAASUVORK5CYII=");
+  background-repeat: no-repeat;
+  background-position: center;
+  background-size: 18px;
+  vertical-align: bottom;
+}
+div.dtsp-topRow button.dtsp-searchIcon {
+  background-image: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAA8AAAAPCAYAAAA71pVKAAABcGlDQ1BpY2MAACiRdZHNSwJBGMYftTDS8FCHkA57sOigIAXRMQzyYh3UIKvL7rirwe66zK6IdA26dBA6RF36OvQf1DXoWhAERRAR9B/0dQnZ3nEFJXSG2ffHs/O8zDwD+DM6M+yBJGCYDs+mU9JaYV0KviNMM4QoEjKzreXcUh59x88jfKI+JESv/vt6jlBRtRngGyKeYxZ3iBeIMzXHErxHPMbKcpH4hDjO6YDEt0JXPH4TXPL4SzDPZxcBv+gplbpY6WJW5gbxNHHM0KusfR5xk7BqruaoRmlNwEYWaaQgQUEVW9DhIEHVpMx6+5It3woq5GH0tVAHJ0cJZfLGSa1SV5WqRrpKU0dd5P4/T1ubnfG6h1PA4Kvrfk4CwX2g2XDd31PXbZ4BgRfg2uz4K5TT/DfpjY4WOwYiO8DlTUdTDoCrXWD82ZK53JICtPyaBnxcACMFYPQeGN7wsmr/x/kTkN+mJ7oDDo+AKdof2fwDCBRoDkL8UccAAAAJcEhZcwAAD2EAAA9hAag/p2kAAAEnSURBVCgVpdG7SgNBFIDh1RhJsBBEsDIgIhaWFjZa2GtpKb6AnU0MprKOWEjK2IuFFxCxS2lhZyOWXh5AQVER/X+zuwwywoIHvp3dM3Nm55Ik/4i+P2or5FewiBIe0cEt8ogVz9LbhEVf+cgkcew1tvAZ5PPXGm9HOMEanMAYQhunaCAazuqA1UjvILl9HGPc/n4fabjPGbzjMM2FjfkDuPw5O8JilzgA9/OKWDynyWnbsPiF7yc4SRWxmEyTN7ZhsSd7gTLW8TuGSSzBcZd2hsV+n+MNC9jGCNzjPDwsz8XCO/x02Bqeptcxhg+4gjD8YxetLOkBGRbuwcIr+NdRLMPl3uMM2YHx2gsLd+D97qKEQuGe65jCAzbgVRWOCUZuovAfs5m/AdVxL0R1AIsLAAAAAElFTkSuQmCC");
+  background-repeat: no-repeat;
+  background-position: center;
+  background-size: 12px;
+}
+
+div.dt-button-collection {
+  z-index: 2002;
+}
+
+div.dataTables_scrollBody {
+  background: white !important;
+}
+
+div.dtsp-columns-1 {
+  min-width: 98%;
+  max-width: 98%;
+  padding-left: 1%;
+  padding-right: 1%;
+  margin: 0px !important;
+}
+
+div.dtsp-columns-2 {
+  min-width: 48%;
+  max-width: 48%;
+  padding-left: 1%;
+  padding-right: 1%;
+  margin: 0px !important;
+}
+
+div.dtsp-columns-3 {
+  min-width: 30.333%;
+  max-width: 30.333%;
+  padding-left: 1%;
+  padding-right: 1%;
+  margin: 0px !important;
+}
+
+div.dtsp-columns-4 {
+  min-width: 23%;
+  max-width: 23%;
+  padding-left: 1%;
+  padding-right: 1%;
+  margin: 0px !important;
+}
+
+div.dtsp-columns-5 {
+  min-width: 18%;
+  max-width: 18%;
+  padding-left: 1%;
+  padding-right: 1%;
+  margin: 0px !important;
+}
+
+div.dtsp-columns-6 {
+  min-width: 15.666%;
+  max-width: 15.666%;
+  padding-left: 0.5%;
+  padding-right: 0.5%;
+  margin: 0px !important;
+}
+
+div.dtsp-columns-7 {
+  min-width: 13.28%;
+  max-width: 13.28%;
+  padding-left: 0.5%;
+  padding-right: 0.5%;
+  margin: 0px !important;
+}
+
+div.dtsp-columns-8 {
+  min-width: 11.5%;
+  max-width: 11.5%;
+  padding-left: 0.5%;
+  padding-right: 0.5%;
+  margin: 0px !important;
+}
+
+div.dtsp-columns-9 {
+  min-width: 11.111%;
+  max-width: 11.111%;
+  padding-left: 0.5%;
+  padding-right: 0.5%;
+  margin: 0px !important;
+}
+
+div.dt-button-collection {
+  float: none;
+}
+
+div.dtsp-panesContainer {
+  width: 100%;
+}
+
+div.dtsp-panesContainer {
+  font-family: 'Roboto', sans-serif;
+  padding: 5px;
+  border: 1px solid #ccc;
+  border-radius: 6px;
+  margin: 5px 0;
+  clear: both;
+  text-align: center;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes {
+  display: flex;
+  flex-direction: row;
+  flex-wrap: wrap;
+  justify-content: flex-start;
+  align-content: flex-start;
+  align-items: stretch;
+  clear: both;
+  text-align: start;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-hidden {
+  display: none !important;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane {
+  flex-direction: row;
+  flex-wrap: nowrap;
+  flex-grow: 1;
+  flex-shrink: 0;
+  flex-basis: 280px;
+  justify-content: space-around;
+  align-content: flex-start;
+  align-items: stretch;
+  padding-top: 0px;
+  padding-bottom: 0px;
+  margin: 5px;
+  margin-top: 0px;
+  margin-bottom: 0px;
+  font-size: 0.9em;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dataTables_wrapper {
+  flex: 1;
+  margin: 1em 0.5%;
+  margin-top: 0px;
+  border-bottom: 2px solid #f0f0f0;
+  border: 2px solid #f0f0f0;
+  border-radius: 4px;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dataTables_wrapper:hover {
+  border: 2px solid #cfcfcf;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dataTables_wrapper div.dataTables_filter {
+  display: none;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dtsp-selected {
+  border: 2px solid #3276b1;
+  border-radius: 4px;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dtsp-selected:hover {
+  border: 2px solid #286092;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dtsp-topRow {
+  display: flex;
+  flex-direction: row;
+  flex-wrap: nowrap;
+  justify-content: space-around;
+  align-content: flex-start;
+  align-items: flex-start;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dtsp-topRow div.dtsp-searchCont {
+  display: flex;
+  flex-direction: row;
+  flex-wrap: nowrap;
+  flex-grow: 1;
+  flex-shrink: 0;
+  flex-basis: 0;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dtsp-topRow div.dtsp-searchCont input.dtsp-search {
+  flex-direction: row;
+  flex-wrap: nowrap;
+  flex-grow: 1;
+  flex-shrink: 0;
+  flex-basis: 90px;
+  min-height: 20px;
+  max-width: none;
+  min-width: 50px;
+  border: none;
+  padding-left: 12px;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dtsp-topRow div.dtsp-searchCont input.dtsp-search::placeholder {
+  color: black;
+  font-size: 16px;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dtsp-topRow div.dtsp-searchCont div.dtsp-searchButtonCont {
+  display: inline-block;
+  flex-direction: row;
+  flex-wrap: nowrap;
+  flex-grow: 0;
+  flex-shrink: 0;
+  flex-basis: 0;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dtsp-topRow div.dtsp-searchCont div.dtsp-searchButtonCont .dtsp-searchIcon {
+  position: relative;
+  display: inline-block;
+  margin: 4px;
+  display: block;
+  top: -2px;
+  right: 0px;
+  font-size: 16px;
+  margin-bottom: 0px;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dtsp-topRow button.dtsp-dull {
+  cursor: context-menu !important;
+  color: #7c7c7c;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dtsp-topRow button.dtsp-dull:hover {
+  background-color: transparent;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane input.dtsp-paneInputButton, div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane button.dtsp-paneButton {
+  height: 35px;
+  width: 35px;
+  max-width: 35px;
+  min-width: 0;
+  display: inline-block;
+  margin: 2px;
+  border: 0px solid transparent;
+  background-color: transparent;
+  font-size: 16px;
+  margin-bottom: 0px;
+  flex-grow: 0;
+  flex-shrink: 0;
+  flex-basis: 35px;
+  font-family: sans-serif;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane input.dtsp-paneInputButton:hover, div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane button.dtsp-paneButton:hover {
+  background-color: #f0f0f0;
+  border-radius: 2px;
+  cursor: pointer;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane button.dtsp-paneButton {
+  opacity: 0.6;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane input.dtsp-disabledButton {
+  height: 35px;
+  width: 35px;
+  max-width: 35px;
+  min-width: 0;
+  display: inline-block;
+  margin: 2px;
+  border: 0px solid transparent;
+  background-color: transparent;
+  font-size: 16px;
+  margin-bottom: 0px;
+  flex-grow: 0;
+  flex-shrink: 0;
+  flex-basis: 35px;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dataTables_scrollHead {
+  display: none !important;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dataTables_scrollBody {
+  border-bottom: none;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dataTables_scrollBody td.dtsp-countColumn {
+  text-align: right;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dataTables_scrollBody td.dtsp-countColumn div.dtsp-pill {
+  background-color: #cfcfcf;
+  text-align: center;
+  border: 1px solid #cfcfcf;
+  border-radius: 10px;
+  width: auto;
+  display: inline-block;
+  min-width: 30px;
+  color: black;
+  font-size: 0.9em;
+  padding: 0 4px;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dataTables_scrollBody span.dtsp-pill {
+  float: right;
+  background-color: #cfcfcf;
+  text-align: center;
+  border: 1px solid #cfcfcf;
+  border-radius: 10px;
+  width: auto;
+  min-width: 30px;
+  color: black;
+  font-size: 0.9em;
+  padding: 0 4px;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane tr > th,
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane tr > td {
+  padding: 5px 10px;
+}
+div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane td.dtsp-countColumn {
+  text-align: right;
+}
+div.dtsp-panesContainer div.dtsp-title {
+  float: left;
+  margin: 20px;
+  margin-bottom: 0px;
+  margin-top: 13px;
+}
+div.dtsp-panesContainer button.dtsp-clearAll {
+  float: right;
+  margin: 20px;
+  border: 1px solid transparent;
+  background-color: transparent;
+  padding: 10px;
+  margin-bottom: 0px;
+  margin-top: 5px;
+}
+div.dtsp-panesContainer button.dtsp-clearAll:hover {
+  background-color: #f0f0f0;
+  border-radius: 2px;
+}
+
+div.dt-button-collection div.panes {
+  padding: 0px;
+  border: none;
+  margin: 0px;
+}
+
+div.dtsp-hidden {
+  display: none !important;
+}
+
+div.dtsp-narrow {
+  flex-direction: column !important;
+}
+div.dtsp-narrow div.dtsp-subRows {
+  width: 100%;
+  text-align: right;
+}
+
+@media screen and (max-width: 767px) {
+  div.dtsp-columns-4,
+  div.dtsp-columns-5,
+  div.dtsp-columns-6 {
+    max-width: 31% !important;
+    min-width: 31% !important;
+  }
+}
+@media screen and (max-width: 640px) {
+  div.dtsp-searchPanes {
+    flex-direction: column !important;
+  }
+
+  div.dtsp-searchPane {
+    max-width: 98% !important;
+    min-width: 98% !important;
+  }
+}
+
+
+table.dataTable tbody > tr.selected,
+table.dataTable tbody > tr > .selected {
+  background-color: #B0BED9;
+}
+table.dataTable.stripe tbody > tr.odd.selected,
+table.dataTable.stripe tbody > tr.odd > .selected, table.dataTable.display tbody > tr.odd.selected,
+table.dataTable.display tbody > tr.odd > .selected {
+  background-color: #acbad4;
+}
+table.dataTable.hover tbody > tr.selected:hover,
+table.dataTable.hover tbody > tr > .selected:hover, table.dataTable.display tbody > tr.selected:hover,
+table.dataTable.display tbody > tr > .selected:hover {
+  background-color: #aab7d1;
+}
+table.dataTable.order-column tbody > tr.selected > .sorting_1,
+table.dataTable.order-column tbody > tr.selected > .sorting_2,
+table.dataTable.order-column tbody > tr.selected > .sorting_3,
+table.dataTable.order-column tbody > tr > .selected, table.dataTable.display tbody > tr.selected > .sorting_1,
+table.dataTable.display tbody > tr.selected > .sorting_2,
+table.dataTable.display tbody > tr.selected > .sorting_3,
+table.dataTable.display tbody > tr > .selected {
+  background-color: #acbad5;
+}
+table.dataTable.display tbody > tr.odd.selected > .sorting_1, table.dataTable.order-column.stripe tbody > tr.odd.selected > .sorting_1 {
+  background-color: #a6b4cd;
+}
+table.dataTable.display tbody > tr.odd.selected > .sorting_2, table.dataTable.order-column.stripe tbody > tr.odd.selected > .sorting_2 {
+  background-color: #a8b5cf;
+}
+table.dataTable.display tbody > tr.odd.selected > .sorting_3, table.dataTable.order-column.stripe tbody > tr.odd.selected > .sorting_3 {
+  background-color: #a9b7d1;
+}
+table.dataTable.display tbody > tr.even.selected > .sorting_1, table.dataTable.order-column.stripe tbody > tr.even.selected > .sorting_1 {
+  background-color: #acbad5;
+}
+table.dataTable.display tbody > tr.even.selected > .sorting_2, table.dataTable.order-column.stripe tbody > tr.even.selected > .sorting_2 {
+  background-color: #aebcd6;
+}
+table.dataTable.display tbody > tr.even.selected > .sorting_3, table.dataTable.order-column.stripe tbody > tr.even.selected > .sorting_3 {
+  background-color: #afbdd8;
+}
+table.dataTable.display tbody > tr.odd > .selected, table.dataTable.order-column.stripe tbody > tr.odd > .selected {
+  background-color: #a6b4cd;
+}
+table.dataTable.display tbody > tr.even > .selected, table.dataTable.order-column.stripe tbody > tr.even > .selected {
+  background-color: #acbad5;
+}
+table.dataTable.display tbody > tr.selected:hover > .sorting_1, table.dataTable.order-column.hover tbody > tr.selected:hover > .sorting_1 {
+  background-color: #a2aec7;
+}
+table.dataTable.display tbody > tr.selected:hover > .sorting_2, table.dataTable.order-column.hover tbody > tr.selected:hover > .sorting_2 {
+  background-color: #a3b0c9;
+}
+table.dataTable.display tbody > tr.selected:hover > .sorting_3, table.dataTable.order-column.hover tbody > tr.selected:hover > .sorting_3 {
+  background-color: #a5b2cb;
+}
+table.dataTable.display tbody > tr:hover > .selected,
+table.dataTable.display tbody > tr > .selected:hover, table.dataTable.order-column.hover tbody > tr:hover > .selected,
+table.dataTable.order-column.hover tbody > tr > .selected:hover {
+  background-color: #a2aec7;
+}
+table.dataTable tbody td.select-checkbox,
+table.dataTable tbody th.select-checkbox {
+  position: relative;
+}
+table.dataTable tbody td.select-checkbox:before, table.dataTable tbody td.select-checkbox:after,
+table.dataTable tbody th.select-checkbox:before,
+table.dataTable tbody th.select-checkbox:after {
+  display: block;
+  position: absolute;
+  top: 1.2em;
+  left: 50%;
+  width: 12px;
+  height: 12px;
+  box-sizing: border-box;
+}
+table.dataTable tbody td.select-checkbox:before,
+table.dataTable tbody th.select-checkbox:before {
+  content: ' ';
+  margin-top: -6px;
+  margin-left: -6px;
+  border: 1px solid black;
+  border-radius: 3px;
+}
+table.dataTable tr.selected td.select-checkbox:after,
+table.dataTable tr.selected th.select-checkbox:after {
+  content: '\2714';
+  margin-top: -11px;
+  margin-left: -4px;
+  text-align: center;
+  text-shadow: 1px 1px #B0BED9, -1px -1px #B0BED9, 1px -1px #B0BED9, -1px 1px #B0BED9;
+}
+
+div.dataTables_wrapper span.select-info,
+div.dataTables_wrapper span.select-item {
+  margin-left: 0.5em;
+}
+
+@media screen and (max-width: 640px) {
+  div.dataTables_wrapper span.select-info,
+  div.dataTables_wrapper span.select-item {
+    margin-left: 0;
+    display: block;
+  }
+}
+
+
diff --git a/www/datatables/datatables.js b/www/datatables/datatables.js
new file mode 100644 (file)
index 0000000..b104606
--- /dev/null
@@ -0,0 +1,19876 @@
+/*
+ * This combined file was created by the DataTables downloader builder:
+ *   https://datatables.net/download
+ *
+ * To rebuild or modify this file with the latest versions of the included
+ * software please visit:
+ *   https://datatables.net/download/#dt/dt-1.10.21/fh-3.1.7/sp-1.1.1/sl-1.3.1
+ *
+ * Included libraries:
+ *   DataTables 1.10.21, FixedHeader 3.1.7, SearchPanes 1.1.1, Select 1.3.1
+ */
+
+/*! DataTables 1.10.21
+ * Â©2008-2020 SpryMedia Ltd - datatables.net/license
+ */
+
+/**
+ * @summary     DataTables
+ * @description Paginate, search and order HTML tables
+ * @version     1.10.21
+ * @file        jquery.dataTables.js
+ * @author      SpryMedia Ltd
+ * @contact     www.datatables.net
+ * @copyright   Copyright 2008-2020 SpryMedia Ltd.
+ *
+ * This source file is free software, available under the following license:
+ *   MIT license - http://datatables.net/license
+ *
+ * This source file is distributed in the hope that it will be useful, but
+ * WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY
+ * or FITNESS FOR A PARTICULAR PURPOSE. See the license files for details.
+ *
+ * For details please refer to: http://www.datatables.net
+ */
+
+/*jslint evil: true, undef: true, browser: true */
+/*globals $,require,jQuery,define,_selector_run,_selector_opts,_selector_first,_selector_row_indexes,_ext,_Api,_api_register,_api_registerPlural,_re_new_lines,_re_html,_re_formatted_numeric,_re_escape_regex,_empty,_intVal,_numToDecimal,_isNumber,_isHtml,_htmlNumeric,_pluck,_pluck_order,_range,_stripHtml,_unique,_fnBuildAjax,_fnAjaxUpdate,_fnAjaxParameters,_fnAjaxUpdateDraw,_fnAjaxDataSrc,_fnAddColumn,_fnColumnOptions,_fnAdjustColumnSizing,_fnVisibleToColumnIndex,_fnColumnIndexToVisible,_fnVisbleColumns,_fnGetColumns,_fnColumnTypes,_fnApplyColumnDefs,_fnHungarianMap,_fnCamelToHungarian,_fnLanguageCompat,_fnBrowserDetect,_fnAddData,_fnAddTr,_fnNodeToDataIndex,_fnNodeToColumnIndex,_fnGetCellData,_fnSetCellData,_fnSplitObjNotation,_fnGetObjectDataFn,_fnSetObjectDataFn,_fnGetDataMaster,_fnClearTable,_fnDeleteIndex,_fnInvalidate,_fnGetRowElements,_fnCreateTr,_fnBuildHead,_fnDrawHead,_fnDraw,_fnReDraw,_fnAddOptionsHtml,_fnDetectHeader,_fnGetUniqueThs,_fnFeatureHtmlFilter,_fnFilterComplete,_fnFilterCustom,_fnFilterColumn,_fnFilter,_fnFilterCreateSearch,_fnEscapeRegex,_fnFilterData,_fnFeatureHtmlInfo,_fnUpdateInfo,_fnInfoMacros,_fnInitialise,_fnInitComplete,_fnLengthChange,_fnFeatureHtmlLength,_fnFeatureHtmlPaginate,_fnPageChange,_fnFeatureHtmlProcessing,_fnProcessingDisplay,_fnFeatureHtmlTable,_fnScrollDraw,_fnApplyToChildren,_fnCalculateColumnWidths,_fnThrottle,_fnConvertToWidth,_fnGetWidestNode,_fnGetMaxLenString,_fnStringToCss,_fnSortFlatten,_fnSort,_fnSortAria,_fnSortListener,_fnSortAttachListener,_fnSortingClasses,_fnSortData,_fnSaveState,_fnLoadState,_fnSettingsFromNode,_fnLog,_fnMap,_fnBindAction,_fnCallbackReg,_fnCallbackFire,_fnLengthOverflow,_fnRenderer,_fnDataSource,_fnRowAttributes*/
+
+(function( factory ) {
+       "use strict";
+
+       if ( typeof define === 'function' && define.amd ) {
+               // AMD
+               define( ['jquery'], function ( $ ) {
+                       return factory( $, window, document );
+               } );
+       }
+       else if ( typeof exports === 'object' ) {
+               // CommonJS
+               module.exports = function (root, $) {
+                       if ( ! root ) {
+                               // CommonJS environments without a window global must pass a
+                               // root. This will give an error otherwise
+                               root = window;
+                       }
+
+                       if ( ! $ ) {
+                               $ = typeof window !== 'undefined' ? // jQuery's factory checks for a global window
+                                       require('jquery') :
+                                       require('jquery')( root );
+                       }
+
+                       return factory( $, root, root.document );
+               };
+       }
+       else {
+               // Browser
+               factory( jQuery, window, document );
+       }
+}
+(function( $, window, document, undefined ) {
+       "use strict";
+
+       /**
+        * DataTables is a plug-in for the jQuery Javascript library. It is a highly
+        * flexible tool, based upon the foundations of progressive enhancement,
+        * which will add advanced interaction controls to any HTML table. For a
+        * full list of features please refer to
+        * [DataTables.net](href="http://datatables.net).
+        *
+        * Note that the `DataTable` object is not a global variable but is aliased
+        * to `jQuery.fn.DataTable` and `jQuery.fn.dataTable` through which it may
+        * be  accessed.
+        *
+        *  @class
+        *  @param {object} [init={}] Configuration object for DataTables. Options
+        *    are defined by {@link DataTable.defaults}
+        *  @requires jQuery 1.7+
+        *
+        *  @example
+        *    // Basic initialisation
+        *    $(document).ready( function {
+        *      $('#example').dataTable();
+        *    } );
+        *
+        *  @example
+        *    // Initialisation with configuration options - in this case, disable
+        *    // pagination and sorting.
+        *    $(document).ready( function {
+        *      $('#example').dataTable( {
+        *        "paginate": false,
+        *        "sort": false
+        *      } );
+        *    } );
+        */
+       var DataTable = function ( options )
+       {
+               /**
+                * Perform a jQuery selector action on the table's TR elements (from the tbody) and
+                * return the resulting jQuery object.
+                *  @param {string|node|jQuery} sSelector jQuery selector or node collection to act on
+                *  @param {object} [oOpts] Optional parameters for modifying the rows to be included
+                *  @param {string} [oOpts.filter=none] Select TR elements that meet the current filter
+                *    criterion ("applied") or all TR elements (i.e. no filter).
+                *  @param {string} [oOpts.order=current] Order of the TR elements in the processed array.
+                *    Can be either 'current', whereby the current sorting of the table is used, or
+                *    'original' whereby the original order the data was read into the table is used.
+                *  @param {string} [oOpts.page=all] Limit the selection to the currently displayed page
+                *    ("current") or not ("all"). If 'current' is given, then order is assumed to be
+                *    'current' and filter is 'applied', regardless of what they might be given as.
+                *  @returns {object} jQuery object, filtered by the given selector.
+                *  @dtopt API
+                *  @deprecated Since v1.10
+                *
+                *  @example
+                *    $(document).ready(function() {
+                *      var oTable = $('#example').dataTable();
+                *
+                *      // Highlight every second row
+                *      oTable.$('tr:odd').css('backgroundColor', 'blue');
+                *    } );
+                *
+                *  @example
+                *    $(document).ready(function() {
+                *      var oTable = $('#example').dataTable();
+                *
+                *      // Filter to rows with 'Webkit' in them, add a background colour and then
+                *      // remove the filter, thus highlighting the 'Webkit' rows only.
+                *      oTable.fnFilter('Webkit');
+                *      oTable.$('tr', {"search": "applied"}).css('backgroundColor', 'blue');
+                *      oTable.fnFilter('');
+                *    } );
+                */
+               this.$ = function ( sSelector, oOpts )
+               {
+                       return this.api(true).$( sSelector, oOpts );
+               };
+               
+               
+               /**
+                * Almost identical to $ in operation, but in this case returns the data for the matched
+                * rows - as such, the jQuery selector used should match TR row nodes or TD/TH cell nodes
+                * rather than any descendants, so the data can be obtained for the row/cell. If matching
+                * rows are found, the data returned is the original data array/object that was used to
+                * create the row (or a generated array if from a DOM source).
+                *
+                * This method is often useful in-combination with $ where both functions are given the
+                * same parameters and the array indexes will match identically.
+                *  @param {string|node|jQuery} sSelector jQuery selector or node collection to act on
+                *  @param {object} [oOpts] Optional parameters for modifying the rows to be included
+                *  @param {string} [oOpts.filter=none] Select elements that meet the current filter
+                *    criterion ("applied") or all elements (i.e. no filter).
+                *  @param {string} [oOpts.order=current] Order of the data in the processed array.
+                *    Can be either 'current', whereby the current sorting of the table is used, or
+                *    'original' whereby the original order the data was read into the table is used.
+                *  @param {string} [oOpts.page=all] Limit the selection to the currently displayed page
+                *    ("current") or not ("all"). If 'current' is given, then order is assumed to be
+                *    'current' and filter is 'applied', regardless of what they might be given as.
+                *  @returns {array} Data for the matched elements. If any elements, as a result of the
+                *    selector, were not TR, TD or TH elements in the DataTable, they will have a null
+                *    entry in the array.
+                *  @dtopt API
+                *  @deprecated Since v1.10
+                *
+                *  @example
+                *    $(document).ready(function() {
+                *      var oTable = $('#example').dataTable();
+                *
+                *      // Get the data from the first row in the table
+                *      var data = oTable._('tr:first');
+                *
+                *      // Do something useful with the data
+                *      alert( "First cell is: "+data[0] );
+                *    } );
+                *
+                *  @example
+                *    $(document).ready(function() {
+                *      var oTable = $('#example').dataTable();
+                *
+                *      // Filter to 'Webkit' and get all data for
+                *      oTable.fnFilter('Webkit');
+                *      var data = oTable._('tr', {"search": "applied"});
+                *
+                *      // Do something with the data
+                *      alert( data.length+" rows matched the search" );
+                *    } );
+                */
+               this._ = function ( sSelector, oOpts )
+               {
+                       return this.api(true).rows( sSelector, oOpts ).data();
+               };
+               
+               
+               /**
+                * Create a DataTables Api instance, with the currently selected tables for
+                * the Api's context.
+                * @param {boolean} [traditional=false] Set the API instance's context to be
+                *   only the table referred to by the `DataTable.ext.iApiIndex` option, as was
+                *   used in the API presented by DataTables 1.9- (i.e. the traditional mode),
+                *   or if all tables captured in the jQuery object should be used.
+                * @return {DataTables.Api}
+                */
+               this.api = function ( traditional )
+               {
+                       return traditional ?
+                               new _Api(
+                                       _fnSettingsFromNode( this[ _ext.iApiIndex ] )
+                               ) :
+                               new _Api( this );
+               };
+               
+               
+               /**
+                * Add a single new row or multiple rows of data to the table. Please note
+                * that this is suitable for client-side processing only - if you are using
+                * server-side processing (i.e. "bServerSide": true), then to add data, you
+                * must add it to the data source, i.e. the server-side, through an Ajax call.
+                *  @param {array|object} data The data to be added to the table. This can be:
+                *    <ul>
+                *      <li>1D array of data - add a single row with the data provided</li>
+                *      <li>2D array of arrays - add multiple rows in a single call</li>
+                *      <li>object - data object when using <i>mData</i></li>
+                *      <li>array of objects - multiple data objects when using <i>mData</i></li>
+                *    </ul>
+                *  @param {bool} [redraw=true] redraw the table or not
+                *  @returns {array} An array of integers, representing the list of indexes in
+                *    <i>aoData</i> ({@link DataTable.models.oSettings}) that have been added to
+                *    the table.
+                *  @dtopt API
+                *  @deprecated Since v1.10
+                *
+                *  @example
+                *    // Global var for counter
+                *    var giCount = 2;
+                *
+                *    $(document).ready(function() {
+                *      $('#example').dataTable();
+                *    } );
+                *
+                *    function fnClickAddRow() {
+                *      $('#example').dataTable().fnAddData( [
+                *        giCount+".1",
+                *        giCount+".2",
+                *        giCount+".3",
+                *        giCount+".4" ]
+                *      );
+                *
+                *      giCount++;
+                *    }
+                */
+               this.fnAddData = function( data, redraw )
+               {
+                       var api = this.api( true );
+               
+                       /* Check if we want to add multiple rows or not */
+                       var rows = $.isArray(data) && ( $.isArray(data[0]) || $.isPlainObject(data[0]) ) ?
+                               api.rows.add( data ) :
+                               api.row.add( data );
+               
+                       if ( redraw === undefined || redraw ) {
+                               api.draw();
+                       }
+               
+                       return rows.flatten().toArray();
+               };
+               
+               
+               /**
+                * This function will make DataTables recalculate the column sizes, based on the data
+                * contained in the table and the sizes applied to the columns (in the DOM, CSS or
+                * through the sWidth parameter). This can be useful when the width of the table's
+                * parent element changes (for example a window resize).
+                *  @param {boolean} [bRedraw=true] Redraw the table or not, you will typically want to
+                *  @dtopt API
+                *  @deprecated Since v1.10
+                *
+                *  @example
+                *    $(document).ready(function() {
+                *      var oTable = $('#example').dataTable( {
+                *        "sScrollY": "200px",
+                *        "bPaginate": false
+                *      } );
+                *
+                *      $(window).on('resize', function () {
+                *        oTable.fnAdjustColumnSizing();
+                *      } );
+                *    } );
+                */
+               this.fnAdjustColumnSizing = function ( bRedraw )
+               {
+                       var api = this.api( true ).columns.adjust();
+                       var settings = api.settings()[0];
+                       var scroll = settings.oScroll;
+               
+                       if ( bRedraw === undefined || bRedraw ) {
+                               api.draw( false );
+                       }
+                       else if ( scroll.sX !== "" || scroll.sY !== "" ) {
+                               /* If not redrawing, but scrolling, we want to apply the new column sizes anyway */
+                               _fnScrollDraw( settings );
+                       }
+               };
+               
+               
+               /**
+                * Quickly and simply clear a table
+                *  @param {bool} [bRedraw=true] redraw the table or not
+                *  @dtopt API
+                *  @deprecated Since v1.10
+                *
+                *  @example
+                *    $(document).ready(function() {
+                *      var oTable = $('#example').dataTable();
+                *
+                *      // Immediately 'nuke' the current rows (perhaps waiting for an Ajax callback...)
+                *      oTable.fnClearTable();
+                *    } );
+                */
+               this.fnClearTable = function( bRedraw )
+               {
+                       var api = this.api( true ).clear();
+               
+                       if ( bRedraw === undefined || bRedraw ) {
+                               api.draw();
+                       }
+               };
+               
+               
+               /**
+                * The exact opposite of 'opening' a row, this function will close any rows which
+                * are currently 'open'.
+                *  @param {node} nTr the table row to 'close'
+                *  @returns {int} 0 on success, or 1 if failed (can't find the row)
+                *  @dtopt API
+                *  @deprecated Since v1.10
+                *
+                *  @example
+                *    $(document).ready(function() {
+                *      var oTable;
+                *
+                *      // 'open' an information row when a row is clicked on
+                *      $('#example tbody tr').click( function () {
+                *        if ( oTable.fnIsOpen(this) ) {
+                *          oTable.fnClose( this );
+                *        } else {
+                *          oTable.fnOpen( this, "Temporary row opened", "info_row" );
+                *        }
+                *      } );
+                *
+                *      oTable = $('#example').dataTable();
+                *    } );
+                */
+               this.fnClose = function( nTr )
+               {
+                       this.api( true ).row( nTr ).child.hide();
+               };
+               
+               
+               /**
+                * Remove a row for the table
+                *  @param {mixed} target The index of the row from aoData to be deleted, or
+                *    the TR element you want to delete
+                *  @param {function|null} [callBack] Callback function
+                *  @param {bool} [redraw=true] Redraw the table or not
+                *  @returns {array} The row that was deleted
+                *  @dtopt API
+                *  @deprecated Since v1.10
+                *
+                *  @example
+                *    $(document).ready(function() {
+                *      var oTable = $('#example').dataTable();
+                *
+                *      // Immediately remove the first row
+                *      oTable.fnDeleteRow( 0 );
+                *    } );
+                */
+               this.fnDeleteRow = function( target, callback, redraw )
+               {
+                       var api = this.api( true );
+                       var rows = api.rows( target );
+                       var settings = rows.settings()[0];
+                       var data = settings.aoData[ rows[0][0] ];
+               
+                       rows.remove();
+               
+                       if ( callback ) {
+                               callback.call( this, settings, data );
+                       }
+               
+                       if ( redraw === undefined || redraw ) {
+                               api.draw();
+                       }
+               
+                       return data;
+               };
+               
+               
+               /**
+                * Restore the table to it's original state in the DOM by removing all of DataTables
+                * enhancements, alterations to the DOM structure of the table and event listeners.
+                *  @param {boolean} [remove=false] Completely remove the table from the DOM
+                *  @dtopt API
+                *  @deprecated Since v1.10
+                *
+                *  @example
+                *    $(document).ready(function() {
+                *      // This example is fairly pointless in reality, but shows how fnDestroy can be used
+                *      var oTable = $('#example').dataTable();
+                *      oTable.fnDestroy();
+                *    } );
+                */
+               this.fnDestroy = function ( remove )
+               {
+                       this.api( true ).destroy( remove );
+               };
+               
+               
+               /**
+                * Redraw the table
+                *  @param {bool} [complete=true] Re-filter and resort (if enabled) the table before the draw.
+                *  @dtopt API
+                *  @deprecated Since v1.10
+                *
+                *  @example
+                *    $(document).ready(function() {
+                *      var oTable = $('#example').dataTable();
+                *
+                *      // Re-draw the table - you wouldn't want to do it here, but it's an example :-)
+                *      oTable.fnDraw();
+                *    } );
+                */
+               this.fnDraw = function( complete )
+               {
+                       // Note that this isn't an exact match to the old call to _fnDraw - it takes
+                       // into account the new data, but can hold position.
+                       this.api( true ).draw( complete );
+               };
+               
+               
+               /**
+                * Filter the input based on data
+                *  @param {string} sInput String to filter the table on
+                *  @param {int|null} [iColumn] Column to limit filtering to
+                *  @param {bool} [bRegex=false] Treat as regular expression or not
+                *  @param {bool} [bSmart=true] Perform smart filtering or not
+                *  @param {bool} [bShowGlobal=true] Show the input global filter in it's input box(es)
+                *  @param {bool} [bCaseInsensitive=true] Do case-insensitive matching (true) or not (false)
+                *  @dtopt API
+                *  @deprecated Since v1.10
+                *
+                *  @example
+                *    $(document).ready(function() {
+                *      var oTable = $('#example').dataTable();
+                *
+                *      // Sometime later - filter...
+                *      oTable.fnFilter( 'test string' );
+                *    } );
+                */
+               this.fnFilter = function( sInput, iColumn, bRegex, bSmart, bShowGlobal, bCaseInsensitive )
+               {
+                       var api = this.api( true );
+               
+                       if ( iColumn === null || iColumn === undefined ) {
+                               api.search( sInput, bRegex, bSmart, bCaseInsensitive );
+                       }
+                       else {
+                               api.column( iColumn ).search( sInput, bRegex, bSmart, bCaseInsensitive );
+                       }
+               
+                       api.draw();
+               };
+               
+               
+               /**
+                * Get the data for the whole table, an individual row or an individual cell based on the
+                * provided parameters.
+                *  @param {int|node} [src] A TR row node, TD/TH cell node or an integer. If given as
+                *    a TR node then the data source for the whole row will be returned. If given as a
+                *    TD/TH cell node then iCol will be automatically calculated and the data for the
+                *    cell returned. If given as an integer, then this is treated as the aoData internal
+                *    data index for the row (see fnGetPosition) and the data for that row used.
+                *  @param {int} [col] Optional column index that you want the data of.
+                *  @returns {array|object|string} If mRow is undefined, then the data for all rows is
+                *    returned. If mRow is defined, just data for that row, and is iCol is
+                *    defined, only data for the designated cell is returned.
+                *  @dtopt API
+                *  @deprecated Since v1.10
+                *
+                *  @example
+                *    // Row data
+                *    $(document).ready(function() {
+                *      oTable = $('#example').dataTable();
+                *
+                *      oTable.$('tr').click( function () {
+                *        var data = oTable.fnGetData( this );
+                *        // ... do something with the array / object of data for the row
+                *      } );
+                *    } );
+                *
+                *  @example
+                *    // Individual cell data
+                *    $(document).ready(function() {
+                *      oTable = $('#example').dataTable();
+                *
+                *      oTable.$('td').click( function () {
+                *        var sData = oTable.fnGetData( this );
+                *        alert( 'The cell clicked on had the value of '+sData );
+                *      } );
+                *    } );
+                */
+               this.fnGetData = function( src, col )
+               {
+                       var api = this.api( true );
+               
+                       if ( src !== undefined ) {
+                               var type = src.nodeName ? src.nodeName.toLowerCase() : '';
+               
+                               return col !== undefined || type == 'td' || type == 'th' ?
+                                       api.cell( src, col ).data() :
+                                       api.row( src ).data() || null;
+                       }
+               
+                       return api.data().toArray();
+               };
+               
+               
+               /**
+                * Get an array of the TR nodes that are used in the table's body. Note that you will
+                * typically want to use the '$' API method in preference to this as it is more
+                * flexible.
+                *  @param {int} [iRow] Optional row index for the TR element you want
+                *  @returns {array|node} If iRow is undefined, returns an array of all TR elements
+                *    in the table's body, or iRow is defined, just the TR element requested.
+                *  @dtopt API
+                *  @deprecated Since v1.10
+                *
+                *  @example
+                *    $(document).ready(function() {
+                *      var oTable = $('#example').dataTable();
+                *
+                *      // Get the nodes from the table
+                *      var nNodes = oTable.fnGetNodes( );
+                *    } );
+                */
+               this.fnGetNodes = function( iRow )
+               {
+                       var api = this.api( true );
+               
+                       return iRow !== undefined ?
+                               api.row( iRow ).node() :
+                               api.rows().nodes().flatten().toArray();
+               };
+               
+               
+               /**
+                * Get the array indexes of a particular cell from it's DOM element
+                * and column index including hidden columns
+                *  @param {node} node this can either be a TR, TD or TH in the table's body
+                *  @returns {int} If nNode is given as a TR, then a single index is returned, or
+                *    if given as a cell, an array of [row index, column index (visible),
+                *    column index (all)] is given.
+                *  @dtopt API
+                *  @deprecated Since v1.10
+                *
+                *  @example
+                *    $(document).ready(function() {
+                *      $('#example tbody td').click( function () {
+                *        // Get the position of the current data from the node
+                *        var aPos = oTable.fnGetPosition( this );
+                *
+                *        // Get the data array for this row
+                *        var aData = oTable.fnGetData( aPos[0] );
+                *
+                *        // Update the data array and return the value
+                *        aData[ aPos[1] ] = 'clicked';
+                *        this.innerHTML = 'clicked';
+                *      } );
+                *
+                *      // Init DataTables
+                *      oTable = $('#example').dataTable();
+                *    } );
+                */
+               this.fnGetPosition = function( node )
+               {
+                       var api = this.api( true );
+                       var nodeName = node.nodeName.toUpperCase();
+               
+                       if ( nodeName == 'TR' ) {
+                               return api.row( node ).index();
+                       }
+                       else if ( nodeName == 'TD' || nodeName == 'TH' ) {
+                               var cell = api.cell( node ).index();
+               
+                               return [
+                                       cell.row,
+                                       cell.columnVisible,
+                                       cell.column
+                               ];
+                       }
+                       return null;
+               };
+               
+               
+               /**
+                * Check to see if a row is 'open' or not.
+                *  @param {node} nTr the table row to check
+                *  @returns {boolean} true if the row is currently open, false otherwise
+                *  @dtopt API
+                *  @deprecated Since v1.10
+                *
+                *  @example
+                *    $(document).ready(function() {
+                *      var oTable;
+                *
+                *      // 'open' an information row when a row is clicked on
+                *      $('#example tbody tr').click( function () {
+                *        if ( oTable.fnIsOpen(this) ) {
+                *          oTable.fnClose( this );
+                *        } else {
+                *          oTable.fnOpen( this, "Temporary row opened", "info_row" );
+                *        }
+                *      } );
+                *
+                *      oTable = $('#example').dataTable();
+                *    } );
+                */
+               this.fnIsOpen = function( nTr )
+               {
+                       return this.api( true ).row( nTr ).child.isShown();
+               };
+               
+               
+               /**
+                * This function will place a new row directly after a row which is currently
+                * on display on the page, with the HTML contents that is passed into the
+                * function. This can be used, for example, to ask for confirmation that a
+                * particular record should be deleted.
+                *  @param {node} nTr The table row to 'open'
+                *  @param {string|node|jQuery} mHtml The HTML to put into the row
+                *  @param {string} sClass Class to give the new TD cell
+                *  @returns {node} The row opened. Note that if the table row passed in as the
+                *    first parameter, is not found in the table, this method will silently
+                *    return.
+                *  @dtopt API
+                *  @deprecated Since v1.10
+                *
+                *  @example
+                *    $(document).ready(function() {
+                *      var oTable;
+                *
+                *      // 'open' an information row when a row is clicked on
+                *      $('#example tbody tr').click( function () {
+                *        if ( oTable.fnIsOpen(this) ) {
+                *          oTable.fnClose( this );
+                *        } else {
+                *          oTable.fnOpen( this, "Temporary row opened", "info_row" );
+                *        }
+                *      } );
+                *
+                *      oTable = $('#example').dataTable();
+                *    } );
+                */
+               this.fnOpen = function( nTr, mHtml, sClass )
+               {
+                       return this.api( true )
+                               .row( nTr )
+                               .child( mHtml, sClass )
+                               .show()
+                               .child()[0];
+               };
+               
+               
+               /**
+                * Change the pagination - provides the internal logic for pagination in a simple API
+                * function. With this function you can have a DataTables table go to the next,
+                * previous, first or last pages.
+                *  @param {string|int} mAction Paging action to take: "first", "previous", "next" or "last"
+                *    or page number to jump to (integer), note that page 0 is the first page.
+                *  @param {bool} [bRedraw=true] Redraw the table or not
+                *  @dtopt API
+                *  @deprecated Since v1.10
+                *
+                *  @example
+                *    $(document).ready(function() {
+                *      var oTable = $('#example').dataTable();
+                *      oTable.fnPageChange( 'next' );
+                *    } );
+                */
+               this.fnPageChange = function ( mAction, bRedraw )
+               {
+                       var api = this.api( true ).page( mAction );
+               
+                       if ( bRedraw === undefined || bRedraw ) {
+                               api.draw(false);
+                       }
+               };
+               
+               
+               /**
+                * Show a particular column
+                *  @param {int} iCol The column whose display should be changed
+                *  @param {bool} bShow Show (true) or hide (false) the column
+                *  @param {bool} [bRedraw=true] Redraw the table or not
+                *  @dtopt API
+                *  @deprecated Since v1.10
+                *
+                *  @example
+                *    $(document).ready(function() {
+                *      var oTable = $('#example').dataTable();
+                *
+                *      // Hide the second column after initialisation
+                *      oTable.fnSetColumnVis( 1, false );
+                *    } );
+                */
+               this.fnSetColumnVis = function ( iCol, bShow, bRedraw )
+               {
+                       var api = this.api( true ).column( iCol ).visible( bShow );
+               
+                       if ( bRedraw === undefined || bRedraw ) {
+                               api.columns.adjust().draw();
+                       }
+               };
+               
+               
+               /**
+                * Get the settings for a particular table for external manipulation
+                *  @returns {object} DataTables settings object. See
+                *    {@link DataTable.models.oSettings}
+                *  @dtopt API
+                *  @deprecated Since v1.10
+                *
+                *  @example
+                *    $(document).ready(function() {
+                *      var oTable = $('#example').dataTable();
+                *      var oSettings = oTable.fnSettings();
+                *
+                *      // Show an example parameter from the settings
+                *      alert( oSettings._iDisplayStart );
+                *    } );
+                */
+               this.fnSettings = function()
+               {
+                       return _fnSettingsFromNode( this[_ext.iApiIndex] );
+               };
+               
+               
+               /**
+                * Sort the table by a particular column
+                *  @param {int} iCol the data index to sort on. Note that this will not match the
+                *    'display index' if you have hidden data entries
+                *  @dtopt API
+                *  @deprecated Since v1.10
+                *
+                *  @example
+                *    $(document).ready(function() {
+                *      var oTable = $('#example').dataTable();
+                *
+                *      // Sort immediately with columns 0 and 1
+                *      oTable.fnSort( [ [0,'asc'], [1,'asc'] ] );
+                *    } );
+                */
+               this.fnSort = function( aaSort )
+               {
+                       this.api( true ).order( aaSort ).draw();
+               };
+               
+               
+               /**
+                * Attach a sort listener to an element for a given column
+                *  @param {node} nNode the element to attach the sort listener to
+                *  @param {int} iColumn the column that a click on this node will sort on
+                *  @param {function} [fnCallback] callback function when sort is run
+                *  @dtopt API
+                *  @deprecated Since v1.10
+                *
+                *  @example
+                *    $(document).ready(function() {
+                *      var oTable = $('#example').dataTable();
+                *
+                *      // Sort on column 1, when 'sorter' is clicked on
+                *      oTable.fnSortListener( document.getElementById('sorter'), 1 );
+                *    } );
+                */
+               this.fnSortListener = function( nNode, iColumn, fnCallback )
+               {
+                       this.api( true ).order.listener( nNode, iColumn, fnCallback );
+               };
+               
+               
+               /**
+                * Update a table cell or row - this method will accept either a single value to
+                * update the cell with, an array of values with one element for each column or
+                * an object in the same format as the original data source. The function is
+                * self-referencing in order to make the multi column updates easier.
+                *  @param {object|array|string} mData Data to update the cell/row with
+                *  @param {node|int} mRow TR element you want to update or the aoData index
+                *  @param {int} [iColumn] The column to update, give as null or undefined to
+                *    update a whole row.
+                *  @param {bool} [bRedraw=true] Redraw the table or not
+                *  @param {bool} [bAction=true] Perform pre-draw actions or not
+                *  @returns {int} 0 on success, 1 on error
+                *  @dtopt API
+                *  @deprecated Since v1.10
+                *
+                *  @example
+                *    $(document).ready(function() {
+                *      var oTable = $('#example').dataTable();
+                *      oTable.fnUpdate( 'Example update', 0, 0 ); // Single cell
+                *      oTable.fnUpdate( ['a', 'b', 'c', 'd', 'e'], $('tbody tr')[0] ); // Row
+                *    } );
+                */
+               this.fnUpdate = function( mData, mRow, iColumn, bRedraw, bAction )
+               {
+                       var api = this.api( true );
+               
+                       if ( iColumn === undefined || iColumn === null ) {
+                               api.row( mRow ).data( mData );
+                       }
+                       else {
+                               api.cell( mRow, iColumn ).data( mData );
+                       }
+               
+                       if ( bAction === undefined || bAction ) {
+                               api.columns.adjust();
+                       }
+               
+                       if ( bRedraw === undefined || bRedraw ) {
+                               api.draw();
+                       }
+                       return 0;
+               };
+               
+               
+               /**
+                * Provide a common method for plug-ins to check the version of DataTables being used, in order
+                * to ensure compatibility.
+                *  @param {string} sVersion Version string to check for, in the format "X.Y.Z". Note that the
+                *    formats "X" and "X.Y" are also acceptable.
+                *  @returns {boolean} true if this version of DataTables is greater or equal to the required
+                *    version, or false if this version of DataTales is not suitable
+                *  @method
+                *  @dtopt API
+                *  @deprecated Since v1.10
+                *
+                *  @example
+                *    $(document).ready(function() {
+                *      var oTable = $('#example').dataTable();
+                *      alert( oTable.fnVersionCheck( '1.9.0' ) );
+                *    } );
+                */
+               this.fnVersionCheck = _ext.fnVersionCheck;
+               
+
+               var _that = this;
+               var emptyInit = options === undefined;
+               var len = this.length;
+
+               if ( emptyInit ) {
+                       options = {};
+               }
+
+               this.oApi = this.internal = _ext.internal;
+
+               // Extend with old style plug-in API methods
+               for ( var fn in DataTable.ext.internal ) {
+                       if ( fn ) {
+                               this[fn] = _fnExternApiFunc(fn);
+                       }
+               }
+
+               this.each(function() {
+                       // For each initialisation we want to give it a clean initialisation
+                       // object that can be bashed around
+                       var o = {};
+                       var oInit = len > 1 ? // optimisation for single table case
+                               _fnExtend( o, options, true ) :
+                               options;
+
+                       /*global oInit,_that,emptyInit*/
+                       var i=0, iLen, j, jLen, k, kLen;
+                       var sId = this.getAttribute( 'id' );
+                       var bInitHandedOff = false;
+                       var defaults = DataTable.defaults;
+                       var $this = $(this);
+                       
+                       
+                       /* Sanity check */
+                       if ( this.nodeName.toLowerCase() != 'table' )
+                       {
+                               _fnLog( null, 0, 'Non-table node initialisation ('+this.nodeName+')', 2 );
+                               return;
+                       }
+                       
+                       /* Backwards compatibility for the defaults */
+                       _fnCompatOpts( defaults );
+                       _fnCompatCols( defaults.column );
+                       
+                       /* Convert the camel-case defaults to Hungarian */
+                       _fnCamelToHungarian( defaults, defaults, true );
+                       _fnCamelToHungarian( defaults.column, defaults.column, true );
+                       
+                       /* Setting up the initialisation object */
+                       _fnCamelToHungarian( defaults, $.extend( oInit, $this.data() ), true );
+                       
+                       
+                       
+                       /* Check to see if we are re-initialising a table */
+                       var allSettings = DataTable.settings;
+                       for ( i=0, iLen=allSettings.length ; i<iLen ; i++ )
+                       {
+                               var s = allSettings[i];
+                       
+                               /* Base check on table node */
+                               if (
+                                       s.nTable == this ||
+                                       (s.nTHead && s.nTHead.parentNode == this) ||
+                                       (s.nTFoot && s.nTFoot.parentNode == this)
+                               ) {
+                                       var bRetrieve = oInit.bRetrieve !== undefined ? oInit.bRetrieve : defaults.bRetrieve;
+                                       var bDestroy = oInit.bDestroy !== undefined ? oInit.bDestroy : defaults.bDestroy;
+                       
+                                       if ( emptyInit || bRetrieve )
+                                       {
+                                               return s.oInstance;
+                                       }
+                                       else if ( bDestroy )
+                                       {
+                                               s.oInstance.fnDestroy();
+                                               break;
+                                       }
+                                       else
+                                       {
+                                               _fnLog( s, 0, 'Cannot reinitialise DataTable', 3 );
+                                               return;
+                                       }
+                               }
+                       
+                               /* If the element we are initialising has the same ID as a table which was previously
+                                * initialised, but the table nodes don't match (from before) then we destroy the old
+                                * instance by simply deleting it. This is under the assumption that the table has been
+                                * destroyed by other methods. Anyone using non-id selectors will need to do this manually
+                                */
+                               if ( s.sTableId == this.id )
+                               {
+                                       allSettings.splice( i, 1 );
+                                       break;
+                               }
+                       }
+                       
+                       /* Ensure the table has an ID - required for accessibility */
+                       if ( sId === null || sId === "" )
+                       {
+                               sId = "DataTables_Table_"+(DataTable.ext._unique++);
+                               this.id = sId;
+                       }
+                       
+                       /* Create the settings object for this table and set some of the default parameters */
+                       var oSettings = $.extend( true, {}, DataTable.models.oSettings, {
+                               "sDestroyWidth": $this[0].style.width,
+                               "sInstance":     sId,
+                               "sTableId":      sId
+                       } );
+                       oSettings.nTable = this;
+                       oSettings.oApi   = _that.internal;
+                       oSettings.oInit  = oInit;
+                       
+                       allSettings.push( oSettings );
+                       
+                       // Need to add the instance after the instance after the settings object has been added
+                       // to the settings array, so we can self reference the table instance if more than one
+                       oSettings.oInstance = (_that.length===1) ? _that : $this.dataTable();
+                       
+                       // Backwards compatibility, before we apply all the defaults
+                       _fnCompatOpts( oInit );
+                       _fnLanguageCompat( oInit.oLanguage );
+                       
+                       // If the length menu is given, but the init display length is not, use the length menu
+                       if ( oInit.aLengthMenu && ! oInit.iDisplayLength )
+                       {
+                               oInit.iDisplayLength = $.isArray( oInit.aLengthMenu[0] ) ?
+                                       oInit.aLengthMenu[0][0] : oInit.aLengthMenu[0];
+                       }
+                       
+                       // Apply the defaults and init options to make a single init object will all
+                       // options defined from defaults and instance options.
+                       oInit = _fnExtend( $.extend( true, {}, defaults ), oInit );
+                       
+                       
+                       // Map the initialisation options onto the settings object
+                       _fnMap( oSettings.oFeatures, oInit, [
+                               "bPaginate",
+                               "bLengthChange",
+                               "bFilter",
+                               "bSort",
+                               "bSortMulti",
+                               "bInfo",
+                               "bProcessing",
+                               "bAutoWidth",
+                               "bSortClasses",
+                               "bServerSide",
+                               "bDeferRender"
+                       ] );
+                       _fnMap( oSettings, oInit, [
+                               "asStripeClasses",
+                               "ajax",
+                               "fnServerData",
+                               "fnFormatNumber",
+                               "sServerMethod",
+                               "aaSorting",
+                               "aaSortingFixed",
+                               "aLengthMenu",
+                               "sPaginationType",
+                               "sAjaxSource",
+                               "sAjaxDataProp",
+                               "iStateDuration",
+                               "sDom",
+                               "bSortCellsTop",
+                               "iTabIndex",
+                               "fnStateLoadCallback",
+                               "fnStateSaveCallback",
+                               "renderer",
+                               "searchDelay",
+                               "rowId",
+                               [ "iCookieDuration", "iStateDuration" ], // backwards compat
+                               [ "oSearch", "oPreviousSearch" ],
+                               [ "aoSearchCols", "aoPreSearchCols" ],
+                               [ "iDisplayLength", "_iDisplayLength" ]
+                       ] );
+                       _fnMap( oSettings.oScroll, oInit, [
+                               [ "sScrollX", "sX" ],
+                               [ "sScrollXInner", "sXInner" ],
+                               [ "sScrollY", "sY" ],
+                               [ "bScrollCollapse", "bCollapse" ]
+                       ] );
+                       _fnMap( oSettings.oLanguage, oInit, "fnInfoCallback" );
+                       
+                       /* Callback functions which are array driven */
+                       _fnCallbackReg( oSettings, 'aoDrawCallback',       oInit.fnDrawCallback,      'user' );
+                       _fnCallbackReg( oSettings, 'aoServerParams',       oInit.fnServerParams,      'user' );
+                       _fnCallbackReg( oSettings, 'aoStateSaveParams',    oInit.fnStateSaveParams,   'user' );
+                       _fnCallbackReg( oSettings, 'aoStateLoadParams',    oInit.fnStateLoadParams,   'user' );
+                       _fnCallbackReg( oSettings, 'aoStateLoaded',        oInit.fnStateLoaded,       'user' );
+                       _fnCallbackReg( oSettings, 'aoRowCallback',        oInit.fnRowCallback,       'user' );
+                       _fnCallbackReg( oSettings, 'aoRowCreatedCallback', oInit.fnCreatedRow,        'user' );
+                       _fnCallbackReg( oSettings, 'aoHeaderCallback',     oInit.fnHeaderCallback,    'user' );
+                       _fnCallbackReg( oSettings, 'aoFooterCallback',     oInit.fnFooterCallback,    'user' );
+                       _fnCallbackReg( oSettings, 'aoInitComplete',       oInit.fnInitComplete,      'user' );
+                       _fnCallbackReg( oSettings, 'aoPreDrawCallback',    oInit.fnPreDrawCallback,   'user' );
+                       
+                       oSettings.rowIdFn = _fnGetObjectDataFn( oInit.rowId );
+                       
+                       /* Browser support detection */
+                       _fnBrowserDetect( oSettings );
+                       
+                       var oClasses = oSettings.oClasses;
+                       
+                       $.extend( oClasses, DataTable.ext.classes, oInit.oClasses );
+                       $this.addClass( oClasses.sTable );
+                       
+                       
+                       if ( oSettings.iInitDisplayStart === undefined )
+                       {
+                               /* Display start point, taking into account the save saving */
+                               oSettings.iInitDisplayStart = oInit.iDisplayStart;
+                               oSettings._iDisplayStart = oInit.iDisplayStart;
+                       }
+                       
+                       if ( oInit.iDeferLoading !== null )
+                       {
+                               oSettings.bDeferLoading = true;
+                               var tmp = $.isArray( oInit.iDeferLoading );
+                               oSettings._iRecordsDisplay = tmp ? oInit.iDeferLoading[0] : oInit.iDeferLoading;
+                               oSettings._iRecordsTotal = tmp ? oInit.iDeferLoading[1] : oInit.iDeferLoading;
+                       }
+                       
+                       /* Language definitions */
+                       var oLanguage = oSettings.oLanguage;
+                       $.extend( true, oLanguage, oInit.oLanguage );
+                       
+                       if ( oLanguage.sUrl )
+                       {
+                               /* Get the language definitions from a file - because this Ajax call makes the language
+                                * get async to the remainder of this function we use bInitHandedOff to indicate that
+                                * _fnInitialise will be fired by the returned Ajax handler, rather than the constructor
+                                */
+                               $.ajax( {
+                                       dataType: 'json',
+                                       url: oLanguage.sUrl,
+                                       success: function ( json ) {
+                                               _fnLanguageCompat( json );
+                                               _fnCamelToHungarian( defaults.oLanguage, json );
+                                               $.extend( true, oLanguage, json );
+                                               _fnInitialise( oSettings );
+                                       },
+                                       error: function () {
+                                               // Error occurred loading language file, continue on as best we can
+                                               _fnInitialise( oSettings );
+                                       }
+                               } );
+                               bInitHandedOff = true;
+                       }
+                       
+                       /*
+                        * Stripes
+                        */
+                       if ( oInit.asStripeClasses === null )
+                       {
+                               oSettings.asStripeClasses =[
+                                       oClasses.sStripeOdd,
+                                       oClasses.sStripeEven
+                               ];
+                       }
+                       
+                       /* Remove row stripe classes if they are already on the table row */
+                       var stripeClasses = oSettings.asStripeClasses;
+                       var rowOne = $this.children('tbody').find('tr').eq(0);
+                       if ( $.inArray( true, $.map( stripeClasses, function(el, i) {
+                               return rowOne.hasClass(el);
+                       } ) ) !== -1 ) {
+                               $('tbody tr', this).removeClass( stripeClasses.join(' ') );
+                               oSettings.asDestroyStripes = stripeClasses.slice();
+                       }
+                       
+                       /*
+                        * Columns
+                        * See if we should load columns automatically or use defined ones
+                        */
+                       var anThs = [];
+                       var aoColumnsInit;
+                       var nThead = this.getElementsByTagName('thead');
+                       if ( nThead.length !== 0 )
+                       {
+                               _fnDetectHeader( oSettings.aoHeader, nThead[0] );
+                               anThs = _fnGetUniqueThs( oSettings );
+                       }
+                       
+                       /* If not given a column array, generate one with nulls */
+                       if ( oInit.aoColumns === null )
+                       {
+                               aoColumnsInit = [];
+                               for ( i=0, iLen=anThs.length ; i<iLen ; i++ )
+                               {
+                                       aoColumnsInit.push( null );
+                               }
+                       }
+                       else
+                       {
+                               aoColumnsInit = oInit.aoColumns;
+                       }
+                       
+                       /* Add the columns */
+                       for ( i=0, iLen=aoColumnsInit.length ; i<iLen ; i++ )
+                       {
+                               _fnAddColumn( oSettings, anThs ? anThs[i] : null );
+                       }
+                       
+                       /* Apply the column definitions */
+                       _fnApplyColumnDefs( oSettings, oInit.aoColumnDefs, aoColumnsInit, function (iCol, oDef) {
+                               _fnColumnOptions( oSettings, iCol, oDef );
+                       } );
+                       
+                       /* HTML5 attribute detection - build an mData object automatically if the
+                        * attributes are found
+                        */
+                       if ( rowOne.length ) {
+                               var a = function ( cell, name ) {
+                                       return cell.getAttribute( 'data-'+name ) !== null ? name : null;
+                               };
+                       
+                               $( rowOne[0] ).children('th, td').each( function (i, cell) {
+                                       var col = oSettings.aoColumns[i];
+                       
+                                       if ( col.mData === i ) {
+                                               var sort = a( cell, 'sort' ) || a( cell, 'order' );
+                                               var filter = a( cell, 'filter' ) || a( cell, 'search' );
+                       
+                                               if ( sort !== null || filter !== null ) {
+                                                       col.mData = {
+                                                               _:      i+'.display',
+                                                               sort:   sort !== null   ? i+'.@data-'+sort   : undefined,
+                                                               type:   sort !== null   ? i+'.@data-'+sort   : undefined,
+                                                               filter: filter !== null ? i+'.@data-'+filter : undefined
+                                                       };
+                       
+                                                       _fnColumnOptions( oSettings, i );
+                                               }
+                                       }
+                               } );
+                       }
+                       
+                       var features = oSettings.oFeatures;
+                       var loadedInit = function () {
+                               /*
+                                * Sorting
+                                * @todo For modularisation (1.11) this needs to do into a sort start up handler
+                                */
+                       
+                               // If aaSorting is not defined, then we use the first indicator in asSorting
+                               // in case that has been altered, so the default sort reflects that option
+                               if ( oInit.aaSorting === undefined ) {
+                                       var sorting = oSettings.aaSorting;
+                                       for ( i=0, iLen=sorting.length ; i<iLen ; i++ ) {
+                                               sorting[i][1] = oSettings.aoColumns[ i ].asSorting[0];
+                                       }
+                               }
+                       
+                               /* Do a first pass on the sorting classes (allows any size changes to be taken into
+                                * account, and also will apply sorting disabled classes if disabled
+                                */
+                               _fnSortingClasses( oSettings );
+                       
+                               if ( features.bSort ) {
+                                       _fnCallbackReg( oSettings, 'aoDrawCallback', function () {
+                                               if ( oSettings.bSorted ) {
+                                                       var aSort = _fnSortFlatten( oSettings );
+                                                       var sortedColumns = {};
+                       
+                                                       $.each( aSort, function (i, val) {
+                                                               sortedColumns[ val.src ] = val.dir;
+                                                       } );
+                       
+                                                       _fnCallbackFire( oSettings, null, 'order', [oSettings, aSort, sortedColumns] );
+                                                       _fnSortAria( oSettings );
+                                               }
+                                       } );
+                               }
+                       
+                               _fnCallbackReg( oSettings, 'aoDrawCallback', function () {
+                                       if ( oSettings.bSorted || _fnDataSource( oSettings ) === 'ssp' || features.bDeferRender ) {
+                                               _fnSortingClasses( oSettings );
+                                       }
+                               }, 'sc' );
+                       
+                       
+                               /*
+                                * Final init
+                                * Cache the header, body and footer as required, creating them if needed
+                                */
+                       
+                               // Work around for Webkit bug 83867 - store the caption-side before removing from doc
+                               var captions = $this.children('caption').each( function () {
+                                       this._captionSide = $(this).css('caption-side');
+                               } );
+                       
+                               var thead = $this.children('thead');
+                               if ( thead.length === 0 ) {
+                                       thead = $('<thead/>').appendTo($this);
+                               }
+                               oSettings.nTHead = thead[0];
+                       
+                               var tbody = $this.children('tbody');
+                               if ( tbody.length === 0 ) {
+                                       tbody = $('<tbody/>').appendTo($this);
+                               }
+                               oSettings.nTBody = tbody[0];
+                       
+                               var tfoot = $this.children('tfoot');
+                               if ( tfoot.length === 0 && captions.length > 0 && (oSettings.oScroll.sX !== "" || oSettings.oScroll.sY !== "") ) {
+                                       // If we are a scrolling table, and no footer has been given, then we need to create
+                                       // a tfoot element for the caption element to be appended to
+                                       tfoot = $('<tfoot/>').appendTo($this);
+                               }
+                       
+                               if ( tfoot.length === 0 || tfoot.children().length === 0 ) {
+                                       $this.addClass( oClasses.sNoFooter );
+                               }
+                               else if ( tfoot.length > 0 ) {
+                                       oSettings.nTFoot = tfoot[0];
+                                       _fnDetectHeader( oSettings.aoFooter, oSettings.nTFoot );
+                               }
+                       
+                               /* Check if there is data passing into the constructor */
+                               if ( oInit.aaData ) {
+                                       for ( i=0 ; i<oInit.aaData.length ; i++ ) {
+                                               _fnAddData( oSettings, oInit.aaData[ i ] );
+                                       }
+                               }
+                               else if ( oSettings.bDeferLoading || _fnDataSource( oSettings ) == 'dom' ) {
+                                       /* Grab the data from the page - only do this when deferred loading or no Ajax
+                                        * source since there is no point in reading the DOM data if we are then going
+                                        * to replace it with Ajax data
+                                        */
+                                       _fnAddTr( oSettings, $(oSettings.nTBody).children('tr') );
+                               }
+                       
+                               /* Copy the data index array */
+                               oSettings.aiDisplay = oSettings.aiDisplayMaster.slice();
+                       
+                               /* Initialisation complete - table can be drawn */
+                               oSettings.bInitialised = true;
+                       
+                               /* Check if we need to initialise the table (it might not have been handed off to the
+                                * language processor)
+                                */
+                               if ( bInitHandedOff === false ) {
+                                       _fnInitialise( oSettings );
+                               }
+                       };
+                       
+                       /* Must be done after everything which can be overridden by the state saving! */
+                       if ( oInit.bStateSave )
+                       {
+                               features.bStateSave = true;
+                               _fnCallbackReg( oSettings, 'aoDrawCallback', _fnSaveState, 'state_save' );
+                               _fnLoadState( oSettings, oInit, loadedInit );
+                       }
+                       else {
+                               loadedInit();
+                       }
+                       
+               } );
+               _that = null;
+               return this;
+       };
+
+       
+       /*
+        * It is useful to have variables which are scoped locally so only the
+        * DataTables functions can access them and they don't leak into global space.
+        * At the same time these functions are often useful over multiple files in the
+        * core and API, so we list, or at least document, all variables which are used
+        * by DataTables as private variables here. This also ensures that there is no
+        * clashing of variable names and that they can easily referenced for reuse.
+        */
+       
+       
+       // Defined else where
+       //  _selector_run
+       //  _selector_opts
+       //  _selector_first
+       //  _selector_row_indexes
+       
+       var _ext; // DataTable.ext
+       var _Api; // DataTable.Api
+       var _api_register; // DataTable.Api.register
+       var _api_registerPlural; // DataTable.Api.registerPlural
+       
+       var _re_dic = {};
+       var _re_new_lines = /[\r\n\u2028]/g;
+       var _re_html = /<.*?>/g;
+       
+       // This is not strict ISO8601 - Date.parse() is quite lax, although
+       // implementations differ between browsers.
+       var _re_date = /^\d{2,4}[\.\/\-]\d{1,2}[\.\/\-]\d{1,2}([T ]{1}\d{1,2}[:\.]\d{2}([\.:]\d{2})?)?$/;
+       
+       // Escape regular expression special characters
+       var _re_escape_regex = new RegExp( '(\\' + [ '/', '.', '*', '+', '?', '|', '(', ')', '[', ']', '{', '}', '\\', '$', '^', '-' ].join('|\\') + ')', 'g' );
+       
+       // http://en.wikipedia.org/wiki/Foreign_exchange_market
+       // - \u20BD - Russian ruble.
+       // - \u20a9 - South Korean Won
+       // - \u20BA - Turkish Lira
+       // - \u20B9 - Indian Rupee
+       // - R - Brazil (R$) and South Africa
+       // - fr - Swiss Franc
+       // - kr - Swedish krona, Norwegian krone and Danish krone
+       // - \u2009 is thin space and \u202F is narrow no-break space, both used in many
+       // - Éƒ - Bitcoin
+       // - Îž - Ethereum
+       //   standards as thousands separators.
+       var _re_formatted_numeric = /[',$£€¥%\u2009\u202F\u20BD\u20a9\u20BArfkɃΞ]/gi;
+       
+       
+       var _empty = function ( d ) {
+               return !d || d === true || d === '-' ? true : false;
+       };
+       
+       
+       var _intVal = function ( s ) {
+               var integer = parseInt( s, 10 );
+               return !isNaN(integer) && isFinite(s) ? integer : null;
+       };
+       
+       // Convert from a formatted number with characters other than `.` as the
+       // decimal place, to a Javascript number
+       var _numToDecimal = function ( num, decimalPoint ) {
+               // Cache created regular expressions for speed as this function is called often
+               if ( ! _re_dic[ decimalPoint ] ) {
+                       _re_dic[ decimalPoint ] = new RegExp( _fnEscapeRegex( decimalPoint ), 'g' );
+               }
+               return typeof num === 'string' && decimalPoint !== '.' ?
+                       num.replace( /\./g, '' ).replace( _re_dic[ decimalPoint ], '.' ) :
+                       num;
+       };
+       
+       
+       var _isNumber = function ( d, decimalPoint, formatted ) {
+               var strType = typeof d === 'string';
+       
+               // If empty return immediately so there must be a number if it is a
+               // formatted string (this stops the string "k", or "kr", etc being detected
+               // as a formatted number for currency
+               if ( _empty( d ) ) {
+                       return true;
+               }
+       
+               if ( decimalPoint && strType ) {
+                       d = _numToDecimal( d, decimalPoint );
+               }
+       
+               if ( formatted && strType ) {
+                       d = d.replace( _re_formatted_numeric, '' );
+               }
+       
+               return !isNaN( parseFloat(d) ) && isFinite( d );
+       };
+       
+       
+       // A string without HTML in it can be considered to be HTML still
+       var _isHtml = function ( d ) {
+               return _empty( d ) || typeof d === 'string';
+       };
+       
+       
+       var _htmlNumeric = function ( d, decimalPoint, formatted ) {
+               if ( _empty( d ) ) {
+                       return true;
+               }
+       
+               var html = _isHtml( d );
+               return ! html ?
+                       null :
+                       _isNumber( _stripHtml( d ), decimalPoint, formatted ) ?
+                               true :
+                               null;
+       };
+       
+       
+       var _pluck = function ( a, prop, prop2 ) {
+               var out = [];
+               var i=0, ien=a.length;
+       
+               // Could have the test in the loop for slightly smaller code, but speed
+               // is essential here
+               if ( prop2 !== undefined ) {
+                       for ( ; i<ien ; i++ ) {
+                               if ( a[i] && a[i][ prop ] ) {
+                                       out.push( a[i][ prop ][ prop2 ] );
+                               }
+                       }
+               }
+               else {
+                       for ( ; i<ien ; i++ ) {
+                               if ( a[i] ) {
+                                       out.push( a[i][ prop ] );
+                               }
+                       }
+               }
+       
+               return out;
+       };
+       
+       
+       // Basically the same as _pluck, but rather than looping over `a` we use `order`
+       // as the indexes to pick from `a`
+       var _pluck_order = function ( a, order, prop, prop2 )
+       {
+               var out = [];
+               var i=0, ien=order.length;
+       
+               // Could have the test in the loop for slightly smaller code, but speed
+               // is essential here
+               if ( prop2 !== undefined ) {
+                       for ( ; i<ien ; i++ ) {
+                               if ( a[ order[i] ][ prop ] ) {
+                                       out.push( a[ order[i] ][ prop ][ prop2 ] );
+                               }
+                       }
+               }
+               else {
+                       for ( ; i<ien ; i++ ) {
+                               out.push( a[ order[i] ][ prop ] );
+                       }
+               }
+       
+               return out;
+       };
+       
+       
+       var _range = function ( len, start )
+       {
+               var out = [];
+               var end;
+       
+               if ( start === undefined ) {
+                       start = 0;
+                       end = len;
+               }
+               else {
+                       end = start;
+                       start = len;
+               }
+       
+               for ( var i=start ; i<end ; i++ ) {
+                       out.push( i );
+               }
+       
+               return out;
+       };
+       
+       
+       var _removeEmpty = function ( a )
+       {
+               var out = [];
+       
+               for ( var i=0, ien=a.length ; i<ien ; i++ ) {
+                       if ( a[i] ) { // careful - will remove all falsy values!
+                               out.push( a[i] );
+                       }
+               }
+       
+               return out;
+       };
+       
+       
+       var _stripHtml = function ( d ) {
+               return d.replace( _re_html, '' );
+       };
+       
+       
+       /**
+        * Determine if all values in the array are unique. This means we can short
+        * cut the _unique method at the cost of a single loop. A sorted array is used
+        * to easily check the values.
+        *
+        * @param  {array} src Source array
+        * @return {boolean} true if all unique, false otherwise
+        * @ignore
+        */
+       var _areAllUnique = function ( src ) {
+               if ( src.length < 2 ) {
+                       return true;
+               }
+       
+               var sorted = src.slice().sort();
+               var last = sorted[0];
+       
+               for ( var i=1, ien=sorted.length ; i<ien ; i++ ) {
+                       if ( sorted[i] === last ) {
+                               return false;
+                       }
+       
+                       last = sorted[i];
+               }
+       
+               return true;
+       };
+       
+       
+       /**
+        * Find the unique elements in a source array.
+        *
+        * @param  {array} src Source array
+        * @return {array} Array of unique items
+        * @ignore
+        */
+       var _unique = function ( src )
+       {
+               if ( _areAllUnique( src ) ) {
+                       return src.slice();
+               }
+       
+               // A faster unique method is to use object keys to identify used values,
+               // but this doesn't work with arrays or objects, which we must also
+               // consider. See jsperf.com/compare-array-unique-versions/4 for more
+               // information.
+               var
+                       out = [],
+                       val,
+                       i, ien=src.length,
+                       j, k=0;
+       
+               again: for ( i=0 ; i<ien ; i++ ) {
+                       val = src[i];
+       
+                       for ( j=0 ; j<k ; j++ ) {
+                               if ( out[j] === val ) {
+                                       continue again;
+                               }
+                       }
+       
+                       out.push( val );
+                       k++;
+               }
+       
+               return out;
+       };
+       
+       
+       /**
+        * DataTables utility methods
+        * 
+        * This namespace provides helper methods that DataTables uses internally to
+        * create a DataTable, but which are not exclusively used only for DataTables.
+        * These methods can be used by extension authors to save the duplication of
+        * code.
+        *
+        *  @namespace
+        */
+       DataTable.util = {
+               /**
+                * Throttle the calls to a function. Arguments and context are maintained
+                * for the throttled function.
+                *
+                * @param {function} fn Function to be called
+                * @param {integer} freq Call frequency in mS
+                * @return {function} Wrapped function
+                */
+               throttle: function ( fn, freq ) {
+                       var
+                               frequency = freq !== undefined ? freq : 200,
+                               last,
+                               timer;
+       
+                       return function () {
+                               var
+                                       that = this,
+                                       now  = +new Date(),
+                                       args = arguments;
+       
+                               if ( last && now < last + frequency ) {
+                                       clearTimeout( timer );
+       
+                                       timer = setTimeout( function () {
+                                               last = undefined;
+                                               fn.apply( that, args );
+                                       }, frequency );
+                               }
+                               else {
+                                       last = now;
+                                       fn.apply( that, args );
+                               }
+                       };
+               },
+       
+       
+               /**
+                * Escape a string such that it can be used in a regular expression
+                *
+                *  @param {string} val string to escape
+                *  @returns {string} escaped string
+                */
+               escapeRegex: function ( val ) {
+                       return val.replace( _re_escape_regex, '\\$1' );
+               }
+       };
+       
+       
+       
+       /**
+        * Create a mapping object that allows camel case parameters to be looked up
+        * for their Hungarian counterparts. The mapping is stored in a private
+        * parameter called `_hungarianMap` which can be accessed on the source object.
+        *  @param {object} o
+        *  @memberof DataTable#oApi
+        */
+       function _fnHungarianMap ( o )
+       {
+               var
+                       hungarian = 'a aa ai ao as b fn i m o s ',
+                       match,
+                       newKey,
+                       map = {};
+       
+               $.each( o, function (key, val) {
+                       match = key.match(/^([^A-Z]+?)([A-Z])/);
+       
+                       if ( match && hungarian.indexOf(match[1]+' ') !== -1 )
+                       {
+                               newKey = key.replace( match[0], match[2].toLowerCase() );
+                               map[ newKey ] = key;
+       
+                               if ( match[1] === 'o' )
+                               {
+                                       _fnHungarianMap( o[key] );
+                               }
+                       }
+               } );
+       
+               o._hungarianMap = map;
+       }
+       
+       
+       /**
+        * Convert from camel case parameters to Hungarian, based on a Hungarian map
+        * created by _fnHungarianMap.
+        *  @param {object} src The model object which holds all parameters that can be
+        *    mapped.
+        *  @param {object} user The object to convert from camel case to Hungarian.
+        *  @param {boolean} force When set to `true`, properties which already have a
+        *    Hungarian value in the `user` object will be overwritten. Otherwise they
+        *    won't be.
+        *  @memberof DataTable#oApi
+        */
+       function _fnCamelToHungarian ( src, user, force )
+       {
+               if ( ! src._hungarianMap ) {
+                       _fnHungarianMap( src );
+               }
+       
+               var hungarianKey;
+       
+               $.each( user, function (key, val) {
+                       hungarianKey = src._hungarianMap[ key ];
+       
+                       if ( hungarianKey !== undefined && (force || user[hungarianKey] === undefined) )
+                       {
+                               // For objects, we need to buzz down into the object to copy parameters
+                               if ( hungarianKey.charAt(0) === 'o' )
+                               {
+                                       // Copy the camelCase options over to the hungarian
+                                       if ( ! user[ hungarianKey ] ) {
+                                               user[ hungarianKey ] = {};
+                                       }
+                                       $.extend( true, user[hungarianKey], user[key] );
+       
+                                       _fnCamelToHungarian( src[hungarianKey], user[hungarianKey], force );
+                               }
+                               else {
+                                       user[hungarianKey] = user[ key ];
+                               }
+                       }
+               } );
+       }
+       
+       
+       /**
+        * Language compatibility - when certain options are given, and others aren't, we
+        * need to duplicate the values over, in order to provide backwards compatibility
+        * with older language files.
+        *  @param {object} oSettings dataTables settings object
+        *  @memberof DataTable#oApi
+        */
+       function _fnLanguageCompat( lang )
+       {
+               // Note the use of the Hungarian notation for the parameters in this method as
+               // this is called after the mapping of camelCase to Hungarian
+               var defaults = DataTable.defaults.oLanguage;
+       
+               // Default mapping
+               var defaultDecimal = defaults.sDecimal;
+               if ( defaultDecimal ) {
+                       _addNumericSort( defaultDecimal );
+               }
+       
+               if ( lang ) {
+                       var zeroRecords = lang.sZeroRecords;
+       
+                       // Backwards compatibility - if there is no sEmptyTable given, then use the same as
+                       // sZeroRecords - assuming that is given.
+                       if ( ! lang.sEmptyTable && zeroRecords &&
+                               defaults.sEmptyTable === "No data available in table" )
+                       {
+                               _fnMap( lang, lang, 'sZeroRecords', 'sEmptyTable' );
+                       }
+       
+                       // Likewise with loading records
+                       if ( ! lang.sLoadingRecords && zeroRecords &&
+                               defaults.sLoadingRecords === "Loading..." )
+                       {
+                               _fnMap( lang, lang, 'sZeroRecords', 'sLoadingRecords' );
+                       }
+       
+                       // Old parameter name of the thousands separator mapped onto the new
+                       if ( lang.sInfoThousands ) {
+                               lang.sThousands = lang.sInfoThousands;
+                       }
+       
+                       var decimal = lang.sDecimal;
+                       if ( decimal && defaultDecimal !== decimal ) {
+                               _addNumericSort( decimal );
+                       }
+               }
+       }
+       
+       
+       /**
+        * Map one parameter onto another
+        *  @param {object} o Object to map
+        *  @param {*} knew The new parameter name
+        *  @param {*} old The old parameter name
+        */
+       var _fnCompatMap = function ( o, knew, old ) {
+               if ( o[ knew ] !== undefined ) {
+                       o[ old ] = o[ knew ];
+               }
+       };
+       
+       
+       /**
+        * Provide backwards compatibility for the main DT options. Note that the new
+        * options are mapped onto the old parameters, so this is an external interface
+        * change only.
+        *  @param {object} init Object to map
+        */
+       function _fnCompatOpts ( init )
+       {
+               _fnCompatMap( init, 'ordering',      'bSort' );
+               _fnCompatMap( init, 'orderMulti',    'bSortMulti' );
+               _fnCompatMap( init, 'orderClasses',  'bSortClasses' );
+               _fnCompatMap( init, 'orderCellsTop', 'bSortCellsTop' );
+               _fnCompatMap( init, 'order',         'aaSorting' );
+               _fnCompatMap( init, 'orderFixed',    'aaSortingFixed' );
+               _fnCompatMap( init, 'paging',        'bPaginate' );
+               _fnCompatMap( init, 'pagingType',    'sPaginationType' );
+               _fnCompatMap( init, 'pageLength',    'iDisplayLength' );
+               _fnCompatMap( init, 'searching',     'bFilter' );
+       
+               // Boolean initialisation of x-scrolling
+               if ( typeof init.sScrollX === 'boolean' ) {
+                       init.sScrollX = init.sScrollX ? '100%' : '';
+               }
+               if ( typeof init.scrollX === 'boolean' ) {
+                       init.scrollX = init.scrollX ? '100%' : '';
+               }
+       
+               // Column search objects are in an array, so it needs to be converted
+               // element by element
+               var searchCols = init.aoSearchCols;
+       
+               if ( searchCols ) {
+                       for ( var i=0, ien=searchCols.length ; i<ien ; i++ ) {
+                               if ( searchCols[i] ) {
+                                       _fnCamelToHungarian( DataTable.models.oSearch, searchCols[i] );
+                               }
+                       }
+               }
+       }
+       
+       
+       /**
+        * Provide backwards compatibility for column options. Note that the new options
+        * are mapped onto the old parameters, so this is an external interface change
+        * only.
+        *  @param {object} init Object to map
+        */
+       function _fnCompatCols ( init )
+       {
+               _fnCompatMap( init, 'orderable',     'bSortable' );
+               _fnCompatMap( init, 'orderData',     'aDataSort' );
+               _fnCompatMap( init, 'orderSequence', 'asSorting' );
+               _fnCompatMap( init, 'orderDataType', 'sortDataType' );
+       
+               // orderData can be given as an integer
+               var dataSort = init.aDataSort;
+               if ( typeof dataSort === 'number' && ! $.isArray( dataSort ) ) {
+                       init.aDataSort = [ dataSort ];
+               }
+       }
+       
+       
+       /**
+        * Browser feature detection for capabilities, quirks
+        *  @param {object} settings dataTables settings object
+        *  @memberof DataTable#oApi
+        */
+       function _fnBrowserDetect( settings )
+       {
+               // We don't need to do this every time DataTables is constructed, the values
+               // calculated are specific to the browser and OS configuration which we
+               // don't expect to change between initialisations
+               if ( ! DataTable.__browser ) {
+                       var browser = {};
+                       DataTable.__browser = browser;
+       
+                       // Scrolling feature / quirks detection
+                       var n = $('<div/>')
+                               .css( {
+                                       position: 'fixed',
+                                       top: 0,
+                                       left: $(window).scrollLeft()*-1, // allow for scrolling
+                                       height: 1,
+                                       width: 1,
+                                       overflow: 'hidden'
+                               } )
+                               .append(
+                                       $('<div/>')
+                                               .css( {
+                                                       position: 'absolute',
+                                                       top: 1,
+                                                       left: 1,
+                                                       width: 100,
+                                                       overflow: 'scroll'
+                                               } )
+                                               .append(
+                                                       $('<div/>')
+                                                               .css( {
+                                                                       width: '100%',
+                                                                       height: 10
+                                                               } )
+                                               )
+                               )
+                               .appendTo( 'body' );
+       
+                       var outer = n.children();
+                       var inner = outer.children();
+       
+                       // Numbers below, in order, are:
+                       // inner.offsetWidth, inner.clientWidth, outer.offsetWidth, outer.clientWidth
+                       //
+                       // IE6 XP:                           100 100 100  83
+                       // IE7 Vista:                        100 100 100  83
+                       // IE 8+ Windows:                     83  83 100  83
+                       // Evergreen Windows:                 83  83 100  83
+                       // Evergreen Mac with scrollbars:     85  85 100  85
+                       // Evergreen Mac without scrollbars: 100 100 100 100
+       
+                       // Get scrollbar width
+                       browser.barWidth = outer[0].offsetWidth - outer[0].clientWidth;
+       
+                       // IE6/7 will oversize a width 100% element inside a scrolling element, to
+                       // include the width of the scrollbar, while other browsers ensure the inner
+                       // element is contained without forcing scrolling
+                       browser.bScrollOversize = inner[0].offsetWidth === 100 && outer[0].clientWidth !== 100;
+       
+                       // In rtl text layout, some browsers (most, but not all) will place the
+                       // scrollbar on the left, rather than the right.
+                       browser.bScrollbarLeft = Math.round( inner.offset().left ) !== 1;
+       
+                       // IE8- don't provide height and width for getBoundingClientRect
+                       browser.bBounding = n[0].getBoundingClientRect().width ? true : false;
+       
+                       n.remove();
+               }
+       
+               $.extend( settings.oBrowser, DataTable.__browser );
+               settings.oScroll.iBarWidth = DataTable.__browser.barWidth;
+       }
+       
+       
+       /**
+        * Array.prototype reduce[Right] method, used for browsers which don't support
+        * JS 1.6. Done this way to reduce code size, since we iterate either way
+        *  @param {object} settings dataTables settings object
+        *  @memberof DataTable#oApi
+        */
+       function _fnReduce ( that, fn, init, start, end, inc )
+       {
+               var
+                       i = start,
+                       value,
+                       isSet = false;
+       
+               if ( init !== undefined ) {
+                       value = init;
+                       isSet = true;
+               }
+       
+               while ( i !== end ) {
+                       if ( ! that.hasOwnProperty(i) ) {
+                               continue;
+                       }
+       
+                       value = isSet ?
+                               fn( value, that[i], i, that ) :
+                               that[i];
+       
+                       isSet = true;
+                       i += inc;
+               }
+       
+               return value;
+       }
+       
+       /**
+        * Add a column to the list used for the table with default values
+        *  @param {object} oSettings dataTables settings object
+        *  @param {node} nTh The th element for this column
+        *  @memberof DataTable#oApi
+        */
+       function _fnAddColumn( oSettings, nTh )
+       {
+               // Add column to aoColumns array
+               var oDefaults = DataTable.defaults.column;
+               var iCol = oSettings.aoColumns.length;
+               var oCol = $.extend( {}, DataTable.models.oColumn, oDefaults, {
+                       "nTh": nTh ? nTh : document.createElement('th'),
+                       "sTitle":    oDefaults.sTitle    ? oDefaults.sTitle    : nTh ? nTh.innerHTML : '',
+                       "aDataSort": oDefaults.aDataSort ? oDefaults.aDataSort : [iCol],
+                       "mData": oDefaults.mData ? oDefaults.mData : iCol,
+                       idx: iCol
+               } );
+               oSettings.aoColumns.push( oCol );
+       
+               // Add search object for column specific search. Note that the `searchCols[ iCol ]`
+               // passed into extend can be undefined. This allows the user to give a default
+               // with only some of the parameters defined, and also not give a default
+               var searchCols = oSettings.aoPreSearchCols;
+               searchCols[ iCol ] = $.extend( {}, DataTable.models.oSearch, searchCols[ iCol ] );
+       
+               // Use the default column options function to initialise classes etc
+               _fnColumnOptions( oSettings, iCol, $(nTh).data() );
+       }
+       
+       
+       /**
+        * Apply options for a column
+        *  @param {object} oSettings dataTables settings object
+        *  @param {int} iCol column index to consider
+        *  @param {object} oOptions object with sType, bVisible and bSearchable etc
+        *  @memberof DataTable#oApi
+        */
+       function _fnColumnOptions( oSettings, iCol, oOptions )
+       {
+               var oCol = oSettings.aoColumns[ iCol ];
+               var oClasses = oSettings.oClasses;
+               var th = $(oCol.nTh);
+       
+               // Try to get width information from the DOM. We can't get it from CSS
+               // as we'd need to parse the CSS stylesheet. `width` option can override
+               if ( ! oCol.sWidthOrig ) {
+                       // Width attribute
+                       oCol.sWidthOrig = th.attr('width') || null;
+       
+                       // Style attribute
+                       var t = (th.attr('style') || '').match(/width:\s*(\d+[pxem%]+)/);
+                       if ( t ) {
+                               oCol.sWidthOrig = t[1];
+                       }
+               }
+       
+               /* User specified column options */
+               if ( oOptions !== undefined && oOptions !== null )
+               {
+                       // Backwards compatibility
+                       _fnCompatCols( oOptions );
+       
+                       // Map camel case parameters to their Hungarian counterparts
+                       _fnCamelToHungarian( DataTable.defaults.column, oOptions, true );
+       
+                       /* Backwards compatibility for mDataProp */
+                       if ( oOptions.mDataProp !== undefined && !oOptions.mData )
+                       {
+                               oOptions.mData = oOptions.mDataProp;
+                       }
+       
+                       if ( oOptions.sType )
+                       {
+                               oCol._sManualType = oOptions.sType;
+                       }
+       
+                       // `class` is a reserved word in Javascript, so we need to provide
+                       // the ability to use a valid name for the camel case input
+                       if ( oOptions.className && ! oOptions.sClass )
+                       {
+                               oOptions.sClass = oOptions.className;
+                       }
+                       if ( oOptions.sClass ) {
+                               th.addClass( oOptions.sClass );
+                       }
+       
+                       $.extend( oCol, oOptions );
+                       _fnMap( oCol, oOptions, "sWidth", "sWidthOrig" );
+       
+                       /* iDataSort to be applied (backwards compatibility), but aDataSort will take
+                        * priority if defined
+                        */
+                       if ( oOptions.iDataSort !== undefined )
+                       {
+                               oCol.aDataSort = [ oOptions.iDataSort ];
+                       }
+                       _fnMap( oCol, oOptions, "aDataSort" );
+               }
+       
+               /* Cache the data get and set functions for speed */
+               var mDataSrc = oCol.mData;
+               var mData = _fnGetObjectDataFn( mDataSrc );
+               var mRender = oCol.mRender ? _fnGetObjectDataFn( oCol.mRender ) : null;
+       
+               var attrTest = function( src ) {
+                       return typeof src === 'string' && src.indexOf('@') !== -1;
+               };
+               oCol._bAttrSrc = $.isPlainObject( mDataSrc ) && (
+                       attrTest(mDataSrc.sort) || attrTest(mDataSrc.type) || attrTest(mDataSrc.filter)
+               );
+               oCol._setter = null;
+       
+               oCol.fnGetData = function (rowData, type, meta) {
+                       var innerData = mData( rowData, type, undefined, meta );
+       
+                       return mRender && type ?
+                               mRender( innerData, type, rowData, meta ) :
+                               innerData;
+               };
+               oCol.fnSetData = function ( rowData, val, meta ) {
+                       return _fnSetObjectDataFn( mDataSrc )( rowData, val, meta );
+               };
+       
+               // Indicate if DataTables should read DOM data as an object or array
+               // Used in _fnGetRowElements
+               if ( typeof mDataSrc !== 'number' ) {
+                       oSettings._rowReadObject = true;
+               }
+       
+               /* Feature sorting overrides column specific when off */
+               if ( !oSettings.oFeatures.bSort )
+               {
+                       oCol.bSortable = false;
+                       th.addClass( oClasses.sSortableNone ); // Have to add class here as order event isn't called
+               }
+       
+               /* Check that the class assignment is correct for sorting */
+               var bAsc = $.inArray('asc', oCol.asSorting) !== -1;
+               var bDesc = $.inArray('desc', oCol.asSorting) !== -1;
+               if ( !oCol.bSortable || (!bAsc && !bDesc) )
+               {
+                       oCol.sSortingClass = oClasses.sSortableNone;
+                       oCol.sSortingClassJUI = "";
+               }
+               else if ( bAsc && !bDesc )
+               {
+                       oCol.sSortingClass = oClasses.sSortableAsc;
+                       oCol.sSortingClassJUI = oClasses.sSortJUIAscAllowed;
+               }
+               else if ( !bAsc && bDesc )
+               {
+                       oCol.sSortingClass = oClasses.sSortableDesc;
+                       oCol.sSortingClassJUI = oClasses.sSortJUIDescAllowed;
+               }
+               else
+               {
+                       oCol.sSortingClass = oClasses.sSortable;
+                       oCol.sSortingClassJUI = oClasses.sSortJUI;
+               }
+       }
+       
+       
+       /**
+        * Adjust the table column widths for new data. Note: you would probably want to
+        * do a redraw after calling this function!
+        *  @param {object} settings dataTables settings object
+        *  @memberof DataTable#oApi
+        */
+       function _fnAdjustColumnSizing ( settings )
+       {
+               /* Not interested in doing column width calculation if auto-width is disabled */
+               if ( settings.oFeatures.bAutoWidth !== false )
+               {
+                       var columns = settings.aoColumns;
+       
+                       _fnCalculateColumnWidths( settings );
+                       for ( var i=0 , iLen=columns.length ; i<iLen ; i++ )
+                       {
+                               columns[i].nTh.style.width = columns[i].sWidth;
+                       }
+               }
+       
+               var scroll = settings.oScroll;
+               if ( scroll.sY !== '' || scroll.sX !== '')
+               {
+                       _fnScrollDraw( settings );
+               }
+       
+               _fnCallbackFire( settings, null, 'column-sizing', [settings] );
+       }
+       
+       
+       /**
+        * Covert the index of a visible column to the index in the data array (take account
+        * of hidden columns)
+        *  @param {object} oSettings dataTables settings object
+        *  @param {int} iMatch Visible column index to lookup
+        *  @returns {int} i the data index
+        *  @memberof DataTable#oApi
+        */
+       function _fnVisibleToColumnIndex( oSettings, iMatch )
+       {
+               var aiVis = _fnGetColumns( oSettings, 'bVisible' );
+       
+               return typeof aiVis[iMatch] === 'number' ?
+                       aiVis[iMatch] :
+                       null;
+       }
+       
+       
+       /**
+        * Covert the index of an index in the data array and convert it to the visible
+        *   column index (take account of hidden columns)
+        *  @param {int} iMatch Column index to lookup
+        *  @param {object} oSettings dataTables settings object
+        *  @returns {int} i the data index
+        *  @memberof DataTable#oApi
+        */
+       function _fnColumnIndexToVisible( oSettings, iMatch )
+       {
+               var aiVis = _fnGetColumns( oSettings, 'bVisible' );
+               var iPos = $.inArray( iMatch, aiVis );
+       
+               return iPos !== -1 ? iPos : null;
+       }
+       
+       
+       /**
+        * Get the number of visible columns
+        *  @param {object} oSettings dataTables settings object
+        *  @returns {int} i the number of visible columns
+        *  @memberof DataTable#oApi
+        */
+       function _fnVisbleColumns( oSettings )
+       {
+               var vis = 0;
+       
+               // No reduce in IE8, use a loop for now
+               $.each( oSettings.aoColumns, function ( i, col ) {
+                       if ( col.bVisible && $(col.nTh).css('display') !== 'none' ) {
+                               vis++;
+                       }
+               } );
+       
+               return vis;
+       }
+       
+       
+       /**
+        * Get an array of column indexes that match a given property
+        *  @param {object} oSettings dataTables settings object
+        *  @param {string} sParam Parameter in aoColumns to look for - typically
+        *    bVisible or bSearchable
+        *  @returns {array} Array of indexes with matched properties
+        *  @memberof DataTable#oApi
+        */
+       function _fnGetColumns( oSettings, sParam )
+       {
+               var a = [];
+       
+               $.map( oSettings.aoColumns, function(val, i) {
+                       if ( val[sParam] ) {
+                               a.push( i );
+                       }
+               } );
+       
+               return a;
+       }
+       
+       
+       /**
+        * Calculate the 'type' of a column
+        *  @param {object} settings dataTables settings object
+        *  @memberof DataTable#oApi
+        */
+       function _fnColumnTypes ( settings )
+       {
+               var columns = settings.aoColumns;
+               var data = settings.aoData;
+               var types = DataTable.ext.type.detect;
+               var i, ien, j, jen, k, ken;
+               var col, cell, detectedType, cache;
+       
+               // For each column, spin over the 
+               for ( i=0, ien=columns.length ; i<ien ; i++ ) {
+                       col = columns[i];
+                       cache = [];
+       
+                       if ( ! col.sType && col._sManualType ) {
+                               col.sType = col._sManualType;
+                       }
+                       else if ( ! col.sType ) {
+                               for ( j=0, jen=types.length ; j<jen ; j++ ) {
+                                       for ( k=0, ken=data.length ; k<ken ; k++ ) {
+                                               // Use a cache array so we only need to get the type data
+                                               // from the formatter once (when using multiple detectors)
+                                               if ( cache[k] === undefined ) {
+                                                       cache[k] = _fnGetCellData( settings, k, i, 'type' );
+                                               }
+       
+                                               detectedType = types[j]( cache[k], settings );
+       
+                                               // If null, then this type can't apply to this column, so
+                                               // rather than testing all cells, break out. There is an
+                                               // exception for the last type which is `html`. We need to
+                                               // scan all rows since it is possible to mix string and HTML
+                                               // types
+                                               if ( ! detectedType && j !== types.length-1 ) {
+                                                       break;
+                                               }
+       
+                                               // Only a single match is needed for html type since it is
+                                               // bottom of the pile and very similar to string
+                                               if ( detectedType === 'html' ) {
+                                                       break;
+                                               }
+                                       }
+       
+                                       // Type is valid for all data points in the column - use this
+                                       // type
+                                       if ( detectedType ) {
+                                               col.sType = detectedType;
+                                               break;
+                                       }
+                               }
+       
+                               // Fall back - if no type was detected, always use string
+                               if ( ! col.sType ) {
+                                       col.sType = 'string';
+                               }
+                       }
+               }
+       }
+       
+       
+       /**
+        * Take the column definitions and static columns arrays and calculate how
+        * they relate to column indexes. The callback function will then apply the
+        * definition found for a column to a suitable configuration object.
+        *  @param {object} oSettings dataTables settings object
+        *  @param {array} aoColDefs The aoColumnDefs array that is to be applied
+        *  @param {array} aoCols The aoColumns array that defines columns individually
+        *  @param {function} fn Callback function - takes two parameters, the calculated
+        *    column index and the definition for that column.
+        *  @memberof DataTable#oApi
+        */
+       function _fnApplyColumnDefs( oSettings, aoColDefs, aoCols, fn )
+       {
+               var i, iLen, j, jLen, k, kLen, def;
+               var columns = oSettings.aoColumns;
+       
+               // Column definitions with aTargets
+               if ( aoColDefs )
+               {
+                       /* Loop over the definitions array - loop in reverse so first instance has priority */
+                       for ( i=aoColDefs.length-1 ; i>=0 ; i-- )
+                       {
+                               def = aoColDefs[i];
+       
+                               /* Each definition can target multiple columns, as it is an array */
+                               var aTargets = def.targets !== undefined ?
+                                       def.targets :
+                                       def.aTargets;
+       
+                               if ( ! $.isArray( aTargets ) )
+                               {
+                                       aTargets = [ aTargets ];
+                               }
+       
+                               for ( j=0, jLen=aTargets.length ; j<jLen ; j++ )
+                               {
+                                       if ( typeof aTargets[j] === 'number' && aTargets[j] >= 0 )
+                                       {
+                                               /* Add columns that we don't yet know about */
+                                               while( columns.length <= aTargets[j] )
+                                               {
+                                                       _fnAddColumn( oSettings );
+                                               }
+       
+                                               /* Integer, basic index */
+                                               fn( aTargets[j], def );
+                                       }
+                                       else if ( typeof aTargets[j] === 'number' && aTargets[j] < 0 )
+                                       {
+                                               /* Negative integer, right to left column counting */
+                                               fn( columns.length+aTargets[j], def );
+                                       }
+                                       else if ( typeof aTargets[j] === 'string' )
+                                       {
+                                               /* Class name matching on TH element */
+                                               for ( k=0, kLen=columns.length ; k<kLen ; k++ )
+                                               {
+                                                       if ( aTargets[j] == "_all" ||
+                                                            $(columns[k].nTh).hasClass( aTargets[j] ) )
+                                                       {
+                                                               fn( k, def );
+                                                       }
+                                               }
+                                       }
+                               }
+                       }
+               }
+       
+               // Statically defined columns array
+               if ( aoCols )
+               {
+                       for ( i=0, iLen=aoCols.length ; i<iLen ; i++ )
+                       {
+                               fn( i, aoCols[i] );
+                       }
+               }
+       }
+       
+       /**
+        * Add a data array to the table, creating DOM node etc. This is the parallel to
+        * _fnGatherData, but for adding rows from a Javascript source, rather than a
+        * DOM source.
+        *  @param {object} oSettings dataTables settings object
+        *  @param {array} aData data array to be added
+        *  @param {node} [nTr] TR element to add to the table - optional. If not given,
+        *    DataTables will create a row automatically
+        *  @param {array} [anTds] Array of TD|TH elements for the row - must be given
+        *    if nTr is.
+        *  @returns {int} >=0 if successful (index of new aoData entry), -1 if failed
+        *  @memberof DataTable#oApi
+        */
+       function _fnAddData ( oSettings, aDataIn, nTr, anTds )
+       {
+               /* Create the object for storing information about this new row */
+               var iRow = oSettings.aoData.length;
+               var oData = $.extend( true, {}, DataTable.models.oRow, {
+                       src: nTr ? 'dom' : 'data',
+                       idx: iRow
+               } );
+       
+               oData._aData = aDataIn;
+               oSettings.aoData.push( oData );
+       
+               /* Create the cells */
+               var nTd, sThisType;
+               var columns = oSettings.aoColumns;
+       
+               // Invalidate the column types as the new data needs to be revalidated
+               for ( var i=0, iLen=columns.length ; i<iLen ; i++ )
+               {
+                       columns[i].sType = null;
+               }
+       
+               /* Add to the display array */
+               oSettings.aiDisplayMaster.push( iRow );
+       
+               var id = oSettings.rowIdFn( aDataIn );
+               if ( id !== undefined ) {
+                       oSettings.aIds[ id ] = oData;
+               }
+       
+               /* Create the DOM information, or register it if already present */
+               if ( nTr || ! oSettings.oFeatures.bDeferRender )
+               {
+                       _fnCreateTr( oSettings, iRow, nTr, anTds );
+               }
+       
+               return iRow;
+       }
+       
+       
+       /**
+        * Add one or more TR elements to the table. Generally we'd expect to
+        * use this for reading data from a DOM sourced table, but it could be
+        * used for an TR element. Note that if a TR is given, it is used (i.e.
+        * it is not cloned).
+        *  @param {object} settings dataTables settings object
+        *  @param {array|node|jQuery} trs The TR element(s) to add to the table
+        *  @returns {array} Array of indexes for the added rows
+        *  @memberof DataTable#oApi
+        */
+       function _fnAddTr( settings, trs )
+       {
+               var row;
+       
+               // Allow an individual node to be passed in
+               if ( ! (trs instanceof $) ) {
+                       trs = $(trs);
+               }
+       
+               return trs.map( function (i, el) {
+                       row = _fnGetRowElements( settings, el );
+                       return _fnAddData( settings, row.data, el, row.cells );
+               } );
+       }
+       
+       
+       /**
+        * Take a TR element and convert it to an index in aoData
+        *  @param {object} oSettings dataTables settings object
+        *  @param {node} n the TR element to find
+        *  @returns {int} index if the node is found, null if not
+        *  @memberof DataTable#oApi
+        */
+       function _fnNodeToDataIndex( oSettings, n )
+       {
+               return (n._DT_RowIndex!==undefined) ? n._DT_RowIndex : null;
+       }
+       
+       
+       /**
+        * Take a TD element and convert it into a column data index (not the visible index)
+        *  @param {object} oSettings dataTables settings object
+        *  @param {int} iRow The row number the TD/TH can be found in
+        *  @param {node} n The TD/TH element to find
+        *  @returns {int} index if the node is found, -1 if not
+        *  @memberof DataTable#oApi
+        */
+       function _fnNodeToColumnIndex( oSettings, iRow, n )
+       {
+               return $.inArray( n, oSettings.aoData[ iRow ].anCells );
+       }
+       
+       
+       /**
+        * Get the data for a given cell from the internal cache, taking into account data mapping
+        *  @param {object} settings dataTables settings object
+        *  @param {int} rowIdx aoData row id
+        *  @param {int} colIdx Column index
+        *  @param {string} type data get type ('display', 'type' 'filter' 'sort')
+        *  @returns {*} Cell data
+        *  @memberof DataTable#oApi
+        */
+       function _fnGetCellData( settings, rowIdx, colIdx, type )
+       {
+               var draw           = settings.iDraw;
+               var col            = settings.aoColumns[colIdx];
+               var rowData        = settings.aoData[rowIdx]._aData;
+               var defaultContent = col.sDefaultContent;
+               var cellData       = col.fnGetData( rowData, type, {
+                       settings: settings,
+                       row:      rowIdx,
+                       col:      colIdx
+               } );
+       
+               if ( cellData === undefined ) {
+                       if ( settings.iDrawError != draw && defaultContent === null ) {
+                               _fnLog( settings, 0, "Requested unknown parameter "+
+                                       (typeof col.mData=='function' ? '{function}' : "'"+col.mData+"'")+
+                                       " for row "+rowIdx+", column "+colIdx, 4 );
+                               settings.iDrawError = draw;
+                       }
+                       return defaultContent;
+               }
+       
+               // When the data source is null and a specific data type is requested (i.e.
+               // not the original data), we can use default column data
+               if ( (cellData === rowData || cellData === null) && defaultContent !== null && type !== undefined ) {
+                       cellData = defaultContent;
+               }
+               else if ( typeof cellData === 'function' ) {
+                       // If the data source is a function, then we run it and use the return,
+                       // executing in the scope of the data object (for instances)
+                       return cellData.call( rowData );
+               }
+       
+               if ( cellData === null && type == 'display' ) {
+                       return '';
+               }
+               return cellData;
+       }
+       
+       
+       /**
+        * Set the value for a specific cell, into the internal data cache
+        *  @param {object} settings dataTables settings object
+        *  @param {int} rowIdx aoData row id
+        *  @param {int} colIdx Column index
+        *  @param {*} val Value to set
+        *  @memberof DataTable#oApi
+        */
+       function _fnSetCellData( settings, rowIdx, colIdx, val )
+       {
+               var col     = settings.aoColumns[colIdx];
+               var rowData = settings.aoData[rowIdx]._aData;
+       
+               col.fnSetData( rowData, val, {
+                       settings: settings,
+                       row:      rowIdx,
+                       col:      colIdx
+               }  );
+       }
+       
+       
+       // Private variable that is used to match action syntax in the data property object
+       var __reArray = /\[.*?\]$/;
+       var __reFn = /\(\)$/;
+       
+       /**
+        * Split string on periods, taking into account escaped periods
+        * @param  {string} str String to split
+        * @return {array} Split string
+        */
+       function _fnSplitObjNotation( str )
+       {
+               return $.map( str.match(/(\\.|[^\.])+/g) || [''], function ( s ) {
+                       return s.replace(/\\\./g, '.');
+               } );
+       }
+       
+       
+       /**
+        * Return a function that can be used to get data from a source object, taking
+        * into account the ability to use nested objects as a source
+        *  @param {string|int|function} mSource The data source for the object
+        *  @returns {function} Data get function
+        *  @memberof DataTable#oApi
+        */
+       function _fnGetObjectDataFn( mSource )
+       {
+               if ( $.isPlainObject( mSource ) )
+               {
+                       /* Build an object of get functions, and wrap them in a single call */
+                       var o = {};
+                       $.each( mSource, function (key, val) {
+                               if ( val ) {
+                                       o[key] = _fnGetObjectDataFn( val );
+                               }
+                       } );
+       
+                       return function (data, type, row, meta) {
+                               var t = o[type] || o._;
+                               return t !== undefined ?
+                                       t(data, type, row, meta) :
+                                       data;
+                       };
+               }
+               else if ( mSource === null )
+               {
+                       /* Give an empty string for rendering / sorting etc */
+                       return function (data) { // type, row and meta also passed, but not used
+                               return data;
+                       };
+               }
+               else if ( typeof mSource === 'function' )
+               {
+                       return function (data, type, row, meta) {
+                               return mSource( data, type, row, meta );
+                       };
+               }
+               else if ( typeof mSource === 'string' && (mSource.indexOf('.') !== -1 ||
+                             mSource.indexOf('[') !== -1 || mSource.indexOf('(') !== -1) )
+               {
+                       /* If there is a . in the source string then the data source is in a
+                        * nested object so we loop over the data for each level to get the next
+                        * level down. On each loop we test for undefined, and if found immediately
+                        * return. This allows entire objects to be missing and sDefaultContent to
+                        * be used if defined, rather than throwing an error
+                        */
+                       var fetchData = function (data, type, src) {
+                               var arrayNotation, funcNotation, out, innerSrc;
+       
+                               if ( src !== "" )
+                               {
+                                       var a = _fnSplitObjNotation( src );
+       
+                                       for ( var i=0, iLen=a.length ; i<iLen ; i++ )
+                                       {
+                                               // Check if we are dealing with special notation
+                                               arrayNotation = a[i].match(__reArray);
+                                               funcNotation = a[i].match(__reFn);
+       
+                                               if ( arrayNotation )
+                                               {
+                                                       // Array notation
+                                                       a[i] = a[i].replace(__reArray, '');
+       
+                                                       // Condition allows simply [] to be passed in
+                                                       if ( a[i] !== "" ) {
+                                                               data = data[ a[i] ];
+                                                       }
+                                                       out = [];
+       
+                                                       // Get the remainder of the nested object to get
+                                                       a.splice( 0, i+1 );
+                                                       innerSrc = a.join('.');
+       
+                                                       // Traverse each entry in the array getting the properties requested
+                                                       if ( $.isArray( data ) ) {
+                                                               for ( var j=0, jLen=data.length ; j<jLen ; j++ ) {
+                                                                       out.push( fetchData( data[j], type, innerSrc ) );
+                                                               }
+                                                       }
+       
+                                                       // If a string is given in between the array notation indicators, that
+                                                       // is used to join the strings together, otherwise an array is returned
+                                                       var join = arrayNotation[0].substring(1, arrayNotation[0].length-1);
+                                                       data = (join==="") ? out : out.join(join);
+       
+                                                       // The inner call to fetchData has already traversed through the remainder
+                                                       // of the source requested, so we exit from the loop
+                                                       break;
+                                               }
+                                               else if ( funcNotation )
+                                               {
+                                                       // Function call
+                                                       a[i] = a[i].replace(__reFn, '');
+                                                       data = data[ a[i] ]();
+                                                       continue;
+                                               }
+       
+                                               if ( data === null || data[ a[i] ] === undefined )
+                                               {
+                                                       return undefined;
+                                               }
+                                               data = data[ a[i] ];
+                                       }
+                               }
+       
+                               return data;
+                       };
+       
+                       return function (data, type) { // row and meta also passed, but not used
+                               return fetchData( data, type, mSource );
+                       };
+               }
+               else
+               {
+                       /* Array or flat object mapping */
+                       return function (data, type) { // row and meta also passed, but not used
+                               return data[mSource];
+                       };
+               }
+       }
+       
+       
+       /**
+        * Return a function that can be used to set data from a source object, taking
+        * into account the ability to use nested objects as a source
+        *  @param {string|int|function} mSource The data source for the object
+        *  @returns {function} Data set function
+        *  @memberof DataTable#oApi
+        */
+       function _fnSetObjectDataFn( mSource )
+       {
+               if ( $.isPlainObject( mSource ) )
+               {
+                       /* Unlike get, only the underscore (global) option is used for for
+                        * setting data since we don't know the type here. This is why an object
+                        * option is not documented for `mData` (which is read/write), but it is
+                        * for `mRender` which is read only.
+                        */
+                       return _fnSetObjectDataFn( mSource._ );
+               }
+               else if ( mSource === null )
+               {
+                       /* Nothing to do when the data source is null */
+                       return function () {};
+               }
+               else if ( typeof mSource === 'function' )
+               {
+                       return function (data, val, meta) {
+                               mSource( data, 'set', val, meta );
+                       };
+               }
+               else if ( typeof mSource === 'string' && (mSource.indexOf('.') !== -1 ||
+                             mSource.indexOf('[') !== -1 || mSource.indexOf('(') !== -1) )
+               {
+                       /* Like the get, we need to get data from a nested object */
+                       var setData = function (data, val, src) {
+                               var a = _fnSplitObjNotation( src ), b;
+                               var aLast = a[a.length-1];
+                               var arrayNotation, funcNotation, o, innerSrc;
+       
+                               for ( var i=0, iLen=a.length-1 ; i<iLen ; i++ )
+                               {
+                                       // Check if we are dealing with an array notation request
+                                       arrayNotation = a[i].match(__reArray);
+                                       funcNotation = a[i].match(__reFn);
+       
+                                       if ( arrayNotation )
+                                       {
+                                               a[i] = a[i].replace(__reArray, '');
+                                               data[ a[i] ] = [];
+       
+                                               // Get the remainder of the nested object to set so we can recurse
+                                               b = a.slice();
+                                               b.splice( 0, i+1 );
+                                               innerSrc = b.join('.');
+       
+                                               // Traverse each entry in the array setting the properties requested
+                                               if ( $.isArray( val ) )
+                                               {
+                                                       for ( var j=0, jLen=val.length ; j<jLen ; j++ )
+                                                       {
+                                                               o = {};
+                                                               setData( o, val[j], innerSrc );
+                                                               data[ a[i] ].push( o );
+                                                       }
+                                               }
+                                               else
+                                               {
+                                                       // We've been asked to save data to an array, but it
+                                                       // isn't array data to be saved. Best that can be done
+                                                       // is to just save the value.
+                                                       data[ a[i] ] = val;
+                                               }
+       
+                                               // The inner call to setData has already traversed through the remainder
+                                               // of the source and has set the data, thus we can exit here
+                                               return;
+                                       }
+                                       else if ( funcNotation )
+                                       {
+                                               // Function call
+                                               a[i] = a[i].replace(__reFn, '');
+                                               data = data[ a[i] ]( val );
+                                       }
+       
+                                       // If the nested object doesn't currently exist - since we are
+                                       // trying to set the value - create it
+                                       if ( data[ a[i] ] === null || data[ a[i] ] === undefined )
+                                       {
+                                               data[ a[i] ] = {};
+                                       }
+                                       data = data[ a[i] ];
+                               }
+       
+                               // Last item in the input - i.e, the actual set
+                               if ( aLast.match(__reFn ) )
+                               {
+                                       // Function call
+                                       data = data[ aLast.replace(__reFn, '') ]( val );
+                               }
+                               else
+                               {
+                                       // If array notation is used, we just want to strip it and use the property name
+                                       // and assign the value. If it isn't used, then we get the result we want anyway
+                                       data[ aLast.replace(__reArray, '') ] = val;
+                               }
+                       };
+       
+                       return function (data, val) { // meta is also passed in, but not used
+                               return setData( data, val, mSource );
+                       };
+               }
+               else
+               {
+                       /* Array or flat object mapping */
+                       return function (data, val) { // meta is also passed in, but not used
+                               data[mSource] = val;
+                       };
+               }
+       }
+       
+       
+       /**
+        * Return an array with the full table data
+        *  @param {object} oSettings dataTables settings object
+        *  @returns array {array} aData Master data array
+        *  @memberof DataTable#oApi
+        */
+       function _fnGetDataMaster ( settings )
+       {
+               return _pluck( settings.aoData, '_aData' );
+       }
+       
+       
+       /**
+        * Nuke the table
+        *  @param {object} oSettings dataTables settings object
+        *  @memberof DataTable#oApi
+        */
+       function _fnClearTable( settings )
+       {
+               settings.aoData.length = 0;
+               settings.aiDisplayMaster.length = 0;
+               settings.aiDisplay.length = 0;
+               settings.aIds = {};
+       }
+       
+       
+        /**
+        * Take an array of integers (index array) and remove a target integer (value - not
+        * the key!)
+        *  @param {array} a Index array to target
+        *  @param {int} iTarget value to find
+        *  @memberof DataTable#oApi
+        */
+       function _fnDeleteIndex( a, iTarget, splice )
+       {
+               var iTargetIndex = -1;
+       
+               for ( var i=0, iLen=a.length ; i<iLen ; i++ )
+               {
+                       if ( a[i] == iTarget )
+                       {
+                               iTargetIndex = i;
+                       }
+                       else if ( a[i] > iTarget )
+                       {
+                               a[i]--;
+                       }
+               }
+       
+               if ( iTargetIndex != -1 && splice === undefined )
+               {
+                       a.splice( iTargetIndex, 1 );
+               }
+       }
+       
+       
+       /**
+        * Mark cached data as invalid such that a re-read of the data will occur when
+        * the cached data is next requested. Also update from the data source object.
+        *
+        * @param {object} settings DataTables settings object
+        * @param {int}    rowIdx   Row index to invalidate
+        * @param {string} [src]    Source to invalidate from: undefined, 'auto', 'dom'
+        *     or 'data'
+        * @param {int}    [colIdx] Column index to invalidate. If undefined the whole
+        *     row will be invalidated
+        * @memberof DataTable#oApi
+        *
+        * @todo For the modularisation of v1.11 this will need to become a callback, so
+        *   the sort and filter methods can subscribe to it. That will required
+        *   initialisation options for sorting, which is why it is not already baked in
+        */
+       function _fnInvalidate( settings, rowIdx, src, colIdx )
+       {
+               var row = settings.aoData[ rowIdx ];
+               var i, ien;
+               var cellWrite = function ( cell, col ) {
+                       // This is very frustrating, but in IE if you just write directly
+                       // to innerHTML, and elements that are overwritten are GC'ed,
+                       // even if there is a reference to them elsewhere
+                       while ( cell.childNodes.length ) {
+                               cell.removeChild( cell.firstChild );
+                       }
+       
+                       cell.innerHTML = _fnGetCellData( settings, rowIdx, col, 'display' );
+               };
+       
+               // Are we reading last data from DOM or the data object?
+               if ( src === 'dom' || ((! src || src === 'auto') && row.src === 'dom') ) {
+                       // Read the data from the DOM
+                       row._aData = _fnGetRowElements(
+                                       settings, row, colIdx, colIdx === undefined ? undefined : row._aData
+                               )
+                               .data;
+               }
+               else {
+                       // Reading from data object, update the DOM
+                       var cells = row.anCells;
+       
+                       if ( cells ) {
+                               if ( colIdx !== undefined ) {
+                                       cellWrite( cells[colIdx], colIdx );
+                               }
+                               else {
+                                       for ( i=0, ien=cells.length ; i<ien ; i++ ) {
+                                               cellWrite( cells[i], i );
+                                       }
+                               }
+                       }
+               }
+       
+               // For both row and cell invalidation, the cached data for sorting and
+               // filtering is nulled out
+               row._aSortData = null;
+               row._aFilterData = null;
+       
+               // Invalidate the type for a specific column (if given) or all columns since
+               // the data might have changed
+               var cols = settings.aoColumns;
+               if ( colIdx !== undefined ) {
+                       cols[ colIdx ].sType = null;
+               }
+               else {
+                       for ( i=0, ien=cols.length ; i<ien ; i++ ) {
+                               cols[i].sType = null;
+                       }
+       
+                       // Update DataTables special `DT_*` attributes for the row
+                       _fnRowAttributes( settings, row );
+               }
+       }
+       
+       
+       /**
+        * Build a data source object from an HTML row, reading the contents of the
+        * cells that are in the row.
+        *
+        * @param {object} settings DataTables settings object
+        * @param {node|object} TR element from which to read data or existing row
+        *   object from which to re-read the data from the cells
+        * @param {int} [colIdx] Optional column index
+        * @param {array|object} [d] Data source object. If `colIdx` is given then this
+        *   parameter should also be given and will be used to write the data into.
+        *   Only the column in question will be written
+        * @returns {object} Object with two parameters: `data` the data read, in
+        *   document order, and `cells` and array of nodes (they can be useful to the
+        *   caller, so rather than needing a second traversal to get them, just return
+        *   them from here).
+        * @memberof DataTable#oApi
+        */
+       function _fnGetRowElements( settings, row, colIdx, d )
+       {
+               var
+                       tds = [],
+                       td = row.firstChild,
+                       name, col, o, i=0, contents,
+                       columns = settings.aoColumns,
+                       objectRead = settings._rowReadObject;
+       
+               // Allow the data object to be passed in, or construct
+               d = d !== undefined ?
+                       d :
+                       objectRead ?
+                               {} :
+                               [];
+       
+               var attr = function ( str, td  ) {
+                       if ( typeof str === 'string' ) {
+                               var idx = str.indexOf('@');
+       
+                               if ( idx !== -1 ) {
+                                       var attr = str.substring( idx+1 );
+                                       var setter = _fnSetObjectDataFn( str );
+                                       setter( d, td.getAttribute( attr ) );
+                               }
+                       }
+               };
+       
+               // Read data from a cell and store into the data object
+               var cellProcess = function ( cell ) {
+                       if ( colIdx === undefined || colIdx === i ) {
+                               col = columns[i];
+                               contents = $.trim(cell.innerHTML);
+       
+                               if ( col && col._bAttrSrc ) {
+                                       var setter = _fnSetObjectDataFn( col.mData._ );
+                                       setter( d, contents );
+       
+                                       attr( col.mData.sort, cell );
+                                       attr( col.mData.type, cell );
+                                       attr( col.mData.filter, cell );
+                               }
+                               else {
+                                       // Depending on the `data` option for the columns the data can
+                                       // be read to either an object or an array.
+                                       if ( objectRead ) {
+                                               if ( ! col._setter ) {
+                                                       // Cache the setter function
+                                                       col._setter = _fnSetObjectDataFn( col.mData );
+                                               }
+                                               col._setter( d, contents );
+                                       }
+                                       else {
+                                               d[i] = contents;
+                                       }
+                               }
+                       }
+       
+                       i++;
+               };
+       
+               if ( td ) {
+                       // `tr` element was passed in
+                       while ( td ) {
+                               name = td.nodeName.toUpperCase();
+       
+                               if ( name == "TD" || name == "TH" ) {
+                                       cellProcess( td );
+                                       tds.push( td );
+                               }
+       
+                               td = td.nextSibling;
+                       }
+               }
+               else {
+                       // Existing row object passed in
+                       tds = row.anCells;
+       
+                       for ( var j=0, jen=tds.length ; j<jen ; j++ ) {
+                               cellProcess( tds[j] );
+                       }
+               }
+       
+               // Read the ID from the DOM if present
+               var rowNode = row.firstChild ? row : row.nTr;
+       
+               if ( rowNode ) {
+                       var id = rowNode.getAttribute( 'id' );
+       
+                       if ( id ) {
+                               _fnSetObjectDataFn( settings.rowId )( d, id );
+                       }
+               }
+       
+               return {
+                       data: d,
+                       cells: tds
+               };
+       }
+       /**
+        * Create a new TR element (and it's TD children) for a row
+        *  @param {object} oSettings dataTables settings object
+        *  @param {int} iRow Row to consider
+        *  @param {node} [nTrIn] TR element to add to the table - optional. If not given,
+        *    DataTables will create a row automatically
+        *  @param {array} [anTds] Array of TD|TH elements for the row - must be given
+        *    if nTr is.
+        *  @memberof DataTable#oApi
+        */
+       function _fnCreateTr ( oSettings, iRow, nTrIn, anTds )
+       {
+               var
+                       row = oSettings.aoData[iRow],
+                       rowData = row._aData,
+                       cells = [],
+                       nTr, nTd, oCol,
+                       i, iLen, create;
+       
+               if ( row.nTr === null )
+               {
+                       nTr = nTrIn || document.createElement('tr');
+       
+                       row.nTr = nTr;
+                       row.anCells = cells;
+       
+                       /* Use a private property on the node to allow reserve mapping from the node
+                        * to the aoData array for fast look up
+                        */
+                       nTr._DT_RowIndex = iRow;
+       
+                       /* Special parameters can be given by the data source to be used on the row */
+                       _fnRowAttributes( oSettings, row );
+       
+                       /* Process each column */
+                       for ( i=0, iLen=oSettings.aoColumns.length ; i<iLen ; i++ )
+                       {
+                               oCol = oSettings.aoColumns[i];
+                               create = nTrIn ? false : true;
+       
+                               nTd = create ? document.createElement( oCol.sCellType ) : anTds[i];
+                               nTd._DT_CellIndex = {
+                                       row: iRow,
+                                       column: i
+                               };
+                               
+                               cells.push( nTd );
+       
+                               // Need to create the HTML if new, or if a rendering function is defined
+                               if ( create || ((!nTrIn || oCol.mRender || oCol.mData !== i) &&
+                                        (!$.isPlainObject(oCol.mData) || oCol.mData._ !== i+'.display')
+                               )) {
+                                       nTd.innerHTML = _fnGetCellData( oSettings, iRow, i, 'display' );
+                               }
+       
+                               /* Add user defined class */
+                               if ( oCol.sClass )
+                               {
+                                       nTd.className += ' '+oCol.sClass;
+                               }
+       
+                               // Visibility - add or remove as required
+                               if ( oCol.bVisible && ! nTrIn )
+                               {
+                                       nTr.appendChild( nTd );
+                               }
+                               else if ( ! oCol.bVisible && nTrIn )
+                               {
+                                       nTd.parentNode.removeChild( nTd );
+                               }
+       
+                               if ( oCol.fnCreatedCell )
+                               {
+                                       oCol.fnCreatedCell.call( oSettings.oInstance,
+                                               nTd, _fnGetCellData( oSettings, iRow, i ), rowData, iRow, i
+                                       );
+                               }
+                       }
+       
+                       _fnCallbackFire( oSettings, 'aoRowCreatedCallback', null, [nTr, rowData, iRow, cells] );
+               }
+       
+               // Remove once webkit bug 131819 and Chromium bug 365619 have been resolved
+               // and deployed
+               row.nTr.setAttribute( 'role', 'row' );
+       }
+       
+       
+       /**
+        * Add attributes to a row based on the special `DT_*` parameters in a data
+        * source object.
+        *  @param {object} settings DataTables settings object
+        *  @param {object} DataTables row object for the row to be modified
+        *  @memberof DataTable#oApi
+        */
+       function _fnRowAttributes( settings, row )
+       {
+               var tr = row.nTr;
+               var data = row._aData;
+       
+               if ( tr ) {
+                       var id = settings.rowIdFn( data );
+       
+                       if ( id ) {
+                               tr.id = id;
+                       }
+       
+                       if ( data.DT_RowClass ) {
+                               // Remove any classes added by DT_RowClass before
+                               var a = data.DT_RowClass.split(' ');
+                               row.__rowc = row.__rowc ?
+                                       _unique( row.__rowc.concat( a ) ) :
+                                       a;
+       
+                               $(tr)
+                                       .removeClass( row.__rowc.join(' ') )
+                                       .addClass( data.DT_RowClass );
+                       }
+       
+                       if ( data.DT_RowAttr ) {
+                               $(tr).attr( data.DT_RowAttr );
+                       }
+       
+                       if ( data.DT_RowData ) {
+                               $(tr).data( data.DT_RowData );
+                       }
+               }
+       }
+       
+       
+       /**
+        * Create the HTML header for the table
+        *  @param {object} oSettings dataTables settings object
+        *  @memberof DataTable#oApi
+        */
+       function _fnBuildHead( oSettings )
+       {
+               var i, ien, cell, row, column;
+               var thead = oSettings.nTHead;
+               var tfoot = oSettings.nTFoot;
+               var createHeader = $('th, td', thead).length === 0;
+               var classes = oSettings.oClasses;
+               var columns = oSettings.aoColumns;
+       
+               if ( createHeader ) {
+                       row = $('<tr/>').appendTo( thead );
+               }
+       
+               for ( i=0, ien=columns.length ; i<ien ; i++ ) {
+                       column = columns[i];
+                       cell = $( column.nTh ).addClass( column.sClass );
+       
+                       if ( createHeader ) {
+                               cell.appendTo( row );
+                       }
+       
+                       // 1.11 move into sorting
+                       if ( oSettings.oFeatures.bSort ) {
+                               cell.addClass( column.sSortingClass );
+       
+                               if ( column.bSortable !== false ) {
+                                       cell
+                                               .attr( 'tabindex', oSettings.iTabIndex )
+                                               .attr( 'aria-controls', oSettings.sTableId );
+       
+                                       _fnSortAttachListener( oSettings, column.nTh, i );
+                               }
+                       }
+       
+                       if ( column.sTitle != cell[0].innerHTML ) {
+                               cell.html( column.sTitle );
+                       }
+       
+                       _fnRenderer( oSettings, 'header' )(
+                               oSettings, cell, column, classes
+                       );
+               }
+       
+               if ( createHeader ) {
+                       _fnDetectHeader( oSettings.aoHeader, thead );
+               }
+               
+               /* ARIA role for the rows */
+               $(thead).find('>tr').attr('role', 'row');
+       
+               /* Deal with the footer - add classes if required */
+               $(thead).find('>tr>th, >tr>td').addClass( classes.sHeaderTH );
+               $(tfoot).find('>tr>th, >tr>td').addClass( classes.sFooterTH );
+       
+               // Cache the footer cells. Note that we only take the cells from the first
+               // row in the footer. If there is more than one row the user wants to
+               // interact with, they need to use the table().foot() method. Note also this
+               // allows cells to be used for multiple columns using colspan
+               if ( tfoot !== null ) {
+                       var cells = oSettings.aoFooter[0];
+       
+                       for ( i=0, ien=cells.length ; i<ien ; i++ ) {
+                               column = columns[i];
+                               column.nTf = cells[i].cell;
+       
+                               if ( column.sClass ) {
+                                       $(column.nTf).addClass( column.sClass );
+                               }
+                       }
+               }
+       }
+       
+       
+       /**
+        * Draw the header (or footer) element based on the column visibility states. The
+        * methodology here is to use the layout array from _fnDetectHeader, modified for
+        * the instantaneous column visibility, to construct the new layout. The grid is
+        * traversed over cell at a time in a rows x columns grid fashion, although each
+        * cell insert can cover multiple elements in the grid - which is tracks using the
+        * aApplied array. Cell inserts in the grid will only occur where there isn't
+        * already a cell in that position.
+        *  @param {object} oSettings dataTables settings object
+        *  @param array {objects} aoSource Layout array from _fnDetectHeader
+        *  @param {boolean} [bIncludeHidden=false] If true then include the hidden columns in the calc,
+        *  @memberof DataTable#oApi
+        */
+       function _fnDrawHead( oSettings, aoSource, bIncludeHidden )
+       {
+               var i, iLen, j, jLen, k, kLen, n, nLocalTr;
+               var aoLocal = [];
+               var aApplied = [];
+               var iColumns = oSettings.aoColumns.length;
+               var iRowspan, iColspan;
+       
+               if ( ! aoSource )
+               {
+                       return;
+               }
+       
+               if (  bIncludeHidden === undefined )
+               {
+                       bIncludeHidden = false;
+               }
+       
+               /* Make a copy of the master layout array, but without the visible columns in it */
+               for ( i=0, iLen=aoSource.length ; i<iLen ; i++ )
+               {
+                       aoLocal[i] = aoSource[i].slice();
+                       aoLocal[i].nTr = aoSource[i].nTr;
+       
+                       /* Remove any columns which are currently hidden */
+                       for ( j=iColumns-1 ; j>=0 ; j-- )
+                       {
+                               if ( !oSettings.aoColumns[j].bVisible && !bIncludeHidden )
+                               {
+                                       aoLocal[i].splice( j, 1 );
+                               }
+                       }
+       
+                       /* Prep the applied array - it needs an element for each row */
+                       aApplied.push( [] );
+               }
+       
+               for ( i=0, iLen=aoLocal.length ; i<iLen ; i++ )
+               {
+                       nLocalTr = aoLocal[i].nTr;
+       
+                       /* All cells are going to be replaced, so empty out the row */
+                       if ( nLocalTr )
+                       {
+                               while( (n = nLocalTr.firstChild) )
+                               {
+                                       nLocalTr.removeChild( n );
+                               }
+                       }
+       
+                       for ( j=0, jLen=aoLocal[i].length ; j<jLen ; j++ )
+                       {
+                               iRowspan = 1;
+                               iColspan = 1;
+       
+                               /* Check to see if there is already a cell (row/colspan) covering our target
+                                * insert point. If there is, then there is nothing to do.
+                                */
+                               if ( aApplied[i][j] === undefined )
+                               {
+                                       nLocalTr.appendChild( aoLocal[i][j].cell );
+                                       aApplied[i][j] = 1;
+       
+                                       /* Expand the cell to cover as many rows as needed */
+                                       while ( aoLocal[i+iRowspan] !== undefined &&
+                                               aoLocal[i][j].cell == aoLocal[i+iRowspan][j].cell )
+                                       {
+                                               aApplied[i+iRowspan][j] = 1;
+                                               iRowspan++;
+                                       }
+       
+                                       /* Expand the cell to cover as many columns as needed */
+                                       while ( aoLocal[i][j+iColspan] !== undefined &&
+                                               aoLocal[i][j].cell == aoLocal[i][j+iColspan].cell )
+                                       {
+                                               /* Must update the applied array over the rows for the columns */
+                                               for ( k=0 ; k<iRowspan ; k++ )
+                                               {
+                                                       aApplied[i+k][j+iColspan] = 1;
+                                               }
+                                               iColspan++;
+                                       }
+       
+                                       /* Do the actual expansion in the DOM */
+                                       $(aoLocal[i][j].cell)
+                                               .attr('rowspan', iRowspan)
+                                               .attr('colspan', iColspan);
+                               }
+                       }
+               }
+       }
+       
+       
+       /**
+        * Insert the required TR nodes into the table for display
+        *  @param {object} oSettings dataTables settings object
+        *  @memberof DataTable#oApi
+        */
+       function _fnDraw( oSettings )
+       {
+               /* Provide a pre-callback function which can be used to cancel the draw is false is returned */
+               var aPreDraw = _fnCallbackFire( oSettings, 'aoPreDrawCallback', 'preDraw', [oSettings] );
+               if ( $.inArray( false, aPreDraw ) !== -1 )
+               {
+                       _fnProcessingDisplay( oSettings, false );
+                       return;
+               }
+       
+               var i, iLen, n;
+               var anRows = [];
+               var iRowCount = 0;
+               var asStripeClasses = oSettings.asStripeClasses;
+               var iStripes = asStripeClasses.length;
+               var iOpenRows = oSettings.aoOpenRows.length;
+               var oLang = oSettings.oLanguage;
+               var iInitDisplayStart = oSettings.iInitDisplayStart;
+               var bServerSide = _fnDataSource( oSettings ) == 'ssp';
+               var aiDisplay = oSettings.aiDisplay;
+       
+               oSettings.bDrawing = true;
+       
+               /* Check and see if we have an initial draw position from state saving */
+               if ( iInitDisplayStart !== undefined && iInitDisplayStart !== -1 )
+               {
+                       oSettings._iDisplayStart = bServerSide ?
+                               iInitDisplayStart :
+                               iInitDisplayStart >= oSettings.fnRecordsDisplay() ?
+                                       0 :
+                                       iInitDisplayStart;
+       
+                       oSettings.iInitDisplayStart = -1;
+               }
+       
+               var iDisplayStart = oSettings._iDisplayStart;
+               var iDisplayEnd = oSettings.fnDisplayEnd();
+       
+               /* Server-side processing draw intercept */
+               if ( oSettings.bDeferLoading )
+               {
+                       oSettings.bDeferLoading = false;
+                       oSettings.iDraw++;
+                       _fnProcessingDisplay( oSettings, false );
+               }
+               else if ( !bServerSide )
+               {
+                       oSettings.iDraw++;
+               }
+               else if ( !oSettings.bDestroying && !_fnAjaxUpdate( oSettings ) )
+               {
+                       return;
+               }
+       
+               if ( aiDisplay.length !== 0 )
+               {
+                       var iStart = bServerSide ? 0 : iDisplayStart;
+                       var iEnd = bServerSide ? oSettings.aoData.length : iDisplayEnd;
+       
+                       for ( var j=iStart ; j<iEnd ; j++ )
+                       {
+                               var iDataIndex = aiDisplay[j];
+                               var aoData = oSettings.aoData[ iDataIndex ];
+                               if ( aoData.nTr === null )
+                               {
+                                       _fnCreateTr( oSettings, iDataIndex );
+                               }
+       
+                               var nRow = aoData.nTr;
+       
+                               /* Remove the old striping classes and then add the new one */
+                               if ( iStripes !== 0 )
+                               {
+                                       var sStripe = asStripeClasses[ iRowCount % iStripes ];
+                                       if ( aoData._sRowStripe != sStripe )
+                                       {
+                                               $(nRow).removeClass( aoData._sRowStripe ).addClass( sStripe );
+                                               aoData._sRowStripe = sStripe;
+                                       }
+                               }
+       
+                               // Row callback functions - might want to manipulate the row
+                               // iRowCount and j are not currently documented. Are they at all
+                               // useful?
+                               _fnCallbackFire( oSettings, 'aoRowCallback', null,
+                                       [nRow, aoData._aData, iRowCount, j, iDataIndex] );
+       
+                               anRows.push( nRow );
+                               iRowCount++;
+                       }
+               }
+               else
+               {
+                       /* Table is empty - create a row with an empty message in it */
+                       var sZero = oLang.sZeroRecords;
+                       if ( oSettings.iDraw == 1 &&  _fnDataSource( oSettings ) == 'ajax' )
+                       {
+                               sZero = oLang.sLoadingRecords;
+                       }
+                       else if ( oLang.sEmptyTable && oSettings.fnRecordsTotal() === 0 )
+                       {
+                               sZero = oLang.sEmptyTable;
+                       }
+       
+                       anRows[ 0 ] = $( '<tr/>', { 'class': iStripes ? asStripeClasses[0] : '' } )
+                               .append( $('<td />', {
+                                       'valign':  'top',
+                                       'colSpan': _fnVisbleColumns( oSettings ),
+                                       'class':   oSettings.oClasses.sRowEmpty
+                               } ).html( sZero ) )[0];
+               }
+       
+               /* Header and footer callbacks */
+               _fnCallbackFire( oSettings, 'aoHeaderCallback', 'header', [ $(oSettings.nTHead).children('tr')[0],
+                       _fnGetDataMaster( oSettings ), iDisplayStart, iDisplayEnd, aiDisplay ] );
+       
+               _fnCallbackFire( oSettings, 'aoFooterCallback', 'footer', [ $(oSettings.nTFoot).children('tr')[0],
+                       _fnGetDataMaster( oSettings ), iDisplayStart, iDisplayEnd, aiDisplay ] );
+       
+               var body = $(oSettings.nTBody);
+       
+               body.children().detach();
+               body.append( $(anRows) );
+       
+               /* Call all required callback functions for the end of a draw */
+               _fnCallbackFire( oSettings, 'aoDrawCallback', 'draw', [oSettings] );
+       
+               /* Draw is complete, sorting and filtering must be as well */
+               oSettings.bSorted = false;
+               oSettings.bFiltered = false;
+               oSettings.bDrawing = false;
+       }
+       
+       
+       /**
+        * Redraw the table - taking account of the various features which are enabled
+        *  @param {object} oSettings dataTables settings object
+        *  @param {boolean} [holdPosition] Keep the current paging position. By default
+        *    the paging is reset to the first page
+        *  @memberof DataTable#oApi
+        */
+       function _fnReDraw( settings, holdPosition )
+       {
+               var
+                       features = settings.oFeatures,
+                       sort     = features.bSort,
+                       filter   = features.bFilter;
+       
+               if ( sort ) {
+                       _fnSort( settings );
+               }
+       
+               if ( filter ) {
+                       _fnFilterComplete( settings, settings.oPreviousSearch );
+               }
+               else {
+                       // No filtering, so we want to just use the display master
+                       settings.aiDisplay = settings.aiDisplayMaster.slice();
+               }
+       
+               if ( holdPosition !== true ) {
+                       settings._iDisplayStart = 0;
+               }
+       
+               // Let any modules know about the draw hold position state (used by
+               // scrolling internally)
+               settings._drawHold = holdPosition;
+       
+               _fnDraw( settings );
+       
+               settings._drawHold = false;
+       }
+       
+       
+       /**
+        * Add the options to the page HTML for the table
+        *  @param {object} oSettings dataTables settings object
+        *  @memberof DataTable#oApi
+        */
+       function _fnAddOptionsHtml ( oSettings )
+       {
+               var classes = oSettings.oClasses;
+               var table = $(oSettings.nTable);
+               var holding = $('<div/>').insertBefore( table ); // Holding element for speed
+               var features = oSettings.oFeatures;
+       
+               // All DataTables are wrapped in a div
+               var insert = $('<div/>', {
+                       id:      oSettings.sTableId+'_wrapper',
+                       'class': classes.sWrapper + (oSettings.nTFoot ? '' : ' '+classes.sNoFooter)
+               } );
+       
+               oSettings.nHolding = holding[0];
+               oSettings.nTableWrapper = insert[0];
+               oSettings.nTableReinsertBefore = oSettings.nTable.nextSibling;
+       
+               /* Loop over the user set positioning and place the elements as needed */
+               var aDom = oSettings.sDom.split('');
+               var featureNode, cOption, nNewNode, cNext, sAttr, j;
+               for ( var i=0 ; i<aDom.length ; i++ )
+               {
+                       featureNode = null;
+                       cOption = aDom[i];
+       
+                       if ( cOption == '<' )
+                       {
+                               /* New container div */
+                               nNewNode = $('<div/>')[0];
+       
+                               /* Check to see if we should append an id and/or a class name to the container */
+                               cNext = aDom[i+1];
+                               if ( cNext == "'" || cNext == '"' )
+                               {
+                                       sAttr = "";
+                                       j = 2;
+                                       while ( aDom[i+j] != cNext )
+                                       {
+                                               sAttr += aDom[i+j];
+                                               j++;
+                                       }
+       
+                                       /* Replace jQuery UI constants @todo depreciated */
+                                       if ( sAttr == "H" )
+                                       {
+                                               sAttr = classes.sJUIHeader;
+                                       }
+                                       else if ( sAttr == "F" )
+                                       {
+                                               sAttr = classes.sJUIFooter;
+                                       }
+       
+                                       /* The attribute can be in the format of "#id.class", "#id" or "class" This logic
+                                        * breaks the string into parts and applies them as needed
+                                        */
+                                       if ( sAttr.indexOf('.') != -1 )
+                                       {
+                                               var aSplit = sAttr.split('.');
+                                               nNewNode.id = aSplit[0].substr(1, aSplit[0].length-1);
+                                               nNewNode.className = aSplit[1];
+                                       }
+                                       else if ( sAttr.charAt(0) == "#" )
+                                       {
+                                               nNewNode.id = sAttr.substr(1, sAttr.length-1);
+                                       }
+                                       else
+                                       {
+                                               nNewNode.className = sAttr;
+                                       }
+       
+                                       i += j; /* Move along the position array */
+                               }
+       
+                               insert.append( nNewNode );
+                               insert = $(nNewNode);
+                       }
+                       else if ( cOption == '>' )
+                       {
+                               /* End container div */
+                               insert = insert.parent();
+                       }
+                       // @todo Move options into their own plugins?
+                       else if ( cOption == 'l' && features.bPaginate && features.bLengthChange )
+                       {
+                               /* Length */
+                               featureNode = _fnFeatureHtmlLength( oSettings );
+                       }
+                       else if ( cOption == 'f' && features.bFilter )
+                       {
+                               /* Filter */
+                               featureNode = _fnFeatureHtmlFilter( oSettings );
+                       }
+                       else if ( cOption == 'r' && features.bProcessing )
+                       {
+                               /* pRocessing */
+                               featureNode = _fnFeatureHtmlProcessing( oSettings );
+                       }
+                       else if ( cOption == 't' )
+                       {
+                               /* Table */
+                               featureNode = _fnFeatureHtmlTable( oSettings );
+                       }
+                       else if ( cOption ==  'i' && features.bInfo )
+                       {
+                               /* Info */
+                               featureNode = _fnFeatureHtmlInfo( oSettings );
+                       }
+                       else if ( cOption == 'p' && features.bPaginate )
+                       {
+                               /* Pagination */
+                               featureNode = _fnFeatureHtmlPaginate( oSettings );
+                       }
+                       else if ( DataTable.ext.feature.length !== 0 )
+                       {
+                               /* Plug-in features */
+                               var aoFeatures = DataTable.ext.feature;
+                               for ( var k=0, kLen=aoFeatures.length ; k<kLen ; k++ )
+                               {
+                                       if ( cOption == aoFeatures[k].cFeature )
+                                       {
+                                               featureNode = aoFeatures[k].fnInit( oSettings );
+                                               break;
+                                       }
+                               }
+                       }
+       
+                       /* Add to the 2D features array */
+                       if ( featureNode )
+                       {
+                               var aanFeatures = oSettings.aanFeatures;
+       
+                               if ( ! aanFeatures[cOption] )
+                               {
+                                       aanFeatures[cOption] = [];
+                               }
+       
+                               aanFeatures[cOption].push( featureNode );
+                               insert.append( featureNode );
+                       }
+               }
+       
+               /* Built our DOM structure - replace the holding div with what we want */
+               holding.replaceWith( insert );
+               oSettings.nHolding = null;
+       }
+       
+       
+       /**
+        * Use the DOM source to create up an array of header cells. The idea here is to
+        * create a layout grid (array) of rows x columns, which contains a reference
+        * to the cell that that point in the grid (regardless of col/rowspan), such that
+        * any column / row could be removed and the new grid constructed
+        *  @param array {object} aLayout Array to store the calculated layout in
+        *  @param {node} nThead The header/footer element for the table
+        *  @memberof DataTable#oApi
+        */
+       function _fnDetectHeader ( aLayout, nThead )
+       {
+               var nTrs = $(nThead).children('tr');
+               var nTr, nCell;
+               var i, k, l, iLen, jLen, iColShifted, iColumn, iColspan, iRowspan;
+               var bUnique;
+               var fnShiftCol = function ( a, i, j ) {
+                       var k = a[i];
+                       while ( k[j] ) {
+                               j++;
+                       }
+                       return j;
+               };
+       
+               aLayout.splice( 0, aLayout.length );
+       
+               /* We know how many rows there are in the layout - so prep it */
+               for ( i=0, iLen=nTrs.length ; i<iLen ; i++ )
+               {
+                       aLayout.push( [] );
+               }
+       
+               /* Calculate a layout array */
+               for ( i=0, iLen=nTrs.length ; i<iLen ; i++ )
+               {
+                       nTr = nTrs[i];
+                       iColumn = 0;
+       
+                       /* For every cell in the row... */
+                       nCell = nTr.firstChild;
+                       while ( nCell ) {
+                               if ( nCell.nodeName.toUpperCase() == "TD" ||
+                                    nCell.nodeName.toUpperCase() == "TH" )
+                               {
+                                       /* Get the col and rowspan attributes from the DOM and sanitise them */
+                                       iColspan = nCell.getAttribute('colspan') * 1;
+                                       iRowspan = nCell.getAttribute('rowspan') * 1;
+                                       iColspan = (!iColspan || iColspan===0 || iColspan===1) ? 1 : iColspan;
+                                       iRowspan = (!iRowspan || iRowspan===0 || iRowspan===1) ? 1 : iRowspan;
+       
+                                       /* There might be colspan cells already in this row, so shift our target
+                                        * accordingly
+                                        */
+                                       iColShifted = fnShiftCol( aLayout, i, iColumn );
+       
+                                       /* Cache calculation for unique columns */
+                                       bUnique = iColspan === 1 ? true : false;
+       
+                                       /* If there is col / rowspan, copy the information into the layout grid */
+                                       for ( l=0 ; l<iColspan ; l++ )
+                                       {
+                                               for ( k=0 ; k<iRowspan ; k++ )
+                                               {
+                                                       aLayout[i+k][iColShifted+l] = {
+                                                               "cell": nCell,
+                                                               "unique": bUnique
+                                                       };
+                                                       aLayout[i+k].nTr = nTr;
+                                               }
+                                       }
+                               }
+                               nCell = nCell.nextSibling;
+                       }
+               }
+       }
+       
+       
+       /**
+        * Get an array of unique th elements, one for each column
+        *  @param {object} oSettings dataTables settings object
+        *  @param {node} nHeader automatically detect the layout from this node - optional
+        *  @param {array} aLayout thead/tfoot layout from _fnDetectHeader - optional
+        *  @returns array {node} aReturn list of unique th's
+        *  @memberof DataTable#oApi
+        */
+       function _fnGetUniqueThs ( oSettings, nHeader, aLayout )
+       {
+               var aReturn = [];
+               if ( !aLayout )
+               {
+                       aLayout = oSettings.aoHeader;
+                       if ( nHeader )
+                       {
+                               aLayout = [];
+                               _fnDetectHeader( aLayout, nHeader );
+                       }
+               }
+       
+               for ( var i=0, iLen=aLayout.length ; i<iLen ; i++ )
+               {
+                       for ( var j=0, jLen=aLayout[i].length ; j<jLen ; j++ )
+                       {
+                               if ( aLayout[i][j].unique &&
+                                        (!aReturn[j] || !oSettings.bSortCellsTop) )
+                               {
+                                       aReturn[j] = aLayout[i][j].cell;
+                               }
+                       }
+               }
+       
+               return aReturn;
+       }
+       
+       /**
+        * Create an Ajax call based on the table's settings, taking into account that
+        * parameters can have multiple forms, and backwards compatibility.
+        *
+        * @param {object} oSettings dataTables settings object
+        * @param {array} data Data to send to the server, required by
+        *     DataTables - may be augmented by developer callbacks
+        * @param {function} fn Callback function to run when data is obtained
+        */
+       function _fnBuildAjax( oSettings, data, fn )
+       {
+               // Compatibility with 1.9-, allow fnServerData and event to manipulate
+               _fnCallbackFire( oSettings, 'aoServerParams', 'serverParams', [data] );
+       
+               // Convert to object based for 1.10+ if using the old array scheme which can
+               // come from server-side processing or serverParams
+               if ( data && $.isArray(data) ) {
+                       var tmp = {};
+                       var rbracket = /(.*?)\[\]$/;
+       
+                       $.each( data, function (key, val) {
+                               var match = val.name.match(rbracket);
+       
+                               if ( match ) {
+                                       // Support for arrays
+                                       var name = match[0];
+       
+                                       if ( ! tmp[ name ] ) {
+                                               tmp[ name ] = [];
+                                       }
+                                       tmp[ name ].push( val.value );
+                               }
+                               else {
+                                       tmp[val.name] = val.value;
+                               }
+                       } );
+                       data = tmp;
+               }
+       
+               var ajaxData;
+               var ajax = oSettings.ajax;
+               var instance = oSettings.oInstance;
+               var callback = function ( json ) {
+                       _fnCallbackFire( oSettings, null, 'xhr', [oSettings, json, oSettings.jqXHR] );
+                       fn( json );
+               };
+       
+               if ( $.isPlainObject( ajax ) && ajax.data )
+               {
+                       ajaxData = ajax.data;
+       
+                       var newData = typeof ajaxData === 'function' ?
+                               ajaxData( data, oSettings ) :  // fn can manipulate data or return
+                               ajaxData;                      // an object object or array to merge
+       
+                       // If the function returned something, use that alone
+                       data = typeof ajaxData === 'function' && newData ?
+                               newData :
+                               $.extend( true, data, newData );
+       
+                       // Remove the data property as we've resolved it already and don't want
+                       // jQuery to do it again (it is restored at the end of the function)
+                       delete ajax.data;
+               }
+       
+               var baseAjax = {
+                       "data": data,
+                       "success": function (json) {
+                               var error = json.error || json.sError;
+                               if ( error ) {
+                                       _fnLog( oSettings, 0, error );
+                               }
+       
+                               oSettings.json = json;
+                               callback( json );
+                       },
+                       "dataType": "json",
+                       "cache": false,
+                       "type": oSettings.sServerMethod,
+                       "error": function (xhr, error, thrown) {
+                               var ret = _fnCallbackFire( oSettings, null, 'xhr', [oSettings, null, oSettings.jqXHR] );
+       
+                               if ( $.inArray( true, ret ) === -1 ) {
+                                       if ( error == "parsererror" ) {
+                                               _fnLog( oSettings, 0, 'Invalid JSON response', 1 );
+                                       }
+                                       else if ( xhr.readyState === 4 ) {
+                                               _fnLog( oSettings, 0, 'Ajax error', 7 );
+                                       }
+                               }
+       
+                               _fnProcessingDisplay( oSettings, false );
+                       }
+               };
+       
+               // Store the data submitted for the API
+               oSettings.oAjaxData = data;
+       
+               // Allow plug-ins and external processes to modify the data
+               _fnCallbackFire( oSettings, null, 'preXhr', [oSettings, data] );
+       
+               if ( oSettings.fnServerData )
+               {
+                       // DataTables 1.9- compatibility
+                       oSettings.fnServerData.call( instance,
+                               oSettings.sAjaxSource,
+                               $.map( data, function (val, key) { // Need to convert back to 1.9 trad format
+                                       return { name: key, value: val };
+                               } ),
+                               callback,
+                               oSettings
+                       );
+               }
+               else if ( oSettings.sAjaxSource || typeof ajax === 'string' )
+               {
+                       // DataTables 1.9- compatibility
+                       oSettings.jqXHR = $.ajax( $.extend( baseAjax, {
+                               url: ajax || oSettings.sAjaxSource
+                       } ) );
+               }
+               else if ( typeof ajax === 'function' )
+               {
+                       // Is a function - let the caller define what needs to be done
+                       oSettings.jqXHR = ajax.call( instance, data, callback, oSettings );
+               }
+               else
+               {
+                       // Object to extend the base settings
+                       oSettings.jqXHR = $.ajax( $.extend( baseAjax, ajax ) );
+       
+                       // Restore for next time around
+                       ajax.data = ajaxData;
+               }
+       }
+       
+       
+       /**
+        * Update the table using an Ajax call
+        *  @param {object} settings dataTables settings object
+        *  @returns {boolean} Block the table drawing or not
+        *  @memberof DataTable#oApi
+        */
+       function _fnAjaxUpdate( settings )
+       {
+               if ( settings.bAjaxDataGet ) {
+                       settings.iDraw++;
+                       _fnProcessingDisplay( settings, true );
+       
+                       _fnBuildAjax(
+                               settings,
+                               _fnAjaxParameters( settings ),
+                               function(json) {
+                                       _fnAjaxUpdateDraw( settings, json );
+                               }
+                       );
+       
+                       return false;
+               }
+               return true;
+       }
+       
+       
+       /**
+        * Build up the parameters in an object needed for a server-side processing
+        * request. Note that this is basically done twice, is different ways - a modern
+        * method which is used by default in DataTables 1.10 which uses objects and
+        * arrays, or the 1.9- method with is name / value pairs. 1.9 method is used if
+        * the sAjaxSource option is used in the initialisation, or the legacyAjax
+        * option is set.
+        *  @param {object} oSettings dataTables settings object
+        *  @returns {bool} block the table drawing or not
+        *  @memberof DataTable#oApi
+        */
+       function _fnAjaxParameters( settings )
+       {
+               var
+                       columns = settings.aoColumns,
+                       columnCount = columns.length,
+                       features = settings.oFeatures,
+                       preSearch = settings.oPreviousSearch,
+                       preColSearch = settings.aoPreSearchCols,
+                       i, data = [], dataProp, column, columnSearch,
+                       sort = _fnSortFlatten( settings ),
+                       displayStart = settings._iDisplayStart,
+                       displayLength = features.bPaginate !== false ?
+                               settings._iDisplayLength :
+                               -1;
+       
+               var param = function ( name, value ) {
+                       data.push( { 'name': name, 'value': value } );
+               };
+       
+               // DataTables 1.9- compatible method
+               param( 'sEcho',          settings.iDraw );
+               param( 'iColumns',       columnCount );
+               param( 'sColumns',       _pluck( columns, 'sName' ).join(',') );
+               param( 'iDisplayStart',  displayStart );
+               param( 'iDisplayLength', displayLength );
+       
+               // DataTables 1.10+ method
+               var d = {
+                       draw:    settings.iDraw,
+                       columns: [],
+                       order:   [],
+                       start:   displayStart,
+                       length:  displayLength,
+                       search:  {
+                               value: preSearch.sSearch,
+                               regex: preSearch.bRegex
+                       }
+               };
+       
+               for ( i=0 ; i<columnCount ; i++ ) {
+                       column = columns[i];
+                       columnSearch = preColSearch[i];
+                       dataProp = typeof column.mData=="function" ? 'function' : column.mData ;
+       
+                       d.columns.push( {
+                               data:       dataProp,
+                               name:       column.sName,
+                               searchable: column.bSearchable,
+                               orderable:  column.bSortable,
+                               search:     {
+                                       value: columnSearch.sSearch,
+                                       regex: columnSearch.bRegex
+                               }
+                       } );
+       
+                       param( "mDataProp_"+i, dataProp );
+       
+                       if ( features.bFilter ) {
+                               param( 'sSearch_'+i,     columnSearch.sSearch );
+                               param( 'bRegex_'+i,      columnSearch.bRegex );
+                               param( 'bSearchable_'+i, column.bSearchable );
+                       }
+       
+                       if ( features.bSort ) {
+                               param( 'bSortable_'+i, column.bSortable );
+                       }
+               }
+       
+               if ( features.bFilter ) {
+                       param( 'sSearch', preSearch.sSearch );
+                       param( 'bRegex', preSearch.bRegex );
+               }
+       
+               if ( features.bSort ) {
+                       $.each( sort, function ( i, val ) {
+                               d.order.push( { column: val.col, dir: val.dir } );
+       
+                               param( 'iSortCol_'+i, val.col );
+                               param( 'sSortDir_'+i, val.dir );
+                       } );
+       
+                       param( 'iSortingCols', sort.length );
+               }
+       
+               // If the legacy.ajax parameter is null, then we automatically decide which
+               // form to use, based on sAjaxSource
+               var legacy = DataTable.ext.legacy.ajax;
+               if ( legacy === null ) {
+                       return settings.sAjaxSource ? data : d;
+               }
+       
+               // Otherwise, if legacy has been specified then we use that to decide on the
+               // form
+               return legacy ? data : d;
+       }
+       
+       
+       /**
+        * Data the data from the server (nuking the old) and redraw the table
+        *  @param {object} oSettings dataTables settings object
+        *  @param {object} json json data return from the server.
+        *  @param {string} json.sEcho Tracking flag for DataTables to match requests
+        *  @param {int} json.iTotalRecords Number of records in the data set, not accounting for filtering
+        *  @param {int} json.iTotalDisplayRecords Number of records in the data set, accounting for filtering
+        *  @param {array} json.aaData The data to display on this page
+        *  @param {string} [json.sColumns] Column ordering (sName, comma separated)
+        *  @memberof DataTable#oApi
+        */
+       function _fnAjaxUpdateDraw ( settings, json )
+       {
+               // v1.10 uses camelCase variables, while 1.9 uses Hungarian notation.
+               // Support both
+               var compat = function ( old, modern ) {
+                       return json[old] !== undefined ? json[old] : json[modern];
+               };
+       
+               var data = _fnAjaxDataSrc( settings, json );
+               var draw            = compat( 'sEcho',                'draw' );
+               var recordsTotal    = compat( 'iTotalRecords',        'recordsTotal' );
+               var recordsFiltered = compat( 'iTotalDisplayRecords', 'recordsFiltered' );
+       
+               if ( draw !== undefined ) {
+                       // Protect against out of sequence returns
+                       if ( draw*1 < settings.iDraw ) {
+                               return;
+                       }
+                       settings.iDraw = draw * 1;
+               }
+       
+               _fnClearTable( settings );
+               settings._iRecordsTotal   = parseInt(recordsTotal, 10);
+               settings._iRecordsDisplay = parseInt(recordsFiltered, 10);
+       
+               for ( var i=0, ien=data.length ; i<ien ; i++ ) {
+                       _fnAddData( settings, data[i] );
+               }
+               settings.aiDisplay = settings.aiDisplayMaster.slice();
+       
+               settings.bAjaxDataGet = false;
+               _fnDraw( settings );
+       
+               if ( ! settings._bInitComplete ) {
+                       _fnInitComplete( settings, json );
+               }
+       
+               settings.bAjaxDataGet = true;
+               _fnProcessingDisplay( settings, false );
+       }
+       
+       
+       /**
+        * Get the data from the JSON data source to use for drawing a table. Using
+        * `_fnGetObjectDataFn` allows the data to be sourced from a property of the
+        * source object, or from a processing function.
+        *  @param {object} oSettings dataTables settings object
+        *  @param  {object} json Data source object / array from the server
+        *  @return {array} Array of data to use
+        */
+       function _fnAjaxDataSrc ( oSettings, json )
+       {
+               var dataSrc = $.isPlainObject( oSettings.ajax ) && oSettings.ajax.dataSrc !== undefined ?
+                       oSettings.ajax.dataSrc :
+                       oSettings.sAjaxDataProp; // Compatibility with 1.9-.
+       
+               // Compatibility with 1.9-. In order to read from aaData, check if the
+               // default has been changed, if not, check for aaData
+               if ( dataSrc === 'data' ) {
+                       return json.aaData || json[dataSrc];
+               }
+       
+               return dataSrc !== "" ?
+                       _fnGetObjectDataFn( dataSrc )( json ) :
+                       json;
+       }
+       
+       /**
+        * Generate the node required for filtering text
+        *  @returns {node} Filter control element
+        *  @param {object} oSettings dataTables settings object
+        *  @memberof DataTable#oApi
+        */
+       function _fnFeatureHtmlFilter ( settings )
+       {
+               var classes = settings.oClasses;
+               var tableId = settings.sTableId;
+               var language = settings.oLanguage;
+               var previousSearch = settings.oPreviousSearch;
+               var features = settings.aanFeatures;
+               var input = '<input type="search" class="'+classes.sFilterInput+'"/>';
+       
+               var str = language.sSearch;
+               str = str.match(/_INPUT_/) ?
+                       str.replace('_INPUT_', input) :
+                       str+input;
+       
+               var filter = $('<div/>', {
+                               'id': ! features.f ? tableId+'_filter' : null,
+                               'class': classes.sFilter
+                       } )
+                       .append( $('<label/>' ).append( str ) );
+       
+               var searchFn = function() {
+                       /* Update all other filter input elements for the new display */
+                       var n = features.f;
+                       var val = !this.value ? "" : this.value; // mental IE8 fix :-(
+       
+                       /* Now do the filter */
+                       if ( val != previousSearch.sSearch ) {
+                               _fnFilterComplete( settings, {
+                                       "sSearch": val,
+                                       "bRegex": previousSearch.bRegex,
+                                       "bSmart": previousSearch.bSmart ,
+                                       "bCaseInsensitive": previousSearch.bCaseInsensitive
+                               } );
+       
+                               // Need to redraw, without resorting
+                               settings._iDisplayStart = 0;
+                               _fnDraw( settings );
+                       }
+               };
+       
+               var searchDelay = settings.searchDelay !== null ?
+                       settings.searchDelay :
+                       _fnDataSource( settings ) === 'ssp' ?
+                               400 :
+                               0;
+       
+               var jqFilter = $('input', filter)
+                       .val( previousSearch.sSearch )
+                       .attr( 'placeholder', language.sSearchPlaceholder )
+                       .on(
+                               'keyup.DT search.DT input.DT paste.DT cut.DT',
+                               searchDelay ?
+                                       _fnThrottle( searchFn, searchDelay ) :
+                                       searchFn
+                       )
+                       .on( 'mouseup', function(e) {
+                               // Edge fix! Edge 17 does not trigger anything other than mouse events when clicking
+                               // on the clear icon (Edge bug 17584515). This is safe in other browsers as `searchFn`
+                               // checks the value to see if it has changed. In other browsers it won't have.
+                               setTimeout( function () {
+                                       searchFn.call(jqFilter[0]);
+                               }, 10);
+                       } )
+                       .on( 'keypress.DT', function(e) {
+                               /* Prevent form submission */
+                               if ( e.keyCode == 13 ) {
+                                       return false;
+                               }
+                       } )
+                       .attr('aria-controls', tableId);
+       
+               // Update the input elements whenever the table is filtered
+               $(settings.nTable).on( 'search.dt.DT', function ( ev, s ) {
+                       if ( settings === s ) {
+                               // IE9 throws an 'unknown error' if document.activeElement is used
+                               // inside an iframe or frame...
+                               try {
+                                       if ( jqFilter[0] !== document.activeElement ) {
+                                               jqFilter.val( previousSearch.sSearch );
+                                       }
+                               }
+                               catch ( e ) {}
+                       }
+               } );
+       
+               return filter[0];
+       }
+       
+       
+       /**
+        * Filter the table using both the global filter and column based filtering
+        *  @param {object} oSettings dataTables settings object
+        *  @param {object} oSearch search information
+        *  @param {int} [iForce] force a research of the master array (1) or not (undefined or 0)
+        *  @memberof DataTable#oApi
+        */
+       function _fnFilterComplete ( oSettings, oInput, iForce )
+       {
+               var oPrevSearch = oSettings.oPreviousSearch;
+               var aoPrevSearch = oSettings.aoPreSearchCols;
+               var fnSaveFilter = function ( oFilter ) {
+                       /* Save the filtering values */
+                       oPrevSearch.sSearch = oFilter.sSearch;
+                       oPrevSearch.bRegex = oFilter.bRegex;
+                       oPrevSearch.bSmart = oFilter.bSmart;
+                       oPrevSearch.bCaseInsensitive = oFilter.bCaseInsensitive;
+               };
+               var fnRegex = function ( o ) {
+                       // Backwards compatibility with the bEscapeRegex option
+                       return o.bEscapeRegex !== undefined ? !o.bEscapeRegex : o.bRegex;
+               };
+       
+               // Resolve any column types that are unknown due to addition or invalidation
+               // @todo As per sort - can this be moved into an event handler?
+               _fnColumnTypes( oSettings );
+       
+               /* In server-side processing all filtering is done by the server, so no point hanging around here */
+               if ( _fnDataSource( oSettings ) != 'ssp' )
+               {
+                       /* Global filter */
+                       _fnFilter( oSettings, oInput.sSearch, iForce, fnRegex(oInput), oInput.bSmart, oInput.bCaseInsensitive );
+                       fnSaveFilter( oInput );
+       
+                       /* Now do the individual column filter */
+                       for ( var i=0 ; i<aoPrevSearch.length ; i++ )
+                       {
+                               _fnFilterColumn( oSettings, aoPrevSearch[i].sSearch, i, fnRegex(aoPrevSearch[i]),
+                                       aoPrevSearch[i].bSmart, aoPrevSearch[i].bCaseInsensitive );
+                       }
+       
+                       /* Custom filtering */
+                       _fnFilterCustom( oSettings );
+               }
+               else
+               {
+                       fnSaveFilter( oInput );
+               }
+       
+               /* Tell the draw function we have been filtering */
+               oSettings.bFiltered = true;
+               _fnCallbackFire( oSettings, null, 'search', [oSettings] );
+       }
+       
+       
+       /**
+        * Apply custom filtering functions
+        *  @param {object} oSettings dataTables settings object
+        *  @memberof DataTable#oApi
+        */
+       function _fnFilterCustom( settings )
+       {
+               var filters = DataTable.ext.search;
+               var displayRows = settings.aiDisplay;
+               var row, rowIdx;
+       
+               for ( var i=0, ien=filters.length ; i<ien ; i++ ) {
+                       var rows = [];
+       
+                       // Loop over each row and see if it should be included
+                       for ( var j=0, jen=displayRows.length ; j<jen ; j++ ) {
+                               rowIdx = displayRows[ j ];
+                               row = settings.aoData[ rowIdx ];
+       
+                               if ( filters[i]( settings, row._aFilterData, rowIdx, row._aData, j ) ) {
+                                       rows.push( rowIdx );
+                               }
+                       }
+       
+                       // So the array reference doesn't break set the results into the
+                       // existing array
+                       displayRows.length = 0;
+                       $.merge( displayRows, rows );
+               }
+       }
+       
+       
+       /**
+        * Filter the table on a per-column basis
+        *  @param {object} oSettings dataTables settings object
+        *  @param {string} sInput string to filter on
+        *  @param {int} iColumn column to filter
+        *  @param {bool} bRegex treat search string as a regular expression or not
+        *  @param {bool} bSmart use smart filtering or not
+        *  @param {bool} bCaseInsensitive Do case insenstive matching or not
+        *  @memberof DataTable#oApi
+        */
+       function _fnFilterColumn ( settings, searchStr, colIdx, regex, smart, caseInsensitive )
+       {
+               if ( searchStr === '' ) {
+                       return;
+               }
+       
+               var data;
+               var out = [];
+               var display = settings.aiDisplay;
+               var rpSearch = _fnFilterCreateSearch( searchStr, regex, smart, caseInsensitive );
+       
+               for ( var i=0 ; i<display.length ; i++ ) {
+                       data = settings.aoData[ display[i] ]._aFilterData[ colIdx ];
+       
+                       if ( rpSearch.test( data ) ) {
+                               out.push( display[i] );
+                       }
+               }
+       
+               settings.aiDisplay = out;
+       }
+       
+       
+       /**
+        * Filter the data table based on user input and draw the table
+        *  @param {object} settings dataTables settings object
+        *  @param {string} input string to filter on
+        *  @param {int} force optional - force a research of the master array (1) or not (undefined or 0)
+        *  @param {bool} regex treat as a regular expression or not
+        *  @param {bool} smart perform smart filtering or not
+        *  @param {bool} caseInsensitive Do case insenstive matching or not
+        *  @memberof DataTable#oApi
+        */
+       function _fnFilter( settings, input, force, regex, smart, caseInsensitive )
+       {
+               var rpSearch = _fnFilterCreateSearch( input, regex, smart, caseInsensitive );
+               var prevSearch = settings.oPreviousSearch.sSearch;
+               var displayMaster = settings.aiDisplayMaster;
+               var display, invalidated, i;
+               var filtered = [];
+       
+               // Need to take account of custom filtering functions - always filter
+               if ( DataTable.ext.search.length !== 0 ) {
+                       force = true;
+               }
+       
+               // Check if any of the rows were invalidated
+               invalidated = _fnFilterData( settings );
+       
+               // If the input is blank - we just want the full data set
+               if ( input.length <= 0 ) {
+                       settings.aiDisplay = displayMaster.slice();
+               }
+               else {
+                       // New search - start from the master array
+                       if ( invalidated ||
+                                force ||
+                                regex ||
+                                prevSearch.length > input.length ||
+                                input.indexOf(prevSearch) !== 0 ||
+                                settings.bSorted // On resort, the display master needs to be
+                                                 // re-filtered since indexes will have changed
+                       ) {
+                               settings.aiDisplay = displayMaster.slice();
+                       }
+       
+                       // Search the display array
+                       display = settings.aiDisplay;
+       
+                       for ( i=0 ; i<display.length ; i++ ) {
+                               if ( rpSearch.test( settings.aoData[ display[i] ]._sFilterRow ) ) {
+                                       filtered.push( display[i] );
+                               }
+                       }
+       
+                       settings.aiDisplay = filtered;
+               }
+       }
+       
+       
+       /**
+        * Build a regular expression object suitable for searching a table
+        *  @param {string} sSearch string to search for
+        *  @param {bool} bRegex treat as a regular expression or not
+        *  @param {bool} bSmart perform smart filtering or not
+        *  @param {bool} bCaseInsensitive Do case insensitive matching or not
+        *  @returns {RegExp} constructed object
+        *  @memberof DataTable#oApi
+        */
+       function _fnFilterCreateSearch( search, regex, smart, caseInsensitive )
+       {
+               search = regex ?
+                       search :
+                       _fnEscapeRegex( search );
+               
+               if ( smart ) {
+                       /* For smart filtering we want to allow the search to work regardless of
+                        * word order. We also want double quoted text to be preserved, so word
+                        * order is important - a la google. So this is what we want to
+                        * generate:
+                        * 
+                        * ^(?=.*?\bone\b)(?=.*?\btwo three\b)(?=.*?\bfour\b).*$
+                        */
+                       var a = $.map( search.match( /"[^"]+"|[^ ]+/g ) || [''], function ( word ) {
+                               if ( word.charAt(0) === '"' ) {
+                                       var m = word.match( /^"(.*)"$/ );
+                                       word = m ? m[1] : word;
+                               }
+       
+                               return word.replace('"', '');
+                       } );
+       
+                       search = '^(?=.*?'+a.join( ')(?=.*?' )+').*$';
+               }
+       
+               return new RegExp( search, caseInsensitive ? 'i' : '' );
+       }
+       
+       
+       /**
+        * Escape a string such that it can be used in a regular expression
+        *  @param {string} sVal string to escape
+        *  @returns {string} escaped string
+        *  @memberof DataTable#oApi
+        */
+       var _fnEscapeRegex = DataTable.util.escapeRegex;
+       
+       var __filter_div = $('<div>')[0];
+       var __filter_div_textContent = __filter_div.textContent !== undefined;
+       
+       // Update the filtering data for each row if needed (by invalidation or first run)
+       function _fnFilterData ( settings )
+       {
+               var columns = settings.aoColumns;
+               var column;
+               var i, j, ien, jen, filterData, cellData, row;
+               var fomatters = DataTable.ext.type.search;
+               var wasInvalidated = false;
+       
+               for ( i=0, ien=settings.aoData.length ; i<ien ; i++ ) {
+                       row = settings.aoData[i];
+       
+                       if ( ! row._aFilterData ) {
+                               filterData = [];
+       
+                               for ( j=0, jen=columns.length ; j<jen ; j++ ) {
+                                       column = columns[j];
+       
+                                       if ( column.bSearchable ) {
+                                               cellData = _fnGetCellData( settings, i, j, 'filter' );
+       
+                                               if ( fomatters[ column.sType ] ) {
+                                                       cellData = fomatters[ column.sType ]( cellData );
+                                               }
+       
+                                               // Search in DataTables 1.10 is string based. In 1.11 this
+                                               // should be altered to also allow strict type checking.
+                                               if ( cellData === null ) {
+                                                       cellData = '';
+                                               }
+       
+                                               if ( typeof cellData !== 'string' && cellData.toString ) {
+                                                       cellData = cellData.toString();
+                                               }
+                                       }
+                                       else {
+                                               cellData = '';
+                                       }
+       
+                                       // If it looks like there is an HTML entity in the string,
+                                       // attempt to decode it so sorting works as expected. Note that
+                                       // we could use a single line of jQuery to do this, but the DOM
+                                       // method used here is much faster http://jsperf.com/html-decode
+                                       if ( cellData.indexOf && cellData.indexOf('&') !== -1 ) {
+                                               __filter_div.innerHTML = cellData;
+                                               cellData = __filter_div_textContent ?
+                                                       __filter_div.textContent :
+                                                       __filter_div.innerText;
+                                       }
+       
+                                       if ( cellData.replace ) {
+                                               cellData = cellData.replace(/[\r\n\u2028]/g, '');
+                                       }
+       
+                                       filterData.push( cellData );
+                               }
+       
+                               row._aFilterData = filterData;
+                               row._sFilterRow = filterData.join('  ');
+                               wasInvalidated = true;
+                       }
+               }
+       
+               return wasInvalidated;
+       }
+       
+       
+       /**
+        * Convert from the internal Hungarian notation to camelCase for external
+        * interaction
+        *  @param {object} obj Object to convert
+        *  @returns {object} Inverted object
+        *  @memberof DataTable#oApi
+        */
+       function _fnSearchToCamel ( obj )
+       {
+               return {
+                       search:          obj.sSearch,
+                       smart:           obj.bSmart,
+                       regex:           obj.bRegex,
+                       caseInsensitive: obj.bCaseInsensitive
+               };
+       }
+       
+       
+       
+       /**
+        * Convert from camelCase notation to the internal Hungarian. We could use the
+        * Hungarian convert function here, but this is cleaner
+        *  @param {object} obj Object to convert
+        *  @returns {object} Inverted object
+        *  @memberof DataTable#oApi
+        */
+       function _fnSearchToHung ( obj )
+       {
+               return {
+                       sSearch:          obj.search,
+                       bSmart:           obj.smart,
+                       bRegex:           obj.regex,
+                       bCaseInsensitive: obj.caseInsensitive
+               };
+       }
+       
+       /**
+        * Generate the node required for the info display
+        *  @param {object} oSettings dataTables settings object
+        *  @returns {node} Information element
+        *  @memberof DataTable#oApi
+        */
+       function _fnFeatureHtmlInfo ( settings )
+       {
+               var
+                       tid = settings.sTableId,
+                       nodes = settings.aanFeatures.i,
+                       n = $('<div/>', {
+                               'class': settings.oClasses.sInfo,
+                               'id': ! nodes ? tid+'_info' : null
+                       } );
+       
+               if ( ! nodes ) {
+                       // Update display on each draw
+                       settings.aoDrawCallback.push( {
+                               "fn": _fnUpdateInfo,
+                               "sName": "information"
+                       } );
+       
+                       n
+                               .attr( 'role', 'status' )
+                               .attr( 'aria-live', 'polite' );
+       
+                       // Table is described by our info div
+                       $(settings.nTable).attr( 'aria-describedby', tid+'_info' );
+               }
+       
+               return n[0];
+       }
+       
+       
+       /**
+        * Update the information elements in the display
+        *  @param {object} settings dataTables settings object
+        *  @memberof DataTable#oApi
+        */
+       function _fnUpdateInfo ( settings )
+       {
+               /* Show information about the table */
+               var nodes = settings.aanFeatures.i;
+               if ( nodes.length === 0 ) {
+                       return;
+               }
+       
+               var
+                       lang  = settings.oLanguage,
+                       start = settings._iDisplayStart+1,
+                       end   = settings.fnDisplayEnd(),
+                       max   = settings.fnRecordsTotal(),
+                       total = settings.fnRecordsDisplay(),
+                       out   = total ?
+                               lang.sInfo :
+                               lang.sInfoEmpty;
+       
+               if ( total !== max ) {
+                       /* Record set after filtering */
+                       out += ' ' + lang.sInfoFiltered;
+               }
+       
+               // Convert the macros
+               out += lang.sInfoPostFix;
+               out = _fnInfoMacros( settings, out );
+       
+               var callback = lang.fnInfoCallback;
+               if ( callback !== null ) {
+                       out = callback.call( settings.oInstance,
+                               settings, start, end, max, total, out
+                       );
+               }
+       
+               $(nodes).html( out );
+       }
+       
+       
+       function _fnInfoMacros ( settings, str )
+       {
+               // When infinite scrolling, we are always starting at 1. _iDisplayStart is used only
+               // internally
+               var
+                       formatter  = settings.fnFormatNumber,
+                       start      = settings._iDisplayStart+1,
+                       len        = settings._iDisplayLength,
+                       vis        = settings.fnRecordsDisplay(),
+                       all        = len === -1;
+       
+               return str.
+                       replace(/_START_/g, formatter.call( settings, start ) ).
+                       replace(/_END_/g,   formatter.call( settings, settings.fnDisplayEnd() ) ).
+                       replace(/_MAX_/g,   formatter.call( settings, settings.fnRecordsTotal() ) ).
+                       replace(/_TOTAL_/g, formatter.call( settings, vis ) ).
+                       replace(/_PAGE_/g,  formatter.call( settings, all ? 1 : Math.ceil( start / len ) ) ).
+                       replace(/_PAGES_/g, formatter.call( settings, all ? 1 : Math.ceil( vis / len ) ) );
+       }
+       
+       
+       
+       /**
+        * Draw the table for the first time, adding all required features
+        *  @param {object} settings dataTables settings object
+        *  @memberof DataTable#oApi
+        */
+       function _fnInitialise ( settings )
+       {
+               var i, iLen, iAjaxStart=settings.iInitDisplayStart;
+               var columns = settings.aoColumns, column;
+               var features = settings.oFeatures;
+               var deferLoading = settings.bDeferLoading; // value modified by the draw
+       
+               /* Ensure that the table data is fully initialised */
+               if ( ! settings.bInitialised ) {
+                       setTimeout( function(){ _fnInitialise( settings ); }, 200 );
+                       return;
+               }
+       
+               /* Show the display HTML options */
+               _fnAddOptionsHtml( settings );
+       
+               /* Build and draw the header / footer for the table */
+               _fnBuildHead( settings );
+               _fnDrawHead( settings, settings.aoHeader );
+               _fnDrawHead( settings, settings.aoFooter );
+       
+               /* Okay to show that something is going on now */
+               _fnProcessingDisplay( settings, true );
+       
+               /* Calculate sizes for columns */
+               if ( features.bAutoWidth ) {
+                       _fnCalculateColumnWidths( settings );
+               }
+       
+               for ( i=0, iLen=columns.length ; i<iLen ; i++ ) {
+                       column = columns[i];
+       
+                       if ( column.sWidth ) {
+                               column.nTh.style.width = _fnStringToCss( column.sWidth );
+                       }
+               }
+       
+               _fnCallbackFire( settings, null, 'preInit', [settings] );
+       
+               // If there is default sorting required - let's do it. The sort function
+               // will do the drawing for us. Otherwise we draw the table regardless of the
+               // Ajax source - this allows the table to look initialised for Ajax sourcing
+               // data (show 'loading' message possibly)
+               _fnReDraw( settings );
+       
+               // Server-side processing init complete is done by _fnAjaxUpdateDraw
+               var dataSrc = _fnDataSource( settings );
+               if ( dataSrc != 'ssp' || deferLoading ) {
+                       // if there is an ajax source load the data
+                       if ( dataSrc == 'ajax' ) {
+                               _fnBuildAjax( settings, [], function(json) {
+                                       var aData = _fnAjaxDataSrc( settings, json );
+       
+                                       // Got the data - add it to the table
+                                       for ( i=0 ; i<aData.length ; i++ ) {
+                                               _fnAddData( settings, aData[i] );
+                                       }
+       
+                                       // Reset the init display for cookie saving. We've already done
+                                       // a filter, and therefore cleared it before. So we need to make
+                                       // it appear 'fresh'
+                                       settings.iInitDisplayStart = iAjaxStart;
+       
+                                       _fnReDraw( settings );
+       
+                                       _fnProcessingDisplay( settings, false );
+                                       _fnInitComplete( settings, json );
+                               }, settings );
+                       }
+                       else {
+                               _fnProcessingDisplay( settings, false );
+                               _fnInitComplete( settings );
+                       }
+               }
+       }
+       
+       
+       /**
+        * Draw the table for the first time, adding all required features
+        *  @param {object} oSettings dataTables settings object
+        *  @param {object} [json] JSON from the server that completed the table, if using Ajax source
+        *    with client-side processing (optional)
+        *  @memberof DataTable#oApi
+        */
+       function _fnInitComplete ( settings, json )
+       {
+               settings._bInitComplete = true;
+       
+               // When data was added after the initialisation (data or Ajax) we need to
+               // calculate the column sizing
+               if ( json || settings.oInit.aaData ) {
+                       _fnAdjustColumnSizing( settings );
+               }
+       
+               _fnCallbackFire( settings, null, 'plugin-init', [settings, json] );
+               _fnCallbackFire( settings, 'aoInitComplete', 'init', [settings, json] );
+       }
+       
+       
+       function _fnLengthChange ( settings, val )
+       {
+               var len = parseInt( val, 10 );
+               settings._iDisplayLength = len;
+       
+               _fnLengthOverflow( settings );
+       
+               // Fire length change event
+               _fnCallbackFire( settings, null, 'length', [settings, len] );
+       }
+       
+       
+       /**
+        * Generate the node required for user display length changing
+        *  @param {object} settings dataTables settings object
+        *  @returns {node} Display length feature node
+        *  @memberof DataTable#oApi
+        */
+       function _fnFeatureHtmlLength ( settings )
+       {
+               var
+                       classes  = settings.oClasses,
+                       tableId  = settings.sTableId,
+                       menu     = settings.aLengthMenu,
+                       d2       = $.isArray( menu[0] ),
+                       lengths  = d2 ? menu[0] : menu,
+                       language = d2 ? menu[1] : menu;
+       
+               var select = $('<select/>', {
+                       'name':          tableId+'_length',
+                       'aria-controls': tableId,
+                       'class':         classes.sLengthSelect
+               } );
+       
+               for ( var i=0, ien=lengths.length ; i<ien ; i++ ) {
+                       select[0][ i ] = new Option(
+                               typeof language[i] === 'number' ?
+                                       settings.fnFormatNumber( language[i] ) :
+                                       language[i],
+                               lengths[i]
+                       );
+               }
+       
+               var div = $('<div><label/></div>').addClass( classes.sLength );
+               if ( ! settings.aanFeatures.l ) {
+                       div[0].id = tableId+'_length';
+               }
+       
+               div.children().append(
+                       settings.oLanguage.sLengthMenu.replace( '_MENU_', select[0].outerHTML )
+               );
+       
+               // Can't use `select` variable as user might provide their own and the
+               // reference is broken by the use of outerHTML
+               $('select', div)
+                       .val( settings._iDisplayLength )
+                       .on( 'change.DT', function(e) {
+                               _fnLengthChange( settings, $(this).val() );
+                               _fnDraw( settings );
+                       } );
+       
+               // Update node value whenever anything changes the table's length
+               $(settings.nTable).on( 'length.dt.DT', function (e, s, len) {
+                       if ( settings === s ) {
+                               $('select', div).val( len );
+                       }
+               } );
+       
+               return div[0];
+       }
+       
+       
+       
+       /* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * *
+        * Note that most of the paging logic is done in
+        * DataTable.ext.pager
+        */
+       
+       /**
+        * Generate the node required for default pagination
+        *  @param {object} oSettings dataTables settings object
+        *  @returns {node} Pagination feature node
+        *  @memberof DataTable#oApi
+        */
+       function _fnFeatureHtmlPaginate ( settings )
+       {
+               var
+                       type   = settings.sPaginationType,
+                       plugin = DataTable.ext.pager[ type ],
+                       modern = typeof plugin === 'function',
+                       redraw = function( settings ) {
+                               _fnDraw( settings );
+                       },
+                       node = $('<div/>').addClass( settings.oClasses.sPaging + type )[0],
+                       features = settings.aanFeatures;
+       
+               if ( ! modern ) {
+                       plugin.fnInit( settings, node, redraw );
+               }
+       
+               /* Add a draw callback for the pagination on first instance, to update the paging display */
+               if ( ! features.p )
+               {
+                       node.id = settings.sTableId+'_paginate';
+       
+                       settings.aoDrawCallback.push( {
+                               "fn": function( settings ) {
+                                       if ( modern ) {
+                                               var
+                                                       start      = settings._iDisplayStart,
+                                                       len        = settings._iDisplayLength,
+                                                       visRecords = settings.fnRecordsDisplay(),
+                                                       all        = len === -1,
+                                                       page = all ? 0 : Math.ceil( start / len ),
+                                                       pages = all ? 1 : Math.ceil( visRecords / len ),
+                                                       buttons = plugin(page, pages),
+                                                       i, ien;
+       
+                                               for ( i=0, ien=features.p.length ; i<ien ; i++ ) {
+                                                       _fnRenderer( settings, 'pageButton' )(
+                                                               settings, features.p[i], i, buttons, page, pages
+                                                       );
+                                               }
+                                       }
+                                       else {
+                                               plugin.fnUpdate( settings, redraw );
+                                       }
+                               },
+                               "sName": "pagination"
+                       } );
+               }
+       
+               return node;
+       }
+       
+       
+       /**
+        * Alter the display settings to change the page
+        *  @param {object} settings DataTables settings object
+        *  @param {string|int} action Paging action to take: "first", "previous",
+        *    "next" or "last" or page number to jump to (integer)
+        *  @param [bool] redraw Automatically draw the update or not
+        *  @returns {bool} true page has changed, false - no change
+        *  @memberof DataTable#oApi
+        */
+       function _fnPageChange ( settings, action, redraw )
+       {
+               var
+                       start     = settings._iDisplayStart,
+                       len       = settings._iDisplayLength,
+                       records   = settings.fnRecordsDisplay();
+       
+               if ( records === 0 || len === -1 )
+               {
+                       start = 0;
+               }
+               else if ( typeof action === "number" )
+               {
+                       start = action * len;
+       
+                       if ( start > records )
+                       {
+                               start = 0;
+                       }
+               }
+               else if ( action == "first" )
+               {
+                       start = 0;
+               }
+               else if ( action == "previous" )
+               {
+                       start = len >= 0 ?
+                               start - len :
+                               0;
+       
+                       if ( start < 0 )
+                       {
+                         start = 0;
+                       }
+               }
+               else if ( action == "next" )
+               {
+                       if ( start + len < records )
+                       {
+                               start += len;
+                       }
+               }
+               else if ( action == "last" )
+               {
+                       start = Math.floor( (records-1) / len) * len;
+               }
+               else
+               {
+                       _fnLog( settings, 0, "Unknown paging action: "+action, 5 );
+               }
+       
+               var changed = settings._iDisplayStart !== start;
+               settings._iDisplayStart = start;
+       
+               if ( changed ) {
+                       _fnCallbackFire( settings, null, 'page', [settings] );
+       
+                       if ( redraw ) {
+                               _fnDraw( settings );
+                       }
+               }
+       
+               return changed;
+       }
+       
+       
+       
+       /**
+        * Generate the node required for the processing node
+        *  @param {object} settings dataTables settings object
+        *  @returns {node} Processing element
+        *  @memberof DataTable#oApi
+        */
+       function _fnFeatureHtmlProcessing ( settings )
+       {
+               return $('<div/>', {
+                               'id': ! settings.aanFeatures.r ? settings.sTableId+'_processing' : null,
+                               'class': settings.oClasses.sProcessing
+                       } )
+                       .html( settings.oLanguage.sProcessing )
+                       .insertBefore( settings.nTable )[0];
+       }
+       
+       
+       /**
+        * Display or hide the processing indicator
+        *  @param {object} settings dataTables settings object
+        *  @param {bool} show Show the processing indicator (true) or not (false)
+        *  @memberof DataTable#oApi
+        */
+       function _fnProcessingDisplay ( settings, show )
+       {
+               if ( settings.oFeatures.bProcessing ) {
+                       $(settings.aanFeatures.r).css( 'display', show ? 'block' : 'none' );
+               }
+       
+               _fnCallbackFire( settings, null, 'processing', [settings, show] );
+       }
+       
+       /**
+        * Add any control elements for the table - specifically scrolling
+        *  @param {object} settings dataTables settings object
+        *  @returns {node} Node to add to the DOM
+        *  @memberof DataTable#oApi
+        */
+       function _fnFeatureHtmlTable ( settings )
+       {
+               var table = $(settings.nTable);
+       
+               // Add the ARIA grid role to the table
+               table.attr( 'role', 'grid' );
+       
+               // Scrolling from here on in
+               var scroll = settings.oScroll;
+       
+               if ( scroll.sX === '' && scroll.sY === '' ) {
+                       return settings.nTable;
+               }
+       
+               var scrollX = scroll.sX;
+               var scrollY = scroll.sY;
+               var classes = settings.oClasses;
+               var caption = table.children('caption');
+               var captionSide = caption.length ? caption[0]._captionSide : null;
+               var headerClone = $( table[0].cloneNode(false) );
+               var footerClone = $( table[0].cloneNode(false) );
+               var footer = table.children('tfoot');
+               var _div = '<div/>';
+               var size = function ( s ) {
+                       return !s ? null : _fnStringToCss( s );
+               };
+       
+               if ( ! footer.length ) {
+                       footer = null;
+               }
+       
+               /*
+                * The HTML structure that we want to generate in this function is:
+                *  div - scroller
+                *    div - scroll head
+                *      div - scroll head inner
+                *        table - scroll head table
+                *          thead - thead
+                *    div - scroll body
+                *      table - table (master table)
+                *        thead - thead clone for sizing
+                *        tbody - tbody
+                *    div - scroll foot
+                *      div - scroll foot inner
+                *        table - scroll foot table
+                *          tfoot - tfoot
+                */
+               var scroller = $( _div, { 'class': classes.sScrollWrapper } )
+                       .append(
+                               $(_div, { 'class': classes.sScrollHead } )
+                                       .css( {
+                                               overflow: 'hidden',
+                                               position: 'relative',
+                                               border: 0,
+                                               width: scrollX ? size(scrollX) : '100%'
+                                       } )
+                                       .append(
+                                               $(_div, { 'class': classes.sScrollHeadInner } )
+                                                       .css( {
+                                                               'box-sizing': 'content-box',
+                                                               width: scroll.sXInner || '100%'
+                                                       } )
+                                                       .append(
+                                                               headerClone
+                                                                       .removeAttr('id')
+                                                                       .css( 'margin-left', 0 )
+                                                                       .append( captionSide === 'top' ? caption : null )
+                                                                       .append(
+                                                                               table.children('thead')
+                                                                       )
+                                                       )
+                                       )
+                       )
+                       .append(
+                               $(_div, { 'class': classes.sScrollBody } )
+                                       .css( {
+                                               position: 'relative',
+                                               overflow: 'auto',
+                                               width: size( scrollX )
+                                       } )
+                                       .append( table )
+                       );
+       
+               if ( footer ) {
+                       scroller.append(
+                               $(_div, { 'class': classes.sScrollFoot } )
+                                       .css( {
+                                               overflow: 'hidden',
+                                               border: 0,
+                                               width: scrollX ? size(scrollX) : '100%'
+                                       } )
+                                       .append(
+                                               $(_div, { 'class': classes.sScrollFootInner } )
+                                                       .append(
+                                                               footerClone
+                                                                       .removeAttr('id')
+                                                                       .css( 'margin-left', 0 )
+                                                                       .append( captionSide === 'bottom' ? caption : null )
+                                                                       .append(
+                                                                               table.children('tfoot')
+                                                                       )
+                                                       )
+                                       )
+                       );
+               }
+       
+               var children = scroller.children();
+               var scrollHead = children[0];
+               var scrollBody = children[1];
+               var scrollFoot = footer ? children[2] : null;
+       
+               // When the body is scrolled, then we also want to scroll the headers
+               if ( scrollX ) {
+                       $(scrollBody).on( 'scroll.DT', function (e) {
+                               var scrollLeft = this.scrollLeft;
+       
+                               scrollHead.scrollLeft = scrollLeft;
+       
+                               if ( footer ) {
+                                       scrollFoot.scrollLeft = scrollLeft;
+                               }
+                       } );
+               }
+       
+               $(scrollBody).css('max-height', scrollY);
+               if (! scroll.bCollapse) {
+                       $(scrollBody).css('height', scrollY);
+               }
+       
+               settings.nScrollHead = scrollHead;
+               settings.nScrollBody = scrollBody;
+               settings.nScrollFoot = scrollFoot;
+       
+               // On redraw - align columns
+               settings.aoDrawCallback.push( {
+                       "fn": _fnScrollDraw,
+                       "sName": "scrolling"
+               } );
+       
+               return scroller[0];
+       }
+       
+       
+       
+       /**
+        * Update the header, footer and body tables for resizing - i.e. column
+        * alignment.
+        *
+        * Welcome to the most horrible function DataTables. The process that this
+        * function follows is basically:
+        *   1. Re-create the table inside the scrolling div
+        *   2. Take live measurements from the DOM
+        *   3. Apply the measurements to align the columns
+        *   4. Clean up
+        *
+        *  @param {object} settings dataTables settings object
+        *  @memberof DataTable#oApi
+        */
+       function _fnScrollDraw ( settings )
+       {
+               // Given that this is such a monster function, a lot of variables are use
+               // to try and keep the minimised size as small as possible
+               var
+                       scroll         = settings.oScroll,
+                       scrollX        = scroll.sX,
+                       scrollXInner   = scroll.sXInner,
+                       scrollY        = scroll.sY,
+                       barWidth       = scroll.iBarWidth,
+                       divHeader      = $(settings.nScrollHead),
+                       divHeaderStyle = divHeader[0].style,
+                       divHeaderInner = divHeader.children('div'),
+                       divHeaderInnerStyle = divHeaderInner[0].style,
+                       divHeaderTable = divHeaderInner.children('table'),
+                       divBodyEl      = settings.nScrollBody,
+                       divBody        = $(divBodyEl),
+                       divBodyStyle   = divBodyEl.style,
+                       divFooter      = $(settings.nScrollFoot),
+                       divFooterInner = divFooter.children('div'),
+                       divFooterTable = divFooterInner.children('table'),
+                       header         = $(settings.nTHead),
+                       table          = $(settings.nTable),
+                       tableEl        = table[0],
+                       tableStyle     = tableEl.style,
+                       footer         = settings.nTFoot ? $(settings.nTFoot) : null,
+                       browser        = settings.oBrowser,
+                       ie67           = browser.bScrollOversize,
+                       dtHeaderCells  = _pluck( settings.aoColumns, 'nTh' ),
+                       headerTrgEls, footerTrgEls,
+                       headerSrcEls, footerSrcEls,
+                       headerCopy, footerCopy,
+                       headerWidths=[], footerWidths=[],
+                       headerContent=[], footerContent=[],
+                       idx, correction, sanityWidth,
+                       zeroOut = function(nSizer) {
+                               var style = nSizer.style;
+                               style.paddingTop = "0";
+                               style.paddingBottom = "0";
+                               style.borderTopWidth = "0";
+                               style.borderBottomWidth = "0";
+                               style.height = 0;
+                       };
+       
+               // If the scrollbar visibility has changed from the last draw, we need to
+               // adjust the column sizes as the table width will have changed to account
+               // for the scrollbar
+               var scrollBarVis = divBodyEl.scrollHeight > divBodyEl.clientHeight;
+               
+               if ( settings.scrollBarVis !== scrollBarVis && settings.scrollBarVis !== undefined ) {
+                       settings.scrollBarVis = scrollBarVis;
+                       _fnAdjustColumnSizing( settings );
+                       return; // adjust column sizing will call this function again
+               }
+               else {
+                       settings.scrollBarVis = scrollBarVis;
+               }
+       
+               /*
+                * 1. Re-create the table inside the scrolling div
+                */
+       
+               // Remove the old minimised thead and tfoot elements in the inner table
+               table.children('thead, tfoot').remove();
+       
+               if ( footer ) {
+                       footerCopy = footer.clone().prependTo( table );
+                       footerTrgEls = footer.find('tr'); // the original tfoot is in its own table and must be sized
+                       footerSrcEls = footerCopy.find('tr');
+               }
+       
+               // Clone the current header and footer elements and then place it into the inner table
+               headerCopy = header.clone().prependTo( table );
+               headerTrgEls = header.find('tr'); // original header is in its own table
+               headerSrcEls = headerCopy.find('tr');
+               headerCopy.find('th, td').removeAttr('tabindex');
+       
+       
+               /*
+                * 2. Take live measurements from the DOM - do not alter the DOM itself!
+                */
+       
+               // Remove old sizing and apply the calculated column widths
+               // Get the unique column headers in the newly created (cloned) header. We want to apply the
+               // calculated sizes to this header
+               if ( ! scrollX )
+               {
+                       divBodyStyle.width = '100%';
+                       divHeader[0].style.width = '100%';
+               }
+       
+               $.each( _fnGetUniqueThs( settings, headerCopy ), function ( i, el ) {
+                       idx = _fnVisibleToColumnIndex( settings, i );
+                       el.style.width = settings.aoColumns[idx].sWidth;
+               } );
+       
+               if ( footer ) {
+                       _fnApplyToChildren( function(n) {
+                               n.style.width = "";
+                       }, footerSrcEls );
+               }
+       
+               // Size the table as a whole
+               sanityWidth = table.outerWidth();
+               if ( scrollX === "" ) {
+                       // No x scrolling
+                       tableStyle.width = "100%";
+       
+                       // IE7 will make the width of the table when 100% include the scrollbar
+                       // - which is shouldn't. When there is a scrollbar we need to take this
+                       // into account.
+                       if ( ie67 && (table.find('tbody').height() > divBodyEl.offsetHeight ||
+                               divBody.css('overflow-y') == "scroll")
+                       ) {
+                               tableStyle.width = _fnStringToCss( table.outerWidth() - barWidth);
+                       }
+       
+                       // Recalculate the sanity width
+                       sanityWidth = table.outerWidth();
+               }
+               else if ( scrollXInner !== "" ) {
+                       // legacy x scroll inner has been given - use it
+                       tableStyle.width = _fnStringToCss(scrollXInner);
+       
+                       // Recalculate the sanity width
+                       sanityWidth = table.outerWidth();
+               }
+       
+               // Hidden header should have zero height, so remove padding and borders. Then
+               // set the width based on the real headers
+       
+               // Apply all styles in one pass
+               _fnApplyToChildren( zeroOut, headerSrcEls );
+       
+               // Read all widths in next pass
+               _fnApplyToChildren( function(nSizer) {
+                       headerContent.push( nSizer.innerHTML );
+                       headerWidths.push( _fnStringToCss( $(nSizer).css('width') ) );
+               }, headerSrcEls );
+       
+               // Apply all widths in final pass
+               _fnApplyToChildren( function(nToSize, i) {
+                       // Only apply widths to the DataTables detected header cells - this
+                       // prevents complex headers from having contradictory sizes applied
+                       if ( $.inArray( nToSize, dtHeaderCells ) !== -1 ) {
+                               nToSize.style.width = headerWidths[i];
+                       }
+               }, headerTrgEls );
+       
+               $(headerSrcEls).height(0);
+       
+               /* Same again with the footer if we have one */
+               if ( footer )
+               {
+                       _fnApplyToChildren( zeroOut, footerSrcEls );
+       
+                       _fnApplyToChildren( function(nSizer) {
+                               footerContent.push( nSizer.innerHTML );
+                               footerWidths.push( _fnStringToCss( $(nSizer).css('width') ) );
+                       }, footerSrcEls );
+       
+                       _fnApplyToChildren( function(nToSize, i) {
+                               nToSize.style.width = footerWidths[i];
+                       }, footerTrgEls );
+       
+                       $(footerSrcEls).height(0);
+               }
+       
+       
+               /*
+                * 3. Apply the measurements
+                */
+       
+               // "Hide" the header and footer that we used for the sizing. We need to keep
+               // the content of the cell so that the width applied to the header and body
+               // both match, but we want to hide it completely. We want to also fix their
+               // width to what they currently are
+               _fnApplyToChildren( function(nSizer, i) {
+                       nSizer.innerHTML = '<div class="dataTables_sizing">'+headerContent[i]+'</div>';
+                       nSizer.childNodes[0].style.height = "0";
+                       nSizer.childNodes[0].style.overflow = "hidden";
+                       nSizer.style.width = headerWidths[i];
+               }, headerSrcEls );
+       
+               if ( footer )
+               {
+                       _fnApplyToChildren( function(nSizer, i) {
+                               nSizer.innerHTML = '<div class="dataTables_sizing">'+footerContent[i]+'</div>';
+                               nSizer.childNodes[0].style.height = "0";
+                               nSizer.childNodes[0].style.overflow = "hidden";
+                               nSizer.style.width = footerWidths[i];
+                       }, footerSrcEls );
+               }
+       
+               // Sanity check that the table is of a sensible width. If not then we are going to get
+               // misalignment - try to prevent this by not allowing the table to shrink below its min width
+               if ( table.outerWidth() < sanityWidth )
+               {
+                       // The min width depends upon if we have a vertical scrollbar visible or not */
+                       correction = ((divBodyEl.scrollHeight > divBodyEl.offsetHeight ||
+                               divBody.css('overflow-y') == "scroll")) ?
+                                       sanityWidth+barWidth :
+                                       sanityWidth;
+       
+                       // IE6/7 are a law unto themselves...
+                       if ( ie67 && (divBodyEl.scrollHeight >
+                               divBodyEl.offsetHeight || divBody.css('overflow-y') == "scroll")
+                       ) {
+                               tableStyle.width = _fnStringToCss( correction-barWidth );
+                       }
+       
+                       // And give the user a warning that we've stopped the table getting too small
+                       if ( scrollX === "" || scrollXInner !== "" ) {
+                               _fnLog( settings, 1, 'Possible column misalignment', 6 );
+                       }
+               }
+               else
+               {
+                       correction = '100%';
+               }
+       
+               // Apply to the container elements
+               divBodyStyle.width = _fnStringToCss( correction );
+               divHeaderStyle.width = _fnStringToCss( correction );
+       
+               if ( footer ) {
+                       settings.nScrollFoot.style.width = _fnStringToCss( correction );
+               }
+       
+       
+               /*
+                * 4. Clean up
+                */
+               if ( ! scrollY ) {
+                       /* IE7< puts a vertical scrollbar in place (when it shouldn't be) due to subtracting
+                        * the scrollbar height from the visible display, rather than adding it on. We need to
+                        * set the height in order to sort this. Don't want to do it in any other browsers.
+                        */
+                       if ( ie67 ) {
+                               divBodyStyle.height = _fnStringToCss( tableEl.offsetHeight+barWidth );
+                       }
+               }
+       
+               /* Finally set the width's of the header and footer tables */
+               var iOuterWidth = table.outerWidth();
+               divHeaderTable[0].style.width = _fnStringToCss( iOuterWidth );
+               divHeaderInnerStyle.width = _fnStringToCss( iOuterWidth );
+       
+               // Figure out if there are scrollbar present - if so then we need a the header and footer to
+               // provide a bit more space to allow "overflow" scrolling (i.e. past the scrollbar)
+               var bScrolling = table.height() > divBodyEl.clientHeight || divBody.css('overflow-y') == "scroll";
+               var padding = 'padding' + (browser.bScrollbarLeft ? 'Left' : 'Right' );
+               divHeaderInnerStyle[ padding ] = bScrolling ? barWidth+"px" : "0px";
+       
+               if ( footer ) {
+                       divFooterTable[0].style.width = _fnStringToCss( iOuterWidth );
+                       divFooterInner[0].style.width = _fnStringToCss( iOuterWidth );
+                       divFooterInner[0].style[padding] = bScrolling ? barWidth+"px" : "0px";
+               }
+       
+               // Correct DOM ordering for colgroup - comes before the thead
+               table.children('colgroup').insertBefore( table.children('thead') );
+       
+               /* Adjust the position of the header in case we loose the y-scrollbar */
+               divBody.trigger('scroll');
+       
+               // If sorting or filtering has occurred, jump the scrolling back to the top
+               // only if we aren't holding the position
+               if ( (settings.bSorted || settings.bFiltered) && ! settings._drawHold ) {
+                       divBodyEl.scrollTop = 0;
+               }
+       }
+       
+       
+       
+       /**
+        * Apply a given function to the display child nodes of an element array (typically
+        * TD children of TR rows
+        *  @param {function} fn Method to apply to the objects
+        *  @param array {nodes} an1 List of elements to look through for display children
+        *  @param array {nodes} an2 Another list (identical structure to the first) - optional
+        *  @memberof DataTable#oApi
+        */
+       function _fnApplyToChildren( fn, an1, an2 )
+       {
+               var index=0, i=0, iLen=an1.length;
+               var nNode1, nNode2;
+       
+               while ( i < iLen ) {
+                       nNode1 = an1[i].firstChild;
+                       nNode2 = an2 ? an2[i].firstChild : null;
+       
+                       while ( nNode1 ) {
+                               if ( nNode1.nodeType === 1 ) {
+                                       if ( an2 ) {
+                                               fn( nNode1, nNode2, index );
+                                       }
+                                       else {
+                                               fn( nNode1, index );
+                                       }
+       
+                                       index++;
+                               }
+       
+                               nNode1 = nNode1.nextSibling;
+                               nNode2 = an2 ? nNode2.nextSibling : null;
+                       }
+       
+                       i++;
+               }
+       }
+       
+       
+       
+       var __re_html_remove = /<.*?>/g;
+       
+       
+       /**
+        * Calculate the width of columns for the table
+        *  @param {object} oSettings dataTables settings object
+        *  @memberof DataTable#oApi
+        */
+       function _fnCalculateColumnWidths ( oSettings )
+       {
+               var
+                       table = oSettings.nTable,
+                       columns = oSettings.aoColumns,
+                       scroll = oSettings.oScroll,
+                       scrollY = scroll.sY,
+                       scrollX = scroll.sX,
+                       scrollXInner = scroll.sXInner,
+                       columnCount = columns.length,
+                       visibleColumns = _fnGetColumns( oSettings, 'bVisible' ),
+                       headerCells = $('th', oSettings.nTHead),
+                       tableWidthAttr = table.getAttribute('width'), // from DOM element
+                       tableContainer = table.parentNode,
+                       userInputs = false,
+                       i, column, columnIdx, width, outerWidth,
+                       browser = oSettings.oBrowser,
+                       ie67 = browser.bScrollOversize;
+       
+               var styleWidth = table.style.width;
+               if ( styleWidth && styleWidth.indexOf('%') !== -1 ) {
+                       tableWidthAttr = styleWidth;
+               }
+       
+               /* Convert any user input sizes into pixel sizes */
+               for ( i=0 ; i<visibleColumns.length ; i++ ) {
+                       column = columns[ visibleColumns[i] ];
+       
+                       if ( column.sWidth !== null ) {
+                               column.sWidth = _fnConvertToWidth( column.sWidthOrig, tableContainer );
+       
+                               userInputs = true;
+                       }
+               }
+       
+               /* If the number of columns in the DOM equals the number that we have to
+                * process in DataTables, then we can use the offsets that are created by
+                * the web- browser. No custom sizes can be set in order for this to happen,
+                * nor scrolling used
+                */
+               if ( ie67 || ! userInputs && ! scrollX && ! scrollY &&
+                    columnCount == _fnVisbleColumns( oSettings ) &&
+                    columnCount == headerCells.length
+               ) {
+                       for ( i=0 ; i<columnCount ; i++ ) {
+                               var colIdx = _fnVisibleToColumnIndex( oSettings, i );
+       
+                               if ( colIdx !== null ) {
+                                       columns[ colIdx ].sWidth = _fnStringToCss( headerCells.eq(i).width() );
+                               }
+                       }
+               }
+               else
+               {
+                       // Otherwise construct a single row, worst case, table with the widest
+                       // node in the data, assign any user defined widths, then insert it into
+                       // the DOM and allow the browser to do all the hard work of calculating
+                       // table widths
+                       var tmpTable = $(table).clone() // don't use cloneNode - IE8 will remove events on the main table
+                               .css( 'visibility', 'hidden' )
+                               .removeAttr( 'id' );
+       
+                       // Clean up the table body
+                       tmpTable.find('tbody tr').remove();
+                       var tr = $('<tr/>').appendTo( tmpTable.find('tbody') );
+       
+                       // Clone the table header and footer - we can't use the header / footer
+                       // from the cloned table, since if scrolling is active, the table's
+                       // real header and footer are contained in different table tags
+                       tmpTable.find('thead, tfoot').remove();
+                       tmpTable
+                               .append( $(oSettings.nTHead).clone() )
+                               .append( $(oSettings.nTFoot).clone() );
+       
+                       // Remove any assigned widths from the footer (from scrolling)
+                       tmpTable.find('tfoot th, tfoot td').css('width', '');
+       
+                       // Apply custom sizing to the cloned header
+                       headerCells = _fnGetUniqueThs( oSettings, tmpTable.find('thead')[0] );
+       
+                       for ( i=0 ; i<visibleColumns.length ; i++ ) {
+                               column = columns[ visibleColumns[i] ];
+       
+                               headerCells[i].style.width = column.sWidthOrig !== null && column.sWidthOrig !== '' ?
+                                       _fnStringToCss( column.sWidthOrig ) :
+                                       '';
+       
+                               // For scrollX we need to force the column width otherwise the
+                               // browser will collapse it. If this width is smaller than the
+                               // width the column requires, then it will have no effect
+                               if ( column.sWidthOrig && scrollX ) {
+                                       $( headerCells[i] ).append( $('<div/>').css( {
+                                               width: column.sWidthOrig,
+                                               margin: 0,
+                                               padding: 0,
+                                               border: 0,
+                                               height: 1
+                                       } ) );
+                               }
+                       }
+       
+                       // Find the widest cell for each column and put it into the table
+                       if ( oSettings.aoData.length ) {
+                               for ( i=0 ; i<visibleColumns.length ; i++ ) {
+                                       columnIdx = visibleColumns[i];
+                                       column = columns[ columnIdx ];
+       
+                                       $( _fnGetWidestNode( oSettings, columnIdx ) )
+                                               .clone( false )
+                                               .append( column.sContentPadding )
+                                               .appendTo( tr );
+                               }
+                       }
+       
+                       // Tidy the temporary table - remove name attributes so there aren't
+                       // duplicated in the dom (radio elements for example)
+                       $('[name]', tmpTable).removeAttr('name');
+       
+                       // Table has been built, attach to the document so we can work with it.
+                       // A holding element is used, positioned at the top of the container
+                       // with minimal height, so it has no effect on if the container scrolls
+                       // or not. Otherwise it might trigger scrolling when it actually isn't
+                       // needed
+                       var holder = $('<div/>').css( scrollX || scrollY ?
+                                       {
+                                               position: 'absolute',
+                                               top: 0,
+                                               left: 0,
+                                               height: 1,
+                                               right: 0,
+                                               overflow: 'hidden'
+                                       } :
+                                       {}
+                               )
+                               .append( tmpTable )
+                               .appendTo( tableContainer );
+       
+                       // When scrolling (X or Y) we want to set the width of the table as 
+                       // appropriate. However, when not scrolling leave the table width as it
+                       // is. This results in slightly different, but I think correct behaviour
+                       if ( scrollX && scrollXInner ) {
+                               tmpTable.width( scrollXInner );
+                       }
+                       else if ( scrollX ) {
+                               tmpTable.css( 'width', 'auto' );
+                               tmpTable.removeAttr('width');
+       
+                               // If there is no width attribute or style, then allow the table to
+                               // collapse
+                               if ( tmpTable.width() < tableContainer.clientWidth && tableWidthAttr ) {
+                                       tmpTable.width( tableContainer.clientWidth );
+                               }
+                       }
+                       else if ( scrollY ) {
+                               tmpTable.width( tableContainer.clientWidth );
+                       }
+                       else if ( tableWidthAttr ) {
+                               tmpTable.width( tableWidthAttr );
+                       }
+       
+                       // Get the width of each column in the constructed table - we need to
+                       // know the inner width (so it can be assigned to the other table's
+                       // cells) and the outer width so we can calculate the full width of the
+                       // table. This is safe since DataTables requires a unique cell for each
+                       // column, but if ever a header can span multiple columns, this will
+                       // need to be modified.
+                       var total = 0;
+                       for ( i=0 ; i<visibleColumns.length ; i++ ) {
+                               var cell = $(headerCells[i]);
+                               var border = cell.outerWidth() - cell.width();
+       
+                               // Use getBounding... where possible (not IE8-) because it can give
+                               // sub-pixel accuracy, which we then want to round up!
+                               var bounding = browser.bBounding ?
+                                       Math.ceil( headerCells[i].getBoundingClientRect().width ) :
+                                       cell.outerWidth();
+       
+                               // Total is tracked to remove any sub-pixel errors as the outerWidth
+                               // of the table might not equal the total given here (IE!).
+                               total += bounding;
+       
+                               // Width for each column to use
+                               columns[ visibleColumns[i] ].sWidth = _fnStringToCss( bounding - border );
+                       }
+       
+                       table.style.width = _fnStringToCss( total );
+       
+                       // Finished with the table - ditch it
+                       holder.remove();
+               }
+       
+               // If there is a width attr, we want to attach an event listener which
+               // allows the table sizing to automatically adjust when the window is
+               // resized. Use the width attr rather than CSS, since we can't know if the
+               // CSS is a relative value or absolute - DOM read is always px.
+               if ( tableWidthAttr ) {
+                       table.style.width = _fnStringToCss( tableWidthAttr );
+               }
+       
+               if ( (tableWidthAttr || scrollX) && ! oSettings._reszEvt ) {
+                       var bindResize = function () {
+                               $(window).on('resize.DT-'+oSettings.sInstance, _fnThrottle( function () {
+                                       _fnAdjustColumnSizing( oSettings );
+                               } ) );
+                       };
+       
+                       // IE6/7 will crash if we bind a resize event handler on page load.
+                       // To be removed in 1.11 which drops IE6/7 support
+                       if ( ie67 ) {
+                               setTimeout( bindResize, 1000 );
+                       }
+                       else {
+                               bindResize();
+                       }
+       
+                       oSettings._reszEvt = true;
+               }
+       }
+       
+       
+       /**
+        * Throttle the calls to a function. Arguments and context are maintained for
+        * the throttled function
+        *  @param {function} fn Function to be called
+        *  @param {int} [freq=200] call frequency in mS
+        *  @returns {function} wrapped function
+        *  @memberof DataTable#oApi
+        */
+       var _fnThrottle = DataTable.util.throttle;
+       
+       
+       /**
+        * Convert a CSS unit width to pixels (e.g. 2em)
+        *  @param {string} width width to be converted
+        *  @param {node} parent parent to get the with for (required for relative widths) - optional
+        *  @returns {int} width in pixels
+        *  @memberof DataTable#oApi
+        */
+       function _fnConvertToWidth ( width, parent )
+       {
+               if ( ! width ) {
+                       return 0;
+               }
+       
+               var n = $('<div/>')
+                       .css( 'width', _fnStringToCss( width ) )
+                       .appendTo( parent || document.body );
+       
+               var val = n[0].offsetWidth;
+               n.remove();
+       
+               return val;
+       }
+       
+       
+       /**
+        * Get the widest node
+        *  @param {object} settings dataTables settings object
+        *  @param {int} colIdx column of interest
+        *  @returns {node} widest table node
+        *  @memberof DataTable#oApi
+        */
+       function _fnGetWidestNode( settings, colIdx )
+       {
+               var idx = _fnGetMaxLenString( settings, colIdx );
+               if ( idx < 0 ) {
+                       return null;
+               }
+       
+               var data = settings.aoData[ idx ];
+               return ! data.nTr ? // Might not have been created when deferred rendering
+                       $('<td/>').html( _fnGetCellData( settings, idx, colIdx, 'display' ) )[0] :
+                       data.anCells[ colIdx ];
+       }
+       
+       
+       /**
+        * Get the maximum strlen for each data column
+        *  @param {object} settings dataTables settings object
+        *  @param {int} colIdx column of interest
+        *  @returns {string} max string length for each column
+        *  @memberof DataTable#oApi
+        */
+       function _fnGetMaxLenString( settings, colIdx )
+       {
+               var s, max=-1, maxIdx = -1;
+       
+               for ( var i=0, ien=settings.aoData.length ; i<ien ; i++ ) {
+                       s = _fnGetCellData( settings, i, colIdx, 'display' )+'';
+                       s = s.replace( __re_html_remove, '' );
+                       s = s.replace( /&nbsp;/g, ' ' );
+       
+                       if ( s.length > max ) {
+                               max = s.length;
+                               maxIdx = i;
+                       }
+               }
+       
+               return maxIdx;
+       }
+       
+       
+       /**
+        * Append a CSS unit (only if required) to a string
+        *  @param {string} value to css-ify
+        *  @returns {string} value with css unit
+        *  @memberof DataTable#oApi
+        */
+       function _fnStringToCss( s )
+       {
+               if ( s === null ) {
+                       return '0px';
+               }
+       
+               if ( typeof s == 'number' ) {
+                       return s < 0 ?
+                               '0px' :
+                               s+'px';
+               }
+       
+               // Check it has a unit character already
+               return s.match(/\d$/) ?
+                       s+'px' :
+                       s;
+       }
+       
+       
+       
+       function _fnSortFlatten ( settings )
+       {
+               var
+                       i, iLen, k, kLen,
+                       aSort = [],
+                       aiOrig = [],
+                       aoColumns = settings.aoColumns,
+                       aDataSort, iCol, sType, srcCol,
+                       fixed = settings.aaSortingFixed,
+                       fixedObj = $.isPlainObject( fixed ),
+                       nestedSort = [],
+                       add = function ( a ) {
+                               if ( a.length && ! $.isArray( a[0] ) ) {
+                                       // 1D array
+                                       nestedSort.push( a );
+                               }
+                               else {
+                                       // 2D array
+                                       $.merge( nestedSort, a );
+                               }
+                       };
+       
+               // Build the sort array, with pre-fix and post-fix options if they have been
+               // specified
+               if ( $.isArray( fixed ) ) {
+                       add( fixed );
+               }
+       
+               if ( fixedObj && fixed.pre ) {
+                       add( fixed.pre );
+               }
+       
+               add( settings.aaSorting );
+       
+               if (fixedObj && fixed.post ) {
+                       add( fixed.post );
+               }
+       
+               for ( i=0 ; i<nestedSort.length ; i++ )
+               {
+                       srcCol = nestedSort[i][0];
+                       aDataSort = aoColumns[ srcCol ].aDataSort;
+       
+                       for ( k=0, kLen=aDataSort.length ; k<kLen ; k++ )
+                       {
+                               iCol = aDataSort[k];
+                               sType = aoColumns[ iCol ].sType || 'string';
+       
+                               if ( nestedSort[i]._idx === undefined ) {
+                                       nestedSort[i]._idx = $.inArray( nestedSort[i][1], aoColumns[iCol].asSorting );
+                               }
+       
+                               aSort.push( {
+                                       src:       srcCol,
+                                       col:       iCol,
+                                       dir:       nestedSort[i][1],
+                                       index:     nestedSort[i]._idx,
+                                       type:      sType,
+                                       formatter: DataTable.ext.type.order[ sType+"-pre" ]
+                               } );
+                       }
+               }
+       
+               return aSort;
+       }
+       
+       /**
+        * Change the order of the table
+        *  @param {object} oSettings dataTables settings object
+        *  @memberof DataTable#oApi
+        *  @todo This really needs split up!
+        */
+       function _fnSort ( oSettings )
+       {
+               var
+                       i, ien, iLen, j, jLen, k, kLen,
+                       sDataType, nTh,
+                       aiOrig = [],
+                       oExtSort = DataTable.ext.type.order,
+                       aoData = oSettings.aoData,
+                       aoColumns = oSettings.aoColumns,
+                       aDataSort, data, iCol, sType, oSort,
+                       formatters = 0,
+                       sortCol,
+                       displayMaster = oSettings.aiDisplayMaster,
+                       aSort;
+       
+               // Resolve any column types that are unknown due to addition or invalidation
+               // @todo Can this be moved into a 'data-ready' handler which is called when
+               //   data is going to be used in the table?
+               _fnColumnTypes( oSettings );
+       
+               aSort = _fnSortFlatten( oSettings );
+       
+               for ( i=0, ien=aSort.length ; i<ien ; i++ ) {
+                       sortCol = aSort[i];
+       
+                       // Track if we can use the fast sort algorithm
+                       if ( sortCol.formatter ) {
+                               formatters++;
+                       }
+       
+                       // Load the data needed for the sort, for each cell
+                       _fnSortData( oSettings, sortCol.col );
+               }
+       
+               /* No sorting required if server-side or no sorting array */
+               if ( _fnDataSource( oSettings ) != 'ssp' && aSort.length !== 0 )
+               {
+                       // Create a value - key array of the current row positions such that we can use their
+                       // current position during the sort, if values match, in order to perform stable sorting
+                       for ( i=0, iLen=displayMaster.length ; i<iLen ; i++ ) {
+                               aiOrig[ displayMaster[i] ] = i;
+                       }
+       
+                       /* Do the sort - here we want multi-column sorting based on a given data source (column)
+                        * and sorting function (from oSort) in a certain direction. It's reasonably complex to
+                        * follow on it's own, but this is what we want (example two column sorting):
+                        *  fnLocalSorting = function(a,b){
+                        *    var iTest;
+                        *    iTest = oSort['string-asc']('data11', 'data12');
+                        *      if (iTest !== 0)
+                        *        return iTest;
+                        *    iTest = oSort['numeric-desc']('data21', 'data22');
+                        *    if (iTest !== 0)
+                        *      return iTest;
+                        *    return oSort['numeric-asc']( aiOrig[a], aiOrig[b] );
+                        *  }
+                        * Basically we have a test for each sorting column, if the data in that column is equal,
+                        * test the next column. If all columns match, then we use a numeric sort on the row
+                        * positions in the original data array to provide a stable sort.
+                        *
+                        * Note - I know it seems excessive to have two sorting methods, but the first is around
+                        * 15% faster, so the second is only maintained for backwards compatibility with sorting
+                        * methods which do not have a pre-sort formatting function.
+                        */
+                       if ( formatters === aSort.length ) {
+                               // All sort types have formatting functions
+                               displayMaster.sort( function ( a, b ) {
+                                       var
+                                               x, y, k, test, sort,
+                                               len=aSort.length,
+                                               dataA = aoData[a]._aSortData,
+                                               dataB = aoData[b]._aSortData;
+       
+                                       for ( k=0 ; k<len ; k++ ) {
+                                               sort = aSort[k];
+       
+                                               x = dataA[ sort.col ];
+                                               y = dataB[ sort.col ];
+       
+                                               test = x<y ? -1 : x>y ? 1 : 0;
+                                               if ( test !== 0 ) {
+                                                       return sort.dir === 'asc' ? test : -test;
+                                               }
+                                       }
+       
+                                       x = aiOrig[a];
+                                       y = aiOrig[b];
+                                       return x<y ? -1 : x>y ? 1 : 0;
+                               } );
+                       }
+                       else {
+                               // Depreciated - remove in 1.11 (providing a plug-in option)
+                               // Not all sort types have formatting methods, so we have to call their sorting
+                               // methods.
+                               displayMaster.sort( function ( a, b ) {
+                                       var
+                                               x, y, k, l, test, sort, fn,
+                                               len=aSort.length,
+                                               dataA = aoData[a]._aSortData,
+                                               dataB = aoData[b]._aSortData;
+       
+                                       for ( k=0 ; k<len ; k++ ) {
+                                               sort = aSort[k];
+       
+                                               x = dataA[ sort.col ];
+                                               y = dataB[ sort.col ];
+       
+                                               fn = oExtSort[ sort.type+"-"+sort.dir ] || oExtSort[ "string-"+sort.dir ];
+                                               test = fn( x, y );
+                                               if ( test !== 0 ) {
+                                                       return test;
+                                               }
+                                       }
+       
+                                       x = aiOrig[a];
+                                       y = aiOrig[b];
+                                       return x<y ? -1 : x>y ? 1 : 0;
+                               } );
+                       }
+               }
+       
+               /* Tell the draw function that we have sorted the data */
+               oSettings.bSorted = true;
+       }
+       
+       
+       function _fnSortAria ( settings )
+       {
+               var label;
+               var nextSort;
+               var columns = settings.aoColumns;
+               var aSort = _fnSortFlatten( settings );
+               var oAria = settings.oLanguage.oAria;
+       
+               // ARIA attributes - need to loop all columns, to update all (removing old
+               // attributes as needed)
+               for ( var i=0, iLen=columns.length ; i<iLen ; i++ )
+               {
+                       var col = columns[i];
+                       var asSorting = col.asSorting;
+                       var sTitle = col.sTitle.replace( /<.*?>/g, "" );
+                       var th = col.nTh;
+       
+                       // IE7 is throwing an error when setting these properties with jQuery's
+                       // attr() and removeAttr() methods...
+                       th.removeAttribute('aria-sort');
+       
+                       /* In ARIA only the first sorting column can be marked as sorting - no multi-sort option */
+                       if ( col.bSortable ) {
+                               if ( aSort.length > 0 && aSort[0].col == i ) {
+                                       th.setAttribute('aria-sort', aSort[0].dir=="asc" ? "ascending" : "descending" );
+                                       nextSort = asSorting[ aSort[0].index+1 ] || asSorting[0];
+                               }
+                               else {
+                                       nextSort = asSorting[0];
+                               }
+       
+                               label = sTitle + ( nextSort === "asc" ?
+                                       oAria.sSortAscending :
+                                       oAria.sSortDescending
+                               );
+                       }
+                       else {
+                               label = sTitle;
+                       }
+       
+                       th.setAttribute('aria-label', label);
+               }
+       }
+       
+       
+       /**
+        * Function to run on user sort request
+        *  @param {object} settings dataTables settings object
+        *  @param {node} attachTo node to attach the handler to
+        *  @param {int} colIdx column sorting index
+        *  @param {boolean} [append=false] Append the requested sort to the existing
+        *    sort if true (i.e. multi-column sort)
+        *  @param {function} [callback] callback function
+        *  @memberof DataTable#oApi
+        */
+       function _fnSortListener ( settings, colIdx, append, callback )
+       {
+               var col = settings.aoColumns[ colIdx ];
+               var sorting = settings.aaSorting;
+               var asSorting = col.asSorting;
+               var nextSortIdx;
+               var next = function ( a, overflow ) {
+                       var idx = a._idx;
+                       if ( idx === undefined ) {
+                               idx = $.inArray( a[1], asSorting );
+                       }
+       
+                       return idx+1 < asSorting.length ?
+                               idx+1 :
+                               overflow ?
+                                       null :
+                                       0;
+               };
+       
+               // Convert to 2D array if needed
+               if ( typeof sorting[0] === 'number' ) {
+                       sorting = settings.aaSorting = [ sorting ];
+               }
+       
+               // If appending the sort then we are multi-column sorting
+               if ( append && settings.oFeatures.bSortMulti ) {
+                       // Are we already doing some kind of sort on this column?
+                       var sortIdx = $.inArray( colIdx, _pluck(sorting, '0') );
+       
+                       if ( sortIdx !== -1 ) {
+                               // Yes, modify the sort
+                               nextSortIdx = next( sorting[sortIdx], true );
+       
+                               if ( nextSortIdx === null && sorting.length === 1 ) {
+                                       nextSortIdx = 0; // can't remove sorting completely
+                               }
+       
+                               if ( nextSortIdx === null ) {
+                                       sorting.splice( sortIdx, 1 );
+                               }
+                               else {
+                                       sorting[sortIdx][1] = asSorting[ nextSortIdx ];
+                                       sorting[sortIdx]._idx = nextSortIdx;
+                               }
+                       }
+                       else {
+                               // No sort on this column yet
+                               sorting.push( [ colIdx, asSorting[0], 0 ] );
+                               sorting[sorting.length-1]._idx = 0;
+                       }
+               }
+               else if ( sorting.length && sorting[0][0] == colIdx ) {
+                       // Single column - already sorting on this column, modify the sort
+                       nextSortIdx = next( sorting[0] );
+       
+                       sorting.length = 1;
+                       sorting[0][1] = asSorting[ nextSortIdx ];
+                       sorting[0]._idx = nextSortIdx;
+               }
+               else {
+                       // Single column - sort only on this column
+                       sorting.length = 0;
+                       sorting.push( [ colIdx, asSorting[0] ] );
+                       sorting[0]._idx = 0;
+               }
+       
+               // Run the sort by calling a full redraw
+               _fnReDraw( settings );
+       
+               // callback used for async user interaction
+               if ( typeof callback == 'function' ) {
+                       callback( settings );
+               }
+       }
+       
+       
+       /**
+        * Attach a sort handler (click) to a node
+        *  @param {object} settings dataTables settings object
+        *  @param {node} attachTo node to attach the handler to
+        *  @param {int} colIdx column sorting index
+        *  @param {function} [callback] callback function
+        *  @memberof DataTable#oApi
+        */
+       function _fnSortAttachListener ( settings, attachTo, colIdx, callback )
+       {
+               var col = settings.aoColumns[ colIdx ];
+       
+               _fnBindAction( attachTo, {}, function (e) {
+                       /* If the column is not sortable - don't to anything */
+                       if ( col.bSortable === false ) {
+                               return;
+                       }
+       
+                       // If processing is enabled use a timeout to allow the processing
+                       // display to be shown - otherwise to it synchronously
+                       if ( settings.oFeatures.bProcessing ) {
+                               _fnProcessingDisplay( settings, true );
+       
+                               setTimeout( function() {
+                                       _fnSortListener( settings, colIdx, e.shiftKey, callback );
+       
+                                       // In server-side processing, the draw callback will remove the
+                                       // processing display
+                                       if ( _fnDataSource( settings ) !== 'ssp' ) {
+                                               _fnProcessingDisplay( settings, false );
+                                       }
+                               }, 0 );
+                       }
+                       else {
+                               _fnSortListener( settings, colIdx, e.shiftKey, callback );
+                       }
+               } );
+       }
+       
+       
+       /**
+        * Set the sorting classes on table's body, Note: it is safe to call this function
+        * when bSort and bSortClasses are false
+        *  @param {object} oSettings dataTables settings object
+        *  @memberof DataTable#oApi
+        */
+       function _fnSortingClasses( settings )
+       {
+               var oldSort = settings.aLastSort;
+               var sortClass = settings.oClasses.sSortColumn;
+               var sort = _fnSortFlatten( settings );
+               var features = settings.oFeatures;
+               var i, ien, colIdx;
+       
+               if ( features.bSort && features.bSortClasses ) {
+                       // Remove old sorting classes
+                       for ( i=0, ien=oldSort.length ; i<ien ; i++ ) {
+                               colIdx = oldSort[i].src;
+       
+                               // Remove column sorting
+                               $( _pluck( settings.aoData, 'anCells', colIdx ) )
+                                       .removeClass( sortClass + (i<2 ? i+1 : 3) );
+                       }
+       
+                       // Add new column sorting
+                       for ( i=0, ien=sort.length ; i<ien ; i++ ) {
+                               colIdx = sort[i].src;
+       
+                               $( _pluck( settings.aoData, 'anCells', colIdx ) )
+                                       .addClass( sortClass + (i<2 ? i+1 : 3) );
+                       }
+               }
+       
+               settings.aLastSort = sort;
+       }
+       
+       
+       // Get the data to sort a column, be it from cache, fresh (populating the
+       // cache), or from a sort formatter
+       function _fnSortData( settings, idx )
+       {
+               // Custom sorting function - provided by the sort data type
+               var column = settings.aoColumns[ idx ];
+               var customSort = DataTable.ext.order[ column.sSortDataType ];
+               var customData;
+       
+               if ( customSort ) {
+                       customData = customSort.call( settings.oInstance, settings, idx,
+                               _fnColumnIndexToVisible( settings, idx )
+                       );
+               }
+       
+               // Use / populate cache
+               var row, cellData;
+               var formatter = DataTable.ext.type.order[ column.sType+"-pre" ];
+       
+               for ( var i=0, ien=settings.aoData.length ; i<ien ; i++ ) {
+                       row = settings.aoData[i];
+       
+                       if ( ! row._aSortData ) {
+                               row._aSortData = [];
+                       }
+       
+                       if ( ! row._aSortData[idx] || customSort ) {
+                               cellData = customSort ?
+                                       customData[i] : // If there was a custom sort function, use data from there
+                                       _fnGetCellData( settings, i, idx, 'sort' );
+       
+                               row._aSortData[ idx ] = formatter ?
+                                       formatter( cellData ) :
+                                       cellData;
+                       }
+               }
+       }
+       
+       
+       
+       /**
+        * Save the state of a table
+        *  @param {object} oSettings dataTables settings object
+        *  @memberof DataTable#oApi
+        */
+       function _fnSaveState ( settings )
+       {
+               if ( !settings.oFeatures.bStateSave || settings.bDestroying )
+               {
+                       return;
+               }
+       
+               /* Store the interesting variables */
+               var state = {
+                       time:    +new Date(),
+                       start:   settings._iDisplayStart,
+                       length:  settings._iDisplayLength,
+                       order:   $.extend( true, [], settings.aaSorting ),
+                       search:  _fnSearchToCamel( settings.oPreviousSearch ),
+                       columns: $.map( settings.aoColumns, function ( col, i ) {
+                               return {
+                                       visible: col.bVisible,
+                                       search: _fnSearchToCamel( settings.aoPreSearchCols[i] )
+                               };
+                       } )
+               };
+       
+               _fnCallbackFire( settings, "aoStateSaveParams", 'stateSaveParams', [settings, state] );
+       
+               settings.oSavedState = state;
+               settings.fnStateSaveCallback.call( settings.oInstance, settings, state );
+       }
+       
+       
+       /**
+        * Attempt to load a saved table state
+        *  @param {object} oSettings dataTables settings object
+        *  @param {object} oInit DataTables init object so we can override settings
+        *  @param {function} callback Callback to execute when the state has been loaded
+        *  @memberof DataTable#oApi
+        */
+       function _fnLoadState ( settings, oInit, callback )
+       {
+               var i, ien;
+               var columns = settings.aoColumns;
+               var loaded = function ( s ) {
+                       if ( ! s || ! s.time ) {
+                               callback();
+                               return;
+                       }
+       
+                       // Allow custom and plug-in manipulation functions to alter the saved data set and
+                       // cancelling of loading by returning false
+                       var abStateLoad = _fnCallbackFire( settings, 'aoStateLoadParams', 'stateLoadParams', [settings, s] );
+                       if ( $.inArray( false, abStateLoad ) !== -1 ) {
+                               callback();
+                               return;
+                       }
+       
+                       // Reject old data
+                       var duration = settings.iStateDuration;
+                       if ( duration > 0 && s.time < +new Date() - (duration*1000) ) {
+                               callback();
+                               return;
+                       }
+       
+                       // Number of columns have changed - all bets are off, no restore of settings
+                       if ( s.columns && columns.length !== s.columns.length ) {
+                               callback();
+                               return;
+                       }
+       
+                       // Store the saved state so it might be accessed at any time
+                       settings.oLoadedState = $.extend( true, {}, s );
+       
+                       // Restore key features - todo - for 1.11 this needs to be done by
+                       // subscribed events
+                       if ( s.start !== undefined ) {
+                               settings._iDisplayStart    = s.start;
+                               settings.iInitDisplayStart = s.start;
+                       }
+                       if ( s.length !== undefined ) {
+                               settings._iDisplayLength   = s.length;
+                       }
+       
+                       // Order
+                       if ( s.order !== undefined ) {
+                               settings.aaSorting = [];
+                               $.each( s.order, function ( i, col ) {
+                                       settings.aaSorting.push( col[0] >= columns.length ?
+                                               [ 0, col[1] ] :
+                                               col
+                                       );
+                               } );
+                       }
+       
+                       // Search
+                       if ( s.search !== undefined ) {
+                               $.extend( settings.oPreviousSearch, _fnSearchToHung( s.search ) );
+                       }
+       
+                       // Columns
+                       //
+                       if ( s.columns ) {
+                               for ( i=0, ien=s.columns.length ; i<ien ; i++ ) {
+                                       var col = s.columns[i];
+       
+                                       // Visibility
+                                       if ( col.visible !== undefined ) {
+                                               columns[i].bVisible = col.visible;
+                                       }
+       
+                                       // Search
+                                       if ( col.search !== undefined ) {
+                                               $.extend( settings.aoPreSearchCols[i], _fnSearchToHung( col.search ) );
+                                       }
+                               }
+                       }
+       
+                       _fnCallbackFire( settings, 'aoStateLoaded', 'stateLoaded', [settings, s] );
+                       callback();
+               };
+       
+               if ( ! settings.oFeatures.bStateSave ) {
+                       callback();
+                       return;
+               }
+       
+               var state = settings.fnStateLoadCallback.call( settings.oInstance, settings, loaded );
+       
+               if ( state !== undefined ) {
+                       loaded( state );
+               }
+               // otherwise, wait for the loaded callback to be executed
+       }
+       
+       
+       /**
+        * Return the settings object for a particular table
+        *  @param {node} table table we are using as a dataTable
+        *  @returns {object} Settings object - or null if not found
+        *  @memberof DataTable#oApi
+        */
+       function _fnSettingsFromNode ( table )
+       {
+               var settings = DataTable.settings;
+               var idx = $.inArray( table, _pluck( settings, 'nTable' ) );
+       
+               return idx !== -1 ?
+                       settings[ idx ] :
+                       null;
+       }
+       
+       
+       /**
+        * Log an error message
+        *  @param {object} settings dataTables settings object
+        *  @param {int} level log error messages, or display them to the user
+        *  @param {string} msg error message
+        *  @param {int} tn Technical note id to get more information about the error.
+        *  @memberof DataTable#oApi
+        */
+       function _fnLog( settings, level, msg, tn )
+       {
+               msg = 'DataTables warning: '+
+                       (settings ? 'table id='+settings.sTableId+' - ' : '')+msg;
+       
+               if ( tn ) {
+                       msg += '. For more information about this error, please see '+
+                       'http://datatables.net/tn/'+tn;
+               }
+       
+               if ( ! level  ) {
+                       // Backwards compatibility pre 1.10
+                       var ext = DataTable.ext;
+                       var type = ext.sErrMode || ext.errMode;
+       
+                       if ( settings ) {
+                               _fnCallbackFire( settings, null, 'error', [ settings, tn, msg ] );
+                       }
+       
+                       if ( type == 'alert' ) {
+                               alert( msg );
+                       }
+                       else if ( type == 'throw' ) {
+                               throw new Error(msg);
+                       }
+                       else if ( typeof type == 'function' ) {
+                               type( settings, tn, msg );
+                       }
+               }
+               else if ( window.console && console.log ) {
+                       console.log( msg );
+               }
+       }
+       
+       
+       /**
+        * See if a property is defined on one object, if so assign it to the other object
+        *  @param {object} ret target object
+        *  @param {object} src source object
+        *  @param {string} name property
+        *  @param {string} [mappedName] name to map too - optional, name used if not given
+        *  @memberof DataTable#oApi
+        */
+       function _fnMap( ret, src, name, mappedName )
+       {
+               if ( $.isArray( name ) ) {
+                       $.each( name, function (i, val) {
+                               if ( $.isArray( val ) ) {
+                                       _fnMap( ret, src, val[0], val[1] );
+                               }
+                               else {
+                                       _fnMap( ret, src, val );
+                               }
+                       } );
+       
+                       return;
+               }
+       
+               if ( mappedName === undefined ) {
+                       mappedName = name;
+               }
+       
+               if ( src[name] !== undefined ) {
+                       ret[mappedName] = src[name];
+               }
+       }
+       
+       
+       /**
+        * Extend objects - very similar to jQuery.extend, but deep copy objects, and
+        * shallow copy arrays. The reason we need to do this, is that we don't want to
+        * deep copy array init values (such as aaSorting) since the dev wouldn't be
+        * able to override them, but we do want to deep copy arrays.
+        *  @param {object} out Object to extend
+        *  @param {object} extender Object from which the properties will be applied to
+        *      out
+        *  @param {boolean} breakRefs If true, then arrays will be sliced to take an
+        *      independent copy with the exception of the `data` or `aaData` parameters
+        *      if they are present. This is so you can pass in a collection to
+        *      DataTables and have that used as your data source without breaking the
+        *      references
+        *  @returns {object} out Reference, just for convenience - out === the return.
+        *  @memberof DataTable#oApi
+        *  @todo This doesn't take account of arrays inside the deep copied objects.
+        */
+       function _fnExtend( out, extender, breakRefs )
+       {
+               var val;
+       
+               for ( var prop in extender ) {
+                       if ( extender.hasOwnProperty(prop) ) {
+                               val = extender[prop];
+       
+                               if ( $.isPlainObject( val ) ) {
+                                       if ( ! $.isPlainObject( out[prop] ) ) {
+                                               out[prop] = {};
+                                       }
+                                       $.extend( true, out[prop], val );
+                               }
+                               else if ( breakRefs && prop !== 'data' && prop !== 'aaData' && $.isArray(val) ) {
+                                       out[prop] = val.slice();
+                               }
+                               else {
+                                       out[prop] = val;
+                               }
+                       }
+               }
+       
+               return out;
+       }
+       
+       
+       /**
+        * Bind an event handers to allow a click or return key to activate the callback.
+        * This is good for accessibility since a return on the keyboard will have the
+        * same effect as a click, if the element has focus.
+        *  @param {element} n Element to bind the action to
+        *  @param {object} oData Data object to pass to the triggered function
+        *  @param {function} fn Callback function for when the event is triggered
+        *  @memberof DataTable#oApi
+        */
+       function _fnBindAction( n, oData, fn )
+       {
+               $(n)
+                       .on( 'click.DT', oData, function (e) {
+                                       $(n).trigger('blur'); // Remove focus outline for mouse users
+                                       fn(e);
+                               } )
+                       .on( 'keypress.DT', oData, function (e){
+                                       if ( e.which === 13 ) {
+                                               e.preventDefault();
+                                               fn(e);
+                                       }
+                               } )
+                       .on( 'selectstart.DT', function () {
+                                       /* Take the brutal approach to cancelling text selection */
+                                       return false;
+                               } );
+       }
+       
+       
+       /**
+        * Register a callback function. Easily allows a callback function to be added to
+        * an array store of callback functions that can then all be called together.
+        *  @param {object} oSettings dataTables settings object
+        *  @param {string} sStore Name of the array storage for the callbacks in oSettings
+        *  @param {function} fn Function to be called back
+        *  @param {string} sName Identifying name for the callback (i.e. a label)
+        *  @memberof DataTable#oApi
+        */
+       function _fnCallbackReg( oSettings, sStore, fn, sName )
+       {
+               if ( fn )
+               {
+                       oSettings[sStore].push( {
+                               "fn": fn,
+                               "sName": sName
+                       } );
+               }
+       }
+       
+       
+       /**
+        * Fire callback functions and trigger events. Note that the loop over the
+        * callback array store is done backwards! Further note that you do not want to
+        * fire off triggers in time sensitive applications (for example cell creation)
+        * as its slow.
+        *  @param {object} settings dataTables settings object
+        *  @param {string} callbackArr Name of the array storage for the callbacks in
+        *      oSettings
+        *  @param {string} eventName Name of the jQuery custom event to trigger. If
+        *      null no trigger is fired
+        *  @param {array} args Array of arguments to pass to the callback function /
+        *      trigger
+        *  @memberof DataTable#oApi
+        */
+       function _fnCallbackFire( settings, callbackArr, eventName, args )
+       {
+               var ret = [];
+       
+               if ( callbackArr ) {
+                       ret = $.map( settings[callbackArr].slice().reverse(), function (val, i) {
+                               return val.fn.apply( settings.oInstance, args );
+                       } );
+               }
+       
+               if ( eventName !== null ) {
+                       var e = $.Event( eventName+'.dt' );
+       
+                       $(settings.nTable).trigger( e, args );
+       
+                       ret.push( e.result );
+               }
+       
+               return ret;
+       }
+       
+       
+       function _fnLengthOverflow ( settings )
+       {
+               var
+                       start = settings._iDisplayStart,
+                       end = settings.fnDisplayEnd(),
+                       len = settings._iDisplayLength;
+       
+               /* If we have space to show extra rows (backing up from the end point - then do so */
+               if ( start >= end )
+               {
+                       start = end - len;
+               }
+       
+               // Keep the start record on the current page
+               start -= (start % len);
+       
+               if ( len === -1 || start < 0 )
+               {
+                       start = 0;
+               }
+       
+               settings._iDisplayStart = start;
+       }
+       
+       
+       function _fnRenderer( settings, type )
+       {
+               var renderer = settings.renderer;
+               var host = DataTable.ext.renderer[type];
+       
+               if ( $.isPlainObject( renderer ) && renderer[type] ) {
+                       // Specific renderer for this type. If available use it, otherwise use
+                       // the default.
+                       return host[renderer[type]] || host._;
+               }
+               else if ( typeof renderer === 'string' ) {
+                       // Common renderer - if there is one available for this type use it,
+                       // otherwise use the default
+                       return host[renderer] || host._;
+               }
+       
+               // Use the default
+               return host._;
+       }
+       
+       
+       /**
+        * Detect the data source being used for the table. Used to simplify the code
+        * a little (ajax) and to make it compress a little smaller.
+        *
+        *  @param {object} settings dataTables settings object
+        *  @returns {string} Data source
+        *  @memberof DataTable#oApi
+        */
+       function _fnDataSource ( settings )
+       {
+               if ( settings.oFeatures.bServerSide ) {
+                       return 'ssp';
+               }
+               else if ( settings.ajax || settings.sAjaxSource ) {
+                       return 'ajax';
+               }
+               return 'dom';
+       }
+       
+
+       
+       
+       /**
+        * Computed structure of the DataTables API, defined by the options passed to
+        * `DataTable.Api.register()` when building the API.
+        *
+        * The structure is built in order to speed creation and extension of the Api
+        * objects since the extensions are effectively pre-parsed.
+        *
+        * The array is an array of objects with the following structure, where this
+        * base array represents the Api prototype base:
+        *
+        *     [
+        *       {
+        *         name:      'data'                -- string   - Property name
+        *         val:       function () {},       -- function - Api method (or undefined if just an object
+        *         methodExt: [ ... ],              -- array    - Array of Api object definitions to extend the method result
+        *         propExt:   [ ... ]               -- array    - Array of Api object definitions to extend the property
+        *       },
+        *       {
+        *         name:     'row'
+        *         val:       {},
+        *         methodExt: [ ... ],
+        *         propExt:   [
+        *           {
+        *             name:      'data'
+        *             val:       function () {},
+        *             methodExt: [ ... ],
+        *             propExt:   [ ... ]
+        *           },
+        *           ...
+        *         ]
+        *       }
+        *     ]
+        *
+        * @type {Array}
+        * @ignore
+        */
+       var __apiStruct = [];
+       
+       
+       /**
+        * `Array.prototype` reference.
+        *
+        * @type object
+        * @ignore
+        */
+       var __arrayProto = Array.prototype;
+       
+       
+       /**
+        * Abstraction for `context` parameter of the `Api` constructor to allow it to
+        * take several different forms for ease of use.
+        *
+        * Each of the input parameter types will be converted to a DataTables settings
+        * object where possible.
+        *
+        * @param  {string|node|jQuery|object} mixed DataTable identifier. Can be one
+        *   of:
+        *
+        *   * `string` - jQuery selector. Any DataTables' matching the given selector
+        *     with be found and used.
+        *   * `node` - `TABLE` node which has already been formed into a DataTable.
+        *   * `jQuery` - A jQuery object of `TABLE` nodes.
+        *   * `object` - DataTables settings object
+        *   * `DataTables.Api` - API instance
+        * @return {array|null} Matching DataTables settings objects. `null` or
+        *   `undefined` is returned if no matching DataTable is found.
+        * @ignore
+        */
+       var _toSettings = function ( mixed )
+       {
+               var idx, jq;
+               var settings = DataTable.settings;
+               var tables = $.map( settings, function (el, i) {
+                       return el.nTable;
+               } );
+       
+               if ( ! mixed ) {
+                       return [];
+               }
+               else if ( mixed.nTable && mixed.oApi ) {
+                       // DataTables settings object
+                       return [ mixed ];
+               }
+               else if ( mixed.nodeName && mixed.nodeName.toLowerCase() === 'table' ) {
+                       // Table node
+                       idx = $.inArray( mixed, tables );
+                       return idx !== -1 ? [ settings[idx] ] : null;
+               }
+               else if ( mixed && typeof mixed.settings === 'function' ) {
+                       return mixed.settings().toArray();
+               }
+               else if ( typeof mixed === 'string' ) {
+                       // jQuery selector
+                       jq = $(mixed);
+               }
+               else if ( mixed instanceof $ ) {
+                       // jQuery object (also DataTables instance)
+                       jq = mixed;
+               }
+       
+               if ( jq ) {
+                       return jq.map( function(i) {
+                               idx = $.inArray( this, tables );
+                               return idx !== -1 ? settings[idx] : null;
+                       } ).toArray();
+               }
+       };
+       
+       
+       /**
+        * DataTables API class - used to control and interface with  one or more
+        * DataTables enhanced tables.
+        *
+        * The API class is heavily based on jQuery, presenting a chainable interface
+        * that you can use to interact with tables. Each instance of the API class has
+        * a "context" - i.e. the tables that it will operate on. This could be a single
+        * table, all tables on a page or a sub-set thereof.
+        *
+        * Additionally the API is designed to allow you to easily work with the data in
+        * the tables, retrieving and manipulating it as required. This is done by
+        * presenting the API class as an array like interface. The contents of the
+        * array depend upon the actions requested by each method (for example
+        * `rows().nodes()` will return an array of nodes, while `rows().data()` will
+        * return an array of objects or arrays depending upon your table's
+        * configuration). The API object has a number of array like methods (`push`,
+        * `pop`, `reverse` etc) as well as additional helper methods (`each`, `pluck`,
+        * `unique` etc) to assist your working with the data held in a table.
+        *
+        * Most methods (those which return an Api instance) are chainable, which means
+        * the return from a method call also has all of the methods available that the
+        * top level object had. For example, these two calls are equivalent:
+        *
+        *     // Not chained
+        *     api.row.add( {...} );
+        *     api.draw();
+        *
+        *     // Chained
+        *     api.row.add( {...} ).draw();
+        *
+        * @class DataTable.Api
+        * @param {array|object|string|jQuery} context DataTable identifier. This is
+        *   used to define which DataTables enhanced tables this API will operate on.
+        *   Can be one of:
+        *
+        *   * `string` - jQuery selector. Any DataTables' matching the given selector
+        *     with be found and used.
+        *   * `node` - `TABLE` node which has already been formed into a DataTable.
+        *   * `jQuery` - A jQuery object of `TABLE` nodes.
+        *   * `object` - DataTables settings object
+        * @param {array} [data] Data to initialise the Api instance with.
+        *
+        * @example
+        *   // Direct initialisation during DataTables construction
+        *   var api = $('#example').DataTable();
+        *
+        * @example
+        *   // Initialisation using a DataTables jQuery object
+        *   var api = $('#example').dataTable().api();
+        *
+        * @example
+        *   // Initialisation as a constructor
+        *   var api = new $.fn.DataTable.Api( 'table.dataTable' );
+        */
+       _Api = function ( context, data )
+       {
+               if ( ! (this instanceof _Api) ) {
+                       return new _Api( context, data );
+               }
+       
+               var settings = [];
+               var ctxSettings = function ( o ) {
+                       var a = _toSettings( o );
+                       if ( a ) {
+                               settings.push.apply( settings, a );
+                       }
+               };
+       
+               if ( $.isArray( context ) ) {
+                       for ( var i=0, ien=context.length ; i<ien ; i++ ) {
+                               ctxSettings( context[i] );
+                       }
+               }
+               else {
+                       ctxSettings( context );
+               }
+       
+               // Remove duplicates
+               this.context = _unique( settings );
+       
+               // Initial data
+               if ( data ) {
+                       $.merge( this, data );
+               }
+       
+               // selector
+               this.selector = {
+                       rows: null,
+                       cols: null,
+                       opts: null
+               };
+       
+               _Api.extend( this, this, __apiStruct );
+       };
+       
+       DataTable.Api = _Api;
+       
+       // Don't destroy the existing prototype, just extend it. Required for jQuery 2's
+       // isPlainObject.
+       $.extend( _Api.prototype, {
+               any: function ()
+               {
+                       return this.count() !== 0;
+               },
+       
+       
+               concat:  __arrayProto.concat,
+       
+       
+               context: [], // array of table settings objects
+       
+       
+               count: function ()
+               {
+                       return this.flatten().length;
+               },
+       
+       
+               each: function ( fn )
+               {
+                       for ( var i=0, ien=this.length ; i<ien; i++ ) {
+                               fn.call( this, this[i], i, this );
+                       }
+       
+                       return this;
+               },
+       
+       
+               eq: function ( idx )
+               {
+                       var ctx = this.context;
+       
+                       return ctx.length > idx ?
+                               new _Api( ctx[idx], this[idx] ) :
+                               null;
+               },
+       
+       
+               filter: function ( fn )
+               {
+                       var a = [];
+       
+                       if ( __arrayProto.filter ) {
+                               a = __arrayProto.filter.call( this, fn, this );
+                       }
+                       else {
+                               // Compatibility for browsers without EMCA-252-5 (JS 1.6)
+                               for ( var i=0, ien=this.length ; i<ien ; i++ ) {
+                                       if ( fn.call( this, this[i], i, this ) ) {
+                                               a.push( this[i] );
+                                       }
+                               }
+                       }
+       
+                       return new _Api( this.context, a );
+               },
+       
+       
+               flatten: function ()
+               {
+                       var a = [];
+                       return new _Api( this.context, a.concat.apply( a, this.toArray() ) );
+               },
+       
+       
+               join:    __arrayProto.join,
+       
+       
+               indexOf: __arrayProto.indexOf || function (obj, start)
+               {
+                       for ( var i=(start || 0), ien=this.length ; i<ien ; i++ ) {
+                               if ( this[i] === obj ) {
+                                       return i;
+                               }
+                       }
+                       return -1;
+               },
+       
+               iterator: function ( flatten, type, fn, alwaysNew ) {
+                       var
+                               a = [], ret,
+                               i, ien, j, jen,
+                               context = this.context,
+                               rows, items, item,
+                               selector = this.selector;
+       
+                       // Argument shifting
+                       if ( typeof flatten === 'string' ) {
+                               alwaysNew = fn;
+                               fn = type;
+                               type = flatten;
+                               flatten = false;
+                       }
+       
+                       for ( i=0, ien=context.length ; i<ien ; i++ ) {
+                               var apiInst = new _Api( context[i] );
+       
+                               if ( type === 'table' ) {
+                                       ret = fn.call( apiInst, context[i], i );
+       
+                                       if ( ret !== undefined ) {
+                                               a.push( ret );
+                                       }
+                               }
+                               else if ( type === 'columns' || type === 'rows' ) {
+                                       // this has same length as context - one entry for each table
+                                       ret = fn.call( apiInst, context[i], this[i], i );
+       
+                                       if ( ret !== undefined ) {
+                                               a.push( ret );
+                                       }
+                               }
+                               else if ( type === 'column' || type === 'column-rows' || type === 'row' || type === 'cell' ) {
+                                       // columns and rows share the same structure.
+                                       // 'this' is an array of column indexes for each context
+                                       items = this[i];
+       
+                                       if ( type === 'column-rows' ) {
+                                               rows = _selector_row_indexes( context[i], selector.opts );
+                                       }
+       
+                                       for ( j=0, jen=items.length ; j<jen ; j++ ) {
+                                               item = items[j];
+       
+                                               if ( type === 'cell' ) {
+                                                       ret = fn.call( apiInst, context[i], item.row, item.column, i, j );
+                                               }
+                                               else {
+                                                       ret = fn.call( apiInst, context[i], item, i, j, rows );
+                                               }
+       
+                                               if ( ret !== undefined ) {
+                                                       a.push( ret );
+                                               }
+                                       }
+                               }
+                       }
+       
+                       if ( a.length || alwaysNew ) {
+                               var api = new _Api( context, flatten ? a.concat.apply( [], a ) : a );
+                               var apiSelector = api.selector;
+                               apiSelector.rows = selector.rows;
+                               apiSelector.cols = selector.cols;
+                               apiSelector.opts = selector.opts;
+                               return api;
+                       }
+                       return this;
+               },
+       
+       
+               lastIndexOf: __arrayProto.lastIndexOf || function (obj, start)
+               {
+                       // Bit cheeky...
+                       return this.indexOf.apply( this.toArray.reverse(), arguments );
+               },
+       
+       
+               length:  0,
+       
+       
+               map: function ( fn )
+               {
+                       var a = [];
+       
+                       if ( __arrayProto.map ) {
+                               a = __arrayProto.map.call( this, fn, this );
+                       }
+                       else {
+                               // Compatibility for browsers without EMCA-252-5 (JS 1.6)
+                               for ( var i=0, ien=this.length ; i<ien ; i++ ) {
+                                       a.push( fn.call( this, this[i], i ) );
+                               }
+                       }
+       
+                       return new _Api( this.context, a );
+               },
+       
+       
+               pluck: function ( prop )
+               {
+                       return this.map( function ( el ) {
+                               return el[ prop ];
+                       } );
+               },
+       
+               pop:     __arrayProto.pop,
+       
+       
+               push:    __arrayProto.push,
+       
+       
+               // Does not return an API instance
+               reduce: __arrayProto.reduce || function ( fn, init )
+               {
+                       return _fnReduce( this, fn, init, 0, this.length, 1 );
+               },
+       
+       
+               reduceRight: __arrayProto.reduceRight || function ( fn, init )
+               {
+                       return _fnReduce( this, fn, init, this.length-1, -1, -1 );
+               },
+       
+       
+               reverse: __arrayProto.reverse,
+       
+       
+               // Object with rows, columns and opts
+               selector: null,
+       
+       
+               shift:   __arrayProto.shift,
+       
+       
+               slice: function () {
+                       return new _Api( this.context, this );
+               },
+       
+       
+               sort:    __arrayProto.sort, // ? name - order?
+       
+       
+               splice:  __arrayProto.splice,
+       
+       
+               toArray: function ()
+               {
+                       return __arrayProto.slice.call( this );
+               },
+       
+       
+               to$: function ()
+               {
+                       return $( this );
+               },
+       
+       
+               toJQuery: function ()
+               {
+                       return $( this );
+               },
+       
+       
+               unique: function ()
+               {
+                       return new _Api( this.context, _unique(this) );
+               },
+       
+       
+               unshift: __arrayProto.unshift
+       } );
+       
+       
+       _Api.extend = function ( scope, obj, ext )
+       {
+               // Only extend API instances and static properties of the API
+               if ( ! ext.length || ! obj || ( ! (obj instanceof _Api) && ! obj.__dt_wrapper ) ) {
+                       return;
+               }
+       
+               var
+                       i, ien,
+                       struct,
+                       methodScoping = function ( scope, fn, struc ) {
+                               return function () {
+                                       var ret = fn.apply( scope, arguments );
+       
+                                       // Method extension
+                                       _Api.extend( ret, ret, struc.methodExt );
+                                       return ret;
+                               };
+                       };
+       
+               for ( i=0, ien=ext.length ; i<ien ; i++ ) {
+                       struct = ext[i];
+       
+                       // Value
+                       obj[ struct.name ] = struct.type === 'function' ?
+                               methodScoping( scope, struct.val, struct ) :
+                               struct.type === 'object' ?
+                                       {} :
+                                       struct.val;
+       
+                       obj[ struct.name ].__dt_wrapper = true;
+       
+                       // Property extension
+                       _Api.extend( scope, obj[ struct.name ], struct.propExt );
+               }
+       };
+       
+       
+       // @todo - Is there need for an augment function?
+       // _Api.augment = function ( inst, name )
+       // {
+       //      // Find src object in the structure from the name
+       //      var parts = name.split('.');
+       
+       //      _Api.extend( inst, obj );
+       // };
+       
+       
+       //     [
+       //       {
+       //         name:      'data'                -- string   - Property name
+       //         val:       function () {},       -- function - Api method (or undefined if just an object
+       //         methodExt: [ ... ],              -- array    - Array of Api object definitions to extend the method result
+       //         propExt:   [ ... ]               -- array    - Array of Api object definitions to extend the property
+       //       },
+       //       {
+       //         name:     'row'
+       //         val:       {},
+       //         methodExt: [ ... ],
+       //         propExt:   [
+       //           {
+       //             name:      'data'
+       //             val:       function () {},
+       //             methodExt: [ ... ],
+       //             propExt:   [ ... ]
+       //           },
+       //           ...
+       //         ]
+       //       }
+       //     ]
+       
+       _Api.register = _api_register = function ( name, val )
+       {
+               if ( $.isArray( name ) ) {
+                       for ( var j=0, jen=name.length ; j<jen ; j++ ) {
+                               _Api.register( name[j], val );
+                       }
+                       return;
+               }
+       
+               var
+                       i, ien,
+                       heir = name.split('.'),
+                       struct = __apiStruct,
+                       key, method;
+       
+               var find = function ( src, name ) {
+                       for ( var i=0, ien=src.length ; i<ien ; i++ ) {
+                               if ( src[i].name === name ) {
+                                       return src[i];
+                               }
+                       }
+                       return null;
+               };
+       
+               for ( i=0, ien=heir.length ; i<ien ; i++ ) {
+                       method = heir[i].indexOf('()') !== -1;
+                       key = method ?
+                               heir[i].replace('()', '') :
+                               heir[i];
+       
+                       var src = find( struct, key );
+                       if ( ! src ) {
+                               src = {
+                                       name:      key,
+                                       val:       {},
+                                       methodExt: [],
+                                       propExt:   [],
+                                       type:      'object'
+                               };
+                               struct.push( src );
+                       }
+       
+                       if ( i === ien-1 ) {
+                               src.val = val;
+                               src.type = typeof val === 'function' ?
+                                       'function' :
+                                       $.isPlainObject( val ) ?
+                                               'object' :
+                                               'other';
+                       }
+                       else {
+                               struct = method ?
+                                       src.methodExt :
+                                       src.propExt;
+                       }
+               }
+       };
+       
+       _Api.registerPlural = _api_registerPlural = function ( pluralName, singularName, val ) {
+               _Api.register( pluralName, val );
+       
+               _Api.register( singularName, function () {
+                       var ret = val.apply( this, arguments );
+       
+                       if ( ret === this ) {
+                               // Returned item is the API instance that was passed in, return it
+                               return this;
+                       }
+                       else if ( ret instanceof _Api ) {
+                               // New API instance returned, want the value from the first item
+                               // in the returned array for the singular result.
+                               return ret.length ?
+                                       $.isArray( ret[0] ) ?
+                                               new _Api( ret.context, ret[0] ) : // Array results are 'enhanced'
+                                               ret[0] :
+                                       undefined;
+                       }
+       
+                       // Non-API return - just fire it back
+                       return ret;
+               } );
+       };
+       
+       
+       /**
+        * Selector for HTML tables. Apply the given selector to the give array of
+        * DataTables settings objects.
+        *
+        * @param {string|integer} [selector] jQuery selector string or integer
+        * @param  {array} Array of DataTables settings objects to be filtered
+        * @return {array}
+        * @ignore
+        */
+       var __table_selector = function ( selector, a )
+       {
+               if ( $.isArray(selector) ) {
+                       return $.map( selector, function (item) {
+                               return __table_selector(item, a);
+                       } );
+               }
+       
+               // Integer is used to pick out a table by index
+               if ( typeof selector === 'number' ) {
+                       return [ a[ selector ] ];
+               }
+       
+               // Perform a jQuery selector on the table nodes
+               var nodes = $.map( a, function (el, i) {
+                       return el.nTable;
+               } );
+       
+               return $(nodes)
+                       .filter( selector )
+                       .map( function (i) {
+                               // Need to translate back from the table node to the settings
+                               var idx = $.inArray( this, nodes );
+                               return a[ idx ];
+                       } )
+                       .toArray();
+       };
+       
+       
+       
+       /**
+        * Context selector for the API's context (i.e. the tables the API instance
+        * refers to.
+        *
+        * @name    DataTable.Api#tables
+        * @param {string|integer} [selector] Selector to pick which tables the iterator
+        *   should operate on. If not given, all tables in the current context are
+        *   used. This can be given as a jQuery selector (for example `':gt(0)'`) to
+        *   select multiple tables or as an integer to select a single table.
+        * @returns {DataTable.Api} Returns a new API instance if a selector is given.
+        */
+       _api_register( 'tables()', function ( selector ) {
+               // A new instance is created if there was a selector specified
+               return selector !== undefined && selector !== null ?
+                       new _Api( __table_selector( selector, this.context ) ) :
+                       this;
+       } );
+       
+       
+       _api_register( 'table()', function ( selector ) {
+               var tables = this.tables( selector );
+               var ctx = tables.context;
+       
+               // Truncate to the first matched table
+               return ctx.length ?
+                       new _Api( ctx[0] ) :
+                       tables;
+       } );
+       
+       
+       _api_registerPlural( 'tables().nodes()', 'table().node()' , function () {
+               return this.iterator( 'table', function ( ctx ) {
+                       return ctx.nTable;
+               }, 1 );
+       } );
+       
+       
+       _api_registerPlural( 'tables().body()', 'table().body()' , function () {
+               return this.iterator( 'table', function ( ctx ) {
+                       return ctx.nTBody;
+               }, 1 );
+       } );
+       
+       
+       _api_registerPlural( 'tables().header()', 'table().header()' , function () {
+               return this.iterator( 'table', function ( ctx ) {
+                       return ctx.nTHead;
+               }, 1 );
+       } );
+       
+       
+       _api_registerPlural( 'tables().footer()', 'table().footer()' , function () {
+               return this.iterator( 'table', function ( ctx ) {
+                       return ctx.nTFoot;
+               }, 1 );
+       } );
+       
+       
+       _api_registerPlural( 'tables().containers()', 'table().container()' , function () {
+               return this.iterator( 'table', function ( ctx ) {
+                       return ctx.nTableWrapper;
+               }, 1 );
+       } );
+       
+       
+       
+       /**
+        * Redraw the tables in the current context.
+        */
+       _api_register( 'draw()', function ( paging ) {
+               return this.iterator( 'table', function ( settings ) {
+                       if ( paging === 'page' ) {
+                               _fnDraw( settings );
+                       }
+                       else {
+                               if ( typeof paging === 'string' ) {
+                                       paging = paging === 'full-hold' ?
+                                               false :
+                                               true;
+                               }
+       
+                               _fnReDraw( settings, paging===false );
+                       }
+               } );
+       } );
+       
+       
+       
+       /**
+        * Get the current page index.
+        *
+        * @return {integer} Current page index (zero based)
+        *//**
+        * Set the current page.
+        *
+        * Note that if you attempt to show a page which does not exist, DataTables will
+        * not throw an error, but rather reset the paging.
+        *
+        * @param {integer|string} action The paging action to take. This can be one of:
+        *  * `integer` - The page index to jump to
+        *  * `string` - An action to take:
+        *    * `first` - Jump to first page.
+        *    * `next` - Jump to the next page
+        *    * `previous` - Jump to previous page
+        *    * `last` - Jump to the last page.
+        * @returns {DataTables.Api} this
+        */
+       _api_register( 'page()', function ( action ) {
+               if ( action === undefined ) {
+                       return this.page.info().page; // not an expensive call
+               }
+       
+               // else, have an action to take on all tables
+               return this.iterator( 'table', function ( settings ) {
+                       _fnPageChange( settings, action );
+               } );
+       } );
+       
+       
+       /**
+        * Paging information for the first table in the current context.
+        *
+        * If you require paging information for another table, use the `table()` method
+        * with a suitable selector.
+        *
+        * @return {object} Object with the following properties set:
+        *  * `page` - Current page index (zero based - i.e. the first page is `0`)
+        *  * `pages` - Total number of pages
+        *  * `start` - Display index for the first record shown on the current page
+        *  * `end` - Display index for the last record shown on the current page
+        *  * `length` - Display length (number of records). Note that generally `start
+        *    + length = end`, but this is not always true, for example if there are
+        *    only 2 records to show on the final page, with a length of 10.
+        *  * `recordsTotal` - Full data set length
+        *  * `recordsDisplay` - Data set length once the current filtering criterion
+        *    are applied.
+        */
+       _api_register( 'page.info()', function ( action ) {
+               if ( this.context.length === 0 ) {
+                       return undefined;
+               }
+       
+               var
+                       settings   = this.context[0],
+                       start      = settings._iDisplayStart,
+                       len        = settings.oFeatures.bPaginate ? settings._iDisplayLength : -1,
+                       visRecords = settings.fnRecordsDisplay(),
+                       all        = len === -1;
+       
+               return {
+                       "page":           all ? 0 : Math.floor( start / len ),
+                       "pages":          all ? 1 : Math.ceil( visRecords / len ),
+                       "start":          start,
+                       "end":            settings.fnDisplayEnd(),
+                       "length":         len,
+                       "recordsTotal":   settings.fnRecordsTotal(),
+                       "recordsDisplay": visRecords,
+                       "serverSide":     _fnDataSource( settings ) === 'ssp'
+               };
+       } );
+       
+       
+       /**
+        * Get the current page length.
+        *
+        * @return {integer} Current page length. Note `-1` indicates that all records
+        *   are to be shown.
+        *//**
+        * Set the current page length.
+        *
+        * @param {integer} Page length to set. Use `-1` to show all records.
+        * @returns {DataTables.Api} this
+        */
+       _api_register( 'page.len()', function ( len ) {
+               // Note that we can't call this function 'length()' because `length`
+               // is a Javascript property of functions which defines how many arguments
+               // the function expects.
+               if ( len === undefined ) {
+                       return this.context.length !== 0 ?
+                               this.context[0]._iDisplayLength :
+                               undefined;
+               }
+       
+               // else, set the page length
+               return this.iterator( 'table', function ( settings ) {
+                       _fnLengthChange( settings, len );
+               } );
+       } );
+       
+       
+       
+       var __reload = function ( settings, holdPosition, callback ) {
+               // Use the draw event to trigger a callback
+               if ( callback ) {
+                       var api = new _Api( settings );
+       
+                       api.one( 'draw', function () {
+                               callback( api.ajax.json() );
+                       } );
+               }
+       
+               if ( _fnDataSource( settings ) == 'ssp' ) {
+                       _fnReDraw( settings, holdPosition );
+               }
+               else {
+                       _fnProcessingDisplay( settings, true );
+       
+                       // Cancel an existing request
+                       var xhr = settings.jqXHR;
+                       if ( xhr && xhr.readyState !== 4 ) {
+                               xhr.abort();
+                       }
+       
+                       // Trigger xhr
+                       _fnBuildAjax( settings, [], function( json ) {
+                               _fnClearTable( settings );
+       
+                               var data = _fnAjaxDataSrc( settings, json );
+                               for ( var i=0, ien=data.length ; i<ien ; i++ ) {
+                                       _fnAddData( settings, data[i] );
+                               }
+       
+                               _fnReDraw( settings, holdPosition );
+                               _fnProcessingDisplay( settings, false );
+                       } );
+               }
+       };
+       
+       
+       /**
+        * Get the JSON response from the last Ajax request that DataTables made to the
+        * server. Note that this returns the JSON from the first table in the current
+        * context.
+        *
+        * @return {object} JSON received from the server.
+        */
+       _api_register( 'ajax.json()', function () {
+               var ctx = this.context;
+       
+               if ( ctx.length > 0 ) {
+                       return ctx[0].json;
+               }
+       
+               // else return undefined;
+       } );
+       
+       
+       /**
+        * Get the data submitted in the last Ajax request
+        */
+       _api_register( 'ajax.params()', function () {
+               var ctx = this.context;
+       
+               if ( ctx.length > 0 ) {
+                       return ctx[0].oAjaxData;
+               }
+       
+               // else return undefined;
+       } );
+       
+       
+       /**
+        * Reload tables from the Ajax data source. Note that this function will
+        * automatically re-draw the table when the remote data has been loaded.
+        *
+        * @param {boolean} [reset=true] Reset (default) or hold the current paging
+        *   position. A full re-sort and re-filter is performed when this method is
+        *   called, which is why the pagination reset is the default action.
+        * @returns {DataTables.Api} this
+        */
+       _api_register( 'ajax.reload()', function ( callback, resetPaging ) {
+               return this.iterator( 'table', function (settings) {
+                       __reload( settings, resetPaging===false, callback );
+               } );
+       } );
+       
+       
+       /**
+        * Get the current Ajax URL. Note that this returns the URL from the first
+        * table in the current context.
+        *
+        * @return {string} Current Ajax source URL
+        *//**
+        * Set the Ajax URL. Note that this will set the URL for all tables in the
+        * current context.
+        *
+        * @param {string} url URL to set.
+        * @returns {DataTables.Api} this
+        */
+       _api_register( 'ajax.url()', function ( url ) {
+               var ctx = this.context;
+       
+               if ( url === undefined ) {
+                       // get
+                       if ( ctx.length === 0 ) {
+                               return undefined;
+                       }
+                       ctx = ctx[0];
+       
+                       return ctx.ajax ?
+                               $.isPlainObject( ctx.ajax ) ?
+                                       ctx.ajax.url :
+                                       ctx.ajax :
+                               ctx.sAjaxSource;
+               }
+       
+               // set
+               return this.iterator( 'table', function ( settings ) {
+                       if ( $.isPlainObject( settings.ajax ) ) {
+                               settings.ajax.url = url;
+                       }
+                       else {
+                               settings.ajax = url;
+                       }
+                       // No need to consider sAjaxSource here since DataTables gives priority
+                       // to `ajax` over `sAjaxSource`. So setting `ajax` here, renders any
+                       // value of `sAjaxSource` redundant.
+               } );
+       } );
+       
+       
+       /**
+        * Load data from the newly set Ajax URL. Note that this method is only
+        * available when `ajax.url()` is used to set a URL. Additionally, this method
+        * has the same effect as calling `ajax.reload()` but is provided for
+        * convenience when setting a new URL. Like `ajax.reload()` it will
+        * automatically redraw the table once the remote data has been loaded.
+        *
+        * @returns {DataTables.Api} this
+        */
+       _api_register( 'ajax.url().load()', function ( callback, resetPaging ) {
+               // Same as a reload, but makes sense to present it for easy access after a
+               // url change
+               return this.iterator( 'table', function ( ctx ) {
+                       __reload( ctx, resetPaging===false, callback );
+               } );
+       } );
+       
+       
+       
+       
+       var _selector_run = function ( type, selector, selectFn, settings, opts )
+       {
+               var
+                       out = [], res,
+                       a, i, ien, j, jen,
+                       selectorType = typeof selector;
+       
+               // Can't just check for isArray here, as an API or jQuery instance might be
+               // given with their array like look
+               if ( ! selector || selectorType === 'string' || selectorType === 'function' || selector.length === undefined ) {
+                       selector = [ selector ];
+               }
+       
+               for ( i=0, ien=selector.length ; i<ien ; i++ ) {
+                       // Only split on simple strings - complex expressions will be jQuery selectors
+                       a = selector[i] && selector[i].split && ! selector[i].match(/[\[\(:]/) ?
+                               selector[i].split(',') :
+                               [ selector[i] ];
+       
+                       for ( j=0, jen=a.length ; j<jen ; j++ ) {
+                               res = selectFn( typeof a[j] === 'string' ? $.trim(a[j]) : a[j] );
+       
+                               if ( res && res.length ) {
+                                       out = out.concat( res );
+                               }
+                       }
+               }
+       
+               // selector extensions
+               var ext = _ext.selector[ type ];
+               if ( ext.length ) {
+                       for ( i=0, ien=ext.length ; i<ien ; i++ ) {
+                               out = ext[i]( settings, opts, out );
+                       }
+               }
+       
+               return _unique( out );
+       };
+       
+       
+       var _selector_opts = function ( opts )
+       {
+               if ( ! opts ) {
+                       opts = {};
+               }
+       
+               // Backwards compatibility for 1.9- which used the terminology filter rather
+               // than search
+               if ( opts.filter && opts.search === undefined ) {
+                       opts.search = opts.filter;
+               }
+       
+               return $.extend( {
+                       search: 'none',
+                       order: 'current',
+                       page: 'all'
+               }, opts );
+       };
+       
+       
+       var _selector_first = function ( inst )
+       {
+               // Reduce the API instance to the first item found
+               for ( var i=0, ien=inst.length ; i<ien ; i++ ) {
+                       if ( inst[i].length > 0 ) {
+                               // Assign the first element to the first item in the instance
+                               // and truncate the instance and context
+                               inst[0] = inst[i];
+                               inst[0].length = 1;
+                               inst.length = 1;
+                               inst.context = [ inst.context[i] ];
+       
+                               return inst;
+                       }
+               }
+       
+               // Not found - return an empty instance
+               inst.length = 0;
+               return inst;
+       };
+       
+       
+       var _selector_row_indexes = function ( settings, opts )
+       {
+               var
+                       i, ien, tmp, a=[],
+                       displayFiltered = settings.aiDisplay,
+                       displayMaster = settings.aiDisplayMaster;
+       
+               var
+                       search = opts.search,  // none, applied, removed
+                       order  = opts.order,   // applied, current, index (original - compatibility with 1.9)
+                       page   = opts.page;    // all, current
+       
+               if ( _fnDataSource( settings ) == 'ssp' ) {
+                       // In server-side processing mode, most options are irrelevant since
+                       // rows not shown don't exist and the index order is the applied order
+                       // Removed is a special case - for consistency just return an empty
+                       // array
+                       return search === 'removed' ?
+                               [] :
+                               _range( 0, displayMaster.length );
+               }
+               else if ( page == 'current' ) {
+                       // Current page implies that order=current and fitler=applied, since it is
+                       // fairly senseless otherwise, regardless of what order and search actually
+                       // are
+                       for ( i=settings._iDisplayStart, ien=settings.fnDisplayEnd() ; i<ien ; i++ ) {
+                               a.push( displayFiltered[i] );
+                       }
+               }
+               else if ( order == 'current' || order == 'applied' ) {
+                       if ( search == 'none') {
+                               a = displayMaster.slice();
+                       }
+                       else if ( search == 'applied' ) {
+                               a = displayFiltered.slice();
+                       }
+                       else if ( search == 'removed' ) {
+                               // O(n+m) solution by creating a hash map
+                               var displayFilteredMap = {};
+       
+                               for ( var i=0, ien=displayFiltered.length ; i<ien ; i++ ) {
+                                       displayFilteredMap[displayFiltered[i]] = null;
+                               }
+       
+                               a = $.map( displayMaster, function (el) {
+                                       return ! displayFilteredMap.hasOwnProperty(el) ?
+                                               el :
+                                               null;
+                               } );
+                       }
+               }
+               else if ( order == 'index' || order == 'original' ) {
+                       for ( i=0, ien=settings.aoData.length ; i<ien ; i++ ) {
+                               if ( search == 'none' ) {
+                                       a.push( i );
+                               }
+                               else { // applied | removed
+                                       tmp = $.inArray( i, displayFiltered );
+       
+                                       if ((tmp === -1 && search == 'removed') ||
+                                               (tmp >= 0   && search == 'applied') )
+                                       {
+                                               a.push( i );
+                                       }
+                               }
+                       }
+               }
+       
+               return a;
+       };
+       
+       
+       /* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * *
+        * Rows
+        *
+        * {}          - no selector - use all available rows
+        * {integer}   - row aoData index
+        * {node}      - TR node
+        * {string}    - jQuery selector to apply to the TR elements
+        * {array}     - jQuery array of nodes, or simply an array of TR nodes
+        *
+        */
+       var __row_selector = function ( settings, selector, opts )
+       {
+               var rows;
+               var run = function ( sel ) {
+                       var selInt = _intVal( sel );
+                       var i, ien;
+                       var aoData = settings.aoData;
+       
+                       // Short cut - selector is a number and no options provided (default is
+                       // all records, so no need to check if the index is in there, since it
+                       // must be - dev error if the index doesn't exist).
+                       if ( selInt !== null && ! opts ) {
+                               return [ selInt ];
+                       }
+       
+                       if ( ! rows ) {
+                               rows = _selector_row_indexes( settings, opts );
+                       }
+       
+                       if ( selInt !== null && $.inArray( selInt, rows ) !== -1 ) {
+                               // Selector - integer
+                               return [ selInt ];
+                       }
+                       else if ( sel === null || sel === undefined || sel === '' ) {
+                               // Selector - none
+                               return rows;
+                       }
+       
+                       // Selector - function
+                       if ( typeof sel === 'function' ) {
+                               return $.map( rows, function (idx) {
+                                       var row = aoData[ idx ];
+                                       return sel( idx, row._aData, row.nTr ) ? idx : null;
+                               } );
+                       }
+       
+                       // Selector - node
+                       if ( sel.nodeName ) {
+                               var rowIdx = sel._DT_RowIndex;  // Property added by DT for fast lookup
+                               var cellIdx = sel._DT_CellIndex;
+       
+                               if ( rowIdx !== undefined ) {
+                                       // Make sure that the row is actually still present in the table
+                                       return aoData[ rowIdx ] && aoData[ rowIdx ].nTr === sel ?
+                                               [ rowIdx ] :
+                                               [];
+                               }
+                               else if ( cellIdx ) {
+                                       return aoData[ cellIdx.row ] && aoData[ cellIdx.row ].nTr === sel.parentNode ?
+                                               [ cellIdx.row ] :
+                                               [];
+                               }
+                               else {
+                                       var host = $(sel).closest('*[data-dt-row]');
+                                       return host.length ?
+                                               [ host.data('dt-row') ] :
+                                               [];
+                               }
+                       }
+       
+                       // ID selector. Want to always be able to select rows by id, regardless
+                       // of if the tr element has been created or not, so can't rely upon
+                       // jQuery here - hence a custom implementation. This does not match
+                       // Sizzle's fast selector or HTML4 - in HTML5 the ID can be anything,
+                       // but to select it using a CSS selector engine (like Sizzle or
+                       // querySelect) it would need to need to be escaped for some characters.
+                       // DataTables simplifies this for row selectors since you can select
+                       // only a row. A # indicates an id any anything that follows is the id -
+                       // unescaped.
+                       if ( typeof sel === 'string' && sel.charAt(0) === '#' ) {
+                               // get row index from id
+                               var rowObj = settings.aIds[ sel.replace( /^#/, '' ) ];
+                               if ( rowObj !== undefined ) {
+                                       return [ rowObj.idx ];
+                               }
+       
+                               // need to fall through to jQuery in case there is DOM id that
+                               // matches
+                       }
+                       
+                       // Get nodes in the order from the `rows` array with null values removed
+                       var nodes = _removeEmpty(
+                               _pluck_order( settings.aoData, rows, 'nTr' )
+                       );
+       
+                       // Selector - jQuery selector string, array of nodes or jQuery object/
+                       // As jQuery's .filter() allows jQuery objects to be passed in filter,
+                       // it also allows arrays, so this will cope with all three options
+                       return $(nodes)
+                               .filter( sel )
+                               .map( function () {
+                                       return this._DT_RowIndex;
+                               } )
+                               .toArray();
+               };
+       
+               return _selector_run( 'row', selector, run, settings, opts );
+       };
+       
+       
+       _api_register( 'rows()', function ( selector, opts ) {
+               // argument shifting
+               if ( selector === undefined ) {
+                       selector = '';
+               }
+               else if ( $.isPlainObject( selector ) ) {
+                       opts = selector;
+                       selector = '';
+               }
+       
+               opts = _selector_opts( opts );
+       
+               var inst = this.iterator( 'table', function ( settings ) {
+                       return __row_selector( settings, selector, opts );
+               }, 1 );
+       
+               // Want argument shifting here and in __row_selector?
+               inst.selector.rows = selector;
+               inst.selector.opts = opts;
+       
+               return inst;
+       } );
+       
+       _api_register( 'rows().nodes()', function () {
+               return this.iterator( 'row', function ( settings, row ) {
+                       return settings.aoData[ row ].nTr || undefined;
+               }, 1 );
+       } );
+       
+       _api_register( 'rows().data()', function () {
+               return this.iterator( true, 'rows', function ( settings, rows ) {
+                       return _pluck_order( settings.aoData, rows, '_aData' );
+               }, 1 );
+       } );
+       
+       _api_registerPlural( 'rows().cache()', 'row().cache()', function ( type ) {
+               return this.iterator( 'row', function ( settings, row ) {
+                       var r = settings.aoData[ row ];
+                       return type === 'search' ? r._aFilterData : r._aSortData;
+               }, 1 );
+       } );
+       
+       _api_registerPlural( 'rows().invalidate()', 'row().invalidate()', function ( src ) {
+               return this.iterator( 'row', function ( settings, row ) {
+                       _fnInvalidate( settings, row, src );
+               } );
+       } );
+       
+       _api_registerPlural( 'rows().indexes()', 'row().index()', function () {
+               return this.iterator( 'row', function ( settings, row ) {
+                       return row;
+               }, 1 );
+       } );
+       
+       _api_registerPlural( 'rows().ids()', 'row().id()', function ( hash ) {
+               var a = [];
+               var context = this.context;
+       
+               // `iterator` will drop undefined values, but in this case we want them
+               for ( var i=0, ien=context.length ; i<ien ; i++ ) {
+                       for ( var j=0, jen=this[i].length ; j<jen ; j++ ) {
+                               var id = context[i].rowIdFn( context[i].aoData[ this[i][j] ]._aData );
+                               a.push( (hash === true ? '#' : '' )+ id );
+                       }
+               }
+       
+               return new _Api( context, a );
+       } );
+       
+       _api_registerPlural( 'rows().remove()', 'row().remove()', function () {
+               var that = this;
+       
+               this.iterator( 'row', function ( settings, row, thatIdx ) {
+                       var data = settings.aoData;
+                       var rowData = data[ row ];
+                       var i, ien, j, jen;
+                       var loopRow, loopCells;
+       
+                       data.splice( row, 1 );
+       
+                       // Update the cached indexes
+                       for ( i=0, ien=data.length ; i<ien ; i++ ) {
+                               loopRow = data[i];
+                               loopCells = loopRow.anCells;
+       
+                               // Rows
+                               if ( loopRow.nTr !== null ) {
+                                       loopRow.nTr._DT_RowIndex = i;
+                               }
+       
+                               // Cells
+                               if ( loopCells !== null ) {
+                                       for ( j=0, jen=loopCells.length ; j<jen ; j++ ) {
+                                               loopCells[j]._DT_CellIndex.row = i;
+                                       }
+                               }
+                       }
+       
+                       // Delete from the display arrays
+                       _fnDeleteIndex( settings.aiDisplayMaster, row );
+                       _fnDeleteIndex( settings.aiDisplay, row );
+                       _fnDeleteIndex( that[ thatIdx ], row, false ); // maintain local indexes
+       
+                       // For server-side processing tables - subtract the deleted row from the count
+                       if ( settings._iRecordsDisplay > 0 ) {
+                               settings._iRecordsDisplay--;
+                       }
+       
+                       // Check for an 'overflow' they case for displaying the table
+                       _fnLengthOverflow( settings );
+       
+                       // Remove the row's ID reference if there is one
+                       var id = settings.rowIdFn( rowData._aData );
+                       if ( id !== undefined ) {
+                               delete settings.aIds[ id ];
+                       }
+               } );
+       
+               this.iterator( 'table', function ( settings ) {
+                       for ( var i=0, ien=settings.aoData.length ; i<ien ; i++ ) {
+                               settings.aoData[i].idx = i;
+                       }
+               } );
+       
+               return this;
+       } );
+       
+       
+       _api_register( 'rows.add()', function ( rows ) {
+               var newRows = this.iterator( 'table', function ( settings ) {
+                               var row, i, ien;
+                               var out = [];
+       
+                               for ( i=0, ien=rows.length ; i<ien ; i++ ) {
+                                       row = rows[i];
+       
+                                       if ( row.nodeName && row.nodeName.toUpperCase() === 'TR' ) {
+                                               out.push( _fnAddTr( settings, row )[0] );
+                                       }
+                                       else {
+                                               out.push( _fnAddData( settings, row ) );
+                                       }
+                               }
+       
+                               return out;
+                       }, 1 );
+       
+               // Return an Api.rows() extended instance, so rows().nodes() etc can be used
+               var modRows = this.rows( -1 );
+               modRows.pop();
+               $.merge( modRows, newRows );
+       
+               return modRows;
+       } );
+       
+       
+       
+       
+       
+       /**
+        *
+        */
+       _api_register( 'row()', function ( selector, opts ) {
+               return _selector_first( this.rows( selector, opts ) );
+       } );
+       
+       
+       _api_register( 'row().data()', function ( data ) {
+               var ctx = this.context;
+       
+               if ( data === undefined ) {
+                       // Get
+                       return ctx.length && this.length ?
+                               ctx[0].aoData[ this[0] ]._aData :
+                               undefined;
+               }
+       
+               // Set
+               var row = ctx[0].aoData[ this[0] ];
+               row._aData = data;
+       
+               // If the DOM has an id, and the data source is an array
+               if ( $.isArray( data ) && row.nTr && row.nTr.id ) {
+                       _fnSetObjectDataFn( ctx[0].rowId )( data, row.nTr.id );
+               }
+       
+               // Automatically invalidate
+               _fnInvalidate( ctx[0], this[0], 'data' );
+       
+               return this;
+       } );
+       
+       
+       _api_register( 'row().node()', function () {
+               var ctx = this.context;
+       
+               return ctx.length && this.length ?
+                       ctx[0].aoData[ this[0] ].nTr || null :
+                       null;
+       } );
+       
+       
+       _api_register( 'row.add()', function ( row ) {
+               // Allow a jQuery object to be passed in - only a single row is added from
+               // it though - the first element in the set
+               if ( row instanceof $ && row.length ) {
+                       row = row[0];
+               }
+       
+               var rows = this.iterator( 'table', function ( settings ) {
+                       if ( row.nodeName && row.nodeName.toUpperCase() === 'TR' ) {
+                               return _fnAddTr( settings, row )[0];
+                       }
+                       return _fnAddData( settings, row );
+               } );
+       
+               // Return an Api.rows() extended instance, with the newly added row selected
+               return this.row( rows[0] );
+       } );
+       
+       
+       
+       var __details_add = function ( ctx, row, data, klass )
+       {
+               // Convert to array of TR elements
+               var rows = [];
+               var addRow = function ( r, k ) {
+                       // Recursion to allow for arrays of jQuery objects
+                       if ( $.isArray( r ) || r instanceof $ ) {
+                               for ( var i=0, ien=r.length ; i<ien ; i++ ) {
+                                       addRow( r[i], k );
+                               }
+                               return;
+                       }
+       
+                       // If we get a TR element, then just add it directly - up to the dev
+                       // to add the correct number of columns etc
+                       if ( r.nodeName && r.nodeName.toLowerCase() === 'tr' ) {
+                               rows.push( r );
+                       }
+                       else {
+                               // Otherwise create a row with a wrapper
+                               var created = $('<tr><td/></tr>').addClass( k );
+                               $('td', created)
+                                       .addClass( k )
+                                       .html( r )
+                                       [0].colSpan = _fnVisbleColumns( ctx );
+       
+                               rows.push( created[0] );
+                       }
+               };
+       
+               addRow( data, klass );
+       
+               if ( row._details ) {
+                       row._details.detach();
+               }
+       
+               row._details = $(rows);
+       
+               // If the children were already shown, that state should be retained
+               if ( row._detailsShow ) {
+                       row._details.insertAfter( row.nTr );
+               }
+       };
+       
+       
+       var __details_remove = function ( api, idx )
+       {
+               var ctx = api.context;
+       
+               if ( ctx.length ) {
+                       var row = ctx[0].aoData[ idx !== undefined ? idx : api[0] ];
+       
+                       if ( row && row._details ) {
+                               row._details.remove();
+       
+                               row._detailsShow = undefined;
+                               row._details = undefined;
+                       }
+               }
+       };
+       
+       
+       var __details_display = function ( api, show ) {
+               var ctx = api.context;
+       
+               if ( ctx.length && api.length ) {
+                       var row = ctx[0].aoData[ api[0] ];
+       
+                       if ( row._details ) {
+                               row._detailsShow = show;
+       
+                               if ( show ) {
+                                       row._details.insertAfter( row.nTr );
+                               }
+                               else {
+                                       row._details.detach();
+                               }
+       
+                               __details_events( ctx[0] );
+                       }
+               }
+       };
+       
+       
+       var __details_events = function ( settings )
+       {
+               var api = new _Api( settings );
+               var namespace = '.dt.DT_details';
+               var drawEvent = 'draw'+namespace;
+               var colvisEvent = 'column-visibility'+namespace;
+               var destroyEvent = 'destroy'+namespace;
+               var data = settings.aoData;
+       
+               api.off( drawEvent +' '+ colvisEvent +' '+ destroyEvent );
+       
+               if ( _pluck( data, '_details' ).length > 0 ) {
+                       // On each draw, insert the required elements into the document
+                       api.on( drawEvent, function ( e, ctx ) {
+                               if ( settings !== ctx ) {
+                                       return;
+                               }
+       
+                               api.rows( {page:'current'} ).eq(0).each( function (idx) {
+                                       // Internal data grab
+                                       var row = data[ idx ];
+       
+                                       if ( row._detailsShow ) {
+                                               row._details.insertAfter( row.nTr );
+                                       }
+                               } );
+                       } );
+       
+                       // Column visibility change - update the colspan
+                       api.on( colvisEvent, function ( e, ctx, idx, vis ) {
+                               if ( settings !== ctx ) {
+                                       return;
+                               }
+       
+                               // Update the colspan for the details rows (note, only if it already has
+                               // a colspan)
+                               var row, visible = _fnVisbleColumns( ctx );
+       
+                               for ( var i=0, ien=data.length ; i<ien ; i++ ) {
+                                       row = data[i];
+       
+                                       if ( row._details ) {
+                                               row._details.children('td[colspan]').attr('colspan', visible );
+                                       }
+                               }
+                       } );
+       
+                       // Table destroyed - nuke any child rows
+                       api.on( destroyEvent, function ( e, ctx ) {
+                               if ( settings !== ctx ) {
+                                       return;
+                               }
+       
+                               for ( var i=0, ien=data.length ; i<ien ; i++ ) {
+                                       if ( data[i]._details ) {
+                                               __details_remove( api, i );
+                                       }
+                               }
+                       } );
+               }
+       };
+       
+       // Strings for the method names to help minification
+       var _emp = '';
+       var _child_obj = _emp+'row().child';
+       var _child_mth = _child_obj+'()';
+       
+       // data can be:
+       //  tr
+       //  string
+       //  jQuery or array of any of the above
+       _api_register( _child_mth, function ( data, klass ) {
+               var ctx = this.context;
+       
+               if ( data === undefined ) {
+                       // get
+                       return ctx.length && this.length ?
+                               ctx[0].aoData[ this[0] ]._details :
+                               undefined;
+               }
+               else if ( data === true ) {
+                       // show
+                       this.child.show();
+               }
+               else if ( data === false ) {
+                       // remove
+                       __details_remove( this );
+               }
+               else if ( ctx.length && this.length ) {
+                       // set
+                       __details_add( ctx[0], ctx[0].aoData[ this[0] ], data, klass );
+               }
+       
+               return this;
+       } );
+       
+       
+       _api_register( [
+               _child_obj+'.show()',
+               _child_mth+'.show()' // only when `child()` was called with parameters (without
+       ], function ( show ) {   // it returns an object and this method is not executed)
+               __details_display( this, true );
+               return this;
+       } );
+       
+       
+       _api_register( [
+               _child_obj+'.hide()',
+               _child_mth+'.hide()' // only when `child()` was called with parameters (without
+       ], function () {         // it returns an object and this method is not executed)
+               __details_display( this, false );
+               return this;
+       } );
+       
+       
+       _api_register( [
+               _child_obj+'.remove()',
+               _child_mth+'.remove()' // only when `child()` was called with parameters (without
+       ], function () {           // it returns an object and this method is not executed)
+               __details_remove( this );
+               return this;
+       } );
+       
+       
+       _api_register( _child_obj+'.isShown()', function () {
+               var ctx = this.context;
+       
+               if ( ctx.length && this.length ) {
+                       // _detailsShown as false or undefined will fall through to return false
+                       return ctx[0].aoData[ this[0] ]._detailsShow || false;
+               }
+               return false;
+       } );
+       
+       
+       
+       /* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * *
+        * Columns
+        *
+        * {integer}           - column index (>=0 count from left, <0 count from right)
+        * "{integer}:visIdx"  - visible column index (i.e. translate to column index)  (>=0 count from left, <0 count from right)
+        * "{integer}:visible" - alias for {integer}:visIdx  (>=0 count from left, <0 count from right)
+        * "{string}:name"     - column name
+        * "{string}"          - jQuery selector on column header nodes
+        *
+        */
+       
+       // can be an array of these items, comma separated list, or an array of comma
+       // separated lists
+       
+       var __re_column_selector = /^([^:]+):(name|visIdx|visible)$/;
+       
+       
+       // r1 and r2 are redundant - but it means that the parameters match for the
+       // iterator callback in columns().data()
+       var __columnData = function ( settings, column, r1, r2, rows ) {
+               var a = [];
+               for ( var row=0, ien=rows.length ; row<ien ; row++ ) {
+                       a.push( _fnGetCellData( settings, rows[row], column ) );
+               }
+               return a;
+       };
+       
+       
+       var __column_selector = function ( settings, selector, opts )
+       {
+               var
+                       columns = settings.aoColumns,
+                       names = _pluck( columns, 'sName' ),
+                       nodes = _pluck( columns, 'nTh' );
+       
+               var run = function ( s ) {
+                       var selInt = _intVal( s );
+       
+                       // Selector - all
+                       if ( s === '' ) {
+                               return _range( columns.length );
+                       }
+       
+                       // Selector - index
+                       if ( selInt !== null ) {
+                               return [ selInt >= 0 ?
+                                       selInt : // Count from left
+                                       columns.length + selInt // Count from right (+ because its a negative value)
+                               ];
+                       }
+       
+                       // Selector = function
+                       if ( typeof s === 'function' ) {
+                               var rows = _selector_row_indexes( settings, opts );
+       
+                               return $.map( columns, function (col, idx) {
+                                       return s(
+                                                       idx,
+                                                       __columnData( settings, idx, 0, 0, rows ),
+                                                       nodes[ idx ]
+                                               ) ? idx : null;
+                               } );
+                       }
+       
+                       // jQuery or string selector
+                       var match = typeof s === 'string' ?
+                               s.match( __re_column_selector ) :
+                               '';
+       
+                       if ( match ) {
+                               switch( match[2] ) {
+                                       case 'visIdx':
+                                       case 'visible':
+                                               var idx = parseInt( match[1], 10 );
+                                               // Visible index given, convert to column index
+                                               if ( idx < 0 ) {
+                                                       // Counting from the right
+                                                       var visColumns = $.map( columns, function (col,i) {
+                                                               return col.bVisible ? i : null;
+                                                       } );
+                                                       return [ visColumns[ visColumns.length + idx ] ];
+                                               }
+                                               // Counting from the left
+                                               return [ _fnVisibleToColumnIndex( settings, idx ) ];
+       
+                                       case 'name':
+                                               // match by name. `names` is column index complete and in order
+                                               return $.map( names, function (name, i) {
+                                                       return name === match[1] ? i : null;
+                                               } );
+       
+                                       default:
+                                               return [];
+                               }
+                       }
+       
+                       // Cell in the table body
+                       if ( s.nodeName && s._DT_CellIndex ) {
+                               return [ s._DT_CellIndex.column ];
+                       }
+       
+                       // jQuery selector on the TH elements for the columns
+                       var jqResult = $( nodes )
+                               .filter( s )
+                               .map( function () {
+                                       return $.inArray( this, nodes ); // `nodes` is column index complete and in order
+                               } )
+                               .toArray();
+       
+                       if ( jqResult.length || ! s.nodeName ) {
+                               return jqResult;
+                       }
+       
+                       // Otherwise a node which might have a `dt-column` data attribute, or be
+                       // a child or such an element
+                       var host = $(s).closest('*[data-dt-column]');
+                       return host.length ?
+                               [ host.data('dt-column') ] :
+                               [];
+               };
+       
+               return _selector_run( 'column', selector, run, settings, opts );
+       };
+       
+       
+       var __setColumnVis = function ( settings, column, vis ) {
+               var
+                       cols = settings.aoColumns,
+                       col  = cols[ column ],
+                       data = settings.aoData,
+                       row, cells, i, ien, tr;
+       
+               // Get
+               if ( vis === undefined ) {
+                       return col.bVisible;
+               }
+       
+               // Set
+               // No change
+               if ( col.bVisible === vis ) {
+                       return;
+               }
+       
+               if ( vis ) {
+                       // Insert column
+                       // Need to decide if we should use appendChild or insertBefore
+                       var insertBefore = $.inArray( true, _pluck(cols, 'bVisible'), column+1 );
+       
+                       for ( i=0, ien=data.length ; i<ien ; i++ ) {
+                               tr = data[i].nTr;
+                               cells = data[i].anCells;
+       
+                               if ( tr ) {
+                                       // insertBefore can act like appendChild if 2nd arg is null
+                                       tr.insertBefore( cells[ column ], cells[ insertBefore ] || null );
+                               }
+                       }
+               }
+               else {
+                       // Remove column
+                       $( _pluck( settings.aoData, 'anCells', column ) ).detach();
+               }
+       
+               // Common actions
+               col.bVisible = vis;
+       };
+       
+       
+       _api_register( 'columns()', function ( selector, opts ) {
+               // argument shifting
+               if ( selector === undefined ) {
+                       selector = '';
+               }
+               else if ( $.isPlainObject( selector ) ) {
+                       opts = selector;
+                       selector = '';
+               }
+       
+               opts = _selector_opts( opts );
+       
+               var inst = this.iterator( 'table', function ( settings ) {
+                       return __column_selector( settings, selector, opts );
+               }, 1 );
+       
+               // Want argument shifting here and in _row_selector?
+               inst.selector.cols = selector;
+               inst.selector.opts = opts;
+       
+               return inst;
+       } );
+       
+       _api_registerPlural( 'columns().header()', 'column().header()', function ( selector, opts ) {
+               return this.iterator( 'column', function ( settings, column ) {
+                       return settings.aoColumns[column].nTh;
+               }, 1 );
+       } );
+       
+       _api_registerPlural( 'columns().footer()', 'column().footer()', function ( selector, opts ) {
+               return this.iterator( 'column', function ( settings, column ) {
+                       return settings.aoColumns[column].nTf;
+               }, 1 );
+       } );
+       
+       _api_registerPlural( 'columns().data()', 'column().data()', function () {
+               return this.iterator( 'column-rows', __columnData, 1 );
+       } );
+       
+       _api_registerPlural( 'columns().dataSrc()', 'column().dataSrc()', function () {
+               return this.iterator( 'column', function ( settings, column ) {
+                       return settings.aoColumns[column].mData;
+               }, 1 );
+       } );
+       
+       _api_registerPlural( 'columns().cache()', 'column().cache()', function ( type ) {
+               return this.iterator( 'column-rows', function ( settings, column, i, j, rows ) {
+                       return _pluck_order( settings.aoData, rows,
+                               type === 'search' ? '_aFilterData' : '_aSortData', column
+                       );
+               }, 1 );
+       } );
+       
+       _api_registerPlural( 'columns().nodes()', 'column().nodes()', function () {
+               return this.iterator( 'column-rows', function ( settings, column, i, j, rows ) {
+                       return _pluck_order( settings.aoData, rows, 'anCells', column ) ;
+               }, 1 );
+       } );
+       
+       _api_registerPlural( 'columns().visible()', 'column().visible()', function ( vis, calc ) {
+               var that = this;
+               var ret = this.iterator( 'column', function ( settings, column ) {
+                       if ( vis === undefined ) {
+                               return settings.aoColumns[ column ].bVisible;
+                       } // else
+                       __setColumnVis( settings, column, vis );
+               } );
+       
+               // Group the column visibility changes
+               if ( vis !== undefined ) {
+                       this.iterator( 'table', function ( settings ) {
+                               // Redraw the header after changes
+                               _fnDrawHead( settings, settings.aoHeader );
+                               _fnDrawHead( settings, settings.aoFooter );
+               
+                               // Update colspan for no records display. Child rows and extensions will use their own
+                               // listeners to do this - only need to update the empty table item here
+                               if ( ! settings.aiDisplay.length ) {
+                                       $(settings.nTBody).find('td[colspan]').attr('colspan', _fnVisbleColumns(settings));
+                               }
+               
+                               _fnSaveState( settings );
+       
+                               // Second loop once the first is done for events
+                               that.iterator( 'column', function ( settings, column ) {
+                                       _fnCallbackFire( settings, null, 'column-visibility', [settings, column, vis, calc] );
+                               } );
+       
+                               if ( calc === undefined || calc ) {
+                                       that.columns.adjust();
+                               }
+                       });
+               }
+       
+               return ret;
+       } );
+       
+       _api_registerPlural( 'columns().indexes()', 'column().index()', function ( type ) {
+               return this.iterator( 'column', function ( settings, column ) {
+                       return type === 'visible' ?
+                               _fnColumnIndexToVisible( settings, column ) :
+                               column;
+               }, 1 );
+       } );
+       
+       _api_register( 'columns.adjust()', function () {
+               return this.iterator( 'table', function ( settings ) {
+                       _fnAdjustColumnSizing( settings );
+               }, 1 );
+       } );
+       
+       _api_register( 'column.index()', function ( type, idx ) {
+               if ( this.context.length !== 0 ) {
+                       var ctx = this.context[0];
+       
+                       if ( type === 'fromVisible' || type === 'toData' ) {
+                               return _fnVisibleToColumnIndex( ctx, idx );
+                       }
+                       else if ( type === 'fromData' || type === 'toVisible' ) {
+                               return _fnColumnIndexToVisible( ctx, idx );
+                       }
+               }
+       } );
+       
+       _api_register( 'column()', function ( selector, opts ) {
+               return _selector_first( this.columns( selector, opts ) );
+       } );
+       
+       
+       
+       var __cell_selector = function ( settings, selector, opts )
+       {
+               var data = settings.aoData;
+               var rows = _selector_row_indexes( settings, opts );
+               var cells = _removeEmpty( _pluck_order( data, rows, 'anCells' ) );
+               var allCells = $( [].concat.apply([], cells) );
+               var row;
+               var columns = settings.aoColumns.length;
+               var a, i, ien, j, o, host;
+       
+               var run = function ( s ) {
+                       var fnSelector = typeof s === 'function';
+       
+                       if ( s === null || s === undefined || fnSelector ) {
+                               // All cells and function selectors
+                               a = [];
+       
+                               for ( i=0, ien=rows.length ; i<ien ; i++ ) {
+                                       row = rows[i];
+       
+                                       for ( j=0 ; j<columns ; j++ ) {
+                                               o = {
+                                                       row: row,
+                                                       column: j
+                                               };
+       
+                                               if ( fnSelector ) {
+                                                       // Selector - function
+                                                       host = data[ row ];
+       
+                                                       if ( s( o, _fnGetCellData(settings, row, j), host.anCells ? host.anCells[j] : null ) ) {
+                                                               a.push( o );
+                                                       }
+                                               }
+                                               else {
+                                                       // Selector - all
+                                                       a.push( o );
+                                               }
+                                       }
+                               }
+       
+                               return a;
+                       }
+                       
+                       // Selector - index
+                       if ( $.isPlainObject( s ) ) {
+                               // Valid cell index and its in the array of selectable rows
+                               return s.column !== undefined && s.row !== undefined && $.inArray( s.row, rows ) !== -1 ?
+                                       [s] :
+                                       [];
+                       }
+       
+                       // Selector - jQuery filtered cells
+                       var jqResult = allCells
+                               .filter( s )
+                               .map( function (i, el) {
+                                       return { // use a new object, in case someone changes the values
+                                               row:    el._DT_CellIndex.row,
+                                               column: el._DT_CellIndex.column
+                                       };
+                               } )
+                               .toArray();
+       
+                       if ( jqResult.length || ! s.nodeName ) {
+                               return jqResult;
+                       }
+       
+                       // Otherwise the selector is a node, and there is one last option - the
+                       // element might be a child of an element which has dt-row and dt-column
+                       // data attributes
+                       host = $(s).closest('*[data-dt-row]');
+                       return host.length ?
+                               [ {
+                                       row: host.data('dt-row'),
+                                       column: host.data('dt-column')
+                               } ] :
+                               [];
+               };
+       
+               return _selector_run( 'cell', selector, run, settings, opts );
+       };
+       
+       
+       
+       
+       _api_register( 'cells()', function ( rowSelector, columnSelector, opts ) {
+               // Argument shifting
+               if ( $.isPlainObject( rowSelector ) ) {
+                       // Indexes
+                       if ( rowSelector.row === undefined ) {
+                               // Selector options in first parameter
+                               opts = rowSelector;
+                               rowSelector = null;
+                       }
+                       else {
+                               // Cell index objects in first parameter
+                               opts = columnSelector;
+                               columnSelector = null;
+                       }
+               }
+               if ( $.isPlainObject( columnSelector ) ) {
+                       opts = columnSelector;
+                       columnSelector = null;
+               }
+       
+               // Cell selector
+               if ( columnSelector === null || columnSelector === undefined ) {
+                       return this.iterator( 'table', function ( settings ) {
+                               return __cell_selector( settings, rowSelector, _selector_opts( opts ) );
+                       } );
+               }
+       
+               // The default built in options need to apply to row and columns
+               var internalOpts = opts ? {
+                       page: opts.page,
+                       order: opts.order,
+                       search: opts.search
+               } : {};
+       
+               // Row + column selector
+               var columns = this.columns( columnSelector, internalOpts );
+               var rows = this.rows( rowSelector, internalOpts );
+               var i, ien, j, jen;
+       
+               var cellsNoOpts = this.iterator( 'table', function ( settings, idx ) {
+                       var a = [];
+       
+                       for ( i=0, ien=rows[idx].length ; i<ien ; i++ ) {
+                               for ( j=0, jen=columns[idx].length ; j<jen ; j++ ) {
+                                       a.push( {
+                                               row:    rows[idx][i],
+                                               column: columns[idx][j]
+                                       } );
+                               }
+                       }
+       
+                       return a;
+               }, 1 );
+       
+               // There is currently only one extension which uses a cell selector extension
+               // It is a _major_ performance drag to run this if it isn't needed, so this is
+               // an extension specific check at the moment
+               var cells = opts && opts.selected ?
+                       this.cells( cellsNoOpts, opts ) :
+                       cellsNoOpts;
+       
+               $.extend( cells.selector, {
+                       cols: columnSelector,
+                       rows: rowSelector,
+                       opts: opts
+               } );
+       
+               return cells;
+       } );
+       
+       
+       _api_registerPlural( 'cells().nodes()', 'cell().node()', function () {
+               return this.iterator( 'cell', function ( settings, row, column ) {
+                       var data = settings.aoData[ row ];
+       
+                       return data && data.anCells ?
+                               data.anCells[ column ] :
+                               undefined;
+               }, 1 );
+       } );
+       
+       
+       _api_register( 'cells().data()', function () {
+               return this.iterator( 'cell', function ( settings, row, column ) {
+                       return _fnGetCellData( settings, row, column );
+               }, 1 );
+       } );
+       
+       
+       _api_registerPlural( 'cells().cache()', 'cell().cache()', function ( type ) {
+               type = type === 'search' ? '_aFilterData' : '_aSortData';
+       
+               return this.iterator( 'cell', function ( settings, row, column ) {
+                       return settings.aoData[ row ][ type ][ column ];
+               }, 1 );
+       } );
+       
+       
+       _api_registerPlural( 'cells().render()', 'cell().render()', function ( type ) {
+               return this.iterator( 'cell', function ( settings, row, column ) {
+                       return _fnGetCellData( settings, row, column, type );
+               }, 1 );
+       } );
+       
+       
+       _api_registerPlural( 'cells().indexes()', 'cell().index()', function () {
+               return this.iterator( 'cell', function ( settings, row, column ) {
+                       return {
+                               row: row,
+                               column: column,
+                               columnVisible: _fnColumnIndexToVisible( settings, column )
+                       };
+               }, 1 );
+       } );
+       
+       
+       _api_registerPlural( 'cells().invalidate()', 'cell().invalidate()', function ( src ) {
+               return this.iterator( 'cell', function ( settings, row, column ) {
+                       _fnInvalidate( settings, row, src, column );
+               } );
+       } );
+       
+       
+       
+       _api_register( 'cell()', function ( rowSelector, columnSelector, opts ) {
+               return _selector_first( this.cells( rowSelector, columnSelector, opts ) );
+       } );
+       
+       
+       _api_register( 'cell().data()', function ( data ) {
+               var ctx = this.context;
+               var cell = this[0];
+       
+               if ( data === undefined ) {
+                       // Get
+                       return ctx.length && cell.length ?
+                               _fnGetCellData( ctx[0], cell[0].row, cell[0].column ) :
+                               undefined;
+               }
+       
+               // Set
+               _fnSetCellData( ctx[0], cell[0].row, cell[0].column, data );
+               _fnInvalidate( ctx[0], cell[0].row, 'data', cell[0].column );
+       
+               return this;
+       } );
+       
+       
+       
+       /**
+        * Get current ordering (sorting) that has been applied to the table.
+        *
+        * @returns {array} 2D array containing the sorting information for the first
+        *   table in the current context. Each element in the parent array represents
+        *   a column being sorted upon (i.e. multi-sorting with two columns would have
+        *   2 inner arrays). The inner arrays may have 2 or 3 elements. The first is
+        *   the column index that the sorting condition applies to, the second is the
+        *   direction of the sort (`desc` or `asc`) and, optionally, the third is the
+        *   index of the sorting order from the `column.sorting` initialisation array.
+        *//**
+        * Set the ordering for the table.
+        *
+        * @param {integer} order Column index to sort upon.
+        * @param {string} direction Direction of the sort to be applied (`asc` or `desc`)
+        * @returns {DataTables.Api} this
+        *//**
+        * Set the ordering for the table.
+        *
+        * @param {array} order 1D array of sorting information to be applied.
+        * @param {array} [...] Optional additional sorting conditions
+        * @returns {DataTables.Api} this
+        *//**
+        * Set the ordering for the table.
+        *
+        * @param {array} order 2D array of sorting information to be applied.
+        * @returns {DataTables.Api} this
+        */
+       _api_register( 'order()', function ( order, dir ) {
+               var ctx = this.context;
+       
+               if ( order === undefined ) {
+                       // get
+                       return ctx.length !== 0 ?
+                               ctx[0].aaSorting :
+                               undefined;
+               }
+       
+               // set
+               if ( typeof order === 'number' ) {
+                       // Simple column / direction passed in
+                       order = [ [ order, dir ] ];
+               }
+               else if ( order.length && ! $.isArray( order[0] ) ) {
+                       // Arguments passed in (list of 1D arrays)
+                       order = Array.prototype.slice.call( arguments );
+               }
+               // otherwise a 2D array was passed in
+       
+               return this.iterator( 'table', function ( settings ) {
+                       settings.aaSorting = order.slice();
+               } );
+       } );
+       
+       
+       /**
+        * Attach a sort listener to an element for a given column
+        *
+        * @param {node|jQuery|string} node Identifier for the element(s) to attach the
+        *   listener to. This can take the form of a single DOM node, a jQuery
+        *   collection of nodes or a jQuery selector which will identify the node(s).
+        * @param {integer} column the column that a click on this node will sort on
+        * @param {function} [callback] callback function when sort is run
+        * @returns {DataTables.Api} this
+        */
+       _api_register( 'order.listener()', function ( node, column, callback ) {
+               return this.iterator( 'table', function ( settings ) {
+                       _fnSortAttachListener( settings, node, column, callback );
+               } );
+       } );
+       
+       
+       _api_register( 'order.fixed()', function ( set ) {
+               if ( ! set ) {
+                       var ctx = this.context;
+                       var fixed = ctx.length ?
+                               ctx[0].aaSortingFixed :
+                               undefined;
+       
+                       return $.isArray( fixed ) ?
+                               { pre: fixed } :
+                               fixed;
+               }
+       
+               return this.iterator( 'table', function ( settings ) {
+                       settings.aaSortingFixed = $.extend( true, {}, set );
+               } );
+       } );
+       
+       
+       // Order by the selected column(s)
+       _api_register( [
+               'columns().order()',
+               'column().order()'
+       ], function ( dir ) {
+               var that = this;
+       
+               return this.iterator( 'table', function ( settings, i ) {
+                       var sort = [];
+       
+                       $.each( that[i], function (j, col) {
+                               sort.push( [ col, dir ] );
+                       } );
+       
+                       settings.aaSorting = sort;
+               } );
+       } );
+       
+       
+       
+       _api_register( 'search()', function ( input, regex, smart, caseInsen ) {
+               var ctx = this.context;
+       
+               if ( input === undefined ) {
+                       // get
+                       return ctx.length !== 0 ?
+                               ctx[0].oPreviousSearch.sSearch :
+                               undefined;
+               }
+       
+               // set
+               return this.iterator( 'table', function ( settings ) {
+                       if ( ! settings.oFeatures.bFilter ) {
+                               return;
+                       }
+       
+                       _fnFilterComplete( settings, $.extend( {}, settings.oPreviousSearch, {
+                               "sSearch": input+"",
+                               "bRegex":  regex === null ? false : regex,
+                               "bSmart":  smart === null ? true  : smart,
+                               "bCaseInsensitive": caseInsen === null ? true : caseInsen
+                       } ), 1 );
+               } );
+       } );
+       
+       
+       _api_registerPlural(
+               'columns().search()',
+               'column().search()',
+               function ( input, regex, smart, caseInsen ) {
+                       return this.iterator( 'column', function ( settings, column ) {
+                               var preSearch = settings.aoPreSearchCols;
+       
+                               if ( input === undefined ) {
+                                       // get
+                                       return preSearch[ column ].sSearch;
+                               }
+       
+                               // set
+                               if ( ! settings.oFeatures.bFilter ) {
+                                       return;
+                               }
+       
+                               $.extend( preSearch[ column ], {
+                                       "sSearch": input+"",
+                                       "bRegex":  regex === null ? false : regex,
+                                       "bSmart":  smart === null ? true  : smart,
+                                       "bCaseInsensitive": caseInsen === null ? true : caseInsen
+                               } );
+       
+                               _fnFilterComplete( settings, settings.oPreviousSearch, 1 );
+                       } );
+               }
+       );
+       
+       /*
+        * State API methods
+        */
+       
+       _api_register( 'state()', function () {
+               return this.context.length ?
+                       this.context[0].oSavedState :
+                       null;
+       } );
+       
+       
+       _api_register( 'state.clear()', function () {
+               return this.iterator( 'table', function ( settings ) {
+                       // Save an empty object
+                       settings.fnStateSaveCallback.call( settings.oInstance, settings, {} );
+               } );
+       } );
+       
+       
+       _api_register( 'state.loaded()', function () {
+               return this.context.length ?
+                       this.context[0].oLoadedState :
+                       null;
+       } );
+       
+       
+       _api_register( 'state.save()', function () {
+               return this.iterator( 'table', function ( settings ) {
+                       _fnSaveState( settings );
+               } );
+       } );
+       
+       
+       
+       /**
+        * Provide a common method for plug-ins to check the version of DataTables being
+        * used, in order to ensure compatibility.
+        *
+        *  @param {string} version Version string to check for, in the format "X.Y.Z".
+        *    Note that the formats "X" and "X.Y" are also acceptable.
+        *  @returns {boolean} true if this version of DataTables is greater or equal to
+        *    the required version, or false if this version of DataTales is not
+        *    suitable
+        *  @static
+        *  @dtopt API-Static
+        *
+        *  @example
+        *    alert( $.fn.dataTable.versionCheck( '1.9.0' ) );
+        */
+       DataTable.versionCheck = DataTable.fnVersionCheck = function( version )
+       {
+               var aThis = DataTable.version.split('.');
+               var aThat = version.split('.');
+               var iThis, iThat;
+       
+               for ( var i=0, iLen=aThat.length ; i<iLen ; i++ ) {
+                       iThis = parseInt( aThis[i], 10 ) || 0;
+                       iThat = parseInt( aThat[i], 10 ) || 0;
+       
+                       // Parts are the same, keep comparing
+                       if (iThis === iThat) {
+                               continue;
+                       }
+       
+                       // Parts are different, return immediately
+                       return iThis > iThat;
+               }
+       
+               return true;
+       };
+       
+       
+       /**
+        * Check if a `<table>` node is a DataTable table already or not.
+        *
+        *  @param {node|jquery|string} table Table node, jQuery object or jQuery
+        *      selector for the table to test. Note that if more than more than one
+        *      table is passed on, only the first will be checked
+        *  @returns {boolean} true the table given is a DataTable, or false otherwise
+        *  @static
+        *  @dtopt API-Static
+        *
+        *  @example
+        *    if ( ! $.fn.DataTable.isDataTable( '#example' ) ) {
+        *      $('#example').dataTable();
+        *    }
+        */
+       DataTable.isDataTable = DataTable.fnIsDataTable = function ( table )
+       {
+               var t = $(table).get(0);
+               var is = false;
+       
+               if ( table instanceof DataTable.Api ) {
+                       return true;
+               }
+       
+               $.each( DataTable.settings, function (i, o) {
+                       var head = o.nScrollHead ? $('table', o.nScrollHead)[0] : null;
+                       var foot = o.nScrollFoot ? $('table', o.nScrollFoot)[0] : null;
+       
+                       if ( o.nTable === t || head === t || foot === t ) {
+                               is = true;
+                       }
+               } );
+       
+               return is;
+       };
+       
+       
+       /**
+        * Get all DataTable tables that have been initialised - optionally you can
+        * select to get only currently visible tables.
+        *
+        *  @param {boolean} [visible=false] Flag to indicate if you want all (default)
+        *    or visible tables only.
+        *  @returns {array} Array of `table` nodes (not DataTable instances) which are
+        *    DataTables
+        *  @static
+        *  @dtopt API-Static
+        *
+        *  @example
+        *    $.each( $.fn.dataTable.tables(true), function () {
+        *      $(table).DataTable().columns.adjust();
+        *    } );
+        */
+       DataTable.tables = DataTable.fnTables = function ( visible )
+       {
+               var api = false;
+       
+               if ( $.isPlainObject( visible ) ) {
+                       api = visible.api;
+                       visible = visible.visible;
+               }
+       
+               var a = $.map( DataTable.settings, function (o) {
+                       if ( !visible || (visible && $(o.nTable).is(':visible')) ) {
+                               return o.nTable;
+                       }
+               } );
+       
+               return api ?
+                       new _Api( a ) :
+                       a;
+       };
+       
+       
+       /**
+        * Convert from camel case parameters to Hungarian notation. This is made public
+        * for the extensions to provide the same ability as DataTables core to accept
+        * either the 1.9 style Hungarian notation, or the 1.10+ style camelCase
+        * parameters.
+        *
+        *  @param {object} src The model object which holds all parameters that can be
+        *    mapped.
+        *  @param {object} user The object to convert from camel case to Hungarian.
+        *  @param {boolean} force When set to `true`, properties which already have a
+        *    Hungarian value in the `user` object will be overwritten. Otherwise they
+        *    won't be.
+        */
+       DataTable.camelToHungarian = _fnCamelToHungarian;
+       
+       
+       
+       /**
+        *
+        */
+       _api_register( '$()', function ( selector, opts ) {
+               var
+                       rows   = this.rows( opts ).nodes(), // Get all rows
+                       jqRows = $(rows);
+       
+               return $( [].concat(
+                       jqRows.filter( selector ).toArray(),
+                       jqRows.find( selector ).toArray()
+               ) );
+       } );
+       
+       
+       // jQuery functions to operate on the tables
+       $.each( [ 'on', 'one', 'off' ], function (i, key) {
+               _api_register( key+'()', function ( /* event, handler */ ) {
+                       var args = Array.prototype.slice.call(arguments);
+       
+                       // Add the `dt` namespace automatically if it isn't already present
+                       args[0] = $.map( args[0].split( /\s/ ), function ( e ) {
+                               return ! e.match(/\.dt\b/) ?
+                                       e+'.dt' :
+                                       e;
+                               } ).join( ' ' );
+       
+                       var inst = $( this.tables().nodes() );
+                       inst[key].apply( inst, args );
+                       return this;
+               } );
+       } );
+       
+       
+       _api_register( 'clear()', function () {
+               return this.iterator( 'table', function ( settings ) {
+                       _fnClearTable( settings );
+               } );
+       } );
+       
+       
+       _api_register( 'settings()', function () {
+               return new _Api( this.context, this.context );
+       } );
+       
+       
+       _api_register( 'init()', function () {
+               var ctx = this.context;
+               return ctx.length ? ctx[0].oInit : null;
+       } );
+       
+       
+       _api_register( 'data()', function () {
+               return this.iterator( 'table', function ( settings ) {
+                       return _pluck( settings.aoData, '_aData' );
+               } ).flatten();
+       } );
+       
+       
+       _api_register( 'destroy()', function ( remove ) {
+               remove = remove || false;
+       
+               return this.iterator( 'table', function ( settings ) {
+                       var orig      = settings.nTableWrapper.parentNode;
+                       var classes   = settings.oClasses;
+                       var table     = settings.nTable;
+                       var tbody     = settings.nTBody;
+                       var thead     = settings.nTHead;
+                       var tfoot     = settings.nTFoot;
+                       var jqTable   = $(table);
+                       var jqTbody   = $(tbody);
+                       var jqWrapper = $(settings.nTableWrapper);
+                       var rows      = $.map( settings.aoData, function (r) { return r.nTr; } );
+                       var i, ien;
+       
+                       // Flag to note that the table is currently being destroyed - no action
+                       // should be taken
+                       settings.bDestroying = true;
+       
+                       // Fire off the destroy callbacks for plug-ins etc
+                       _fnCallbackFire( settings, "aoDestroyCallback", "destroy", [settings] );
+       
+                       // If not being removed from the document, make all columns visible
+                       if ( ! remove ) {
+                               new _Api( settings ).columns().visible( true );
+                       }
+       
+                       // Blitz all `DT` namespaced events (these are internal events, the
+                       // lowercase, `dt` events are user subscribed and they are responsible
+                       // for removing them
+                       jqWrapper.off('.DT').find(':not(tbody *)').off('.DT');
+                       $(window).off('.DT-'+settings.sInstance);
+       
+                       // When scrolling we had to break the table up - restore it
+                       if ( table != thead.parentNode ) {
+                               jqTable.children('thead').detach();
+                               jqTable.append( thead );
+                       }
+       
+                       if ( tfoot && table != tfoot.parentNode ) {
+                               jqTable.children('tfoot').detach();
+                               jqTable.append( tfoot );
+                       }
+       
+                       settings.aaSorting = [];
+                       settings.aaSortingFixed = [];
+                       _fnSortingClasses( settings );
+       
+                       $( rows ).removeClass( settings.asStripeClasses.join(' ') );
+       
+                       $('th, td', thead).removeClass( classes.sSortable+' '+
+                               classes.sSortableAsc+' '+classes.sSortableDesc+' '+classes.sSortableNone
+                       );
+       
+                       // Add the TR elements back into the table in their original order
+                       jqTbody.children().detach();
+                       jqTbody.append( rows );
+       
+                       // Remove the DataTables generated nodes, events and classes
+                       var removedMethod = remove ? 'remove' : 'detach';
+                       jqTable[ removedMethod ]();
+                       jqWrapper[ removedMethod ]();
+       
+                       // If we need to reattach the table to the document
+                       if ( ! remove && orig ) {
+                               // insertBefore acts like appendChild if !arg[1]
+                               orig.insertBefore( table, settings.nTableReinsertBefore );
+       
+                               // Restore the width of the original table - was read from the style property,
+                               // so we can restore directly to that
+                               jqTable
+                                       .css( 'width', settings.sDestroyWidth )
+                                       .removeClass( classes.sTable );
+       
+                               // If the were originally stripe classes - then we add them back here.
+                               // Note this is not fool proof (for example if not all rows had stripe
+                               // classes - but it's a good effort without getting carried away
+                               ien = settings.asDestroyStripes.length;
+       
+                               if ( ien ) {
+                                       jqTbody.children().each( function (i) {
+                                               $(this).addClass( settings.asDestroyStripes[i % ien] );
+                                       } );
+                               }
+                       }
+       
+                       /* Remove the settings object from the settings array */
+                       var idx = $.inArray( settings, DataTable.settings );
+                       if ( idx !== -1 ) {
+                               DataTable.settings.splice( idx, 1 );
+                       }
+               } );
+       } );
+       
+       
+       // Add the `every()` method for rows, columns and cells in a compact form
+       $.each( [ 'column', 'row', 'cell' ], function ( i, type ) {
+               _api_register( type+'s().every()', function ( fn ) {
+                       var opts = this.selector.opts;
+                       var api = this;
+       
+                       return this.iterator( type, function ( settings, arg1, arg2, arg3, arg4 ) {
+                               // Rows and columns:
+                               //  arg1 - index
+                               //  arg2 - table counter
+                               //  arg3 - loop counter
+                               //  arg4 - undefined
+                               // Cells:
+                               //  arg1 - row index
+                               //  arg2 - column index
+                               //  arg3 - table counter
+                               //  arg4 - loop counter
+                               fn.call(
+                                       api[ type ](
+                                               arg1,
+                                               type==='cell' ? arg2 : opts,
+                                               type==='cell' ? opts : undefined
+                                       ),
+                                       arg1, arg2, arg3, arg4
+                               );
+                       } );
+               } );
+       } );
+       
+       
+       // i18n method for extensions to be able to use the language object from the
+       // DataTable
+       _api_register( 'i18n()', function ( token, def, plural ) {
+               var ctx = this.context[0];
+               var resolved = _fnGetObjectDataFn( token )( ctx.oLanguage );
+       
+               if ( resolved === undefined ) {
+                       resolved = def;
+               }
+       
+               if ( plural !== undefined && $.isPlainObject( resolved ) ) {
+                       resolved = resolved[ plural ] !== undefined ?
+                               resolved[ plural ] :
+                               resolved._;
+               }
+       
+               return resolved.replace( '%d', plural ); // nb: plural might be undefined,
+       } );
+       /**
+        * Version string for plug-ins to check compatibility. Allowed format is
+        * `a.b.c-d` where: a:int, b:int, c:int, d:string(dev|beta|alpha). `d` is used
+        * only for non-release builds. See http://semver.org/ for more information.
+        *  @member
+        *  @type string
+        *  @default Version number
+        */
+       DataTable.version = "1.10.21";
+
+       /**
+        * Private data store, containing all of the settings objects that are
+        * created for the tables on a given page.
+        *
+        * Note that the `DataTable.settings` object is aliased to
+        * `jQuery.fn.dataTableExt` through which it may be accessed and
+        * manipulated, or `jQuery.fn.dataTable.settings`.
+        *  @member
+        *  @type array
+        *  @default []
+        *  @private
+        */
+       DataTable.settings = [];
+
+       /**
+        * Object models container, for the various models that DataTables has
+        * available to it. These models define the objects that are used to hold
+        * the active state and configuration of the table.
+        *  @namespace
+        */
+       DataTable.models = {};
+       
+       
+       
+       /**
+        * Template object for the way in which DataTables holds information about
+        * search information for the global filter and individual column filters.
+        *  @namespace
+        */
+       DataTable.models.oSearch = {
+               /**
+                * Flag to indicate if the filtering should be case insensitive or not
+                *  @type boolean
+                *  @default true
+                */
+               "bCaseInsensitive": true,
+       
+               /**
+                * Applied search term
+                *  @type string
+                *  @default <i>Empty string</i>
+                */
+               "sSearch": "",
+       
+               /**
+                * Flag to indicate if the search term should be interpreted as a
+                * regular expression (true) or not (false) and therefore and special
+                * regex characters escaped.
+                *  @type boolean
+                *  @default false
+                */
+               "bRegex": false,
+       
+               /**
+                * Flag to indicate if DataTables is to use its smart filtering or not.
+                *  @type boolean
+                *  @default true
+                */
+               "bSmart": true
+       };
+       
+       
+       
+       
+       /**
+        * Template object for the way in which DataTables holds information about
+        * each individual row. This is the object format used for the settings
+        * aoData array.
+        *  @namespace
+        */
+       DataTable.models.oRow = {
+               /**
+                * TR element for the row
+                *  @type node
+                *  @default null
+                */
+               "nTr": null,
+       
+               /**
+                * Array of TD elements for each row. This is null until the row has been
+                * created.
+                *  @type array nodes
+                *  @default []
+                */
+               "anCells": null,
+       
+               /**
+                * Data object from the original data source for the row. This is either
+                * an array if using the traditional form of DataTables, or an object if
+                * using mData options. The exact type will depend on the passed in
+                * data from the data source, or will be an array if using DOM a data
+                * source.
+                *  @type array|object
+                *  @default []
+                */
+               "_aData": [],
+       
+               /**
+                * Sorting data cache - this array is ostensibly the same length as the
+                * number of columns (although each index is generated only as it is
+                * needed), and holds the data that is used for sorting each column in the
+                * row. We do this cache generation at the start of the sort in order that
+                * the formatting of the sort data need be done only once for each cell
+                * per sort. This array should not be read from or written to by anything
+                * other than the master sorting methods.
+                *  @type array
+                *  @default null
+                *  @private
+                */
+               "_aSortData": null,
+       
+               /**
+                * Per cell filtering data cache. As per the sort data cache, used to
+                * increase the performance of the filtering in DataTables
+                *  @type array
+                *  @default null
+                *  @private
+                */
+               "_aFilterData": null,
+       
+               /**
+                * Filtering data cache. This is the same as the cell filtering cache, but
+                * in this case a string rather than an array. This is easily computed with
+                * a join on `_aFilterData`, but is provided as a cache so the join isn't
+                * needed on every search (memory traded for performance)
+                *  @type array
+                *  @default null
+                *  @private
+                */
+               "_sFilterRow": null,
+       
+               /**
+                * Cache of the class name that DataTables has applied to the row, so we
+                * can quickly look at this variable rather than needing to do a DOM check
+                * on className for the nTr property.
+                *  @type string
+                *  @default <i>Empty string</i>
+                *  @private
+                */
+               "_sRowStripe": "",
+       
+               /**
+                * Denote if the original data source was from the DOM, or the data source
+                * object. This is used for invalidating data, so DataTables can
+                * automatically read data from the original source, unless uninstructed
+                * otherwise.
+                *  @type string
+                *  @default null
+                *  @private
+                */
+               "src": null,
+       
+               /**
+                * Index in the aoData array. This saves an indexOf lookup when we have the
+                * object, but want to know the index
+                *  @type integer
+                *  @default -1
+                *  @private
+                */
+               "idx": -1
+       };
+       
+       
+       /**
+        * Template object for the column information object in DataTables. This object
+        * is held in the settings aoColumns array and contains all the information that
+        * DataTables needs about each individual column.
+        *
+        * Note that this object is related to {@link DataTable.defaults.column}
+        * but this one is the internal data store for DataTables's cache of columns.
+        * It should NOT be manipulated outside of DataTables. Any configuration should
+        * be done through the initialisation options.
+        *  @namespace
+        */
+       DataTable.models.oColumn = {
+               /**
+                * Column index. This could be worked out on-the-fly with $.inArray, but it
+                * is faster to just hold it as a variable
+                *  @type integer
+                *  @default null
+                */
+               "idx": null,
+       
+               /**
+                * A list of the columns that sorting should occur on when this column
+                * is sorted. That this property is an array allows multi-column sorting
+                * to be defined for a column (for example first name / last name columns
+                * would benefit from this). The values are integers pointing to the
+                * columns to be sorted on (typically it will be a single integer pointing
+                * at itself, but that doesn't need to be the case).
+                *  @type array
+                */
+               "aDataSort": null,
+       
+               /**
+                * Define the sorting directions that are applied to the column, in sequence
+                * as the column is repeatedly sorted upon - i.e. the first value is used
+                * as the sorting direction when the column if first sorted (clicked on).
+                * Sort it again (click again) and it will move on to the next index.
+                * Repeat until loop.
+                *  @type array
+                */
+               "asSorting": null,
+       
+               /**
+                * Flag to indicate if the column is searchable, and thus should be included
+                * in the filtering or not.
+                *  @type boolean
+                */
+               "bSearchable": null,
+       
+               /**
+                * Flag to indicate if the column is sortable or not.
+                *  @type boolean
+                */
+               "bSortable": null,
+       
+               /**
+                * Flag to indicate if the column is currently visible in the table or not
+                *  @type boolean
+                */
+               "bVisible": null,
+       
+               /**
+                * Store for manual type assignment using the `column.type` option. This
+                * is held in store so we can manipulate the column's `sType` property.
+                *  @type string
+                *  @default null
+                *  @private
+                */
+               "_sManualType": null,
+       
+               /**
+                * Flag to indicate if HTML5 data attributes should be used as the data
+                * source for filtering or sorting. True is either are.
+                *  @type boolean
+                *  @default false
+                *  @private
+                */
+               "_bAttrSrc": false,
+       
+               /**
+                * Developer definable function that is called whenever a cell is created (Ajax source,
+                * etc) or processed for input (DOM source). This can be used as a compliment to mRender
+                * allowing you to modify the DOM element (add background colour for example) when the
+                * element is available.
+                *  @type function
+                *  @param {element} nTd The TD node that has been created
+                *  @param {*} sData The Data for the cell
+                *  @param {array|object} oData The data for the whole row
+                *  @param {int} iRow The row index for the aoData data store
+                *  @default null
+                */
+               "fnCreatedCell": null,
+       
+               /**
+                * Function to get data from a cell in a column. You should <b>never</b>
+                * access data directly through _aData internally in DataTables - always use
+                * the method attached to this property. It allows mData to function as
+                * required. This function is automatically assigned by the column
+                * initialisation method
+                *  @type function
+                *  @param {array|object} oData The data array/object for the array
+                *    (i.e. aoData[]._aData)
+                *  @param {string} sSpecific The specific data type you want to get -
+                *    'display', 'type' 'filter' 'sort'
+                *  @returns {*} The data for the cell from the given row's data
+                *  @default null
+                */
+               "fnGetData": null,
+       
+               /**
+                * Function to set data for a cell in the column. You should <b>never</b>
+                * set the data directly to _aData internally in DataTables - always use
+                * this method. It allows mData to function as required. This function
+                * is automatically assigned by the column initialisation method
+                *  @type function
+                *  @param {array|object} oData The data array/object for the array
+                *    (i.e. aoData[]._aData)
+                *  @param {*} sValue Value to set
+                *  @default null
+                */
+               "fnSetData": null,
+       
+               /**
+                * Property to read the value for the cells in the column from the data
+                * source array / object. If null, then the default content is used, if a
+                * function is given then the return from the function is used.
+                *  @type function|int|string|null
+                *  @default null
+                */
+               "mData": null,
+       
+               /**
+                * Partner property to mData which is used (only when defined) to get
+                * the data - i.e. it is basically the same as mData, but without the
+                * 'set' option, and also the data fed to it is the result from mData.
+                * This is the rendering method to match the data method of mData.
+                *  @type function|int|string|null
+                *  @default null
+                */
+               "mRender": null,
+       
+               /**
+                * Unique header TH/TD element for this column - this is what the sorting
+                * listener is attached to (if sorting is enabled.)
+                *  @type node
+                *  @default null
+                */
+               "nTh": null,
+       
+               /**
+                * Unique footer TH/TD element for this column (if there is one). Not used
+                * in DataTables as such, but can be used for plug-ins to reference the
+                * footer for each column.
+                *  @type node
+                *  @default null
+                */
+               "nTf": null,
+       
+               /**
+                * The class to apply to all TD elements in the table's TBODY for the column
+                *  @type string
+                *  @default null
+                */
+               "sClass": null,
+       
+               /**
+                * When DataTables calculates the column widths to assign to each column,
+                * it finds the longest string in each column and then constructs a
+                * temporary table and reads the widths from that. The problem with this
+                * is that "mmm" is much wider then "iiii", but the latter is a longer
+                * string - thus the calculation can go wrong (doing it properly and putting
+                * it into an DOM object and measuring that is horribly(!) slow). Thus as
+                * a "work around" we provide this option. It will append its value to the
+                * text that is found to be the longest string for the column - i.e. padding.
+                *  @type string
+                */
+               "sContentPadding": null,
+       
+               /**
+                * Allows a default value to be given for a column's data, and will be used
+                * whenever a null data source is encountered (this can be because mData
+                * is set to null, or because the data source itself is null).
+                *  @type string
+                *  @default null
+                */
+               "sDefaultContent": null,
+       
+               /**
+                * Name for the column, allowing reference to the column by name as well as
+                * by index (needs a lookup to work by name).
+                *  @type string
+                */
+               "sName": null,
+       
+               /**
+                * Custom sorting data type - defines which of the available plug-ins in
+                * afnSortData the custom sorting will use - if any is defined.
+                *  @type string
+                *  @default std
+                */
+               "sSortDataType": 'std',
+       
+               /**
+                * Class to be applied to the header element when sorting on this column
+                *  @type string
+                *  @default null
+                */
+               "sSortingClass": null,
+       
+               /**
+                * Class to be applied to the header element when sorting on this column -
+                * when jQuery UI theming is used.
+                *  @type string
+                *  @default null
+                */
+               "sSortingClassJUI": null,
+       
+               /**
+                * Title of the column - what is seen in the TH element (nTh).
+                *  @type string
+                */
+               "sTitle": null,
+       
+               /**
+                * Column sorting and filtering type
+                *  @type string
+                *  @default null
+                */
+               "sType": null,
+       
+               /**
+                * Width of the column
+                *  @type string
+                *  @default null
+                */
+               "sWidth": null,
+       
+               /**
+                * Width of the column when it was first "encountered"
+                *  @type string
+                *  @default null
+                */
+               "sWidthOrig": null
+       };
+       
+       
+       /*
+        * Developer note: The properties of the object below are given in Hungarian
+        * notation, that was used as the interface for DataTables prior to v1.10, however
+        * from v1.10 onwards the primary interface is camel case. In order to avoid
+        * breaking backwards compatibility utterly with this change, the Hungarian
+        * version is still, internally the primary interface, but is is not documented
+        * - hence the @name tags in each doc comment. This allows a Javascript function
+        * to create a map from Hungarian notation to camel case (going the other direction
+        * would require each property to be listed, which would at around 3K to the size
+        * of DataTables, while this method is about a 0.5K hit.
+        *
+        * Ultimately this does pave the way for Hungarian notation to be dropped
+        * completely, but that is a massive amount of work and will break current
+        * installs (therefore is on-hold until v2).
+        */
+       
+       /**
+        * Initialisation options that can be given to DataTables at initialisation
+        * time.
+        *  @namespace
+        */
+       DataTable.defaults = {
+               /**
+                * An array of data to use for the table, passed in at initialisation which
+                * will be used in preference to any data which is already in the DOM. This is
+                * particularly useful for constructing tables purely in Javascript, for
+                * example with a custom Ajax call.
+                *  @type array
+                *  @default null
+                *
+                *  @dtopt Option
+                *  @name DataTable.defaults.data
+                *
+                *  @example
+                *    // Using a 2D array data source
+                *    $(document).ready( function () {
+                *      $('#example').dataTable( {
+                *        "data": [
+                *          ['Trident', 'Internet Explorer 4.0', 'Win 95+', 4, 'X'],
+                *          ['Trident', 'Internet Explorer 5.0', 'Win 95+', 5, 'C'],
+                *        ],
+                *        "columns": [
+                *          { "title": "Engine" },
+                *          { "title": "Browser" },
+                *          { "title": "Platform" },
+                *          { "title": "Version" },
+                *          { "title": "Grade" }
+                *        ]
+                *      } );
+                *    } );
+                *
+                *  @example
+                *    // Using an array of objects as a data source (`data`)
+                *    $(document).ready( function () {
+                *      $('#example').dataTable( {
+                *        "data": [
+                *          {
+                *            "engine":   "Trident",
+                *            "browser":  "Internet Explorer 4.0",
+                *            "platform": "Win 95+",
+                *            "version":  4,
+                *            "grade":    "X"
+                *          },
+                *          {
+                *            "engine":   "Trident",
+                *            "browser":  "Internet Explorer 5.0",
+                *            "platform": "Win 95+",
+                *            "version":  5,
+                *            "grade":    "C"
+                *          }
+                *        ],
+                *        "columns": [
+                *          { "title": "Engine",   "data": "engine" },
+                *          { "title": "Browser",  "data": "browser" },
+                *          { "title": "Platform", "data": "platform" },
+                *          { "title": "Version",  "data": "version" },
+                *          { "title": "Grade",    "data": "grade" }
+                *        ]
+                *      } );
+                *    } );
+                */
+               "aaData": null,
+       
+       
+               /**
+                * If ordering is enabled, then DataTables will perform a first pass sort on
+                * initialisation. You can define which column(s) the sort is performed
+                * upon, and the sorting direction, with this variable. The `sorting` array
+                * should contain an array for each column to be sorted initially containing
+                * the column's index and a direction string ('asc' or 'desc').
+                *  @type array
+                *  @default [[0,'asc']]
+                *
+                *  @dtopt Option
+                *  @name DataTable.defaults.order
+                *
+                *  @example
+                *    // Sort by 3rd column first, and then 4th column
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "order": [[2,'asc'], [3,'desc']]
+                *      } );
+                *    } );
+                *
+                *    // No initial sorting
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "order": []
+                *      } );
+                *    } );
+                */
+               "aaSorting": [[0,'asc']],
+       
+       
+               /**
+                * This parameter is basically identical to the `sorting` parameter, but
+                * cannot be overridden by user interaction with the table. What this means
+                * is that you could have a column (visible or hidden) which the sorting
+                * will always be forced on first - any sorting after that (from the user)
+                * will then be performed as required. This can be useful for grouping rows
+                * together.
+                *  @type array
+                *  @default null
+                *
+                *  @dtopt Option
+                *  @name DataTable.defaults.orderFixed
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "orderFixed": [[0,'asc']]
+                *      } );
+                *    } )
+                */
+               "aaSortingFixed": [],
+       
+       
+               /**
+                * DataTables can be instructed to load data to display in the table from a
+                * Ajax source. This option defines how that Ajax call is made and where to.
+                *
+                * The `ajax` property has three different modes of operation, depending on
+                * how it is defined. These are:
+                *
+                * * `string` - Set the URL from where the data should be loaded from.
+                * * `object` - Define properties for `jQuery.ajax`.
+                * * `function` - Custom data get function
+                *
+                * `string`
+                * --------
+                *
+                * As a string, the `ajax` property simply defines the URL from which
+                * DataTables will load data.
+                *
+                * `object`
+                * --------
+                *
+                * As an object, the parameters in the object are passed to
+                * [jQuery.ajax](http://api.jquery.com/jQuery.ajax/) allowing fine control
+                * of the Ajax request. DataTables has a number of default parameters which
+                * you can override using this option. Please refer to the jQuery
+                * documentation for a full description of the options available, although
+                * the following parameters provide additional options in DataTables or
+                * require special consideration:
+                *
+                * * `data` - As with jQuery, `data` can be provided as an object, but it
+                *   can also be used as a function to manipulate the data DataTables sends
+                *   to the server. The function takes a single parameter, an object of
+                *   parameters with the values that DataTables has readied for sending. An
+                *   object may be returned which will be merged into the DataTables
+                *   defaults, or you can add the items to the object that was passed in and
+                *   not return anything from the function. This supersedes `fnServerParams`
+                *   from DataTables 1.9-.
+                *
+                * * `dataSrc` - By default DataTables will look for the property `data` (or
+                *   `aaData` for compatibility with DataTables 1.9-) when obtaining data
+                *   from an Ajax source or for server-side processing - this parameter
+                *   allows that property to be changed. You can use Javascript dotted
+                *   object notation to get a data source for multiple levels of nesting, or
+                *   it my be used as a function. As a function it takes a single parameter,
+                *   the JSON returned from the server, which can be manipulated as
+                *   required, with the returned value being that used by DataTables as the
+                *   data source for the table. This supersedes `sAjaxDataProp` from
+                *   DataTables 1.9-.
+                *
+                * * `success` - Should not be overridden it is used internally in
+                *   DataTables. To manipulate / transform the data returned by the server
+                *   use `ajax.dataSrc`, or use `ajax` as a function (see below).
+                *
+                * `function`
+                * ----------
+                *
+                * As a function, making the Ajax call is left up to yourself allowing
+                * complete control of the Ajax request. Indeed, if desired, a method other
+                * than Ajax could be used to obtain the required data, such as Web storage
+                * or an AIR database.
+                *
+                * The function is given four parameters and no return is required. The
+                * parameters are:
+                *
+                * 1. _object_ - Data to send to the server
+                * 2. _function_ - Callback function that must be executed when the required
+                *    data has been obtained. That data should be passed into the callback
+                *    as the only parameter
+                * 3. _object_ - DataTables settings object for the table
+                *
+                * Note that this supersedes `fnServerData` from DataTables 1.9-.
+                *
+                *  @type string|object|function
+                *  @default null
+                *
+                *  @dtopt Option
+                *  @name DataTable.defaults.ajax
+                *  @since 1.10.0
+                *
+                * @example
+                *   // Get JSON data from a file via Ajax.
+                *   // Note DataTables expects data in the form `{ data: [ ...data... ] }` by default).
+                *   $('#example').dataTable( {
+                *     "ajax": "data.json"
+                *   } );
+                *
+                * @example
+                *   // Get JSON data from a file via Ajax, using `dataSrc` to change
+                *   // `data` to `tableData` (i.e. `{ tableData: [ ...data... ] }`)
+                *   $('#example').dataTable( {
+                *     "ajax": {
+                *       "url": "data.json",
+                *       "dataSrc": "tableData"
+                *     }
+                *   } );
+                *
+                * @example
+                *   // Get JSON data from a file via Ajax, using `dataSrc` to read data
+                *   // from a plain array rather than an array in an object
+                *   $('#example').dataTable( {
+                *     "ajax": {
+                *       "url": "data.json",
+                *       "dataSrc": ""
+                *     }
+                *   } );
+                *
+                * @example
+                *   // Manipulate the data returned from the server - add a link to data
+                *   // (note this can, should, be done using `render` for the column - this
+                *   // is just a simple example of how the data can be manipulated).
+                *   $('#example').dataTable( {
+                *     "ajax": {
+                *       "url": "data.json",
+                *       "dataSrc": function ( json ) {
+                *         for ( var i=0, ien=json.length ; i<ien ; i++ ) {
+                *           json[i][0] = '<a href="/message/'+json[i][0]+'>View message</a>';
+                *         }
+                *         return json;
+                *       }
+                *     }
+                *   } );
+                *
+                * @example
+                *   // Add data to the request
+                *   $('#example').dataTable( {
+                *     "ajax": {
+                *       "url": "data.json",
+                *       "data": function ( d ) {
+                *         return {
+                *           "extra_search": $('#extra').val()
+                *         };
+                *       }
+                *     }
+                *   } );
+                *
+                * @example
+                *   // Send request as POST
+                *   $('#example').dataTable( {
+                *     "ajax": {
+                *       "url": "data.json",
+                *       "type": "POST"
+                *     }
+                *   } );
+                *
+                * @example
+                *   // Get the data from localStorage (could interface with a form for
+                *   // adding, editing and removing rows).
+                *   $('#example').dataTable( {
+                *     "ajax": function (data, callback, settings) {
+                *       callback(
+                *         JSON.parse( localStorage.getItem('dataTablesData') )
+                *       );
+                *     }
+                *   } );
+                */
+               "ajax": null,
+       
+       
+               /**
+                * This parameter allows you to readily specify the entries in the length drop
+                * down menu that DataTables shows when pagination is enabled. It can be
+                * either a 1D array of options which will be used for both the displayed
+                * option and the value, or a 2D array which will use the array in the first
+                * position as the value, and the array in the second position as the
+                * displayed options (useful for language strings such as 'All').
+                *
+                * Note that the `pageLength` property will be automatically set to the
+                * first value given in this array, unless `pageLength` is also provided.
+                *  @type array
+                *  @default [ 10, 25, 50, 100 ]
+                *
+                *  @dtopt Option
+                *  @name DataTable.defaults.lengthMenu
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "lengthMenu": [[10, 25, 50, -1], [10, 25, 50, "All"]]
+                *      } );
+                *    } );
+                */
+               "aLengthMenu": [ 10, 25, 50, 100 ],
+       
+       
+               /**
+                * The `columns` option in the initialisation parameter allows you to define
+                * details about the way individual columns behave. For a full list of
+                * column options that can be set, please see
+                * {@link DataTable.defaults.column}. Note that if you use `columns` to
+                * define your columns, you must have an entry in the array for every single
+                * column that you have in your table (these can be null if you don't which
+                * to specify any options).
+                *  @member
+                *
+                *  @name DataTable.defaults.column
+                */
+               "aoColumns": null,
+       
+               /**
+                * Very similar to `columns`, `columnDefs` allows you to target a specific
+                * column, multiple columns, or all columns, using the `targets` property of
+                * each object in the array. This allows great flexibility when creating
+                * tables, as the `columnDefs` arrays can be of any length, targeting the
+                * columns you specifically want. `columnDefs` may use any of the column
+                * options available: {@link DataTable.defaults.column}, but it _must_
+                * have `targets` defined in each object in the array. Values in the `targets`
+                * array may be:
+                *   <ul>
+                *     <li>a string - class name will be matched on the TH for the column</li>
+                *     <li>0 or a positive integer - column index counting from the left</li>
+                *     <li>a negative integer - column index counting from the right</li>
+                *     <li>the string "_all" - all columns (i.e. assign a default)</li>
+                *   </ul>
+                *  @member
+                *
+                *  @name DataTable.defaults.columnDefs
+                */
+               "aoColumnDefs": null,
+       
+       
+               /**
+                * Basically the same as `search`, this parameter defines the individual column
+                * filtering state at initialisation time. The array must be of the same size
+                * as the number of columns, and each element be an object with the parameters
+                * `search` and `escapeRegex` (the latter is optional). 'null' is also
+                * accepted and the default will be used.
+                *  @type array
+                *  @default []
+                *
+                *  @dtopt Option
+                *  @name DataTable.defaults.searchCols
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "searchCols": [
+                *          null,
+                *          { "search": "My filter" },
+                *          null,
+                *          { "search": "^[0-9]", "escapeRegex": false }
+                *        ]
+                *      } );
+                *    } )
+                */
+               "aoSearchCols": [],
+       
+       
+               /**
+                * An array of CSS classes that should be applied to displayed rows. This
+                * array may be of any length, and DataTables will apply each class
+                * sequentially, looping when required.
+                *  @type array
+                *  @default null <i>Will take the values determined by the `oClasses.stripe*`
+                *    options</i>
+                *
+                *  @dtopt Option
+                *  @name DataTable.defaults.stripeClasses
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "stripeClasses": [ 'strip1', 'strip2', 'strip3' ]
+                *      } );
+                *    } )
+                */
+               "asStripeClasses": null,
+       
+       
+               /**
+                * Enable or disable automatic column width calculation. This can be disabled
+                * as an optimisation (it takes some time to calculate the widths) if the
+                * tables widths are passed in using `columns`.
+                *  @type boolean
+                *  @default true
+                *
+                *  @dtopt Features
+                *  @name DataTable.defaults.autoWidth
+                *
+                *  @example
+                *    $(document).ready( function () {
+                *      $('#example').dataTable( {
+                *        "autoWidth": false
+                *      } );
+                *    } );
+                */
+               "bAutoWidth": true,
+       
+       
+               /**
+                * Deferred rendering can provide DataTables with a huge speed boost when you
+                * are using an Ajax or JS data source for the table. This option, when set to
+                * true, will cause DataTables to defer the creation of the table elements for
+                * each row until they are needed for a draw - saving a significant amount of
+                * time.
+                *  @type boolean
+                *  @default false
+                *
+                *  @dtopt Features
+                *  @name DataTable.defaults.deferRender
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "ajax": "sources/arrays.txt",
+                *        "deferRender": true
+                *      } );
+                *    } );
+                */
+               "bDeferRender": false,
+       
+       
+               /**
+                * Replace a DataTable which matches the given selector and replace it with
+                * one which has the properties of the new initialisation object passed. If no
+                * table matches the selector, then the new DataTable will be constructed as
+                * per normal.
+                *  @type boolean
+                *  @default false
+                *
+                *  @dtopt Options
+                *  @name DataTable.defaults.destroy
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "srollY": "200px",
+                *        "paginate": false
+                *      } );
+                *
+                *      // Some time later....
+                *      $('#example').dataTable( {
+                *        "filter": false,
+                *        "destroy": true
+                *      } );
+                *    } );
+                */
+               "bDestroy": false,
+       
+       
+               /**
+                * Enable or disable filtering of data. Filtering in DataTables is "smart" in
+                * that it allows the end user to input multiple words (space separated) and
+                * will match a row containing those words, even if not in the order that was
+                * specified (this allow matching across multiple columns). Note that if you
+                * wish to use filtering in DataTables this must remain 'true' - to remove the
+                * default filtering input box and retain filtering abilities, please use
+                * {@link DataTable.defaults.dom}.
+                *  @type boolean
+                *  @default true
+                *
+                *  @dtopt Features
+                *  @name DataTable.defaults.searching
+                *
+                *  @example
+                *    $(document).ready( function () {
+                *      $('#example').dataTable( {
+                *        "searching": false
+                *      } );
+                *    } );
+                */
+               "bFilter": true,
+       
+       
+               /**
+                * Enable or disable the table information display. This shows information
+                * about the data that is currently visible on the page, including information
+                * about filtered data if that action is being performed.
+                *  @type boolean
+                *  @default true
+                *
+                *  @dtopt Features
+                *  @name DataTable.defaults.info
+                *
+                *  @example
+                *    $(document).ready( function () {
+                *      $('#example').dataTable( {
+                *        "info": false
+                *      } );
+                *    } );
+                */
+               "bInfo": true,
+       
+       
+               /**
+                * Allows the end user to select the size of a formatted page from a select
+                * menu (sizes are 10, 25, 50 and 100). Requires pagination (`paginate`).
+                *  @type boolean
+                *  @default true
+                *
+                *  @dtopt Features
+                *  @name DataTable.defaults.lengthChange
+                *
+                *  @example
+                *    $(document).ready( function () {
+                *      $('#example').dataTable( {
+                *        "lengthChange": false
+                *      } );
+                *    } );
+                */
+               "bLengthChange": true,
+       
+       
+               /**
+                * Enable or disable pagination.
+                *  @type boolean
+                *  @default true
+                *
+                *  @dtopt Features
+                *  @name DataTable.defaults.paging
+                *
+                *  @example
+                *    $(document).ready( function () {
+                *      $('#example').dataTable( {
+                *        "paging": false
+                *      } );
+                *    } );
+                */
+               "bPaginate": true,
+       
+       
+               /**
+                * Enable or disable the display of a 'processing' indicator when the table is
+                * being processed (e.g. a sort). This is particularly useful for tables with
+                * large amounts of data where it can take a noticeable amount of time to sort
+                * the entries.
+                *  @type boolean
+                *  @default false
+                *
+                *  @dtopt Features
+                *  @name DataTable.defaults.processing
+                *
+                *  @example
+                *    $(document).ready( function () {
+                *      $('#example').dataTable( {
+                *        "processing": true
+                *      } );
+                *    } );
+                */
+               "bProcessing": false,
+       
+       
+               /**
+                * Retrieve the DataTables object for the given selector. Note that if the
+                * table has already been initialised, this parameter will cause DataTables
+                * to simply return the object that has already been set up - it will not take
+                * account of any changes you might have made to the initialisation object
+                * passed to DataTables (setting this parameter to true is an acknowledgement
+                * that you understand this). `destroy` can be used to reinitialise a table if
+                * you need.
+                *  @type boolean
+                *  @default false
+                *
+                *  @dtopt Options
+                *  @name DataTable.defaults.retrieve
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      initTable();
+                *      tableActions();
+                *    } );
+                *
+                *    function initTable ()
+                *    {
+                *      return $('#example').dataTable( {
+                *        "scrollY": "200px",
+                *        "paginate": false,
+                *        "retrieve": true
+                *      } );
+                *    }
+                *
+                *    function tableActions ()
+                *    {
+                *      var table = initTable();
+                *      // perform API operations with oTable
+                *    }
+                */
+               "bRetrieve": false,
+       
+       
+               /**
+                * When vertical (y) scrolling is enabled, DataTables will force the height of
+                * the table's viewport to the given height at all times (useful for layout).
+                * However, this can look odd when filtering data down to a small data set,
+                * and the footer is left "floating" further down. This parameter (when
+                * enabled) will cause DataTables to collapse the table's viewport down when
+                * the result set will fit within the given Y height.
+                *  @type boolean
+                *  @default false
+                *
+                *  @dtopt Options
+                *  @name DataTable.defaults.scrollCollapse
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "scrollY": "200",
+                *        "scrollCollapse": true
+                *      } );
+                *    } );
+                */
+               "bScrollCollapse": false,
+       
+       
+               /**
+                * Configure DataTables to use server-side processing. Note that the
+                * `ajax` parameter must also be given in order to give DataTables a
+                * source to obtain the required data for each draw.
+                *  @type boolean
+                *  @default false
+                *
+                *  @dtopt Features
+                *  @dtopt Server-side
+                *  @name DataTable.defaults.serverSide
+                *
+                *  @example
+                *    $(document).ready( function () {
+                *      $('#example').dataTable( {
+                *        "serverSide": true,
+                *        "ajax": "xhr.php"
+                *      } );
+                *    } );
+                */
+               "bServerSide": false,
+       
+       
+               /**
+                * Enable or disable sorting of columns. Sorting of individual columns can be
+                * disabled by the `sortable` option for each column.
+                *  @type boolean
+                *  @default true
+                *
+                *  @dtopt Features
+                *  @name DataTable.defaults.ordering
+                *
+                *  @example
+                *    $(document).ready( function () {
+                *      $('#example').dataTable( {
+                *        "ordering": false
+                *      } );
+                *    } );
+                */
+               "bSort": true,
+       
+       
+               /**
+                * Enable or display DataTables' ability to sort multiple columns at the
+                * same time (activated by shift-click by the user).
+                *  @type boolean
+                *  @default true
+                *
+                *  @dtopt Options
+                *  @name DataTable.defaults.orderMulti
+                *
+                *  @example
+                *    // Disable multiple column sorting ability
+                *    $(document).ready( function () {
+                *      $('#example').dataTable( {
+                *        "orderMulti": false
+                *      } );
+                *    } );
+                */
+               "bSortMulti": true,
+       
+       
+               /**
+                * Allows control over whether DataTables should use the top (true) unique
+                * cell that is found for a single column, or the bottom (false - default).
+                * This is useful when using complex headers.
+                *  @type boolean
+                *  @default false
+                *
+                *  @dtopt Options
+                *  @name DataTable.defaults.orderCellsTop
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "orderCellsTop": true
+                *      } );
+                *    } );
+                */
+               "bSortCellsTop": false,
+       
+       
+               /**
+                * Enable or disable the addition of the classes `sorting\_1`, `sorting\_2` and
+                * `sorting\_3` to the columns which are currently being sorted on. This is
+                * presented as a feature switch as it can increase processing time (while
+                * classes are removed and added) so for large data sets you might want to
+                * turn this off.
+                *  @type boolean
+                *  @default true
+                *
+                *  @dtopt Features
+                *  @name DataTable.defaults.orderClasses
+                *
+                *  @example
+                *    $(document).ready( function () {
+                *      $('#example').dataTable( {
+                *        "orderClasses": false
+                *      } );
+                *    } );
+                */
+               "bSortClasses": true,
+       
+       
+               /**
+                * Enable or disable state saving. When enabled HTML5 `localStorage` will be
+                * used to save table display information such as pagination information,
+                * display length, filtering and sorting. As such when the end user reloads
+                * the page the display display will match what thy had previously set up.
+                *
+                * Due to the use of `localStorage` the default state saving is not supported
+                * in IE6 or 7. If state saving is required in those browsers, use
+                * `stateSaveCallback` to provide a storage solution such as cookies.
+                *  @type boolean
+                *  @default false
+                *
+                *  @dtopt Features
+                *  @name DataTable.defaults.stateSave
+                *
+                *  @example
+                *    $(document).ready( function () {
+                *      $('#example').dataTable( {
+                *        "stateSave": true
+                *      } );
+                *    } );
+                */
+               "bStateSave": false,
+       
+       
+               /**
+                * This function is called when a TR element is created (and all TD child
+                * elements have been inserted), or registered if using a DOM source, allowing
+                * manipulation of the TR element (adding classes etc).
+                *  @type function
+                *  @param {node} row "TR" element for the current row
+                *  @param {array} data Raw data array for this row
+                *  @param {int} dataIndex The index of this row in the internal aoData array
+                *
+                *  @dtopt Callbacks
+                *  @name DataTable.defaults.createdRow
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "createdRow": function( row, data, dataIndex ) {
+                *          // Bold the grade for all 'A' grade browsers
+                *          if ( data[4] == "A" )
+                *          {
+                *            $('td:eq(4)', row).html( '<b>A</b>' );
+                *          }
+                *        }
+                *      } );
+                *    } );
+                */
+               "fnCreatedRow": null,
+       
+       
+               /**
+                * This function is called on every 'draw' event, and allows you to
+                * dynamically modify any aspect you want about the created DOM.
+                *  @type function
+                *  @param {object} settings DataTables settings object
+                *
+                *  @dtopt Callbacks
+                *  @name DataTable.defaults.drawCallback
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "drawCallback": function( settings ) {
+                *          alert( 'DataTables has redrawn the table' );
+                *        }
+                *      } );
+                *    } );
+                */
+               "fnDrawCallback": null,
+       
+       
+               /**
+                * Identical to fnHeaderCallback() but for the table footer this function
+                * allows you to modify the table footer on every 'draw' event.
+                *  @type function
+                *  @param {node} foot "TR" element for the footer
+                *  @param {array} data Full table data (as derived from the original HTML)
+                *  @param {int} start Index for the current display starting point in the
+                *    display array
+                *  @param {int} end Index for the current display ending point in the
+                *    display array
+                *  @param {array int} display Index array to translate the visual position
+                *    to the full data array
+                *
+                *  @dtopt Callbacks
+                *  @name DataTable.defaults.footerCallback
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "footerCallback": function( tfoot, data, start, end, display ) {
+                *          tfoot.getElementsByTagName('th')[0].innerHTML = "Starting index is "+start;
+                *        }
+                *      } );
+                *    } )
+                */
+               "fnFooterCallback": null,
+       
+       
+               /**
+                * When rendering large numbers in the information element for the table
+                * (i.e. "Showing 1 to 10 of 57 entries") DataTables will render large numbers
+                * to have a comma separator for the 'thousands' units (e.g. 1 million is
+                * rendered as "1,000,000") to help readability for the end user. This
+                * function will override the default method DataTables uses.
+                *  @type function
+                *  @member
+                *  @param {int} toFormat number to be formatted
+                *  @returns {string} formatted string for DataTables to show the number
+                *
+                *  @dtopt Callbacks
+                *  @name DataTable.defaults.formatNumber
+                *
+                *  @example
+                *    // Format a number using a single quote for the separator (note that
+                *    // this can also be done with the language.thousands option)
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "formatNumber": function ( toFormat ) {
+                *          return toFormat.toString().replace(
+                *            /\B(?=(\d{3})+(?!\d))/g, "'"
+                *          );
+                *        };
+                *      } );
+                *    } );
+                */
+               "fnFormatNumber": function ( toFormat ) {
+                       return toFormat.toString().replace(
+                               /\B(?=(\d{3})+(?!\d))/g,
+                               this.oLanguage.sThousands
+                       );
+               },
+       
+       
+               /**
+                * This function is called on every 'draw' event, and allows you to
+                * dynamically modify the header row. This can be used to calculate and
+                * display useful information about the table.
+                *  @type function
+                *  @param {node} head "TR" element for the header
+                *  @param {array} data Full table data (as derived from the original HTML)
+                *  @param {int} start Index for the current display starting point in the
+                *    display array
+                *  @param {int} end Index for the current display ending point in the
+                *    display array
+                *  @param {array int} display Index array to translate the visual position
+                *    to the full data array
+                *
+                *  @dtopt Callbacks
+                *  @name DataTable.defaults.headerCallback
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "fheaderCallback": function( head, data, start, end, display ) {
+                *          head.getElementsByTagName('th')[0].innerHTML = "Displaying "+(end-start)+" records";
+                *        }
+                *      } );
+                *    } )
+                */
+               "fnHeaderCallback": null,
+       
+       
+               /**
+                * The information element can be used to convey information about the current
+                * state of the table. Although the internationalisation options presented by
+                * DataTables are quite capable of dealing with most customisations, there may
+                * be times where you wish to customise the string further. This callback
+                * allows you to do exactly that.
+                *  @type function
+                *  @param {object} oSettings DataTables settings object
+                *  @param {int} start Starting position in data for the draw
+                *  @param {int} end End position in data for the draw
+                *  @param {int} max Total number of rows in the table (regardless of
+                *    filtering)
+                *  @param {int} total Total number of rows in the data set, after filtering
+                *  @param {string} pre The string that DataTables has formatted using it's
+                *    own rules
+                *  @returns {string} The string to be displayed in the information element.
+                *
+                *  @dtopt Callbacks
+                *  @name DataTable.defaults.infoCallback
+                *
+                *  @example
+                *    $('#example').dataTable( {
+                *      "infoCallback": function( settings, start, end, max, total, pre ) {
+                *        return start +" to "+ end;
+                *      }
+                *    } );
+                */
+               "fnInfoCallback": null,
+       
+       
+               /**
+                * Called when the table has been initialised. Normally DataTables will
+                * initialise sequentially and there will be no need for this function,
+                * however, this does not hold true when using external language information
+                * since that is obtained using an async XHR call.
+                *  @type function
+                *  @param {object} settings DataTables settings object
+                *  @param {object} json The JSON object request from the server - only
+                *    present if client-side Ajax sourced data is used
+                *
+                *  @dtopt Callbacks
+                *  @name DataTable.defaults.initComplete
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "initComplete": function(settings, json) {
+                *          alert( 'DataTables has finished its initialisation.' );
+                *        }
+                *      } );
+                *    } )
+                */
+               "fnInitComplete": null,
+       
+       
+               /**
+                * Called at the very start of each table draw and can be used to cancel the
+                * draw by returning false, any other return (including undefined) results in
+                * the full draw occurring).
+                *  @type function
+                *  @param {object} settings DataTables settings object
+                *  @returns {boolean} False will cancel the draw, anything else (including no
+                *    return) will allow it to complete.
+                *
+                *  @dtopt Callbacks
+                *  @name DataTable.defaults.preDrawCallback
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "preDrawCallback": function( settings ) {
+                *          if ( $('#test').val() == 1 ) {
+                *            return false;
+                *          }
+                *        }
+                *      } );
+                *    } );
+                */
+               "fnPreDrawCallback": null,
+       
+       
+               /**
+                * This function allows you to 'post process' each row after it have been
+                * generated for each table draw, but before it is rendered on screen. This
+                * function might be used for setting the row class name etc.
+                *  @type function
+                *  @param {node} row "TR" element for the current row
+                *  @param {array} data Raw data array for this row
+                *  @param {int} displayIndex The display index for the current table draw
+                *  @param {int} displayIndexFull The index of the data in the full list of
+                *    rows (after filtering)
+                *
+                *  @dtopt Callbacks
+                *  @name DataTable.defaults.rowCallback
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "rowCallback": function( row, data, displayIndex, displayIndexFull ) {
+                *          // Bold the grade for all 'A' grade browsers
+                *          if ( data[4] == "A" ) {
+                *            $('td:eq(4)', row).html( '<b>A</b>' );
+                *          }
+                *        }
+                *      } );
+                *    } );
+                */
+               "fnRowCallback": null,
+       
+       
+               /**
+                * __Deprecated__ The functionality provided by this parameter has now been
+                * superseded by that provided through `ajax`, which should be used instead.
+                *
+                * This parameter allows you to override the default function which obtains
+                * the data from the server so something more suitable for your application.
+                * For example you could use POST data, or pull information from a Gears or
+                * AIR database.
+                *  @type function
+                *  @member
+                *  @param {string} source HTTP source to obtain the data from (`ajax`)
+                *  @param {array} data A key/value pair object containing the data to send
+                *    to the server
+                *  @param {function} callback to be called on completion of the data get
+                *    process that will draw the data on the page.
+                *  @param {object} settings DataTables settings object
+                *
+                *  @dtopt Callbacks
+                *  @dtopt Server-side
+                *  @name DataTable.defaults.serverData
+                *
+                *  @deprecated 1.10. Please use `ajax` for this functionality now.
+                */
+               "fnServerData": null,
+       
+       
+               /**
+                * __Deprecated__ The functionality provided by this parameter has now been
+                * superseded by that provided through `ajax`, which should be used instead.
+                *
+                *  It is often useful to send extra data to the server when making an Ajax
+                * request - for example custom filtering information, and this callback
+                * function makes it trivial to send extra information to the server. The
+                * passed in parameter is the data set that has been constructed by
+                * DataTables, and you can add to this or modify it as you require.
+                *  @type function
+                *  @param {array} data Data array (array of objects which are name/value
+                *    pairs) that has been constructed by DataTables and will be sent to the
+                *    server. In the case of Ajax sourced data with server-side processing
+                *    this will be an empty array, for server-side processing there will be a
+                *    significant number of parameters!
+                *  @returns {undefined} Ensure that you modify the data array passed in,
+                *    as this is passed by reference.
+                *
+                *  @dtopt Callbacks
+                *  @dtopt Server-side
+                *  @name DataTable.defaults.serverParams
+                *
+                *  @deprecated 1.10. Please use `ajax` for this functionality now.
+                */
+               "fnServerParams": null,
+       
+       
+               /**
+                * Load the table state. With this function you can define from where, and how, the
+                * state of a table is loaded. By default DataTables will load from `localStorage`
+                * but you might wish to use a server-side database or cookies.
+                *  @type function
+                *  @member
+                *  @param {object} settings DataTables settings object
+                *  @param {object} callback Callback that can be executed when done. It
+                *    should be passed the loaded state object.
+                *  @return {object} The DataTables state object to be loaded
+                *
+                *  @dtopt Callbacks
+                *  @name DataTable.defaults.stateLoadCallback
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "stateSave": true,
+                *        "stateLoadCallback": function (settings, callback) {
+                *          $.ajax( {
+                *            "url": "/state_load",
+                *            "dataType": "json",
+                *            "success": function (json) {
+                *              callback( json );
+                *            }
+                *          } );
+                *        }
+                *      } );
+                *    } );
+                */
+               "fnStateLoadCallback": function ( settings ) {
+                       try {
+                               return JSON.parse(
+                                       (settings.iStateDuration === -1 ? sessionStorage : localStorage).getItem(
+                                               'DataTables_'+settings.sInstance+'_'+location.pathname
+                                       )
+                               );
+                       } catch (e) {
+                               return {};
+                       }
+               },
+       
+       
+               /**
+                * Callback which allows modification of the saved state prior to loading that state.
+                * This callback is called when the table is loading state from the stored data, but
+                * prior to the settings object being modified by the saved state. Note that for
+                * plug-in authors, you should use the `stateLoadParams` event to load parameters for
+                * a plug-in.
+                *  @type function
+                *  @param {object} settings DataTables settings object
+                *  @param {object} data The state object that is to be loaded
+                *
+                *  @dtopt Callbacks
+                *  @name DataTable.defaults.stateLoadParams
+                *
+                *  @example
+                *    // Remove a saved filter, so filtering is never loaded
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "stateSave": true,
+                *        "stateLoadParams": function (settings, data) {
+                *          data.oSearch.sSearch = "";
+                *        }
+                *      } );
+                *    } );
+                *
+                *  @example
+                *    // Disallow state loading by returning false
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "stateSave": true,
+                *        "stateLoadParams": function (settings, data) {
+                *          return false;
+                *        }
+                *      } );
+                *    } );
+                */
+               "fnStateLoadParams": null,
+       
+       
+               /**
+                * Callback that is called when the state has been loaded from the state saving method
+                * and the DataTables settings object has been modified as a result of the loaded state.
+                *  @type function
+                *  @param {object} settings DataTables settings object
+                *  @param {object} data The state object that was loaded
+                *
+                *  @dtopt Callbacks
+                *  @name DataTable.defaults.stateLoaded
+                *
+                *  @example
+                *    // Show an alert with the filtering value that was saved
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "stateSave": true,
+                *        "stateLoaded": function (settings, data) {
+                *          alert( 'Saved filter was: '+data.oSearch.sSearch );
+                *        }
+                *      } );
+                *    } );
+                */
+               "fnStateLoaded": null,
+       
+       
+               /**
+                * Save the table state. This function allows you to define where and how the state
+                * information for the table is stored By default DataTables will use `localStorage`
+                * but you might wish to use a server-side database or cookies.
+                *  @type function
+                *  @member
+                *  @param {object} settings DataTables settings object
+                *  @param {object} data The state object to be saved
+                *
+                *  @dtopt Callbacks
+                *  @name DataTable.defaults.stateSaveCallback
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "stateSave": true,
+                *        "stateSaveCallback": function (settings, data) {
+                *          // Send an Ajax request to the server with the state object
+                *          $.ajax( {
+                *            "url": "/state_save",
+                *            "data": data,
+                *            "dataType": "json",
+                *            "method": "POST"
+                *            "success": function () {}
+                *          } );
+                *        }
+                *      } );
+                *    } );
+                */
+               "fnStateSaveCallback": function ( settings, data ) {
+                       try {
+                               (settings.iStateDuration === -1 ? sessionStorage : localStorage).setItem(
+                                       'DataTables_'+settings.sInstance+'_'+location.pathname,
+                                       JSON.stringify( data )
+                               );
+                       } catch (e) {}
+               },
+       
+       
+               /**
+                * Callback which allows modification of the state to be saved. Called when the table
+                * has changed state a new state save is required. This method allows modification of
+                * the state saving object prior to actually doing the save, including addition or
+                * other state properties or modification. Note that for plug-in authors, you should
+                * use the `stateSaveParams` event to save parameters for a plug-in.
+                *  @type function
+                *  @param {object} settings DataTables settings object
+                *  @param {object} data The state object to be saved
+                *
+                *  @dtopt Callbacks
+                *  @name DataTable.defaults.stateSaveParams
+                *
+                *  @example
+                *    // Remove a saved filter, so filtering is never saved
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "stateSave": true,
+                *        "stateSaveParams": function (settings, data) {
+                *          data.oSearch.sSearch = "";
+                *        }
+                *      } );
+                *    } );
+                */
+               "fnStateSaveParams": null,
+       
+       
+               /**
+                * Duration for which the saved state information is considered valid. After this period
+                * has elapsed the state will be returned to the default.
+                * Value is given in seconds.
+                *  @type int
+                *  @default 7200 <i>(2 hours)</i>
+                *
+                *  @dtopt Options
+                *  @name DataTable.defaults.stateDuration
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "stateDuration": 60*60*24; // 1 day
+                *      } );
+                *    } )
+                */
+               "iStateDuration": 7200,
+       
+       
+               /**
+                * When enabled DataTables will not make a request to the server for the first
+                * page draw - rather it will use the data already on the page (no sorting etc
+                * will be applied to it), thus saving on an XHR at load time. `deferLoading`
+                * is used to indicate that deferred loading is required, but it is also used
+                * to tell DataTables how many records there are in the full table (allowing
+                * the information element and pagination to be displayed correctly). In the case
+                * where a filtering is applied to the table on initial load, this can be
+                * indicated by giving the parameter as an array, where the first element is
+                * the number of records available after filtering and the second element is the
+                * number of records without filtering (allowing the table information element
+                * to be shown correctly).
+                *  @type int | array
+                *  @default null
+                *
+                *  @dtopt Options
+                *  @name DataTable.defaults.deferLoading
+                *
+                *  @example
+                *    // 57 records available in the table, no filtering applied
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "serverSide": true,
+                *        "ajax": "scripts/server_processing.php",
+                *        "deferLoading": 57
+                *      } );
+                *    } );
+                *
+                *  @example
+                *    // 57 records after filtering, 100 without filtering (an initial filter applied)
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "serverSide": true,
+                *        "ajax": "scripts/server_processing.php",
+                *        "deferLoading": [ 57, 100 ],
+                *        "search": {
+                *          "search": "my_filter"
+                *        }
+                *      } );
+                *    } );
+                */
+               "iDeferLoading": null,
+       
+       
+               /**
+                * Number of rows to display on a single page when using pagination. If
+                * feature enabled (`lengthChange`) then the end user will be able to override
+                * this to a custom setting using a pop-up menu.
+                *  @type int
+                *  @default 10
+                *
+                *  @dtopt Options
+                *  @name DataTable.defaults.pageLength
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "pageLength": 50
+                *      } );
+                *    } )
+                */
+               "iDisplayLength": 10,
+       
+       
+               /**
+                * Define the starting point for data display when using DataTables with
+                * pagination. Note that this parameter is the number of records, rather than
+                * the page number, so if you have 10 records per page and want to start on
+                * the third page, it should be "20".
+                *  @type int
+                *  @default 0
+                *
+                *  @dtopt Options
+                *  @name DataTable.defaults.displayStart
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "displayStart": 20
+                *      } );
+                *    } )
+                */
+               "iDisplayStart": 0,
+       
+       
+               /**
+                * By default DataTables allows keyboard navigation of the table (sorting, paging,
+                * and filtering) by adding a `tabindex` attribute to the required elements. This
+                * allows you to tab through the controls and press the enter key to activate them.
+                * The tabindex is default 0, meaning that the tab follows the flow of the document.
+                * You can overrule this using this parameter if you wish. Use a value of -1 to
+                * disable built-in keyboard navigation.
+                *  @type int
+                *  @default 0
+                *
+                *  @dtopt Options
+                *  @name DataTable.defaults.tabIndex
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "tabIndex": 1
+                *      } );
+                *    } );
+                */
+               "iTabIndex": 0,
+       
+       
+               /**
+                * Classes that DataTables assigns to the various components and features
+                * that it adds to the HTML table. This allows classes to be configured
+                * during initialisation in addition to through the static
+                * {@link DataTable.ext.oStdClasses} object).
+                *  @namespace
+                *  @name DataTable.defaults.classes
+                */
+               "oClasses": {},
+       
+       
+               /**
+                * All strings that DataTables uses in the user interface that it creates
+                * are defined in this object, allowing you to modified them individually or
+                * completely replace them all as required.
+                *  @namespace
+                *  @name DataTable.defaults.language
+                */
+               "oLanguage": {
+                       /**
+                        * Strings that are used for WAI-ARIA labels and controls only (these are not
+                        * actually visible on the page, but will be read by screenreaders, and thus
+                        * must be internationalised as well).
+                        *  @namespace
+                        *  @name DataTable.defaults.language.aria
+                        */
+                       "oAria": {
+                               /**
+                                * ARIA label that is added to the table headers when the column may be
+                                * sorted ascending by activing the column (click or return when focused).
+                                * Note that the column header is prefixed to this string.
+                                *  @type string
+                                *  @default : activate to sort column ascending
+                                *
+                                *  @dtopt Language
+                                *  @name DataTable.defaults.language.aria.sortAscending
+                                *
+                                *  @example
+                                *    $(document).ready( function() {
+                                *      $('#example').dataTable( {
+                                *        "language": {
+                                *          "aria": {
+                                *            "sortAscending": " - click/return to sort ascending"
+                                *          }
+                                *        }
+                                *      } );
+                                *    } );
+                                */
+                               "sSortAscending": ": activate to sort column ascending",
+       
+                               /**
+                                * ARIA label that is added to the table headers when the column may be
+                                * sorted descending by activing the column (click or return when focused).
+                                * Note that the column header is prefixed to this string.
+                                *  @type string
+                                *  @default : activate to sort column ascending
+                                *
+                                *  @dtopt Language
+                                *  @name DataTable.defaults.language.aria.sortDescending
+                                *
+                                *  @example
+                                *    $(document).ready( function() {
+                                *      $('#example').dataTable( {
+                                *        "language": {
+                                *          "aria": {
+                                *            "sortDescending": " - click/return to sort descending"
+                                *          }
+                                *        }
+                                *      } );
+                                *    } );
+                                */
+                               "sSortDescending": ": activate to sort column descending"
+                       },
+       
+                       /**
+                        * Pagination string used by DataTables for the built-in pagination
+                        * control types.
+                        *  @namespace
+                        *  @name DataTable.defaults.language.paginate
+                        */
+                       "oPaginate": {
+                               /**
+                                * Text to use when using the 'full_numbers' type of pagination for the
+                                * button to take the user to the first page.
+                                *  @type string
+                                *  @default First
+                                *
+                                *  @dtopt Language
+                                *  @name DataTable.defaults.language.paginate.first
+                                *
+                                *  @example
+                                *    $(document).ready( function() {
+                                *      $('#example').dataTable( {
+                                *        "language": {
+                                *          "paginate": {
+                                *            "first": "First page"
+                                *          }
+                                *        }
+                                *      } );
+                                *    } );
+                                */
+                               "sFirst": "First",
+       
+       
+                               /**
+                                * Text to use when using the 'full_numbers' type of pagination for the
+                                * button to take the user to the last page.
+                                *  @type string
+                                *  @default Last
+                                *
+                                *  @dtopt Language
+                                *  @name DataTable.defaults.language.paginate.last
+                                *
+                                *  @example
+                                *    $(document).ready( function() {
+                                *      $('#example').dataTable( {
+                                *        "language": {
+                                *          "paginate": {
+                                *            "last": "Last page"
+                                *          }
+                                *        }
+                                *      } );
+                                *    } );
+                                */
+                               "sLast": "Last",
+       
+       
+                               /**
+                                * Text to use for the 'next' pagination button (to take the user to the
+                                * next page).
+                                *  @type string
+                                *  @default Next
+                                *
+                                *  @dtopt Language
+                                *  @name DataTable.defaults.language.paginate.next
+                                *
+                                *  @example
+                                *    $(document).ready( function() {
+                                *      $('#example').dataTable( {
+                                *        "language": {
+                                *          "paginate": {
+                                *            "next": "Next page"
+                                *          }
+                                *        }
+                                *      } );
+                                *    } );
+                                */
+                               "sNext": "Next",
+       
+       
+                               /**
+                                * Text to use for the 'previous' pagination button (to take the user to
+                                * the previous page).
+                                *  @type string
+                                *  @default Previous
+                                *
+                                *  @dtopt Language
+                                *  @name DataTable.defaults.language.paginate.previous
+                                *
+                                *  @example
+                                *    $(document).ready( function() {
+                                *      $('#example').dataTable( {
+                                *        "language": {
+                                *          "paginate": {
+                                *            "previous": "Previous page"
+                                *          }
+                                *        }
+                                *      } );
+                                *    } );
+                                */
+                               "sPrevious": "Previous"
+                       },
+       
+                       /**
+                        * This string is shown in preference to `zeroRecords` when the table is
+                        * empty of data (regardless of filtering). Note that this is an optional
+                        * parameter - if it is not given, the value of `zeroRecords` will be used
+                        * instead (either the default or given value).
+                        *  @type string
+                        *  @default No data available in table
+                        *
+                        *  @dtopt Language
+                        *  @name DataTable.defaults.language.emptyTable
+                        *
+                        *  @example
+                        *    $(document).ready( function() {
+                        *      $('#example').dataTable( {
+                        *        "language": {
+                        *          "emptyTable": "No data available in table"
+                        *        }
+                        *      } );
+                        *    } );
+                        */
+                       "sEmptyTable": "No data available in table",
+       
+       
+                       /**
+                        * This string gives information to the end user about the information
+                        * that is current on display on the page. The following tokens can be
+                        * used in the string and will be dynamically replaced as the table
+                        * display updates. This tokens can be placed anywhere in the string, or
+                        * removed as needed by the language requires:
+                        *
+                        * * `\_START\_` - Display index of the first record on the current page
+                        * * `\_END\_` - Display index of the last record on the current page
+                        * * `\_TOTAL\_` - Number of records in the table after filtering
+                        * * `\_MAX\_` - Number of records in the table without filtering
+                        * * `\_PAGE\_` - Current page number
+                        * * `\_PAGES\_` - Total number of pages of data in the table
+                        *
+                        *  @type string
+                        *  @default Showing _START_ to _END_ of _TOTAL_ entries
+                        *
+                        *  @dtopt Language
+                        *  @name DataTable.defaults.language.info
+                        *
+                        *  @example
+                        *    $(document).ready( function() {
+                        *      $('#example').dataTable( {
+                        *        "language": {
+                        *          "info": "Showing page _PAGE_ of _PAGES_"
+                        *        }
+                        *      } );
+                        *    } );
+                        */
+                       "sInfo": "Showing _START_ to _END_ of _TOTAL_ entries",
+       
+       
+                       /**
+                        * Display information string for when the table is empty. Typically the
+                        * format of this string should match `info`.
+                        *  @type string
+                        *  @default Showing 0 to 0 of 0 entries
+                        *
+                        *  @dtopt Language
+                        *  @name DataTable.defaults.language.infoEmpty
+                        *
+                        *  @example
+                        *    $(document).ready( function() {
+                        *      $('#example').dataTable( {
+                        *        "language": {
+                        *          "infoEmpty": "No entries to show"
+                        *        }
+                        *      } );
+                        *    } );
+                        */
+                       "sInfoEmpty": "Showing 0 to 0 of 0 entries",
+       
+       
+                       /**
+                        * When a user filters the information in a table, this string is appended
+                        * to the information (`info`) to give an idea of how strong the filtering
+                        * is. The variable _MAX_ is dynamically updated.
+                        *  @type string
+                        *  @default (filtered from _MAX_ total entries)
+                        *
+                        *  @dtopt Language
+                        *  @name DataTable.defaults.language.infoFiltered
+                        *
+                        *  @example
+                        *    $(document).ready( function() {
+                        *      $('#example').dataTable( {
+                        *        "language": {
+                        *          "infoFiltered": " - filtering from _MAX_ records"
+                        *        }
+                        *      } );
+                        *    } );
+                        */
+                       "sInfoFiltered": "(filtered from _MAX_ total entries)",
+       
+       
+                       /**
+                        * If can be useful to append extra information to the info string at times,
+                        * and this variable does exactly that. This information will be appended to
+                        * the `info` (`infoEmpty` and `infoFiltered` in whatever combination they are
+                        * being used) at all times.
+                        *  @type string
+                        *  @default <i>Empty string</i>
+                        *
+                        *  @dtopt Language
+                        *  @name DataTable.defaults.language.infoPostFix
+                        *
+                        *  @example
+                        *    $(document).ready( function() {
+                        *      $('#example').dataTable( {
+                        *        "language": {
+                        *          "infoPostFix": "All records shown are derived from real information."
+                        *        }
+                        *      } );
+                        *    } );
+                        */
+                       "sInfoPostFix": "",
+       
+       
+                       /**
+                        * This decimal place operator is a little different from the other
+                        * language options since DataTables doesn't output floating point
+                        * numbers, so it won't ever use this for display of a number. Rather,
+                        * what this parameter does is modify the sort methods of the table so
+                        * that numbers which are in a format which has a character other than
+                        * a period (`.`) as a decimal place will be sorted numerically.
+                        *
+                        * Note that numbers with different decimal places cannot be shown in
+                        * the same table and still be sortable, the table must be consistent.
+                        * However, multiple different tables on the page can use different
+                        * decimal place characters.
+                        *  @type string
+                        *  @default 
+                        *
+                        *  @dtopt Language
+                        *  @name DataTable.defaults.language.decimal
+                        *
+                        *  @example
+                        *    $(document).ready( function() {
+                        *      $('#example').dataTable( {
+                        *        "language": {
+                        *          "decimal": ","
+                        *          "thousands": "."
+                        *        }
+                        *      } );
+                        *    } );
+                        */
+                       "sDecimal": "",
+       
+       
+                       /**
+                        * DataTables has a build in number formatter (`formatNumber`) which is
+                        * used to format large numbers that are used in the table information.
+                        * By default a comma is used, but this can be trivially changed to any
+                        * character you wish with this parameter.
+                        *  @type string
+                        *  @default ,
+                        *
+                        *  @dtopt Language
+                        *  @name DataTable.defaults.language.thousands
+                        *
+                        *  @example
+                        *    $(document).ready( function() {
+                        *      $('#example').dataTable( {
+                        *        "language": {
+                        *          "thousands": "'"
+                        *        }
+                        *      } );
+                        *    } );
+                        */
+                       "sThousands": ",",
+       
+       
+                       /**
+                        * Detail the action that will be taken when the drop down menu for the
+                        * pagination length option is changed. The '_MENU_' variable is replaced
+                        * with a default select list of 10, 25, 50 and 100, and can be replaced
+                        * with a custom select box if required.
+                        *  @type string
+                        *  @default Show _MENU_ entries
+                        *
+                        *  @dtopt Language
+                        *  @name DataTable.defaults.language.lengthMenu
+                        *
+                        *  @example
+                        *    // Language change only
+                        *    $(document).ready( function() {
+                        *      $('#example').dataTable( {
+                        *        "language": {
+                        *          "lengthMenu": "Display _MENU_ records"
+                        *        }
+                        *      } );
+                        *    } );
+                        *
+                        *  @example
+                        *    // Language and options change
+                        *    $(document).ready( function() {
+                        *      $('#example').dataTable( {
+                        *        "language": {
+                        *          "lengthMenu": 'Display <select>'+
+                        *            '<option value="10">10</option>'+
+                        *            '<option value="20">20</option>'+
+                        *            '<option value="30">30</option>'+
+                        *            '<option value="40">40</option>'+
+                        *            '<option value="50">50</option>'+
+                        *            '<option value="-1">All</option>'+
+                        *            '</select> records'
+                        *        }
+                        *      } );
+                        *    } );
+                        */
+                       "sLengthMenu": "Show _MENU_ entries",
+       
+       
+                       /**
+                        * When using Ajax sourced data and during the first draw when DataTables is
+                        * gathering the data, this message is shown in an empty row in the table to
+                        * indicate to the end user the the data is being loaded. Note that this
+                        * parameter is not used when loading data by server-side processing, just
+                        * Ajax sourced data with client-side processing.
+                        *  @type string
+                        *  @default Loading...
+                        *
+                        *  @dtopt Language
+                        *  @name DataTable.defaults.language.loadingRecords
+                        *
+                        *  @example
+                        *    $(document).ready( function() {
+                        *      $('#example').dataTable( {
+                        *        "language": {
+                        *          "loadingRecords": "Please wait - loading..."
+                        *        }
+                        *      } );
+                        *    } );
+                        */
+                       "sLoadingRecords": "Loading...",
+       
+       
+                       /**
+                        * Text which is displayed when the table is processing a user action
+                        * (usually a sort command or similar).
+                        *  @type string
+                        *  @default Processing...
+                        *
+                        *  @dtopt Language
+                        *  @name DataTable.defaults.language.processing
+                        *
+                        *  @example
+                        *    $(document).ready( function() {
+                        *      $('#example').dataTable( {
+                        *        "language": {
+                        *          "processing": "DataTables is currently busy"
+                        *        }
+                        *      } );
+                        *    } );
+                        */
+                       "sProcessing": "Processing...",
+       
+       
+                       /**
+                        * Details the actions that will be taken when the user types into the
+                        * filtering input text box. The variable "_INPUT_", if used in the string,
+                        * is replaced with the HTML text box for the filtering input allowing
+                        * control over where it appears in the string. If "_INPUT_" is not given
+                        * then the input box is appended to the string automatically.
+                        *  @type string
+                        *  @default Search:
+                        *
+                        *  @dtopt Language
+                        *  @name DataTable.defaults.language.search
+                        *
+                        *  @example
+                        *    // Input text box will be appended at the end automatically
+                        *    $(document).ready( function() {
+                        *      $('#example').dataTable( {
+                        *        "language": {
+                        *          "search": "Filter records:"
+                        *        }
+                        *      } );
+                        *    } );
+                        *
+                        *  @example
+                        *    // Specify where the filter should appear
+                        *    $(document).ready( function() {
+                        *      $('#example').dataTable( {
+                        *        "language": {
+                        *          "search": "Apply filter _INPUT_ to table"
+                        *        }
+                        *      } );
+                        *    } );
+                        */
+                       "sSearch": "Search:",
+       
+       
+                       /**
+                        * Assign a `placeholder` attribute to the search `input` element
+                        *  @type string
+                        *  @default 
+                        *
+                        *  @dtopt Language
+                        *  @name DataTable.defaults.language.searchPlaceholder
+                        */
+                       "sSearchPlaceholder": "",
+       
+       
+                       /**
+                        * All of the language information can be stored in a file on the
+                        * server-side, which DataTables will look up if this parameter is passed.
+                        * It must store the URL of the language file, which is in a JSON format,
+                        * and the object has the same properties as the oLanguage object in the
+                        * initialiser object (i.e. the above parameters). Please refer to one of
+                        * the example language files to see how this works in action.
+                        *  @type string
+                        *  @default <i>Empty string - i.e. disabled</i>
+                        *
+                        *  @dtopt Language
+                        *  @name DataTable.defaults.language.url
+                        *
+                        *  @example
+                        *    $(document).ready( function() {
+                        *      $('#example').dataTable( {
+                        *        "language": {
+                        *          "url": "http://www.sprymedia.co.uk/dataTables/lang.txt"
+                        *        }
+                        *      } );
+                        *    } );
+                        */
+                       "sUrl": "",
+       
+       
+                       /**
+                        * Text shown inside the table records when the is no information to be
+                        * displayed after filtering. `emptyTable` is shown when there is simply no
+                        * information in the table at all (regardless of filtering).
+                        *  @type string
+                        *  @default No matching records found
+                        *
+                        *  @dtopt Language
+                        *  @name DataTable.defaults.language.zeroRecords
+                        *
+                        *  @example
+                        *    $(document).ready( function() {
+                        *      $('#example').dataTable( {
+                        *        "language": {
+                        *          "zeroRecords": "No records to display"
+                        *        }
+                        *      } );
+                        *    } );
+                        */
+                       "sZeroRecords": "No matching records found"
+               },
+       
+       
+               /**
+                * This parameter allows you to have define the global filtering state at
+                * initialisation time. As an object the `search` parameter must be
+                * defined, but all other parameters are optional. When `regex` is true,
+                * the search string will be treated as a regular expression, when false
+                * (default) it will be treated as a straight string. When `smart`
+                * DataTables will use it's smart filtering methods (to word match at
+                * any point in the data), when false this will not be done.
+                *  @namespace
+                *  @extends DataTable.models.oSearch
+                *
+                *  @dtopt Options
+                *  @name DataTable.defaults.search
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "search": {"search": "Initial search"}
+                *      } );
+                *    } )
+                */
+               "oSearch": $.extend( {}, DataTable.models.oSearch ),
+       
+       
+               /**
+                * __Deprecated__ The functionality provided by this parameter has now been
+                * superseded by that provided through `ajax`, which should be used instead.
+                *
+                * By default DataTables will look for the property `data` (or `aaData` for
+                * compatibility with DataTables 1.9-) when obtaining data from an Ajax
+                * source or for server-side processing - this parameter allows that
+                * property to be changed. You can use Javascript dotted object notation to
+                * get a data source for multiple levels of nesting.
+                *  @type string
+                *  @default data
+                *
+                *  @dtopt Options
+                *  @dtopt Server-side
+                *  @name DataTable.defaults.ajaxDataProp
+                *
+                *  @deprecated 1.10. Please use `ajax` for this functionality now.
+                */
+               "sAjaxDataProp": "data",
+       
+       
+               /**
+                * __Deprecated__ The functionality provided by this parameter has now been
+                * superseded by that provided through `ajax`, which should be used instead.
+                *
+                * You can instruct DataTables to load data from an external
+                * source using this parameter (use aData if you want to pass data in you
+                * already have). Simply provide a url a JSON object can be obtained from.
+                *  @type string
+                *  @default null
+                *
+                *  @dtopt Options
+                *  @dtopt Server-side
+                *  @name DataTable.defaults.ajaxSource
+                *
+                *  @deprecated 1.10. Please use `ajax` for this functionality now.
+                */
+               "sAjaxSource": null,
+       
+       
+               /**
+                * This initialisation variable allows you to specify exactly where in the
+                * DOM you want DataTables to inject the various controls it adds to the page
+                * (for example you might want the pagination controls at the top of the
+                * table). DIV elements (with or without a custom class) can also be added to
+                * aid styling. The follow syntax is used:
+                *   <ul>
+                *     <li>The following options are allowed:
+                *       <ul>
+                *         <li>'l' - Length changing</li>
+                *         <li>'f' - Filtering input</li>
+                *         <li>'t' - The table!</li>
+                *         <li>'i' - Information</li>
+                *         <li>'p' - Pagination</li>
+                *         <li>'r' - pRocessing</li>
+                *       </ul>
+                *     </li>
+                *     <li>The following constants are allowed:
+                *       <ul>
+                *         <li>'H' - jQueryUI theme "header" classes ('fg-toolbar ui-widget-header ui-corner-tl ui-corner-tr ui-helper-clearfix')</li>
+                *         <li>'F' - jQueryUI theme "footer" classes ('fg-toolbar ui-widget-header ui-corner-bl ui-corner-br ui-helper-clearfix')</li>
+                *       </ul>
+                *     </li>
+                *     <li>The following syntax is expected:
+                *       <ul>
+                *         <li>'&lt;' and '&gt;' - div elements</li>
+                *         <li>'&lt;"class" and '&gt;' - div with a class</li>
+                *         <li>'&lt;"#id" and '&gt;' - div with an ID</li>
+                *       </ul>
+                *     </li>
+                *     <li>Examples:
+                *       <ul>
+                *         <li>'&lt;"wrapper"flipt&gt;'</li>
+                *         <li>'&lt;lf&lt;t&gt;ip&gt;'</li>
+                *       </ul>
+                *     </li>
+                *   </ul>
+                *  @type string
+                *  @default lfrtip <i>(when `jQueryUI` is false)</i> <b>or</b>
+                *    <"H"lfr>t<"F"ip> <i>(when `jQueryUI` is true)</i>
+                *
+                *  @dtopt Options
+                *  @name DataTable.defaults.dom
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "dom": '&lt;"top"i&gt;rt&lt;"bottom"flp&gt;&lt;"clear"&gt;'
+                *      } );
+                *    } );
+                */
+               "sDom": "lfrtip",
+       
+       
+               /**
+                * Search delay option. This will throttle full table searches that use the
+                * DataTables provided search input element (it does not effect calls to
+                * `dt-api search()`, providing a delay before the search is made.
+                *  @type integer
+                *  @default 0
+                *
+                *  @dtopt Options
+                *  @name DataTable.defaults.searchDelay
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "searchDelay": 200
+                *      } );
+                *    } )
+                */
+               "searchDelay": null,
+       
+       
+               /**
+                * DataTables features six different built-in options for the buttons to
+                * display for pagination control:
+                *
+                * * `numbers` - Page number buttons only
+                * * `simple` - 'Previous' and 'Next' buttons only
+                * * 'simple_numbers` - 'Previous' and 'Next' buttons, plus page numbers
+                * * `full` - 'First', 'Previous', 'Next' and 'Last' buttons
+                * * `full_numbers` - 'First', 'Previous', 'Next' and 'Last' buttons, plus page numbers
+                * * `first_last_numbers` - 'First' and 'Last' buttons, plus page numbers
+                *  
+                * Further methods can be added using {@link DataTable.ext.oPagination}.
+                *  @type string
+                *  @default simple_numbers
+                *
+                *  @dtopt Options
+                *  @name DataTable.defaults.pagingType
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "pagingType": "full_numbers"
+                *      } );
+                *    } )
+                */
+               "sPaginationType": "simple_numbers",
+       
+       
+               /**
+                * Enable horizontal scrolling. When a table is too wide to fit into a
+                * certain layout, or you have a large number of columns in the table, you
+                * can enable x-scrolling to show the table in a viewport, which can be
+                * scrolled. This property can be `true` which will allow the table to
+                * scroll horizontally when needed, or any CSS unit, or a number (in which
+                * case it will be treated as a pixel measurement). Setting as simply `true`
+                * is recommended.
+                *  @type boolean|string
+                *  @default <i>blank string - i.e. disabled</i>
+                *
+                *  @dtopt Features
+                *  @name DataTable.defaults.scrollX
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "scrollX": true,
+                *        "scrollCollapse": true
+                *      } );
+                *    } );
+                */
+               "sScrollX": "",
+       
+       
+               /**
+                * This property can be used to force a DataTable to use more width than it
+                * might otherwise do when x-scrolling is enabled. For example if you have a
+                * table which requires to be well spaced, this parameter is useful for
+                * "over-sizing" the table, and thus forcing scrolling. This property can by
+                * any CSS unit, or a number (in which case it will be treated as a pixel
+                * measurement).
+                *  @type string
+                *  @default <i>blank string - i.e. disabled</i>
+                *
+                *  @dtopt Options
+                *  @name DataTable.defaults.scrollXInner
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "scrollX": "100%",
+                *        "scrollXInner": "110%"
+                *      } );
+                *    } );
+                */
+               "sScrollXInner": "",
+       
+       
+               /**
+                * Enable vertical scrolling. Vertical scrolling will constrain the DataTable
+                * to the given height, and enable scrolling for any data which overflows the
+                * current viewport. This can be used as an alternative to paging to display
+                * a lot of data in a small area (although paging and scrolling can both be
+                * enabled at the same time). This property can be any CSS unit, or a number
+                * (in which case it will be treated as a pixel measurement).
+                *  @type string
+                *  @default <i>blank string - i.e. disabled</i>
+                *
+                *  @dtopt Features
+                *  @name DataTable.defaults.scrollY
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "scrollY": "200px",
+                *        "paginate": false
+                *      } );
+                *    } );
+                */
+               "sScrollY": "",
+       
+       
+               /**
+                * __Deprecated__ The functionality provided by this parameter has now been
+                * superseded by that provided through `ajax`, which should be used instead.
+                *
+                * Set the HTTP method that is used to make the Ajax call for server-side
+                * processing or Ajax sourced data.
+                *  @type string
+                *  @default GET
+                *
+                *  @dtopt Options
+                *  @dtopt Server-side
+                *  @name DataTable.defaults.serverMethod
+                *
+                *  @deprecated 1.10. Please use `ajax` for this functionality now.
+                */
+               "sServerMethod": "GET",
+       
+       
+               /**
+                * DataTables makes use of renderers when displaying HTML elements for
+                * a table. These renderers can be added or modified by plug-ins to
+                * generate suitable mark-up for a site. For example the Bootstrap
+                * integration plug-in for DataTables uses a paging button renderer to
+                * display pagination buttons in the mark-up required by Bootstrap.
+                *
+                * For further information about the renderers available see
+                * DataTable.ext.renderer
+                *  @type string|object
+                *  @default null
+                *
+                *  @name DataTable.defaults.renderer
+                *
+                */
+               "renderer": null,
+       
+       
+               /**
+                * Set the data property name that DataTables should use to get a row's id
+                * to set as the `id` property in the node.
+                *  @type string
+                *  @default DT_RowId
+                *
+                *  @name DataTable.defaults.rowId
+                */
+               "rowId": "DT_RowId"
+       };
+       
+       _fnHungarianMap( DataTable.defaults );
+       
+       
+       
+       /*
+        * Developer note - See note in model.defaults.js about the use of Hungarian
+        * notation and camel case.
+        */
+       
+       /**
+        * Column options that can be given to DataTables at initialisation time.
+        *  @namespace
+        */
+       DataTable.defaults.column = {
+               /**
+                * Define which column(s) an order will occur on for this column. This
+                * allows a column's ordering to take multiple columns into account when
+                * doing a sort or use the data from a different column. For example first
+                * name / last name columns make sense to do a multi-column sort over the
+                * two columns.
+                *  @type array|int
+                *  @default null <i>Takes the value of the column index automatically</i>
+                *
+                *  @name DataTable.defaults.column.orderData
+                *  @dtopt Columns
+                *
+                *  @example
+                *    // Using `columnDefs`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columnDefs": [
+                *          { "orderData": [ 0, 1 ], "targets": [ 0 ] },
+                *          { "orderData": [ 1, 0 ], "targets": [ 1 ] },
+                *          { "orderData": 2, "targets": [ 2 ] }
+                *        ]
+                *      } );
+                *    } );
+                *
+                *  @example
+                *    // Using `columns`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columns": [
+                *          { "orderData": [ 0, 1 ] },
+                *          { "orderData": [ 1, 0 ] },
+                *          { "orderData": 2 },
+                *          null,
+                *          null
+                *        ]
+                *      } );
+                *    } );
+                */
+               "aDataSort": null,
+               "iDataSort": -1,
+       
+       
+               /**
+                * You can control the default ordering direction, and even alter the
+                * behaviour of the sort handler (i.e. only allow ascending ordering etc)
+                * using this parameter.
+                *  @type array
+                *  @default [ 'asc', 'desc' ]
+                *
+                *  @name DataTable.defaults.column.orderSequence
+                *  @dtopt Columns
+                *
+                *  @example
+                *    // Using `columnDefs`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columnDefs": [
+                *          { "orderSequence": [ "asc" ], "targets": [ 1 ] },
+                *          { "orderSequence": [ "desc", "asc", "asc" ], "targets": [ 2 ] },
+                *          { "orderSequence": [ "desc" ], "targets": [ 3 ] }
+                *        ]
+                *      } );
+                *    } );
+                *
+                *  @example
+                *    // Using `columns`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columns": [
+                *          null,
+                *          { "orderSequence": [ "asc" ] },
+                *          { "orderSequence": [ "desc", "asc", "asc" ] },
+                *          { "orderSequence": [ "desc" ] },
+                *          null
+                *        ]
+                *      } );
+                *    } );
+                */
+               "asSorting": [ 'asc', 'desc' ],
+       
+       
+               /**
+                * Enable or disable filtering on the data in this column.
+                *  @type boolean
+                *  @default true
+                *
+                *  @name DataTable.defaults.column.searchable
+                *  @dtopt Columns
+                *
+                *  @example
+                *    // Using `columnDefs`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columnDefs": [
+                *          { "searchable": false, "targets": [ 0 ] }
+                *        ] } );
+                *    } );
+                *
+                *  @example
+                *    // Using `columns`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columns": [
+                *          { "searchable": false },
+                *          null,
+                *          null,
+                *          null,
+                *          null
+                *        ] } );
+                *    } );
+                */
+               "bSearchable": true,
+       
+       
+               /**
+                * Enable or disable ordering on this column.
+                *  @type boolean
+                *  @default true
+                *
+                *  @name DataTable.defaults.column.orderable
+                *  @dtopt Columns
+                *
+                *  @example
+                *    // Using `columnDefs`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columnDefs": [
+                *          { "orderable": false, "targets": [ 0 ] }
+                *        ] } );
+                *    } );
+                *
+                *  @example
+                *    // Using `columns`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columns": [
+                *          { "orderable": false },
+                *          null,
+                *          null,
+                *          null,
+                *          null
+                *        ] } );
+                *    } );
+                */
+               "bSortable": true,
+       
+       
+               /**
+                * Enable or disable the display of this column.
+                *  @type boolean
+                *  @default true
+                *
+                *  @name DataTable.defaults.column.visible
+                *  @dtopt Columns
+                *
+                *  @example
+                *    // Using `columnDefs`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columnDefs": [
+                *          { "visible": false, "targets": [ 0 ] }
+                *        ] } );
+                *    } );
+                *
+                *  @example
+                *    // Using `columns`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columns": [
+                *          { "visible": false },
+                *          null,
+                *          null,
+                *          null,
+                *          null
+                *        ] } );
+                *    } );
+                */
+               "bVisible": true,
+       
+       
+               /**
+                * Developer definable function that is called whenever a cell is created (Ajax source,
+                * etc) or processed for input (DOM source). This can be used as a compliment to mRender
+                * allowing you to modify the DOM element (add background colour for example) when the
+                * element is available.
+                *  @type function
+                *  @param {element} td The TD node that has been created
+                *  @param {*} cellData The Data for the cell
+                *  @param {array|object} rowData The data for the whole row
+                *  @param {int} row The row index for the aoData data store
+                *  @param {int} col The column index for aoColumns
+                *
+                *  @name DataTable.defaults.column.createdCell
+                *  @dtopt Columns
+                *
+                *  @example
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columnDefs": [ {
+                *          "targets": [3],
+                *          "createdCell": function (td, cellData, rowData, row, col) {
+                *            if ( cellData == "1.7" ) {
+                *              $(td).css('color', 'blue')
+                *            }
+                *          }
+                *        } ]
+                *      });
+                *    } );
+                */
+               "fnCreatedCell": null,
+       
+       
+               /**
+                * This parameter has been replaced by `data` in DataTables to ensure naming
+                * consistency. `dataProp` can still be used, as there is backwards
+                * compatibility in DataTables for this option, but it is strongly
+                * recommended that you use `data` in preference to `dataProp`.
+                *  @name DataTable.defaults.column.dataProp
+                */
+       
+       
+               /**
+                * This property can be used to read data from any data source property,
+                * including deeply nested objects / properties. `data` can be given in a
+                * number of different ways which effect its behaviour:
+                *
+                * * `integer` - treated as an array index for the data source. This is the
+                *   default that DataTables uses (incrementally increased for each column).
+                * * `string` - read an object property from the data source. There are
+                *   three 'special' options that can be used in the string to alter how
+                *   DataTables reads the data from the source object:
+                *    * `.` - Dotted Javascript notation. Just as you use a `.` in
+                *      Javascript to read from nested objects, so to can the options
+                *      specified in `data`. For example: `browser.version` or
+                *      `browser.name`. If your object parameter name contains a period, use
+                *      `\\` to escape it - i.e. `first\\.name`.
+                *    * `[]` - Array notation. DataTables can automatically combine data
+                *      from and array source, joining the data with the characters provided
+                *      between the two brackets. For example: `name[, ]` would provide a
+                *      comma-space separated list from the source array. If no characters
+                *      are provided between the brackets, the original array source is
+                *      returned.
+                *    * `()` - Function notation. Adding `()` to the end of a parameter will
+                *      execute a function of the name given. For example: `browser()` for a
+                *      simple function on the data source, `browser.version()` for a
+                *      function in a nested property or even `browser().version` to get an
+                *      object property if the function called returns an object. Note that
+                *      function notation is recommended for use in `render` rather than
+                *      `data` as it is much simpler to use as a renderer.
+                * * `null` - use the original data source for the row rather than plucking
+                *   data directly from it. This action has effects on two other
+                *   initialisation options:
+                *    * `defaultContent` - When null is given as the `data` option and
+                *      `defaultContent` is specified for the column, the value defined by
+                *      `defaultContent` will be used for the cell.
+                *    * `render` - When null is used for the `data` option and the `render`
+                *      option is specified for the column, the whole data source for the
+                *      row is used for the renderer.
+                * * `function` - the function given will be executed whenever DataTables
+                *   needs to set or get the data for a cell in the column. The function
+                *   takes three parameters:
+                *    * Parameters:
+                *      * `{array|object}` The data source for the row
+                *      * `{string}` The type call data requested - this will be 'set' when
+                *        setting data or 'filter', 'display', 'type', 'sort' or undefined
+                *        when gathering data. Note that when `undefined` is given for the
+                *        type DataTables expects to get the raw data for the object back<
+                *      * `{*}` Data to set when the second parameter is 'set'.
+                *    * Return:
+                *      * The return value from the function is not required when 'set' is
+                *        the type of call, but otherwise the return is what will be used
+                *        for the data requested.
+                *
+                * Note that `data` is a getter and setter option. If you just require
+                * formatting of data for output, you will likely want to use `render` which
+                * is simply a getter and thus simpler to use.
+                *
+                * Note that prior to DataTables 1.9.2 `data` was called `mDataProp`. The
+                * name change reflects the flexibility of this property and is consistent
+                * with the naming of mRender. If 'mDataProp' is given, then it will still
+                * be used by DataTables, as it automatically maps the old name to the new
+                * if required.
+                *
+                *  @type string|int|function|null
+                *  @default null <i>Use automatically calculated column index</i>
+                *
+                *  @name DataTable.defaults.column.data
+                *  @dtopt Columns
+                *
+                *  @example
+                *    // Read table data from objects
+                *    // JSON structure for each row:
+                *    //   {
+                *    //      "engine": {value},
+                *    //      "browser": {value},
+                *    //      "platform": {value},
+                *    //      "version": {value},
+                *    //      "grade": {value}
+                *    //   }
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "ajaxSource": "sources/objects.txt",
+                *        "columns": [
+                *          { "data": "engine" },
+                *          { "data": "browser" },
+                *          { "data": "platform" },
+                *          { "data": "version" },
+                *          { "data": "grade" }
+                *        ]
+                *      } );
+                *    } );
+                *
+                *  @example
+                *    // Read information from deeply nested objects
+                *    // JSON structure for each row:
+                *    //   {
+                *    //      "engine": {value},
+                *    //      "browser": {value},
+                *    //      "platform": {
+                *    //         "inner": {value}
+                *    //      },
+                *    //      "details": [
+                *    //         {value}, {value}
+                *    //      ]
+                *    //   }
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "ajaxSource": "sources/deep.txt",
+                *        "columns": [
+                *          { "data": "engine" },
+                *          { "data": "browser" },
+                *          { "data": "platform.inner" },
+                *          { "data": "details.0" },
+                *          { "data": "details.1" }
+                *        ]
+                *      } );
+                *    } );
+                *
+                *  @example
+                *    // Using `data` as a function to provide different information for
+                *    // sorting, filtering and display. In this case, currency (price)
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columnDefs": [ {
+                *          "targets": [ 0 ],
+                *          "data": function ( source, type, val ) {
+                *            if (type === 'set') {
+                *              source.price = val;
+                *              // Store the computed dislay and filter values for efficiency
+                *              source.price_display = val=="" ? "" : "$"+numberFormat(val);
+                *              source.price_filter  = val=="" ? "" : "$"+numberFormat(val)+" "+val;
+                *              return;
+                *            }
+                *            else if (type === 'display') {
+                *              return source.price_display;
+                *            }
+                *            else if (type === 'filter') {
+                *              return source.price_filter;
+                *            }
+                *            // 'sort', 'type' and undefined all just use the integer
+                *            return source.price;
+                *          }
+                *        } ]
+                *      } );
+                *    } );
+                *
+                *  @example
+                *    // Using default content
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columnDefs": [ {
+                *          "targets": [ 0 ],
+                *          "data": null,
+                *          "defaultContent": "Click to edit"
+                *        } ]
+                *      } );
+                *    } );
+                *
+                *  @example
+                *    // Using array notation - outputting a list from an array
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columnDefs": [ {
+                *          "targets": [ 0 ],
+                *          "data": "name[, ]"
+                *        } ]
+                *      } );
+                *    } );
+                *
+                */
+               "mData": null,
+       
+       
+               /**
+                * This property is the rendering partner to `data` and it is suggested that
+                * when you want to manipulate data for display (including filtering,
+                * sorting etc) without altering the underlying data for the table, use this
+                * property. `render` can be considered to be the the read only companion to
+                * `data` which is read / write (then as such more complex). Like `data`
+                * this option can be given in a number of different ways to effect its
+                * behaviour:
+                *
+                * * `integer` - treated as an array index for the data source. This is the
+                *   default that DataTables uses (incrementally increased for each column).
+                * * `string` - read an object property from the data source. There are
+                *   three 'special' options that can be used in the string to alter how
+                *   DataTables reads the data from the source object:
+                *    * `.` - Dotted Javascript notation. Just as you use a `.` in
+                *      Javascript to read from nested objects, so to can the options
+                *      specified in `data`. For example: `browser.version` or
+                *      `browser.name`. If your object parameter name contains a period, use
+                *      `\\` to escape it - i.e. `first\\.name`.
+                *    * `[]` - Array notation. DataTables can automatically combine data
+                *      from and array source, joining the data with the characters provided
+                *      between the two brackets. For example: `name[, ]` would provide a
+                *      comma-space separated list from the source array. If no characters
+                *      are provided between the brackets, the original array source is
+                *      returned.
+                *    * `()` - Function notation. Adding `()` to the end of a parameter will
+                *      execute a function of the name given. For example: `browser()` for a
+                *      simple function on the data source, `browser.version()` for a
+                *      function in a nested property or even `browser().version` to get an
+                *      object property if the function called returns an object.
+                * * `object` - use different data for the different data types requested by
+                *   DataTables ('filter', 'display', 'type' or 'sort'). The property names
+                *   of the object is the data type the property refers to and the value can
+                *   defined using an integer, string or function using the same rules as
+                *   `render` normally does. Note that an `_` option _must_ be specified.
+                *   This is the default value to use if you haven't specified a value for
+                *   the data type requested by DataTables.
+                * * `function` - the function given will be executed whenever DataTables
+                *   needs to set or get the data for a cell in the column. The function
+                *   takes three parameters:
+                *    * Parameters:
+                *      * {array|object} The data source for the row (based on `data`)
+                *      * {string} The type call data requested - this will be 'filter',
+                *        'display', 'type' or 'sort'.
+                *      * {array|object} The full data source for the row (not based on
+                *        `data`)
+                *    * Return:
+                *      * The return value from the function is what will be used for the
+                *        data requested.
+                *
+                *  @type string|int|function|object|null
+                *  @default null Use the data source value.
+                *
+                *  @name DataTable.defaults.column.render
+                *  @dtopt Columns
+                *
+                *  @example
+                *    // Create a comma separated list from an array of objects
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "ajaxSource": "sources/deep.txt",
+                *        "columns": [
+                *          { "data": "engine" },
+                *          { "data": "browser" },
+                *          {
+                *            "data": "platform",
+                *            "render": "[, ].name"
+                *          }
+                *        ]
+                *      } );
+                *    } );
+                *
+                *  @example
+                *    // Execute a function to obtain data
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columnDefs": [ {
+                *          "targets": [ 0 ],
+                *          "data": null, // Use the full data source object for the renderer's source
+                *          "render": "browserName()"
+                *        } ]
+                *      } );
+                *    } );
+                *
+                *  @example
+                *    // As an object, extracting different data for the different types
+                *    // This would be used with a data source such as:
+                *    //   { "phone": 5552368, "phone_filter": "5552368 555-2368", "phone_display": "555-2368" }
+                *    // Here the `phone` integer is used for sorting and type detection, while `phone_filter`
+                *    // (which has both forms) is used for filtering for if a user inputs either format, while
+                *    // the formatted phone number is the one that is shown in the table.
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columnDefs": [ {
+                *          "targets": [ 0 ],
+                *          "data": null, // Use the full data source object for the renderer's source
+                *          "render": {
+                *            "_": "phone",
+                *            "filter": "phone_filter",
+                *            "display": "phone_display"
+                *          }
+                *        } ]
+                *      } );
+                *    } );
+                *
+                *  @example
+                *    // Use as a function to create a link from the data source
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columnDefs": [ {
+                *          "targets": [ 0 ],
+                *          "data": "download_link",
+                *          "render": function ( data, type, full ) {
+                *            return '<a href="'+data+'">Download</a>';
+                *          }
+                *        } ]
+                *      } );
+                *    } );
+                */
+               "mRender": null,
+       
+       
+               /**
+                * Change the cell type created for the column - either TD cells or TH cells. This
+                * can be useful as TH cells have semantic meaning in the table body, allowing them
+                * to act as a header for a row (you may wish to add scope='row' to the TH elements).
+                *  @type string
+                *  @default td
+                *
+                *  @name DataTable.defaults.column.cellType
+                *  @dtopt Columns
+                *
+                *  @example
+                *    // Make the first column use TH cells
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columnDefs": [ {
+                *          "targets": [ 0 ],
+                *          "cellType": "th"
+                *        } ]
+                *      } );
+                *    } );
+                */
+               "sCellType": "td",
+       
+       
+               /**
+                * Class to give to each cell in this column.
+                *  @type string
+                *  @default <i>Empty string</i>
+                *
+                *  @name DataTable.defaults.column.class
+                *  @dtopt Columns
+                *
+                *  @example
+                *    // Using `columnDefs`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columnDefs": [
+                *          { "class": "my_class", "targets": [ 0 ] }
+                *        ]
+                *      } );
+                *    } );
+                *
+                *  @example
+                *    // Using `columns`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columns": [
+                *          { "class": "my_class" },
+                *          null,
+                *          null,
+                *          null,
+                *          null
+                *        ]
+                *      } );
+                *    } );
+                */
+               "sClass": "",
+       
+               /**
+                * When DataTables calculates the column widths to assign to each column,
+                * it finds the longest string in each column and then constructs a
+                * temporary table and reads the widths from that. The problem with this
+                * is that "mmm" is much wider then "iiii", but the latter is a longer
+                * string - thus the calculation can go wrong (doing it properly and putting
+                * it into an DOM object and measuring that is horribly(!) slow). Thus as
+                * a "work around" we provide this option. It will append its value to the
+                * text that is found to be the longest string for the column - i.e. padding.
+                * Generally you shouldn't need this!
+                *  @type string
+                *  @default <i>Empty string<i>
+                *
+                *  @name DataTable.defaults.column.contentPadding
+                *  @dtopt Columns
+                *
+                *  @example
+                *    // Using `columns`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columns": [
+                *          null,
+                *          null,
+                *          null,
+                *          {
+                *            "contentPadding": "mmm"
+                *          }
+                *        ]
+                *      } );
+                *    } );
+                */
+               "sContentPadding": "",
+       
+       
+               /**
+                * Allows a default value to be given for a column's data, and will be used
+                * whenever a null data source is encountered (this can be because `data`
+                * is set to null, or because the data source itself is null).
+                *  @type string
+                *  @default null
+                *
+                *  @name DataTable.defaults.column.defaultContent
+                *  @dtopt Columns
+                *
+                *  @example
+                *    // Using `columnDefs`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columnDefs": [
+                *          {
+                *            "data": null,
+                *            "defaultContent": "Edit",
+                *            "targets": [ -1 ]
+                *          }
+                *        ]
+                *      } );
+                *    } );
+                *
+                *  @example
+                *    // Using `columns`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columns": [
+                *          null,
+                *          null,
+                *          null,
+                *          {
+                *            "data": null,
+                *            "defaultContent": "Edit"
+                *          }
+                *        ]
+                *      } );
+                *    } );
+                */
+               "sDefaultContent": null,
+       
+       
+               /**
+                * This parameter is only used in DataTables' server-side processing. It can
+                * be exceptionally useful to know what columns are being displayed on the
+                * client side, and to map these to database fields. When defined, the names
+                * also allow DataTables to reorder information from the server if it comes
+                * back in an unexpected order (i.e. if you switch your columns around on the
+                * client-side, your server-side code does not also need updating).
+                *  @type string
+                *  @default <i>Empty string</i>
+                *
+                *  @name DataTable.defaults.column.name
+                *  @dtopt Columns
+                *
+                *  @example
+                *    // Using `columnDefs`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columnDefs": [
+                *          { "name": "engine", "targets": [ 0 ] },
+                *          { "name": "browser", "targets": [ 1 ] },
+                *          { "name": "platform", "targets": [ 2 ] },
+                *          { "name": "version", "targets": [ 3 ] },
+                *          { "name": "grade", "targets": [ 4 ] }
+                *        ]
+                *      } );
+                *    } );
+                *
+                *  @example
+                *    // Using `columns`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columns": [
+                *          { "name": "engine" },
+                *          { "name": "browser" },
+                *          { "name": "platform" },
+                *          { "name": "version" },
+                *          { "name": "grade" }
+                *        ]
+                *      } );
+                *    } );
+                */
+               "sName": "",
+       
+       
+               /**
+                * Defines a data source type for the ordering which can be used to read
+                * real-time information from the table (updating the internally cached
+                * version) prior to ordering. This allows ordering to occur on user
+                * editable elements such as form inputs.
+                *  @type string
+                *  @default std
+                *
+                *  @name DataTable.defaults.column.orderDataType
+                *  @dtopt Columns
+                *
+                *  @example
+                *    // Using `columnDefs`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columnDefs": [
+                *          { "orderDataType": "dom-text", "targets": [ 2, 3 ] },
+                *          { "type": "numeric", "targets": [ 3 ] },
+                *          { "orderDataType": "dom-select", "targets": [ 4 ] },
+                *          { "orderDataType": "dom-checkbox", "targets": [ 5 ] }
+                *        ]
+                *      } );
+                *    } );
+                *
+                *  @example
+                *    // Using `columns`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columns": [
+                *          null,
+                *          null,
+                *          { "orderDataType": "dom-text" },
+                *          { "orderDataType": "dom-text", "type": "numeric" },
+                *          { "orderDataType": "dom-select" },
+                *          { "orderDataType": "dom-checkbox" }
+                *        ]
+                *      } );
+                *    } );
+                */
+               "sSortDataType": "std",
+       
+       
+               /**
+                * The title of this column.
+                *  @type string
+                *  @default null <i>Derived from the 'TH' value for this column in the
+                *    original HTML table.</i>
+                *
+                *  @name DataTable.defaults.column.title
+                *  @dtopt Columns
+                *
+                *  @example
+                *    // Using `columnDefs`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columnDefs": [
+                *          { "title": "My column title", "targets": [ 0 ] }
+                *        ]
+                *      } );
+                *    } );
+                *
+                *  @example
+                *    // Using `columns`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columns": [
+                *          { "title": "My column title" },
+                *          null,
+                *          null,
+                *          null,
+                *          null
+                *        ]
+                *      } );
+                *    } );
+                */
+               "sTitle": null,
+       
+       
+               /**
+                * The type allows you to specify how the data for this column will be
+                * ordered. Four types (string, numeric, date and html (which will strip
+                * HTML tags before ordering)) are currently available. Note that only date
+                * formats understood by Javascript's Date() object will be accepted as type
+                * date. For example: "Mar 26, 2008 5:03 PM". May take the values: 'string',
+                * 'numeric', 'date' or 'html' (by default). Further types can be adding
+                * through plug-ins.
+                *  @type string
+                *  @default null <i>Auto-detected from raw data</i>
+                *
+                *  @name DataTable.defaults.column.type
+                *  @dtopt Columns
+                *
+                *  @example
+                *    // Using `columnDefs`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columnDefs": [
+                *          { "type": "html", "targets": [ 0 ] }
+                *        ]
+                *      } );
+                *    } );
+                *
+                *  @example
+                *    // Using `columns`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columns": [
+                *          { "type": "html" },
+                *          null,
+                *          null,
+                *          null,
+                *          null
+                *        ]
+                *      } );
+                *    } );
+                */
+               "sType": null,
+       
+       
+               /**
+                * Defining the width of the column, this parameter may take any CSS value
+                * (3em, 20px etc). DataTables applies 'smart' widths to columns which have not
+                * been given a specific width through this interface ensuring that the table
+                * remains readable.
+                *  @type string
+                *  @default null <i>Automatic</i>
+                *
+                *  @name DataTable.defaults.column.width
+                *  @dtopt Columns
+                *
+                *  @example
+                *    // Using `columnDefs`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columnDefs": [
+                *          { "width": "20%", "targets": [ 0 ] }
+                *        ]
+                *      } );
+                *    } );
+                *
+                *  @example
+                *    // Using `columns`
+                *    $(document).ready( function() {
+                *      $('#example').dataTable( {
+                *        "columns": [
+                *          { "width": "20%" },
+                *          null,
+                *          null,
+                *          null,
+                *          null
+                *        ]
+                *      } );
+                *    } );
+                */
+               "sWidth": null
+       };
+       
+       _fnHungarianMap( DataTable.defaults.column );
+       
+       
+       
+       /**
+        * DataTables settings object - this holds all the information needed for a
+        * given table, including configuration, data and current application of the
+        * table options. DataTables does not have a single instance for each DataTable
+        * with the settings attached to that instance, but rather instances of the
+        * DataTable "class" are created on-the-fly as needed (typically by a
+        * $().dataTable() call) and the settings object is then applied to that
+        * instance.
+        *
+        * Note that this object is related to {@link DataTable.defaults} but this
+        * one is the internal data store for DataTables's cache of columns. It should
+        * NOT be manipulated outside of DataTables. Any configuration should be done
+        * through the initialisation options.
+        *  @namespace
+        *  @todo Really should attach the settings object to individual instances so we
+        *    don't need to create new instances on each $().dataTable() call (if the
+        *    table already exists). It would also save passing oSettings around and
+        *    into every single function. However, this is a very significant
+        *    architecture change for DataTables and will almost certainly break
+        *    backwards compatibility with older installations. This is something that
+        *    will be done in 2.0.
+        */
+       DataTable.models.oSettings = {
+               /**
+                * Primary features of DataTables and their enablement state.
+                *  @namespace
+                */
+               "oFeatures": {
+       
+                       /**
+                        * Flag to say if DataTables should automatically try to calculate the
+                        * optimum table and columns widths (true) or not (false).
+                        * Note that this parameter will be set by the initialisation routine. To
+                        * set a default use {@link DataTable.defaults}.
+                        *  @type boolean
+                        */
+                       "bAutoWidth": null,
+       
+                       /**
+                        * Delay the creation of TR and TD elements until they are actually
+                        * needed by a driven page draw. This can give a significant speed
+                        * increase for Ajax source and Javascript source data, but makes no
+                        * difference at all fro DOM and server-side processing tables.
+                        * Note that this parameter will be set by the initialisation routine. To
+                        * set a default use {@link DataTable.defaults}.
+                        *  @type boolean
+                        */
+                       "bDeferRender": null,
+       
+                       /**
+                        * Enable filtering on the table or not. Note that if this is disabled
+                        * then there is no filtering at all on the table, including fnFilter.
+                        * To just remove the filtering input use sDom and remove the 'f' option.
+                        * Note that this parameter will be set by the initialisation routine. To
+                        * set a default use {@link DataTable.defaults}.
+                        *  @type boolean
+                        */
+                       "bFilter": null,
+       
+                       /**
+                        * Table information element (the 'Showing x of y records' div) enable
+                        * flag.
+                        * Note that this parameter will be set by the initialisation routine. To
+                        * set a default use {@link DataTable.defaults}.
+                        *  @type boolean
+                        */
+                       "bInfo": null,
+       
+                       /**
+                        * Present a user control allowing the end user to change the page size
+                        * when pagination is enabled.
+                        * Note that this parameter will be set by the initialisation routine. To
+                        * set a default use {@link DataTable.defaults}.
+                        *  @type boolean
+                        */
+                       "bLengthChange": null,
+       
+                       /**
+                        * Pagination enabled or not. Note that if this is disabled then length
+                        * changing must also be disabled.
+                        * Note that this parameter will be set by the initialisation routine. To
+                        * set a default use {@link DataTable.defaults}.
+                        *  @type boolean
+                        */
+                       "bPaginate": null,
+       
+                       /**
+                        * Processing indicator enable flag whenever DataTables is enacting a
+                        * user request - typically an Ajax request for server-side processing.
+                        * Note that this parameter will be set by the initialisation routine. To
+                        * set a default use {@link DataTable.defaults}.
+                        *  @type boolean
+                        */
+                       "bProcessing": null,
+       
+                       /**
+                        * Server-side processing enabled flag - when enabled DataTables will
+                        * get all data from the server for every draw - there is no filtering,
+                        * sorting or paging done on the client-side.
+                        * Note that this parameter will be set by the initialisation routine. To
+                        * set a default use {@link DataTable.defaults}.
+                        *  @type boolean
+                        */
+                       "bServerSide": null,
+       
+                       /**
+                        * Sorting enablement flag.
+                        * Note that this parameter will be set by the initialisation routine. To
+                        * set a default use {@link DataTable.defaults}.
+                        *  @type boolean
+                        */
+                       "bSort": null,
+       
+                       /**
+                        * Multi-column sorting
+                        * Note that this parameter will be set by the initialisation routine. To
+                        * set a default use {@link DataTable.defaults}.
+                        *  @type boolean
+                        */
+                       "bSortMulti": null,
+       
+                       /**
+                        * Apply a class to the columns which are being sorted to provide a
+                        * visual highlight or not. This can slow things down when enabled since
+                        * there is a lot of DOM interaction.
+                        * Note that this parameter will be set by the initialisation routine. To
+                        * set a default use {@link DataTable.defaults}.
+                        *  @type boolean
+                        */
+                       "bSortClasses": null,
+       
+                       /**
+                        * State saving enablement flag.
+                        * Note that this parameter will be set by the initialisation routine. To
+                        * set a default use {@link DataTable.defaults}.
+                        *  @type boolean
+                        */
+                       "bStateSave": null
+               },
+       
+       
+               /**
+                * Scrolling settings for a table.
+                *  @namespace
+                */
+               "oScroll": {
+                       /**
+                        * When the table is shorter in height than sScrollY, collapse the
+                        * table container down to the height of the table (when true).
+                        * Note that this parameter will be set by the initialisation routine. To
+                        * set a default use {@link DataTable.defaults}.
+                        *  @type boolean
+                        */
+                       "bCollapse": null,
+       
+                       /**
+                        * Width of the scrollbar for the web-browser's platform. Calculated
+                        * during table initialisation.
+                        *  @type int
+                        *  @default 0
+                        */
+                       "iBarWidth": 0,
+       
+                       /**
+                        * Viewport width for horizontal scrolling. Horizontal scrolling is
+                        * disabled if an empty string.
+                        * Note that this parameter will be set by the initialisation routine. To
+                        * set a default use {@link DataTable.defaults}.
+                        *  @type string
+                        */
+                       "sX": null,
+       
+                       /**
+                        * Width to expand the table to when using x-scrolling. Typically you
+                        * should not need to use this.
+                        * Note that this parameter will be set by the initialisation routine. To
+                        * set a default use {@link DataTable.defaults}.
+                        *  @type string
+                        *  @deprecated
+                        */
+                       "sXInner": null,
+       
+                       /**
+                        * Viewport height for vertical scrolling. Vertical scrolling is disabled
+                        * if an empty string.
+                        * Note that this parameter will be set by the initialisation routine. To
+                        * set a default use {@link DataTable.defaults}.
+                        *  @type string
+                        */
+                       "sY": null
+               },
+       
+               /**
+                * Language information for the table.
+                *  @namespace
+                *  @extends DataTable.defaults.oLanguage
+                */
+               "oLanguage": {
+                       /**
+                        * Information callback function. See
+                        * {@link DataTable.defaults.fnInfoCallback}
+                        *  @type function
+                        *  @default null
+                        */
+                       "fnInfoCallback": null
+               },
+       
+               /**
+                * Browser support parameters
+                *  @namespace
+                */
+               "oBrowser": {
+                       /**
+                        * Indicate if the browser incorrectly calculates width:100% inside a
+                        * scrolling element (IE6/7)
+                        *  @type boolean
+                        *  @default false
+                        */
+                       "bScrollOversize": false,
+       
+                       /**
+                        * Determine if the vertical scrollbar is on the right or left of the
+                        * scrolling container - needed for rtl language layout, although not
+                        * all browsers move the scrollbar (Safari).
+                        *  @type boolean
+                        *  @default false
+                        */
+                       "bScrollbarLeft": false,
+       
+                       /**
+                        * Flag for if `getBoundingClientRect` is fully supported or not
+                        *  @type boolean
+                        *  @default false
+                        */
+                       "bBounding": false,
+       
+                       /**
+                        * Browser scrollbar width
+                        *  @type integer
+                        *  @default 0
+                        */
+                       "barWidth": 0
+               },
+       
+       
+               "ajax": null,
+       
+       
+               /**
+                * Array referencing the nodes which are used for the features. The
+                * parameters of this object match what is allowed by sDom - i.e.
+                *   <ul>
+                *     <li>'l' - Length changing</li>
+                *     <li>'f' - Filtering input</li>
+                *     <li>'t' - The table!</li>
+                *     <li>'i' - Information</li>
+                *     <li>'p' - Pagination</li>
+                *     <li>'r' - pRocessing</li>
+                *   </ul>
+                *  @type array
+                *  @default []
+                */
+               "aanFeatures": [],
+       
+               /**
+                * Store data information - see {@link DataTable.models.oRow} for detailed
+                * information.
+                *  @type array
+                *  @default []
+                */
+               "aoData": [],
+       
+               /**
+                * Array of indexes which are in the current display (after filtering etc)
+                *  @type array
+                *  @default []
+                */
+               "aiDisplay": [],
+       
+               /**
+                * Array of indexes for display - no filtering
+                *  @type array
+                *  @default []
+                */
+               "aiDisplayMaster": [],
+       
+               /**
+                * Map of row ids to data indexes
+                *  @type object
+                *  @default {}
+                */
+               "aIds": {},
+       
+               /**
+                * Store information about each column that is in use
+                *  @type array
+                *  @default []
+                */
+               "aoColumns": [],
+       
+               /**
+                * Store information about the table's header
+                *  @type array
+                *  @default []
+                */
+               "aoHeader": [],
+       
+               /**
+                * Store information about the table's footer
+                *  @type array
+                *  @default []
+                */
+               "aoFooter": [],
+       
+               /**
+                * Store the applied global search information in case we want to force a
+                * research or compare the old search to a new one.
+                * Note that this parameter will be set by the initialisation routine. To
+                * set a default use {@link DataTable.defaults}.
+                *  @namespace
+                *  @extends DataTable.models.oSearch
+                */
+               "oPreviousSearch": {},
+       
+               /**
+                * Store the applied search for each column - see
+                * {@link DataTable.models.oSearch} for the format that is used for the
+                * filtering information for each column.
+                *  @type array
+                *  @default []
+                */
+               "aoPreSearchCols": [],
+       
+               /**
+                * Sorting that is applied to the table. Note that the inner arrays are
+                * used in the following manner:
+                * <ul>
+                *   <li>Index 0 - column number</li>
+                *   <li>Index 1 - current sorting direction</li>
+                * </ul>
+                * Note that this parameter will be set by the initialisation routine. To
+                * set a default use {@link DataTable.defaults}.
+                *  @type array
+                *  @todo These inner arrays should really be objects
+                */
+               "aaSorting": null,
+       
+               /**
+                * Sorting that is always applied to the table (i.e. prefixed in front of
+                * aaSorting).
+                * Note that this parameter will be set by the initialisation routine. To
+                * set a default use {@link DataTable.defaults}.
+                *  @type array
+                *  @default []
+                */
+               "aaSortingFixed": [],
+       
+               /**
+                * Classes to use for the striping of a table.
+                * Note that this parameter will be set by the initialisation routine. To
+                * set a default use {@link DataTable.defaults}.
+                *  @type array
+                *  @default []
+                */
+               "asStripeClasses": null,
+       
+               /**
+                * If restoring a table - we should restore its striping classes as well
+                *  @type array
+                *  @default []
+                */
+               "asDestroyStripes": [],
+       
+               /**
+                * If restoring a table - we should restore its width
+                *  @type int
+                *  @default 0
+                */
+               "sDestroyWidth": 0,
+       
+               /**
+                * Callback functions array for every time a row is inserted (i.e. on a draw).
+                *  @type array
+                *  @default []
+                */
+               "aoRowCallback": [],
+       
+               /**
+                * Callback functions for the header on each draw.
+                *  @type array
+                *  @default []
+                */
+               "aoHeaderCallback": [],
+       
+               /**
+                * Callback function for the footer on each draw.
+                *  @type array
+                *  @default []
+                */
+               "aoFooterCallback": [],
+       
+               /**
+                * Array of callback functions for draw callback functions
+                *  @type array
+                *  @default []
+                */
+               "aoDrawCallback": [],
+       
+               /**
+                * Array of callback functions for row created function
+                *  @type array
+                *  @default []
+                */
+               "aoRowCreatedCallback": [],
+       
+               /**
+                * Callback functions for just before the table is redrawn. A return of
+                * false will be used to cancel the draw.
+                *  @type array
+                *  @default []
+                */
+               "aoPreDrawCallback": [],
+       
+               /**
+                * Callback functions for when the table has been initialised.
+                *  @type array
+                *  @default []
+                */
+               "aoInitComplete": [],
+       
+       
+               /**
+                * Callbacks for modifying the settings to be stored for state saving, prior to
+                * saving state.
+                *  @type array
+                *  @default []
+                */
+               "aoStateSaveParams": [],
+       
+               /**
+                * Callbacks for modifying the settings that have been stored for state saving
+                * prior to using the stored values to restore the state.
+                *  @type array
+                *  @default []
+                */
+               "aoStateLoadParams": [],
+       
+               /**
+                * Callbacks for operating on the settings object once the saved state has been
+                * loaded
+                *  @type array
+                *  @default []
+                */
+               "aoStateLoaded": [],
+       
+               /**
+                * Cache the table ID for quick access
+                *  @type string
+                *  @default <i>Empty string</i>
+                */
+               "sTableId": "",
+       
+               /**
+                * The TABLE node for the main table
+                *  @type node
+                *  @default null
+                */
+               "nTable": null,
+       
+               /**
+                * Permanent ref to the thead element
+                *  @type node
+                *  @default null
+                */
+               "nTHead": null,
+       
+               /**
+                * Permanent ref to the tfoot element - if it exists
+                *  @type node
+                *  @default null
+                */
+               "nTFoot": null,
+       
+               /**
+                * Permanent ref to the tbody element
+                *  @type node
+                *  @default null
+                */
+               "nTBody": null,
+       
+               /**
+                * Cache the wrapper node (contains all DataTables controlled elements)
+                *  @type node
+                *  @default null
+                */
+               "nTableWrapper": null,
+       
+               /**
+                * Indicate if when using server-side processing the loading of data
+                * should be deferred until the second draw.
+                * Note that this parameter will be set by the initialisation routine. To
+                * set a default use {@link DataTable.defaults}.
+                *  @type boolean
+                *  @default false
+                */
+               "bDeferLoading": false,
+       
+               /**
+                * Indicate if all required information has been read in
+                *  @type boolean
+                *  @default false
+                */
+               "bInitialised": false,
+       
+               /**
+                * Information about open rows. Each object in the array has the parameters
+                * 'nTr' and 'nParent'
+                *  @type array
+                *  @default []
+                */
+               "aoOpenRows": [],
+       
+               /**
+                * Dictate the positioning of DataTables' control elements - see
+                * {@link DataTable.model.oInit.sDom}.
+                * Note that this parameter will be set by the initialisation routine. To
+                * set a default use {@link DataTable.defaults}.
+                *  @type string
+                *  @default null
+                */
+               "sDom": null,
+       
+               /**
+                * Search delay (in mS)
+                *  @type integer
+                *  @default null
+                */
+               "searchDelay": null,
+       
+               /**
+                * Which type of pagination should be used.
+                * Note that this parameter will be set by the initialisation routine. To
+                * set a default use {@link DataTable.defaults}.
+                *  @type string
+                *  @default two_button
+                */
+               "sPaginationType": "two_button",
+       
+               /**
+                * The state duration (for `stateSave`) in seconds.
+                * Note that this parameter will be set by the initialisation routine. To
+                * set a default use {@link DataTable.defaults}.
+                *  @type int
+                *  @default 0
+                */
+               "iStateDuration": 0,
+       
+               /**
+                * Array of callback functions for state saving. Each array element is an
+                * object with the following parameters:
+                *   <ul>
+                *     <li>function:fn - function to call. Takes two parameters, oSettings
+                *       and the JSON string to save that has been thus far created. Returns
+                *       a JSON string to be inserted into a json object
+                *       (i.e. '"param": [ 0, 1, 2]')</li>
+                *     <li>string:sName - name of callback</li>
+                *   </ul>
+                *  @type array
+                *  @default []
+                */
+               "aoStateSave": [],
+       
+               /**
+                * Array of callback functions for state loading. Each array element is an
+                * object with the following parameters:
+                *   <ul>
+                *     <li>function:fn - function to call. Takes two parameters, oSettings
+                *       and the object stored. May return false to cancel state loading</li>
+                *     <li>string:sName - name of callback</li>
+                *   </ul>
+                *  @type array
+                *  @default []
+                */
+               "aoStateLoad": [],
+       
+               /**
+                * State that was saved. Useful for back reference
+                *  @type object
+                *  @default null
+                */
+               "oSavedState": null,
+       
+               /**
+                * State that was loaded. Useful for back reference
+                *  @type object
+                *  @default null
+                */
+               "oLoadedState": null,
+       
+               /**
+                * Source url for AJAX data for the table.
+                * Note that this parameter will be set by the initialisation routine. To
+                * set a default use {@link DataTable.defaults}.
+                *  @type string
+                *  @default null
+                */
+               "sAjaxSource": null,
+       
+               /**
+                * Property from a given object from which to read the table data from. This
+                * can be an empty string (when not server-side processing), in which case
+                * it is  assumed an an array is given directly.
+                * Note that this parameter will be set by the initialisation routine. To
+                * set a default use {@link DataTable.defaults}.
+                *  @type string
+                */
+               "sAjaxDataProp": null,
+       
+               /**
+                * Note if draw should be blocked while getting data
+                *  @type boolean
+                *  @default true
+                */
+               "bAjaxDataGet": true,
+       
+               /**
+                * The last jQuery XHR object that was used for server-side data gathering.
+                * This can be used for working with the XHR information in one of the
+                * callbacks
+                *  @type object
+                *  @default null
+                */
+               "jqXHR": null,
+       
+               /**
+                * JSON returned from the server in the last Ajax request
+                *  @type object
+                *  @default undefined
+                */
+               "json": undefined,
+       
+               /**
+                * Data submitted as part of the last Ajax request
+                *  @type object
+                *  @default undefined
+                */
+               "oAjaxData": undefined,
+       
+               /**
+                * Function to get the server-side data.
+                * Note that this parameter will be set by the initialisation routine. To
+                * set a default use {@link DataTable.defaults}.
+                *  @type function
+                */
+               "fnServerData": null,
+       
+               /**
+                * Functions which are called prior to sending an Ajax request so extra
+                * parameters can easily be sent to the server
+                *  @type array
+                *  @default []
+                */
+               "aoServerParams": [],
+       
+               /**
+                * Send the XHR HTTP method - GET or POST (could be PUT or DELETE if
+                * required).
+                * Note that this parameter will be set by the initialisation routine. To
+                * set a default use {@link DataTable.defaults}.
+                *  @type string
+                */
+               "sServerMethod": null,
+       
+               /**
+                * Format numbers for display.
+                * Note that this parameter will be set by the initialisation routine. To
+                * set a default use {@link DataTable.defaults}.
+                *  @type function
+                */
+               "fnFormatNumber": null,
+       
+               /**
+                * List of options that can be used for the user selectable length menu.
+                * Note that this parameter will be set by the initialisation routine. To
+                * set a default use {@link DataTable.defaults}.
+                *  @type array
+                *  @default []
+                */
+               "aLengthMenu": null,
+       
+               /**
+                * Counter for the draws that the table does. Also used as a tracker for
+                * server-side processing
+                *  @type int
+                *  @default 0
+                */
+               "iDraw": 0,
+       
+               /**
+                * Indicate if a redraw is being done - useful for Ajax
+                *  @type boolean
+                *  @default false
+                */
+               "bDrawing": false,
+       
+               /**
+                * Draw index (iDraw) of the last error when parsing the returned data
+                *  @type int
+                *  @default -1
+                */
+               "iDrawError": -1,
+       
+               /**
+                * Paging display length
+                *  @type int
+                *  @default 10
+                */
+               "_iDisplayLength": 10,
+       
+               /**
+                * Paging start point - aiDisplay index
+                *  @type int
+                *  @default 0
+                */
+               "_iDisplayStart": 0,
+       
+               /**
+                * Server-side processing - number of records in the result set
+                * (i.e. before filtering), Use fnRecordsTotal rather than
+                * this property to get the value of the number of records, regardless of
+                * the server-side processing setting.
+                *  @type int
+                *  @default 0
+                *  @private
+                */
+               "_iRecordsTotal": 0,
+       
+               /**
+                * Server-side processing - number of records in the current display set
+                * (i.e. after filtering). Use fnRecordsDisplay rather than
+                * this property to get the value of the number of records, regardless of
+                * the server-side processing setting.
+                *  @type boolean
+                *  @default 0
+                *  @private
+                */
+               "_iRecordsDisplay": 0,
+       
+               /**
+                * The classes to use for the table
+                *  @type object
+                *  @default {}
+                */
+               "oClasses": {},
+       
+               /**
+                * Flag attached to the settings object so you can check in the draw
+                * callback if filtering has been done in the draw. Deprecated in favour of
+                * events.
+                *  @type boolean
+                *  @default false
+                *  @deprecated
+                */
+               "bFiltered": false,
+       
+               /**
+                * Flag attached to the settings object so you can check in the draw
+                * callback if sorting has been done in the draw. Deprecated in favour of
+                * events.
+                *  @type boolean
+                *  @default false
+                *  @deprecated
+                */
+               "bSorted": false,
+       
+               /**
+                * Indicate that if multiple rows are in the header and there is more than
+                * one unique cell per column, if the top one (true) or bottom one (false)
+                * should be used for sorting / title by DataTables.
+                * Note that this parameter will be set by the initialisation routine. To
+                * set a default use {@link DataTable.defaults}.
+                *  @type boolean
+                */
+               "bSortCellsTop": null,
+       
+               /**
+                * Initialisation object that is used for the table
+                *  @type object
+                *  @default null
+                */
+               "oInit": null,
+       
+               /**
+                * Destroy callback functions - for plug-ins to attach themselves to the
+                * destroy so they can clean up markup and events.
+                *  @type array
+                *  @default []
+                */
+               "aoDestroyCallback": [],
+       
+       
+               /**
+                * Get the number of records in the current record set, before filtering
+                *  @type function
+                */
+               "fnRecordsTotal": function ()
+               {
+                       return _fnDataSource( this ) == 'ssp' ?
+                               this._iRecordsTotal * 1 :
+                               this.aiDisplayMaster.length;
+               },
+       
+               /**
+                * Get the number of records in the current record set, after filtering
+                *  @type function
+                */
+               "fnRecordsDisplay": function ()
+               {
+                       return _fnDataSource( this ) == 'ssp' ?
+                               this._iRecordsDisplay * 1 :
+                               this.aiDisplay.length;
+               },
+       
+               /**
+                * Get the display end point - aiDisplay index
+                *  @type function
+                */
+               "fnDisplayEnd": function ()
+               {
+                       var
+                               len      = this._iDisplayLength,
+                               start    = this._iDisplayStart,
+                               calc     = start + len,
+                               records  = this.aiDisplay.length,
+                               features = this.oFeatures,
+                               paginate = features.bPaginate;
+       
+                       if ( features.bServerSide ) {
+                               return paginate === false || len === -1 ?
+                                       start + records :
+                                       Math.min( start+len, this._iRecordsDisplay );
+                       }
+                       else {
+                               return ! paginate || calc>records || len===-1 ?
+                                       records :
+                                       calc;
+                       }
+               },
+       
+               /**
+                * The DataTables object for this table
+                *  @type object
+                *  @default null
+                */
+               "oInstance": null,
+       
+               /**
+                * Unique identifier for each instance of the DataTables object. If there
+                * is an ID on the table node, then it takes that value, otherwise an
+                * incrementing internal counter is used.
+                *  @type string
+                *  @default null
+                */
+               "sInstance": null,
+       
+               /**
+                * tabindex attribute value that is added to DataTables control elements, allowing
+                * keyboard navigation of the table and its controls.
+                */
+               "iTabIndex": 0,
+       
+               /**
+                * DIV container for the footer scrolling table if scrolling
+                */
+               "nScrollHead": null,
+       
+               /**
+                * DIV container for the footer scrolling table if scrolling
+                */
+               "nScrollFoot": null,
+       
+               /**
+                * Last applied sort
+                *  @type array
+                *  @default []
+                */
+               "aLastSort": [],
+       
+               /**
+                * Stored plug-in instances
+                *  @type object
+                *  @default {}
+                */
+               "oPlugins": {},
+       
+               /**
+                * Function used to get a row's id from the row's data
+                *  @type function
+                *  @default null
+                */
+               "rowIdFn": null,
+       
+               /**
+                * Data location where to store a row's id
+                *  @type string
+                *  @default null
+                */
+               "rowId": null
+       };
+
+       /**
+        * Extension object for DataTables that is used to provide all extension
+        * options.
+        *
+        * Note that the `DataTable.ext` object is available through
+        * `jQuery.fn.dataTable.ext` where it may be accessed and manipulated. It is
+        * also aliased to `jQuery.fn.dataTableExt` for historic reasons.
+        *  @namespace
+        *  @extends DataTable.models.ext
+        */
+       
+       
+       /**
+        * DataTables extensions
+        * 
+        * This namespace acts as a collection area for plug-ins that can be used to
+        * extend DataTables capabilities. Indeed many of the build in methods
+        * use this method to provide their own capabilities (sorting methods for
+        * example).
+        *
+        * Note that this namespace is aliased to `jQuery.fn.dataTableExt` for legacy
+        * reasons
+        *
+        *  @namespace
+        */
+       DataTable.ext = _ext = {
+               /**
+                * Buttons. For use with the Buttons extension for DataTables. This is
+                * defined here so other extensions can define buttons regardless of load
+                * order. It is _not_ used by DataTables core.
+                *
+                *  @type object
+                *  @default {}
+                */
+               buttons: {},
+       
+       
+               /**
+                * Element class names
+                *
+                *  @type object
+                *  @default {}
+                */
+               classes: {},
+       
+       
+               /**
+                * DataTables build type (expanded by the download builder)
+                *
+                *  @type string
+                */
+               build:"dt/dt-1.10.21/fh-3.1.7/sp-1.1.1/sl-1.3.1",
+       
+       
+               /**
+                * Error reporting.
+                * 
+                * How should DataTables report an error. Can take the value 'alert',
+                * 'throw', 'none' or a function.
+                *
+                *  @type string|function
+                *  @default alert
+                */
+               errMode: "alert",
+       
+       
+               /**
+                * Feature plug-ins.
+                * 
+                * This is an array of objects which describe the feature plug-ins that are
+                * available to DataTables. These feature plug-ins are then available for
+                * use through the `dom` initialisation option.
+                * 
+                * Each feature plug-in is described by an object which must have the
+                * following properties:
+                * 
+                * * `fnInit` - function that is used to initialise the plug-in,
+                * * `cFeature` - a character so the feature can be enabled by the `dom`
+                *   instillation option. This is case sensitive.
+                *
+                * The `fnInit` function has the following input parameters:
+                *
+                * 1. `{object}` DataTables settings object: see
+                *    {@link DataTable.models.oSettings}
+                *
+                * And the following return is expected:
+                * 
+                * * {node|null} The element which contains your feature. Note that the
+                *   return may also be void if your plug-in does not require to inject any
+                *   DOM elements into DataTables control (`dom`) - for example this might
+                *   be useful when developing a plug-in which allows table control via
+                *   keyboard entry
+                *
+                *  @type array
+                *
+                *  @example
+                *    $.fn.dataTable.ext.features.push( {
+                *      "fnInit": function( oSettings ) {
+                *        return new TableTools( { "oDTSettings": oSettings } );
+                *      },
+                *      "cFeature": "T"
+                *    } );
+                */
+               feature: [],
+       
+       
+               /**
+                * Row searching.
+                * 
+                * This method of searching is complimentary to the default type based
+                * searching, and a lot more comprehensive as it allows you complete control
+                * over the searching logic. Each element in this array is a function
+                * (parameters described below) that is called for every row in the table,
+                * and your logic decides if it should be included in the searching data set
+                * or not.
+                *
+                * Searching functions have the following input parameters:
+                *
+                * 1. `{object}` DataTables settings object: see
+                *    {@link DataTable.models.oSettings}
+                * 2. `{array|object}` Data for the row to be processed (same as the
+                *    original format that was passed in as the data source, or an array
+                *    from a DOM data source
+                * 3. `{int}` Row index ({@link DataTable.models.oSettings.aoData}), which
+                *    can be useful to retrieve the `TR` element if you need DOM interaction.
+                *
+                * And the following return is expected:
+                *
+                * * {boolean} Include the row in the searched result set (true) or not
+                *   (false)
+                *
+                * Note that as with the main search ability in DataTables, technically this
+                * is "filtering", since it is subtractive. However, for consistency in
+                * naming we call it searching here.
+                *
+                *  @type array
+                *  @default []
+                *
+                *  @example
+                *    // The following example shows custom search being applied to the
+                *    // fourth column (i.e. the data[3] index) based on two input values
+                *    // from the end-user, matching the data in a certain range.
+                *    $.fn.dataTable.ext.search.push(
+                *      function( settings, data, dataIndex ) {
+                *        var min = document.getElementById('min').value * 1;
+                *        var max = document.getElementById('max').value * 1;
+                *        var version = data[3] == "-" ? 0 : data[3]*1;
+                *
+                *        if ( min == "" && max == "" ) {
+                *          return true;
+                *        }
+                *        else if ( min == "" && version < max ) {
+                *          return true;
+                *        }
+                *        else if ( min < version && "" == max ) {
+                *          return true;
+                *        }
+                *        else if ( min < version && version < max ) {
+                *          return true;
+                *        }
+                *        return false;
+                *      }
+                *    );
+                */
+               search: [],
+       
+       
+               /**
+                * Selector extensions
+                *
+                * The `selector` option can be used to extend the options available for the
+                * selector modifier options (`selector-modifier` object data type) that
+                * each of the three built in selector types offer (row, column and cell +
+                * their plural counterparts). For example the Select extension uses this
+                * mechanism to provide an option to select only rows, columns and cells
+                * that have been marked as selected by the end user (`{selected: true}`),
+                * which can be used in conjunction with the existing built in selector
+                * options.
+                *
+                * Each property is an array to which functions can be pushed. The functions
+                * take three attributes:
+                *
+                * * Settings object for the host table
+                * * Options object (`selector-modifier` object type)
+                * * Array of selected item indexes
+                *
+                * The return is an array of the resulting item indexes after the custom
+                * selector has been applied.
+                *
+                *  @type object
+                */
+               selector: {
+                       cell: [],
+                       column: [],
+                       row: []
+               },
+       
+       
+               /**
+                * Internal functions, exposed for used in plug-ins.
+                * 
+                * Please note that you should not need to use the internal methods for
+                * anything other than a plug-in (and even then, try to avoid if possible).
+                * The internal function may change between releases.
+                *
+                *  @type object
+                *  @default {}
+                */
+               internal: {},
+       
+       
+               /**
+                * Legacy configuration options. Enable and disable legacy options that
+                * are available in DataTables.
+                *
+                *  @type object
+                */
+               legacy: {
+                       /**
+                        * Enable / disable DataTables 1.9 compatible server-side processing
+                        * requests
+                        *
+                        *  @type boolean
+                        *  @default null
+                        */
+                       ajax: null
+               },
+       
+       
+               /**
+                * Pagination plug-in methods.
+                * 
+                * Each entry in this object is a function and defines which buttons should
+                * be shown by the pagination rendering method that is used for the table:
+                * {@link DataTable.ext.renderer.pageButton}. The renderer addresses how the
+                * buttons are displayed in the document, while the functions here tell it
+                * what buttons to display. This is done by returning an array of button
+                * descriptions (what each button will do).
+                *
+                * Pagination types (the four built in options and any additional plug-in
+                * options defined here) can be used through the `paginationType`
+                * initialisation parameter.
+                *
+                * The functions defined take two parameters:
+                *
+                * 1. `{int} page` The current page index
+                * 2. `{int} pages` The number of pages in the table
+                *
+                * Each function is expected to return an array where each element of the
+                * array can be one of:
+                *
+                * * `first` - Jump to first page when activated
+                * * `last` - Jump to last page when activated
+                * * `previous` - Show previous page when activated
+                * * `next` - Show next page when activated
+                * * `{int}` - Show page of the index given
+                * * `{array}` - A nested array containing the above elements to add a
+                *   containing 'DIV' element (might be useful for styling).
+                *
+                * Note that DataTables v1.9- used this object slightly differently whereby
+                * an object with two functions would be defined for each plug-in. That
+                * ability is still supported by DataTables 1.10+ to provide backwards
+                * compatibility, but this option of use is now decremented and no longer
+                * documented in DataTables 1.10+.
+                *
+                *  @type object
+                *  @default {}
+                *
+                *  @example
+                *    // Show previous, next and current page buttons only
+                *    $.fn.dataTableExt.oPagination.current = function ( page, pages ) {
+                *      return [ 'previous', page, 'next' ];
+                *    };
+                */
+               pager: {},
+       
+       
+               renderer: {
+                       pageButton: {},
+                       header: {}
+               },
+       
+       
+               /**
+                * Ordering plug-ins - custom data source
+                * 
+                * The extension options for ordering of data available here is complimentary
+                * to the default type based ordering that DataTables typically uses. It
+                * allows much greater control over the the data that is being used to
+                * order a column, but is necessarily therefore more complex.
+                * 
+                * This type of ordering is useful if you want to do ordering based on data
+                * live from the DOM (for example the contents of an 'input' element) rather
+                * than just the static string that DataTables knows of.
+                * 
+                * The way these plug-ins work is that you create an array of the values you
+                * wish to be ordering for the column in question and then return that
+                * array. The data in the array much be in the index order of the rows in
+                * the table (not the currently ordering order!). Which order data gathering
+                * function is run here depends on the `dt-init columns.orderDataType`
+                * parameter that is used for the column (if any).
+                *
+                * The functions defined take two parameters:
+                *
+                * 1. `{object}` DataTables settings object: see
+                *    {@link DataTable.models.oSettings}
+                * 2. `{int}` Target column index
+                *
+                * Each function is expected to return an array:
+                *
+                * * `{array}` Data for the column to be ordering upon
+                *
+                *  @type array
+                *
+                *  @example
+                *    // Ordering using `input` node values
+                *    $.fn.dataTable.ext.order['dom-text'] = function  ( settings, col )
+                *    {
+                *      return this.api().column( col, {order:'index'} ).nodes().map( function ( td, i ) {
+                *        return $('input', td).val();
+                *      } );
+                *    }
+                */
+               order: {},
+       
+       
+               /**
+                * Type based plug-ins.
+                *
+                * Each column in DataTables has a type assigned to it, either by automatic
+                * detection or by direct assignment using the `type` option for the column.
+                * The type of a column will effect how it is ordering and search (plug-ins
+                * can also make use of the column type if required).
+                *
+                * @namespace
+                */
+               type: {
+                       /**
+                        * Type detection functions.
+                        *
+                        * The functions defined in this object are used to automatically detect
+                        * a column's type, making initialisation of DataTables super easy, even
+                        * when complex data is in the table.
+                        *
+                        * The functions defined take two parameters:
+                        *
+                    *  1. `{*}` Data from the column cell to be analysed
+                    *  2. `{settings}` DataTables settings object. This can be used to
+                    *     perform context specific type detection - for example detection
+                    *     based on language settings such as using a comma for a decimal
+                    *     place. Generally speaking the options from the settings will not
+                    *     be required
+                        *
+                        * Each function is expected to return:
+                        *
+                        * * `{string|null}` Data type detected, or null if unknown (and thus
+                        *   pass it on to the other type detection functions.
+                        *
+                        *  @type array
+                        *
+                        *  @example
+                        *    // Currency type detection plug-in:
+                        *    $.fn.dataTable.ext.type.detect.push(
+                        *      function ( data, settings ) {
+                        *        // Check the numeric part
+                        *        if ( ! data.substring(1).match(/[0-9]/) ) {
+                        *          return null;
+                        *        }
+                        *
+                        *        // Check prefixed by currency
+                        *        if ( data.charAt(0) == '$' || data.charAt(0) == '&pound;' ) {
+                        *          return 'currency';
+                        *        }
+                        *        return null;
+                        *      }
+                        *    );
+                        */
+                       detect: [],
+       
+       
+                       /**
+                        * Type based search formatting.
+                        *
+                        * The type based searching functions can be used to pre-format the
+                        * data to be search on. For example, it can be used to strip HTML
+                        * tags or to de-format telephone numbers for numeric only searching.
+                        *
+                        * Note that is a search is not defined for a column of a given type,
+                        * no search formatting will be performed.
+                        * 
+                        * Pre-processing of searching data plug-ins - When you assign the sType
+                        * for a column (or have it automatically detected for you by DataTables
+                        * or a type detection plug-in), you will typically be using this for
+                        * custom sorting, but it can also be used to provide custom searching
+                        * by allowing you to pre-processing the data and returning the data in
+                        * the format that should be searched upon. This is done by adding
+                        * functions this object with a parameter name which matches the sType
+                        * for that target column. This is the corollary of <i>afnSortData</i>
+                        * for searching data.
+                        *
+                        * The functions defined take a single parameter:
+                        *
+                    *  1. `{*}` Data from the column cell to be prepared for searching
+                        *
+                        * Each function is expected to return:
+                        *
+                        * * `{string|null}` Formatted string that will be used for the searching.
+                        *
+                        *  @type object
+                        *  @default {}
+                        *
+                        *  @example
+                        *    $.fn.dataTable.ext.type.search['title-numeric'] = function ( d ) {
+                        *      return d.replace(/\n/g," ").replace( /<.*?>/g, "" );
+                        *    }
+                        */
+                       search: {},
+       
+       
+                       /**
+                        * Type based ordering.
+                        *
+                        * The column type tells DataTables what ordering to apply to the table
+                        * when a column is sorted upon. The order for each type that is defined,
+                        * is defined by the functions available in this object.
+                        *
+                        * Each ordering option can be described by three properties added to
+                        * this object:
+                        *
+                        * * `{type}-pre` - Pre-formatting function
+                        * * `{type}-asc` - Ascending order function
+                        * * `{type}-desc` - Descending order function
+                        *
+                        * All three can be used together, only `{type}-pre` or only
+                        * `{type}-asc` and `{type}-desc` together. It is generally recommended
+                        * that only `{type}-pre` is used, as this provides the optimal
+                        * implementation in terms of speed, although the others are provided
+                        * for compatibility with existing Javascript sort functions.
+                        *
+                        * `{type}-pre`: Functions defined take a single parameter:
+                        *
+                    *  1. `{*}` Data from the column cell to be prepared for ordering
+                        *
+                        * And return:
+                        *
+                        * * `{*}` Data to be sorted upon
+                        *
+                        * `{type}-asc` and `{type}-desc`: Functions are typical Javascript sort
+                        * functions, taking two parameters:
+                        *
+                    *  1. `{*}` Data to compare to the second parameter
+                    *  2. `{*}` Data to compare to the first parameter
+                        *
+                        * And returning:
+                        *
+                        * * `{*}` Ordering match: <0 if first parameter should be sorted lower
+                        *   than the second parameter, ===0 if the two parameters are equal and
+                        *   >0 if the first parameter should be sorted height than the second
+                        *   parameter.
+                        * 
+                        *  @type object
+                        *  @default {}
+                        *
+                        *  @example
+                        *    // Numeric ordering of formatted numbers with a pre-formatter
+                        *    $.extend( $.fn.dataTable.ext.type.order, {
+                        *      "string-pre": function(x) {
+                        *        a = (a === "-" || a === "") ? 0 : a.replace( /[^\d\-\.]/g, "" );
+                        *        return parseFloat( a );
+                        *      }
+                        *    } );
+                        *
+                        *  @example
+                        *    // Case-sensitive string ordering, with no pre-formatting method
+                        *    $.extend( $.fn.dataTable.ext.order, {
+                        *      "string-case-asc": function(x,y) {
+                        *        return ((x < y) ? -1 : ((x > y) ? 1 : 0));
+                        *      },
+                        *      "string-case-desc": function(x,y) {
+                        *        return ((x < y) ? 1 : ((x > y) ? -1 : 0));
+                        *      }
+                        *    } );
+                        */
+                       order: {}
+               },
+       
+               /**
+                * Unique DataTables instance counter
+                *
+                * @type int
+                * @private
+                */
+               _unique: 0,
+       
+       
+               //
+               // Depreciated
+               // The following properties are retained for backwards compatiblity only.
+               // The should not be used in new projects and will be removed in a future
+               // version
+               //
+       
+               /**
+                * Version check function.
+                *  @type function
+                *  @depreciated Since 1.10
+                */
+               fnVersionCheck: DataTable.fnVersionCheck,
+       
+       
+               /**
+                * Index for what 'this' index API functions should use
+                *  @type int
+                *  @deprecated Since v1.10
+                */
+               iApiIndex: 0,
+       
+       
+               /**
+                * jQuery UI class container
+                *  @type object
+                *  @deprecated Since v1.10
+                */
+               oJUIClasses: {},
+       
+       
+               /**
+                * Software version
+                *  @type string
+                *  @deprecated Since v1.10
+                */
+               sVersion: DataTable.version
+       };
+       
+       
+       //
+       // Backwards compatibility. Alias to pre 1.10 Hungarian notation counter parts
+       //
+       $.extend( _ext, {
+               afnFiltering: _ext.search,
+               aTypes:       _ext.type.detect,
+               ofnSearch:    _ext.type.search,
+               oSort:        _ext.type.order,
+               afnSortData:  _ext.order,
+               aoFeatures:   _ext.feature,
+               oApi:         _ext.internal,
+               oStdClasses:  _ext.classes,
+               oPagination:  _ext.pager
+       } );
+       
+       
+       $.extend( DataTable.ext.classes, {
+               "sTable": "dataTable",
+               "sNoFooter": "no-footer",
+       
+               /* Paging buttons */
+               "sPageButton": "paginate_button",
+               "sPageButtonActive": "current",
+               "sPageButtonDisabled": "disabled",
+       
+               /* Striping classes */
+               "sStripeOdd": "odd",
+               "sStripeEven": "even",
+       
+               /* Empty row */
+               "sRowEmpty": "dataTables_empty",
+       
+               /* Features */
+               "sWrapper": "dataTables_wrapper",
+               "sFilter": "dataTables_filter",
+               "sInfo": "dataTables_info",
+               "sPaging": "dataTables_paginate paging_", /* Note that the type is postfixed */
+               "sLength": "dataTables_length",
+               "sProcessing": "dataTables_processing",
+       
+               /* Sorting */
+               "sSortAsc": "sorting_asc",
+               "sSortDesc": "sorting_desc",
+               "sSortable": "sorting", /* Sortable in both directions */
+               "sSortableAsc": "sorting_asc_disabled",
+               "sSortableDesc": "sorting_desc_disabled",
+               "sSortableNone": "sorting_disabled",
+               "sSortColumn": "sorting_", /* Note that an int is postfixed for the sorting order */
+       
+               /* Filtering */
+               "sFilterInput": "",
+       
+               /* Page length */
+               "sLengthSelect": "",
+       
+               /* Scrolling */
+               "sScrollWrapper": "dataTables_scroll",
+               "sScrollHead": "dataTables_scrollHead",
+               "sScrollHeadInner": "dataTables_scrollHeadInner",
+               "sScrollBody": "dataTables_scrollBody",
+               "sScrollFoot": "dataTables_scrollFoot",
+               "sScrollFootInner": "dataTables_scrollFootInner",
+       
+               /* Misc */
+               "sHeaderTH": "",
+               "sFooterTH": "",
+       
+               // Deprecated
+               "sSortJUIAsc": "",
+               "sSortJUIDesc": "",
+               "sSortJUI": "",
+               "sSortJUIAscAllowed": "",
+               "sSortJUIDescAllowed": "",
+               "sSortJUIWrapper": "",
+               "sSortIcon": "",
+               "sJUIHeader": "",
+               "sJUIFooter": ""
+       } );
+       
+       
+       var extPagination = DataTable.ext.pager;
+       
+       function _numbers ( page, pages ) {
+               var
+                       numbers = [],
+                       buttons = extPagination.numbers_length,
+                       half = Math.floor( buttons / 2 ),
+                       i = 1;
+       
+               if ( pages <= buttons ) {
+                       numbers = _range( 0, pages );
+               }
+               else if ( page <= half ) {
+                       numbers = _range( 0, buttons-2 );
+                       numbers.push( 'ellipsis' );
+                       numbers.push( pages-1 );
+               }
+               else if ( page >= pages - 1 - half ) {
+                       numbers = _range( pages-(buttons-2), pages );
+                       numbers.splice( 0, 0, 'ellipsis' ); // no unshift in ie6
+                       numbers.splice( 0, 0, 0 );
+               }
+               else {
+                       numbers = _range( page-half+2, page+half-1 );
+                       numbers.push( 'ellipsis' );
+                       numbers.push( pages-1 );
+                       numbers.splice( 0, 0, 'ellipsis' );
+                       numbers.splice( 0, 0, 0 );
+               }
+       
+               numbers.DT_el = 'span';
+               return numbers;
+       }
+       
+       
+       $.extend( extPagination, {
+               simple: function ( page, pages ) {
+                       return [ 'previous', 'next' ];
+               },
+       
+               full: function ( page, pages ) {
+                       return [  'first', 'previous', 'next', 'last' ];
+               },
+       
+               numbers: function ( page, pages ) {
+                       return [ _numbers(page, pages) ];
+               },
+       
+               simple_numbers: function ( page, pages ) {
+                       return [ 'previous', _numbers(page, pages), 'next' ];
+               },
+       
+               full_numbers: function ( page, pages ) {
+                       return [ 'first', 'previous', _numbers(page, pages), 'next', 'last' ];
+               },
+               
+               first_last_numbers: function (page, pages) {
+                       return ['first', _numbers(page, pages), 'last'];
+               },
+       
+               // For testing and plug-ins to use
+               _numbers: _numbers,
+       
+               // Number of number buttons (including ellipsis) to show. _Must be odd!_
+               numbers_length: 7
+       } );
+       
+       
+       $.extend( true, DataTable.ext.renderer, {
+               pageButton: {
+                       _: function ( settings, host, idx, buttons, page, pages ) {
+                               var classes = settings.oClasses;
+                               var lang = settings.oLanguage.oPaginate;
+                               var aria = settings.oLanguage.oAria.paginate || {};
+                               var btnDisplay, btnClass, counter=0;
+       
+                               var attach = function( container, buttons ) {
+                                       var i, ien, node, button, tabIndex;
+                                       var disabledClass = classes.sPageButtonDisabled;
+                                       var clickHandler = function ( e ) {
+                                               _fnPageChange( settings, e.data.action, true );
+                                       };
+       
+                                       for ( i=0, ien=buttons.length ; i<ien ; i++ ) {
+                                               button = buttons[i];
+       
+                                               if ( $.isArray( button ) ) {
+                                                       var inner = $( '<'+(button.DT_el || 'div')+'/>' )
+                                                               .appendTo( container );
+                                                       attach( inner, button );
+                                               }
+                                               else {
+                                                       btnDisplay = null;
+                                                       btnClass = button;
+                                                       tabIndex = settings.iTabIndex;
+       
+                                                       switch ( button ) {
+                                                               case 'ellipsis':
+                                                                       container.append('<span class="ellipsis">&#x2026;</span>');
+                                                                       break;
+       
+                                                               case 'first':
+                                                                       btnDisplay = lang.sFirst;
+       
+                                                                       if ( page === 0 ) {
+                                                                               tabIndex = -1;
+                                                                               btnClass += ' ' + disabledClass;
+                                                                       }
+                                                                       break;
+       
+                                                               case 'previous':
+                                                                       btnDisplay = lang.sPrevious;
+       
+                                                                       if ( page === 0 ) {
+                                                                               tabIndex = -1;
+                                                                               btnClass += ' ' + disabledClass;
+                                                                       }
+                                                                       break;
+       
+                                                               case 'next':
+                                                                       btnDisplay = lang.sNext;
+       
+                                                                       if ( pages === 0 || page === pages-1 ) {
+                                                                               tabIndex = -1;
+                                                                               btnClass += ' ' + disabledClass;
+                                                                       }
+                                                                       break;
+       
+                                                               case 'last':
+                                                                       btnDisplay = lang.sLast;
+       
+                                                                       if ( page === pages-1 ) {
+                                                                               tabIndex = -1;
+                                                                               btnClass += ' ' + disabledClass;
+                                                                       }
+                                                                       break;
+       
+                                                               default:
+                                                                       btnDisplay = button + 1;
+                                                                       btnClass = page === button ?
+                                                                               classes.sPageButtonActive : '';
+                                                                       break;
+                                                       }
+       
+                                                       if ( btnDisplay !== null ) {
+                                                               node = $('<a>', {
+                                                                               'class': classes.sPageButton+' '+btnClass,
+                                                                               'aria-controls': settings.sTableId,
+                                                                               'aria-label': aria[ button ],
+                                                                               'data-dt-idx': counter,
+                                                                               'tabindex': tabIndex,
+                                                                               'id': idx === 0 && typeof button === 'string' ?
+                                                                                       settings.sTableId +'_'+ button :
+                                                                                       null
+                                                                       } )
+                                                                       .html( btnDisplay )
+                                                                       .appendTo( container );
+       
+                                                               _fnBindAction(
+                                                                       node, {action: button}, clickHandler
+                                                               );
+       
+                                                               counter++;
+                                                       }
+                                               }
+                                       }
+                               };
+       
+                               // IE9 throws an 'unknown error' if document.activeElement is used
+                               // inside an iframe or frame. Try / catch the error. Not good for
+                               // accessibility, but neither are frames.
+                               var activeEl;
+       
+                               try {
+                                       // Because this approach is destroying and recreating the paging
+                                       // elements, focus is lost on the select button which is bad for
+                                       // accessibility. So we want to restore focus once the draw has
+                                       // completed
+                                       activeEl = $(host).find(document.activeElement).data('dt-idx');
+                               }
+                               catch (e) {}
+       
+                               attach( $(host).empty(), buttons );
+       
+                               if ( activeEl !== undefined ) {
+                                       $(host).find( '[data-dt-idx='+activeEl+']' ).trigger('focus');
+                               }
+                       }
+               }
+       } );
+       
+       
+       
+       // Built in type detection. See model.ext.aTypes for information about
+       // what is required from this methods.
+       $.extend( DataTable.ext.type.detect, [
+               // Plain numbers - first since V8 detects some plain numbers as dates
+               // e.g. Date.parse('55') (but not all, e.g. Date.parse('22')...).
+               function ( d, settings )
+               {
+                       var decimal = settings.oLanguage.sDecimal;
+                       return _isNumber( d, decimal ) ? 'num'+decimal : null;
+               },
+       
+               // Dates (only those recognised by the browser's Date.parse)
+               function ( d, settings )
+               {
+                       // V8 tries _very_ hard to make a string passed into `Date.parse()`
+                       // valid, so we need to use a regex to restrict date formats. Use a
+                       // plug-in for anything other than ISO8601 style strings
+                       if ( d && !(d instanceof Date) && ! _re_date.test(d) ) {
+                               return null;
+                       }
+                       var parsed = Date.parse(d);
+                       return (parsed !== null && !isNaN(parsed)) || _empty(d) ? 'date' : null;
+               },
+       
+               // Formatted numbers
+               function ( d, settings )
+               {
+                       var decimal = settings.oLanguage.sDecimal;
+                       return _isNumber( d, decimal, true ) ? 'num-fmt'+decimal : null;
+               },
+       
+               // HTML numeric
+               function ( d, settings )
+               {
+                       var decimal = settings.oLanguage.sDecimal;
+                       return _htmlNumeric( d, decimal ) ? 'html-num'+decimal : null;
+               },
+       
+               // HTML numeric, formatted
+               function ( d, settings )
+               {
+                       var decimal = settings.oLanguage.sDecimal;
+                       return _htmlNumeric( d, decimal, true ) ? 'html-num-fmt'+decimal : null;
+               },
+       
+               // HTML (this is strict checking - there must be html)
+               function ( d, settings )
+               {
+                       return _empty( d ) || (typeof d === 'string' && d.indexOf('<') !== -1) ?
+                               'html' : null;
+               }
+       ] );
+       
+       
+       
+       // Filter formatting functions. See model.ext.ofnSearch for information about
+       // what is required from these methods.
+       // 
+       // Note that additional search methods are added for the html numbers and
+       // html formatted numbers by `_addNumericSort()` when we know what the decimal
+       // place is
+       
+       
+       $.extend( DataTable.ext.type.search, {
+               html: function ( data ) {
+                       return _empty(data) ?
+                               data :
+                               typeof data === 'string' ?
+                                       data
+                                               .replace( _re_new_lines, " " )
+                                               .replace( _re_html, "" ) :
+                                       '';
+               },
+       
+               string: function ( data ) {
+                       return _empty(data) ?
+                               data :
+                               typeof data === 'string' ?
+                                       data.replace( _re_new_lines, " " ) :
+                                       data;
+               }
+       } );
+       
+       
+       
+       var __numericReplace = function ( d, decimalPlace, re1, re2 ) {
+               if ( d !== 0 && (!d || d === '-') ) {
+                       return -Infinity;
+               }
+       
+               // If a decimal place other than `.` is used, it needs to be given to the
+               // function so we can detect it and replace with a `.` which is the only
+               // decimal place Javascript recognises - it is not locale aware.
+               if ( decimalPlace ) {
+                       d = _numToDecimal( d, decimalPlace );
+               }
+       
+               if ( d.replace ) {
+                       if ( re1 ) {
+                               d = d.replace( re1, '' );
+                       }
+       
+                       if ( re2 ) {
+                               d = d.replace( re2, '' );
+                       }
+               }
+       
+               return d * 1;
+       };
+       
+       
+       // Add the numeric 'deformatting' functions for sorting and search. This is done
+       // in a function to provide an easy ability for the language options to add
+       // additional methods if a non-period decimal place is used.
+       function _addNumericSort ( decimalPlace ) {
+               $.each(
+                       {
+                               // Plain numbers
+                               "num": function ( d ) {
+                                       return __numericReplace( d, decimalPlace );
+                               },
+       
+                               // Formatted numbers
+                               "num-fmt": function ( d ) {
+                                       return __numericReplace( d, decimalPlace, _re_formatted_numeric );
+                               },
+       
+                               // HTML numeric
+                               "html-num": function ( d ) {
+                                       return __numericReplace( d, decimalPlace, _re_html );
+                               },
+       
+                               // HTML numeric, formatted
+                               "html-num-fmt": function ( d ) {
+                                       return __numericReplace( d, decimalPlace, _re_html, _re_formatted_numeric );
+                               }
+                       },
+                       function ( key, fn ) {
+                               // Add the ordering method
+                               _ext.type.order[ key+decimalPlace+'-pre' ] = fn;
+       
+                               // For HTML types add a search formatter that will strip the HTML
+                               if ( key.match(/^html\-/) ) {
+                                       _ext.type.search[ key+decimalPlace ] = _ext.type.search.html;
+                               }
+                       }
+               );
+       }
+       
+       
+       // Default sort methods
+       $.extend( _ext.type.order, {
+               // Dates
+               "date-pre": function ( d ) {
+                       var ts = Date.parse( d );
+                       return isNaN(ts) ? -Infinity : ts;
+               },
+       
+               // html
+               "html-pre": function ( a ) {
+                       return _empty(a) ?
+                               '' :
+                               a.replace ?
+                                       a.replace( /<.*?>/g, "" ).toLowerCase() :
+                                       a+'';
+               },
+       
+               // string
+               "string-pre": function ( a ) {
+                       // This is a little complex, but faster than always calling toString,
+                       // http://jsperf.com/tostring-v-check
+                       return _empty(a) ?
+                               '' :
+                               typeof a === 'string' ?
+                                       a.toLowerCase() :
+                                       ! a.toString ?
+                                               '' :
+                                               a.toString();
+               },
+       
+               // string-asc and -desc are retained only for compatibility with the old
+               // sort methods
+               "string-asc": function ( x, y ) {
+                       return ((x < y) ? -1 : ((x > y) ? 1 : 0));
+               },
+       
+               "string-desc": function ( x, y ) {
+                       return ((x < y) ? 1 : ((x > y) ? -1 : 0));
+               }
+       } );
+       
+       
+       // Numeric sorting types - order doesn't matter here
+       _addNumericSort( '' );
+       
+       
+       $.extend( true, DataTable.ext.renderer, {
+               header: {
+                       _: function ( settings, cell, column, classes ) {
+                               // No additional mark-up required
+                               // Attach a sort listener to update on sort - note that using the
+                               // `DT` namespace will allow the event to be removed automatically
+                               // on destroy, while the `dt` namespaced event is the one we are
+                               // listening for
+                               $(settings.nTable).on( 'order.dt.DT', function ( e, ctx, sorting, columns ) {
+                                       if ( settings !== ctx ) { // need to check this this is the host
+                                               return;               // table, not a nested one
+                                       }
+       
+                                       var colIdx = column.idx;
+       
+                                       cell
+                                               .removeClass(
+                                                       column.sSortingClass +' '+
+                                                       classes.sSortAsc +' '+
+                                                       classes.sSortDesc
+                                               )
+                                               .addClass( columns[ colIdx ] == 'asc' ?
+                                                       classes.sSortAsc : columns[ colIdx ] == 'desc' ?
+                                                               classes.sSortDesc :
+                                                               column.sSortingClass
+                                               );
+                               } );
+                       },
+       
+                       jqueryui: function ( settings, cell, column, classes ) {
+                               $('<div/>')
+                                       .addClass( classes.sSortJUIWrapper )
+                                       .append( cell.contents() )
+                                       .append( $('<span/>')
+                                               .addClass( classes.sSortIcon+' '+column.sSortingClassJUI )
+                                       )
+                                       .appendTo( cell );
+       
+                               // Attach a sort listener to update on sort
+                               $(settings.nTable).on( 'order.dt.DT', function ( e, ctx, sorting, columns ) {
+                                       if ( settings !== ctx ) {
+                                               return;
+                                       }
+       
+                                       var colIdx = column.idx;
+       
+                                       cell
+                                               .removeClass( classes.sSortAsc +" "+classes.sSortDesc )
+                                               .addClass( columns[ colIdx ] == 'asc' ?
+                                                       classes.sSortAsc : columns[ colIdx ] == 'desc' ?
+                                                               classes.sSortDesc :
+                                                               column.sSortingClass
+                                               );
+       
+                                       cell
+                                               .find( 'span.'+classes.sSortIcon )
+                                               .removeClass(
+                                                       classes.sSortJUIAsc +" "+
+                                                       classes.sSortJUIDesc +" "+
+                                                       classes.sSortJUI +" "+
+                                                       classes.sSortJUIAscAllowed +" "+
+                                                       classes.sSortJUIDescAllowed
+                                               )
+                                               .addClass( columns[ colIdx ] == 'asc' ?
+                                                       classes.sSortJUIAsc : columns[ colIdx ] == 'desc' ?
+                                                               classes.sSortJUIDesc :
+                                                               column.sSortingClassJUI
+                                               );
+                               } );
+                       }
+               }
+       } );
+       
+       /*
+        * Public helper functions. These aren't used internally by DataTables, or
+        * called by any of the options passed into DataTables, but they can be used
+        * externally by developers working with DataTables. They are helper functions
+        * to make working with DataTables a little bit easier.
+        */
+       
+       var __htmlEscapeEntities = function ( d ) {
+               return typeof d === 'string' ?
+                       d
+                               .replace(/&/g, '&amp;')
+                               .replace(/</g, '&lt;')
+                               .replace(/>/g, '&gt;')
+                               .replace(/"/g, '&quot;') :
+                       d;
+       };
+       
+       /**
+        * Helpers for `columns.render`.
+        *
+        * The options defined here can be used with the `columns.render` initialisation
+        * option to provide a display renderer. The following functions are defined:
+        *
+        * * `number` - Will format numeric data (defined by `columns.data`) for
+        *   display, retaining the original unformatted data for sorting and filtering.
+        *   It takes 5 parameters:
+        *   * `string` - Thousands grouping separator
+        *   * `string` - Decimal point indicator
+        *   * `integer` - Number of decimal points to show
+        *   * `string` (optional) - Prefix.
+        *   * `string` (optional) - Postfix (/suffix).
+        * * `text` - Escape HTML to help prevent XSS attacks. It has no optional
+        *   parameters.
+        *
+        * @example
+        *   // Column definition using the number renderer
+        *   {
+        *     data: "salary",
+        *     render: $.fn.dataTable.render.number( '\'', '.', 0, '$' )
+        *   }
+        *
+        * @namespace
+        */
+       DataTable.render = {
+               number: function ( thousands, decimal, precision, prefix, postfix ) {
+                       return {
+                               display: function ( d ) {
+                                       if ( typeof d !== 'number' && typeof d !== 'string' ) {
+                                               return d;
+                                       }
+       
+                                       var negative = d < 0 ? '-' : '';
+                                       var flo = parseFloat( d );
+       
+                                       // If NaN then there isn't much formatting that we can do - just
+                                       // return immediately, escaping any HTML (this was supposed to
+                                       // be a number after all)
+                                       if ( isNaN( flo ) ) {
+                                               return __htmlEscapeEntities( d );
+                                       }
+       
+                                       flo = flo.toFixed( precision );
+                                       d = Math.abs( flo );
+       
+                                       var intPart = parseInt( d, 10 );
+                                       var floatPart = precision ?
+                                               decimal+(d - intPart).toFixed( precision ).substring( 2 ):
+                                               '';
+       
+                                       return negative + (prefix||'') +
+                                               intPart.toString().replace(
+                                                       /\B(?=(\d{3})+(?!\d))/g, thousands
+                                               ) +
+                                               floatPart +
+                                               (postfix||'');
+                               }
+                       };
+               },
+       
+               text: function () {
+                       return {
+                               display: __htmlEscapeEntities,
+                               filter: __htmlEscapeEntities
+                       };
+               }
+       };
+       
+       
+       /*
+        * This is really a good bit rubbish this method of exposing the internal methods
+        * publicly... - To be fixed in 2.0 using methods on the prototype
+        */
+       
+       
+       /**
+        * Create a wrapper function for exporting an internal functions to an external API.
+        *  @param {string} fn API function name
+        *  @returns {function} wrapped function
+        *  @memberof DataTable#internal
+        */
+       function _fnExternApiFunc (fn)
+       {
+               return function() {
+                       var args = [_fnSettingsFromNode( this[DataTable.ext.iApiIndex] )].concat(
+                               Array.prototype.slice.call(arguments)
+                       );
+                       return DataTable.ext.internal[fn].apply( this, args );
+               };
+       }
+       
+       
+       /**
+        * Reference to internal functions for use by plug-in developers. Note that
+        * these methods are references to internal functions and are considered to be
+        * private. If you use these methods, be aware that they are liable to change
+        * between versions.
+        *  @namespace
+        */
+       $.extend( DataTable.ext.internal, {
+               _fnExternApiFunc: _fnExternApiFunc,
+               _fnBuildAjax: _fnBuildAjax,
+               _fnAjaxUpdate: _fnAjaxUpdate,
+               _fnAjaxParameters: _fnAjaxParameters,
+               _fnAjaxUpdateDraw: _fnAjaxUpdateDraw,
+               _fnAjaxDataSrc: _fnAjaxDataSrc,
+               _fnAddColumn: _fnAddColumn,
+               _fnColumnOptions: _fnColumnOptions,
+               _fnAdjustColumnSizing: _fnAdjustColumnSizing,
+               _fnVisibleToColumnIndex: _fnVisibleToColumnIndex,
+               _fnColumnIndexToVisible: _fnColumnIndexToVisible,
+               _fnVisbleColumns: _fnVisbleColumns,
+               _fnGetColumns: _fnGetColumns,
+               _fnColumnTypes: _fnColumnTypes,
+               _fnApplyColumnDefs: _fnApplyColumnDefs,
+               _fnHungarianMap: _fnHungarianMap,
+               _fnCamelToHungarian: _fnCamelToHungarian,
+               _fnLanguageCompat: _fnLanguageCompat,
+               _fnBrowserDetect: _fnBrowserDetect,
+               _fnAddData: _fnAddData,
+               _fnAddTr: _fnAddTr,
+               _fnNodeToDataIndex: _fnNodeToDataIndex,
+               _fnNodeToColumnIndex: _fnNodeToColumnIndex,
+               _fnGetCellData: _fnGetCellData,
+               _fnSetCellData: _fnSetCellData,
+               _fnSplitObjNotation: _fnSplitObjNotation,
+               _fnGetObjectDataFn: _fnGetObjectDataFn,
+               _fnSetObjectDataFn: _fnSetObjectDataFn,
+               _fnGetDataMaster: _fnGetDataMaster,
+               _fnClearTable: _fnClearTable,
+               _fnDeleteIndex: _fnDeleteIndex,
+               _fnInvalidate: _fnInvalidate,
+               _fnGetRowElements: _fnGetRowElements,
+               _fnCreateTr: _fnCreateTr,
+               _fnBuildHead: _fnBuildHead,
+               _fnDrawHead: _fnDrawHead,
+               _fnDraw: _fnDraw,
+               _fnReDraw: _fnReDraw,
+               _fnAddOptionsHtml: _fnAddOptionsHtml,
+               _fnDetectHeader: _fnDetectHeader,
+               _fnGetUniqueThs: _fnGetUniqueThs,
+               _fnFeatureHtmlFilter: _fnFeatureHtmlFilter,
+               _fnFilterComplete: _fnFilterComplete,
+               _fnFilterCustom: _fnFilterCustom,
+               _fnFilterColumn: _fnFilterColumn,
+               _fnFilter: _fnFilter,
+               _fnFilterCreateSearch: _fnFilterCreateSearch,
+               _fnEscapeRegex: _fnEscapeRegex,
+               _fnFilterData: _fnFilterData,
+               _fnFeatureHtmlInfo: _fnFeatureHtmlInfo,
+               _fnUpdateInfo: _fnUpdateInfo,
+               _fnInfoMacros: _fnInfoMacros,
+               _fnInitialise: _fnInitialise,
+               _fnInitComplete: _fnInitComplete,
+               _fnLengthChange: _fnLengthChange,
+               _fnFeatureHtmlLength: _fnFeatureHtmlLength,
+               _fnFeatureHtmlPaginate: _fnFeatureHtmlPaginate,
+               _fnPageChange: _fnPageChange,
+               _fnFeatureHtmlProcessing: _fnFeatureHtmlProcessing,
+               _fnProcessingDisplay: _fnProcessingDisplay,
+               _fnFeatureHtmlTable: _fnFeatureHtmlTable,
+               _fnScrollDraw: _fnScrollDraw,
+               _fnApplyToChildren: _fnApplyToChildren,
+               _fnCalculateColumnWidths: _fnCalculateColumnWidths,
+               _fnThrottle: _fnThrottle,
+               _fnConvertToWidth: _fnConvertToWidth,
+               _fnGetWidestNode: _fnGetWidestNode,
+               _fnGetMaxLenString: _fnGetMaxLenString,
+               _fnStringToCss: _fnStringToCss,
+               _fnSortFlatten: _fnSortFlatten,
+               _fnSort: _fnSort,
+               _fnSortAria: _fnSortAria,
+               _fnSortListener: _fnSortListener,
+               _fnSortAttachListener: _fnSortAttachListener,
+               _fnSortingClasses: _fnSortingClasses,
+               _fnSortData: _fnSortData,
+               _fnSaveState: _fnSaveState,
+               _fnLoadState: _fnLoadState,
+               _fnSettingsFromNode: _fnSettingsFromNode,
+               _fnLog: _fnLog,
+               _fnMap: _fnMap,
+               _fnBindAction: _fnBindAction,
+               _fnCallbackReg: _fnCallbackReg,
+               _fnCallbackFire: _fnCallbackFire,
+               _fnLengthOverflow: _fnLengthOverflow,
+               _fnRenderer: _fnRenderer,
+               _fnDataSource: _fnDataSource,
+               _fnRowAttributes: _fnRowAttributes,
+               _fnExtend: _fnExtend,
+               _fnCalculateEnd: function () {} // Used by a lot of plug-ins, but redundant
+                                               // in 1.10, so this dead-end function is
+                                               // added to prevent errors
+       } );
+       
+
+       // jQuery access
+       $.fn.dataTable = DataTable;
+
+       // Provide access to the host jQuery object (circular reference)
+       DataTable.$ = $;
+
+       // Legacy aliases
+       $.fn.dataTableSettings = DataTable.settings;
+       $.fn.dataTableExt = DataTable.ext;
+
+       // With a capital `D` we return a DataTables API instance rather than a
+       // jQuery object
+       $.fn.DataTable = function ( opts ) {
+               return $(this).dataTable( opts ).api();
+       };
+
+       // All properties that are available to $.fn.dataTable should also be
+       // available on $.fn.DataTable
+       $.each( DataTable, function ( prop, val ) {
+               $.fn.DataTable[ prop ] = val;
+       } );
+
+
+       // Information about events fired by DataTables - for documentation.
+       /**
+        * Draw event, fired whenever the table is redrawn on the page, at the same
+        * point as fnDrawCallback. This may be useful for binding events or
+        * performing calculations when the table is altered at all.
+        *  @name DataTable#draw.dt
+        *  @event
+        *  @param {event} e jQuery event object
+        *  @param {object} o DataTables settings object {@link DataTable.models.oSettings}
+        */
+
+       /**
+        * Search event, fired when the searching applied to the table (using the
+        * built-in global search, or column filters) is altered.
+        *  @name DataTable#search.dt
+        *  @event
+        *  @param {event} e jQuery event object
+        *  @param {object} o DataTables settings object {@link DataTable.models.oSettings}
+        */
+
+       /**
+        * Page change event, fired when the paging of the table is altered.
+        *  @name DataTable#page.dt
+        *  @event
+        *  @param {event} e jQuery event object
+        *  @param {object} o DataTables settings object {@link DataTable.models.oSettings}
+        */
+
+       /**
+        * Order event, fired when the ordering applied to the table is altered.
+        *  @name DataTable#order.dt
+        *  @event
+        *  @param {event} e jQuery event object
+        *  @param {object} o DataTables settings object {@link DataTable.models.oSettings}
+        */
+
+       /**
+        * DataTables initialisation complete event, fired when the table is fully
+        * drawn, including Ajax data loaded, if Ajax data is required.
+        *  @name DataTable#init.dt
+        *  @event
+        *  @param {event} e jQuery event object
+        *  @param {object} oSettings DataTables settings object
+        *  @param {object} json The JSON object request from the server - only
+        *    present if client-side Ajax sourced data is used</li></ol>
+        */
+
+       /**
+        * State save event, fired when the table has changed state a new state save
+        * is required. This event allows modification of the state saving object
+        * prior to actually doing the save, including addition or other state
+        * properties (for plug-ins) or modification of a DataTables core property.
+        *  @name DataTable#stateSaveParams.dt
+        *  @event
+        *  @param {event} e jQuery event object
+        *  @param {object} oSettings DataTables settings object
+        *  @param {object} json The state information to be saved
+        */
+
+       /**
+        * State load event, fired when the table is loading state from the stored
+        * data, but prior to the settings object being modified by the saved state
+        * - allowing modification of the saved state is required or loading of
+        * state for a plug-in.
+        *  @name DataTable#stateLoadParams.dt
+        *  @event
+        *  @param {event} e jQuery event object
+        *  @param {object} oSettings DataTables settings object
+        *  @param {object} json The saved state information
+        */
+
+       /**
+        * State loaded event, fired when state has been loaded from stored data and
+        * the settings object has been modified by the loaded data.
+        *  @name DataTable#stateLoaded.dt
+        *  @event
+        *  @param {event} e jQuery event object
+        *  @param {object} oSettings DataTables settings object
+        *  @param {object} json The saved state information
+        */
+
+       /**
+        * Processing event, fired when DataTables is doing some kind of processing
+        * (be it, order, search or anything else). It can be used to indicate to
+        * the end user that there is something happening, or that something has
+        * finished.
+        *  @name DataTable#processing.dt
+        *  @event
+        *  @param {event} e jQuery event object
+        *  @param {object} oSettings DataTables settings object
+        *  @param {boolean} bShow Flag for if DataTables is doing processing or not
+        */
+
+       /**
+        * Ajax (XHR) event, fired whenever an Ajax request is completed from a
+        * request to made to the server for new data. This event is called before
+        * DataTables processed the returned data, so it can also be used to pre-
+        * process the data returned from the server, if needed.
+        *
+        * Note that this trigger is called in `fnServerData`, if you override
+        * `fnServerData` and which to use this event, you need to trigger it in you
+        * success function.
+        *  @name DataTable#xhr.dt
+        *  @event
+        *  @param {event} e jQuery event object
+        *  @param {object} o DataTables settings object {@link DataTable.models.oSettings}
+        *  @param {object} json JSON returned from the server
+        *
+        *  @example
+        *     // Use a custom property returned from the server in another DOM element
+        *     $('#table').dataTable().on('xhr.dt', function (e, settings, json) {
+        *       $('#status').html( json.status );
+        *     } );
+        *
+        *  @example
+        *     // Pre-process the data returned from the server
+        *     $('#table').dataTable().on('xhr.dt', function (e, settings, json) {
+        *       for ( var i=0, ien=json.aaData.length ; i<ien ; i++ ) {
+        *         json.aaData[i].sum = json.aaData[i].one + json.aaData[i].two;
+        *       }
+        *       // Note no return - manipulate the data directly in the JSON object.
+        *     } );
+        */
+
+       /**
+        * Destroy event, fired when the DataTable is destroyed by calling fnDestroy
+        * or passing the bDestroy:true parameter in the initialisation object. This
+        * can be used to remove bound events, added DOM nodes, etc.
+        *  @name DataTable#destroy.dt
+        *  @event
+        *  @param {event} e jQuery event object
+        *  @param {object} o DataTables settings object {@link DataTable.models.oSettings}
+        */
+
+       /**
+        * Page length change event, fired when number of records to show on each
+        * page (the length) is changed.
+        *  @name DataTable#length.dt
+        *  @event
+        *  @param {event} e jQuery event object
+        *  @param {object} o DataTables settings object {@link DataTable.models.oSettings}
+        *  @param {integer} len New length
+        */
+
+       /**
+        * Column sizing has changed.
+        *  @name DataTable#column-sizing.dt
+        *  @event
+        *  @param {event} e jQuery event object
+        *  @param {object} o DataTables settings object {@link DataTable.models.oSettings}
+        */
+
+       /**
+        * Column visibility has changed.
+        *  @name DataTable#column-visibility.dt
+        *  @event
+        *  @param {event} e jQuery event object
+        *  @param {object} o DataTables settings object {@link DataTable.models.oSettings}
+        *  @param {int} column Column index
+        *  @param {bool} vis `false` if column now hidden, or `true` if visible
+        */
+
+       return $.fn.dataTable;
+}));
+
+
+/*! FixedHeader 3.1.7
+ * Â©2009-2020 SpryMedia Ltd - datatables.net/license
+ */
+
+/**
+ * @summary     FixedHeader
+ * @description Fix a table's header or footer, so it is always visible while
+ *              scrolling
+ * @version     3.1.7
+ * @file        dataTables.fixedHeader.js
+ * @author      SpryMedia Ltd (www.sprymedia.co.uk)
+ * @contact     www.sprymedia.co.uk/contact
+ * @copyright   Copyright 2009-2020 SpryMedia Ltd.
+ *
+ * This source file is free software, available under the following license:
+ *   MIT license - http://datatables.net/license/mit
+ *
+ * This source file is distributed in the hope that it will be useful, but
+ * WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY
+ * or FITNESS FOR A PARTICULAR PURPOSE. See the license files for details.
+ *
+ * For details please refer to: http://www.datatables.net
+ */
+
+(function( factory ){
+       if ( typeof define === 'function' && define.amd ) {
+               // AMD
+               define( ['jquery', 'datatables.net'], function ( $ ) {
+                       return factory( $, window, document );
+               } );
+       }
+       else if ( typeof exports === 'object' ) {
+               // CommonJS
+               module.exports = function (root, $) {
+                       if ( ! root ) {
+                               root = window;
+                       }
+
+                       if ( ! $ || ! $.fn.dataTable ) {
+                               $ = require('datatables.net')(root, $).$;
+                       }
+
+                       return factory( $, root, root.document );
+               };
+       }
+       else {
+               // Browser
+               factory( jQuery, window, document );
+       }
+}(function( $, window, document, undefined ) {
+'use strict';
+var DataTable = $.fn.dataTable;
+
+
+var _instCounter = 0;
+
+var FixedHeader = function ( dt, config ) {
+       // Sanity check - you just know it will happen
+       if ( ! (this instanceof FixedHeader) ) {
+               throw "FixedHeader must be initialised with the 'new' keyword.";
+       }
+
+       // Allow a boolean true for defaults
+       if ( config === true ) {
+               config = {};
+       }
+
+       dt = new DataTable.Api( dt );
+
+       this.c = $.extend( true, {}, FixedHeader.defaults, config );
+
+       this.s = {
+               dt: dt,
+               position: {
+                       theadTop: 0,
+                       tbodyTop: 0,
+                       tfootTop: 0,
+                       tfootBottom: 0,
+                       width: 0,
+                       left: 0,
+                       tfootHeight: 0,
+                       theadHeight: 0,
+                       windowHeight: $(window).height(),
+                       visible: true
+               },
+               headerMode: null,
+               footerMode: null,
+               autoWidth: dt.settings()[0].oFeatures.bAutoWidth,
+               namespace: '.dtfc'+(_instCounter++),
+               scrollLeft: {
+                       header: -1,
+                       footer: -1
+               },
+               enable: true
+       };
+
+       this.dom = {
+               floatingHeader: null,
+               thead: $(dt.table().header()),
+               tbody: $(dt.table().body()),
+               tfoot: $(dt.table().footer()),
+               header: {
+                       host: null,
+                       floating: null,
+                       placeholder: null
+               },
+               footer: {
+                       host: null,
+                       floating: null,
+                       placeholder: null
+               }
+       };
+
+       this.dom.header.host = this.dom.thead.parent();
+       this.dom.footer.host = this.dom.tfoot.parent();
+
+       var dtSettings = dt.settings()[0];
+       if ( dtSettings._fixedHeader ) {
+               throw "FixedHeader already initialised on table "+dtSettings.nTable.id;
+       }
+
+       dtSettings._fixedHeader = this;
+
+       this._constructor();
+};
+
+
+/*
+ * Variable: FixedHeader
+ * Purpose:  Prototype for FixedHeader
+ * Scope:    global
+ */
+$.extend( FixedHeader.prototype, {
+       /* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * *
+        * API methods
+        */
+
+       /**
+        * Kill off FH and any events
+        */
+       destroy: function () {
+               this.s.dt.off( '.dtfc' );
+               $(window).off( this.s.namespace );
+
+               if ( this.c.header ) {
+                       this._modeChange( 'in-place', 'header', true );
+               }
+
+               if ( this.c.footer && this.dom.tfoot.length ) {
+                       this._modeChange( 'in-place', 'footer', true );
+               }
+       },
+
+       /**
+        * Enable / disable the fixed elements
+        *
+        * @param  {boolean} enable `true` to enable, `false` to disable
+        */
+       enable: function ( enable, update )
+       {
+               this.s.enable = enable;
+
+               if ( update || update === undefined ) {
+                       this._positions();
+                       this._scroll( true );
+               }
+       },
+
+       /**
+        * Get enabled status
+        */
+       enabled: function ()
+       {
+               return this.s.enable;
+       },
+       
+       /**
+        * Set header offset 
+        *
+        * @param  {int} new value for headerOffset
+        */
+       headerOffset: function ( offset )
+       {
+               if ( offset !== undefined ) {
+                       this.c.headerOffset = offset;
+                       this.update();
+               }
+
+               return this.c.headerOffset;
+       },
+       
+       /**
+        * Set footer offset
+        *
+        * @param  {int} new value for footerOffset
+        */
+       footerOffset: function ( offset )
+       {
+               if ( offset !== undefined ) {
+                       this.c.footerOffset = offset;
+                       this.update();
+               }
+
+               return this.c.footerOffset;
+       },
+
+       
+       /**
+        * Recalculate the position of the fixed elements and force them into place
+        */
+       update: function ()
+       {
+               var table = this.s.dt.table().node();
+
+               if ( $(table).is(':visible') ) {
+                       this.enable( true, false );
+               }
+               else {
+                       this.enable( false, false );
+               }
+
+               this._positions();
+               this._scroll( true );
+       },
+
+
+       /* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * *
+        * Constructor
+        */
+       
+       /**
+        * FixedHeader constructor - adding the required event listeners and
+        * simple initialisation
+        *
+        * @private
+        */
+       _constructor: function ()
+       {
+               var that = this;
+               var dt = this.s.dt;
+
+               $(window)
+                       .on( 'scroll'+this.s.namespace, function () {
+                               that._scroll();
+                       } )
+                       .on( 'resize'+this.s.namespace, DataTable.util.throttle( function () {
+                               that.s.position.windowHeight = $(window).height();
+                               that.update();
+                       }, 50 ) );
+
+               var autoHeader = $('.fh-fixedHeader');
+               if ( ! this.c.headerOffset && autoHeader.length ) {
+                       this.c.headerOffset = autoHeader.outerHeight();
+               }
+
+               var autoFooter = $('.fh-fixedFooter');
+               if ( ! this.c.footerOffset && autoFooter.length ) {
+                       this.c.footerOffset = autoFooter.outerHeight();
+               }
+
+               dt.on( 'column-reorder.dt.dtfc column-visibility.dt.dtfc draw.dt.dtfc column-sizing.dt.dtfc responsive-display.dt.dtfc', function () {
+                       that.update();
+               } );
+
+               dt.on( 'destroy.dtfc', function () {
+                       that.destroy();
+               } );
+
+               this._positions();
+               this._scroll();
+       },
+
+
+       /* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * *
+        * Private methods
+        */
+
+       /**
+        * Clone a fixed item to act as a place holder for the original element
+        * which is moved into a clone of the table element, and moved around the
+        * document to give the fixed effect.
+        *
+        * @param  {string}  item  'header' or 'footer'
+        * @param  {boolean} force Force the clone to happen, or allow automatic
+        *   decision (reuse existing if available)
+        * @private
+        */
+       _clone: function ( item, force )
+       {
+               var dt = this.s.dt;
+               var itemDom = this.dom[ item ];
+               var itemElement = item === 'header' ?
+                       this.dom.thead :
+                       this.dom.tfoot;
+
+               if ( ! force && itemDom.floating ) {
+                       // existing floating element - reuse it
+                       itemDom.floating.removeClass( 'fixedHeader-floating fixedHeader-locked' );
+               }
+               else {
+                       if ( itemDom.floating ) {
+                               itemDom.placeholder.remove();
+                               this._unsize( item );
+                               itemDom.floating.children().detach();
+                               itemDom.floating.remove();
+                       }
+
+                       itemDom.floating = $( dt.table().node().cloneNode( false ) )
+                               .css( 'table-layout', 'fixed' )
+                               .attr( 'aria-hidden', 'true' )
+                               .removeAttr( 'id' )
+                               .append( itemElement )
+                               .appendTo( 'body' );
+
+                       // Insert a fake thead/tfoot into the DataTable to stop it jumping around
+                       itemDom.placeholder = itemElement.clone( false );
+                       itemDom.placeholder
+                               .find( '*[id]' )
+                               .removeAttr( 'id' );
+
+                       itemDom.host.prepend( itemDom.placeholder );
+
+                       // Clone widths
+                       this._matchWidths( itemDom.placeholder, itemDom.floating );
+               }
+       },
+
+       /**
+        * Copy widths from the cells in one element to another. This is required
+        * for the footer as the footer in the main table takes its sizes from the
+        * header columns. That isn't present in the footer so to have it still
+        * align correctly, the sizes need to be copied over. It is also required
+        * for the header when auto width is not enabled
+        *
+        * @param  {jQuery} from Copy widths from
+        * @param  {jQuery} to   Copy widths to
+        * @private
+        */
+       _matchWidths: function ( from, to ) {
+               var get = function ( name ) {
+                       return $(name, from)
+                               .map( function () {
+                                       return $(this).width();
+                               } ).toArray();
+               };
+
+               var set = function ( name, toWidths ) {
+                       $(name, to).each( function ( i ) {
+                               $(this).css( {
+                                       width: toWidths[i],
+                                       minWidth: toWidths[i]
+                               } );
+                       } );
+               };
+
+               var thWidths = get( 'th' );
+               var tdWidths = get( 'td' );
+
+               set( 'th', thWidths );
+               set( 'td', tdWidths );
+       },
+
+       /**
+        * Remove assigned widths from the cells in an element. This is required
+        * when inserting the footer back into the main table so the size is defined
+        * by the header columns and also when auto width is disabled in the
+        * DataTable.
+        *
+        * @param  {string} item The `header` or `footer`
+        * @private
+        */
+       _unsize: function ( item ) {
+               var el = this.dom[ item ].floating;
+
+               if ( el && (item === 'footer' || (item === 'header' && ! this.s.autoWidth)) ) {
+                       $('th, td', el).css( {
+                               width: '',
+                               minWidth: ''
+                       } );
+               }
+               else if ( el && item === 'header' ) {
+                       $('th, td', el).css( 'min-width', '' );
+               }
+       },
+
+       /**
+        * Reposition the floating elements to take account of horizontal page
+        * scroll
+        *
+        * @param  {string} item       The `header` or `footer`
+        * @param  {int}    scrollLeft Document scrollLeft
+        * @private
+        */
+       _horizontal: function ( item, scrollLeft )
+       {
+               var itemDom = this.dom[ item ];
+               var position = this.s.position;
+               var lastScrollLeft = this.s.scrollLeft;
+
+               if ( itemDom.floating && lastScrollLeft[ item ] !== scrollLeft ) {
+                       itemDom.floating.css( 'left', position.left - scrollLeft );
+
+                       lastScrollLeft[ item ] = scrollLeft;
+               }
+       },
+
+       /**
+        * Change from one display mode to another. Each fixed item can be in one
+        * of:
+        *
+        * * `in-place` - In the main DataTable
+        * * `in` - Floating over the DataTable
+        * * `below` - (Header only) Fixed to the bottom of the table body
+        * * `above` - (Footer only) Fixed to the top of the table body
+        * 
+        * @param  {string}  mode        Mode that the item should be shown in
+        * @param  {string}  item        'header' or 'footer'
+        * @param  {boolean} forceChange Force a redraw of the mode, even if already
+        *     in that mode.
+        * @private
+        */
+       _modeChange: function ( mode, item, forceChange )
+       {
+               var dt = this.s.dt;
+               var itemDom = this.dom[ item ];
+               var position = this.s.position;
+
+               // It isn't trivial to add a !important css attribute...
+               var importantWidth = function (w) {
+                       itemDom.floating.attr('style', function(i,s) {
+                               return (s || '') + 'width: '+w+'px !important;';
+                       });
+               };
+
+               // Record focus. Browser's will cause input elements to loose focus if
+               // they are inserted else where in the doc
+               var tablePart = this.dom[ item==='footer' ? 'tfoot' : 'thead' ];
+               var focus = $.contains( tablePart[0], document.activeElement ) ?
+                       document.activeElement :
+                       null;
+               
+               if ( focus ) {
+                       focus.blur();
+               }
+
+               if ( mode === 'in-place' ) {
+                       // Insert the header back into the table's real header
+                       if ( itemDom.placeholder ) {
+                               itemDom.placeholder.remove();
+                               itemDom.placeholder = null;
+                       }
+
+                       this._unsize( item );
+
+                       if ( item === 'header' ) {
+                               itemDom.host.prepend( tablePart );
+                       }
+                       else {
+                               itemDom.host.append( tablePart );
+                       }
+
+                       if ( itemDom.floating ) {
+                               itemDom.floating.remove();
+                               itemDom.floating = null;
+                       }
+               }
+               else if ( mode === 'in' ) {
+                       // Remove the header from the read header and insert into a fixed
+                       // positioned floating table clone
+                       this._clone( item, forceChange );
+
+                       itemDom.floating
+                               .addClass( 'fixedHeader-floating' )
+                               .css( item === 'header' ? 'top' : 'bottom', this.c[item+'Offset'] )
+                               .css( 'left', position.left+'px' );
+
+                       importantWidth(position.width);
+
+                       if ( item === 'footer' ) {
+                               itemDom.floating.css( 'top', '' );
+                       }
+               }
+               else if ( mode === 'below' ) { // only used for the header
+                       // Fix the position of the floating header at base of the table body
+                       this._clone( item, forceChange );
+
+                       itemDom.floating
+                               .addClass( 'fixedHeader-locked' )
+                               .css( 'top', position.tfootTop - position.theadHeight )
+                               .css( 'left', position.left+'px' );
+
+                       importantWidth(position.width);
+               }
+               else if ( mode === 'above' ) { // only used for the footer
+                       // Fix the position of the floating footer at top of the table body
+                       this._clone( item, forceChange );
+
+                       itemDom.floating
+                               .addClass( 'fixedHeader-locked' )
+                               .css( 'top', position.tbodyTop )
+                               .css( 'left', position.left+'px' );
+
+                       importantWidth(position.width);
+               }
+
+               // Restore focus if it was lost
+               if ( focus && focus !== document.activeElement ) {
+                       setTimeout( function () {
+                               focus.focus();
+                       }, 10 );
+               }
+
+               this.s.scrollLeft.header = -1;
+               this.s.scrollLeft.footer = -1;
+               this.s[item+'Mode'] = mode;
+       },
+
+       /**
+        * Cache the positional information that is required for the mode
+        * calculations that FixedHeader performs.
+        *
+        * @private
+        */
+       _positions: function ()
+       {
+               var dt = this.s.dt;
+               var table = dt.table();
+               var position = this.s.position;
+               var dom = this.dom;
+               var tableNode = $(table.node());
+
+               // Need to use the header and footer that are in the main table,
+               // regardless of if they are clones, since they hold the positions we
+               // want to measure from
+               var thead = tableNode.children('thead');
+               var tfoot = tableNode.children('tfoot');
+               var tbody = dom.tbody;
+
+               position.visible = tableNode.is(':visible');
+               position.width = tableNode.outerWidth();
+               position.left = tableNode.offset().left;
+               position.theadTop = thead.offset().top;
+               position.tbodyTop = tbody.offset().top;
+               position.tbodyHeight = tbody.outerHeight();
+               position.theadHeight = position.tbodyTop - position.theadTop;
+
+               if ( tfoot.length ) {
+                       position.tfootTop = tfoot.offset().top;
+                       position.tfootBottom = position.tfootTop + tfoot.outerHeight();
+                       position.tfootHeight = position.tfootBottom - position.tfootTop;
+               }
+               else {
+                       position.tfootTop = position.tbodyTop + tbody.outerHeight();
+                       position.tfootBottom = position.tfootTop;
+                       position.tfootHeight = position.tfootTop;
+               }
+       },
+
+
+       /**
+        * Mode calculation - determine what mode the fixed items should be placed
+        * into.
+        *
+        * @param  {boolean} forceChange Force a redraw of the mode, even if already
+        *     in that mode.
+        * @private
+        */
+       _scroll: function ( forceChange )
+       {
+               var windowTop = $(document).scrollTop();
+               var windowLeft = $(document).scrollLeft();
+               var position = this.s.position;
+               var headerMode, footerMode;
+
+               if ( this.c.header ) {
+                       if ( ! this.s.enable ) {
+                               headerMode = 'in-place';
+                       }
+                       else if ( ! position.visible || windowTop <= position.theadTop - this.c.headerOffset ) {
+                               headerMode = 'in-place';
+                       }
+                       else if ( windowTop <= position.tfootTop - position.theadHeight - this.c.headerOffset ) {
+                               headerMode = 'in';
+                       }
+                       else {
+                               headerMode = 'below';
+                       }
+
+                       if ( forceChange || headerMode !== this.s.headerMode ) {
+                               this._modeChange( headerMode, 'header', forceChange );
+                       }
+
+                       this._horizontal( 'header', windowLeft );
+               }
+
+               if ( this.c.footer && this.dom.tfoot.length ) {
+                       if ( ! this.s.enable ) {
+                               footerMode = 'in-place';
+                       }
+                       else if ( ! position.visible || windowTop + position.windowHeight >= position.tfootBottom + this.c.footerOffset ) {
+                               footerMode = 'in-place';
+                       }
+                       else if ( position.windowHeight + windowTop > position.tbodyTop + position.tfootHeight + this.c.footerOffset ) {
+                               footerMode = 'in';
+                       }
+                       else {
+                               footerMode = 'above';
+                       }
+
+                       if ( forceChange || footerMode !== this.s.footerMode ) {
+                               this._modeChange( footerMode, 'footer', forceChange );
+                       }
+
+                       this._horizontal( 'footer', windowLeft );
+               }
+       }
+} );
+
+
+/**
+ * Version
+ * @type {String}
+ * @static
+ */
+FixedHeader.version = "3.1.7";
+
+/**
+ * Defaults
+ * @type {Object}
+ * @static
+ */
+FixedHeader.defaults = {
+       header: true,
+       footer: false,
+       headerOffset: 0,
+       footerOffset: 0
+};
+
+
+/* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * *
+ * DataTables interfaces
+ */
+
+// Attach for constructor access
+$.fn.dataTable.FixedHeader = FixedHeader;
+$.fn.DataTable.FixedHeader = FixedHeader;
+
+
+// DataTables creation - check if the FixedHeader option has been defined on the
+// table and if so, initialise
+$(document).on( 'init.dt.dtfh', function (e, settings, json) {
+       if ( e.namespace !== 'dt' ) {
+               return;
+       }
+
+       var init = settings.oInit.fixedHeader;
+       var defaults = DataTable.defaults.fixedHeader;
+
+       if ( (init || defaults) && ! settings._fixedHeader ) {
+               var opts = $.extend( {}, defaults, init );
+
+               if ( init !== false ) {
+                       new FixedHeader( settings, opts );
+               }
+       }
+} );
+
+// DataTables API methods
+DataTable.Api.register( 'fixedHeader()', function () {} );
+
+DataTable.Api.register( 'fixedHeader.adjust()', function () {
+       return this.iterator( 'table', function ( ctx ) {
+               var fh = ctx._fixedHeader;
+
+               if ( fh ) {
+                       fh.update();
+               }
+       } );
+} );
+
+DataTable.Api.register( 'fixedHeader.enable()', function ( flag ) {
+       return this.iterator( 'table', function ( ctx ) {
+               var fh = ctx._fixedHeader;
+
+               flag = ( flag !== undefined ? flag : true );
+               if ( fh && flag !== fh.enabled() ) {
+                       fh.enable( flag );
+               }
+       } );
+} );
+
+DataTable.Api.register( 'fixedHeader.enabled()', function () {
+       if ( this.context.length ) {
+               var fh = this.content[0]._fixedHeader;
+
+               if ( fh ) {
+                       return fh.enabled();
+               }
+       }
+
+       return false;
+} );
+
+DataTable.Api.register( 'fixedHeader.disable()', function ( ) {
+       return this.iterator( 'table', function ( ctx ) {
+               var fh = ctx._fixedHeader;
+
+               if ( fh && fh.enabled() ) {
+                       fh.enable( false );
+               }
+       } );
+} );
+
+$.each( ['header', 'footer'], function ( i, el ) {
+       DataTable.Api.register( 'fixedHeader.'+el+'Offset()', function ( offset ) {
+               var ctx = this.context;
+
+               if ( offset === undefined ) {
+                       return ctx.length && ctx[0]._fixedHeader ?
+                               ctx[0]._fixedHeader[el +'Offset']() :
+                               undefined;
+               }
+
+               return this.iterator( 'table', function ( ctx ) {
+                       var fh = ctx._fixedHeader;
+
+                       if ( fh ) {
+                               fh[ el +'Offset' ]( offset );
+                       }
+               } );
+       } );
+} );
+
+
+return FixedHeader;
+}));
+
+
+/*! SearchPanes 1.1.1
+ * 2019-2020 SpryMedia Ltd - datatables.net/license
+ */
+(function () {
+    'use strict';
+
+    var $;
+    var DataTable;
+    function setJQuery(jq) {
+        $ = jq;
+        DataTable = jq.fn.dataTable;
+    }
+    var SearchPane = /** @class */ (function () {
+        /**
+         * Creates the panes, sets up the search function
+         * @param paneSettings The settings for the searchPanes
+         * @param opts The options for the default features
+         * @param idx the index of the column for this pane
+         * @returns {object} the pane that has been created, including the table and the index of the pane
+         */
+        function SearchPane(paneSettings, opts, idx, layout, panesContainer, panes) {
+            var _this = this;
+            if (panes === void 0) { panes = null; }
+            // Check that the required version of DataTables is included
+            if (!DataTable || !DataTable.versionCheck || !DataTable.versionCheck('1.10.0')) {
+                throw new Error('SearchPane requires DataTables 1.10 or newer');
+            }
+            // Check that Select is included
+            if (!DataTable.select) {
+                throw new Error('SearchPane requires Select');
+            }
+            var table = new DataTable.Api(paneSettings);
+            this.classes = $.extend(true, {}, SearchPane.classes);
+            // Get options from user
+            this.c = $.extend(true, {}, SearchPane.defaults, opts);
+            this.customPaneSettings = panes;
+            this.s = {
+                cascadeRegen: false,
+                clearing: false,
+                colOpts: [],
+                deselect: false,
+                displayed: false,
+                dt: table,
+                dtPane: undefined,
+                filteringActive: false,
+                index: idx,
+                indexes: [],
+                lastCascade: false,
+                lastSelect: false,
+                listSet: false,
+                name: undefined,
+                redraw: false,
+                rowData: {
+                    arrayFilter: [],
+                    arrayOriginal: [],
+                    arrayTotals: [],
+                    bins: {},
+                    binsOriginal: {},
+                    binsTotal: {},
+                    filterMap: new Map(),
+                    totalOptions: 0
+                },
+                scrollTop: 0,
+                searchFunction: undefined,
+                selectPresent: false,
+                serverSelect: [],
+                serverSelecting: false,
+                showFiltered: false,
+                tableLength: null,
+                updating: false
+            };
+            var rowLength = table.columns().eq(0).toArray().length;
+            this.colExists = this.s.index < rowLength;
+            // Add extra elements to DOM object including clear and hide buttons
+            this.c.layout = layout;
+            var layVal = parseInt(layout.split('-')[1], 10);
+            this.dom = {
+                buttonGroup: $('<div/>').addClass(this.classes.buttonGroup),
+                clear: $('<button type="button">&#215;</button>')
+                    .addClass(this.classes.dull)
+                    .addClass(this.classes.paneButton)
+                    .addClass(this.classes.clearButton),
+                container: $('<div/>').addClass(this.classes.container).addClass(this.classes.layout +
+                    (layVal < 10 ? layout : layout.split('-')[0] + '-9')),
+                countButton: $('<button type="button"></button>')
+                    .addClass(this.classes.paneButton)
+                    .addClass(this.classes.countButton),
+                dtP: $('<table><thead><tr><th>' +
+                    (this.colExists
+                        ? $(table.column(this.colExists ? this.s.index : 0).header()).text()
+                        : this.customPaneSettings.header || 'Custom Pane') + '</th><th/></tr></thead></table>'),
+                lower: $('<div/>').addClass(this.classes.subRow2).addClass(this.classes.narrowButton),
+                nameButton: $('<button type="button"></button>').addClass(this.classes.paneButton).addClass(this.classes.nameButton),
+                panesContainer: panesContainer,
+                searchBox: $('<input/>').addClass(this.classes.paneInputButton).addClass(this.classes.search),
+                searchButton: $('<button type = "button" class="' + this.classes.searchIcon + '"></button>')
+                    .addClass(this.classes.paneButton),
+                searchCont: $('<div/>').addClass(this.classes.searchCont),
+                searchLabelCont: $('<div/>').addClass(this.classes.searchLabelCont),
+                topRow: $('<div/>').addClass(this.classes.topRow),
+                upper: $('<div/>').addClass(this.classes.subRow1).addClass(this.classes.narrowSearch)
+            };
+            this.s.displayed = false;
+            table = this.s.dt;
+            this.selections = [];
+            this.s.colOpts = this.colExists ? this._getOptions() : this._getBonusOptions();
+            var colOpts = this.s.colOpts;
+            var clear = $('<button type="button">X</button>').addClass(this.classes.paneButton);
+            $(clear).text(table.i18n('searchPanes.clearPane', 'X'));
+            this.dom.container.addClass(colOpts.className);
+            this.dom.container.addClass((this.customPaneSettings !== null && this.customPaneSettings.className !== undefined)
+                ? this.customPaneSettings.className
+                : '');
+            // Set the value of name incase ordering is desired
+            if (this.s.colOpts.name !== undefined) {
+                this.s.name = this.s.colOpts.name;
+            }
+            else if (this.customPaneSettings !== null && this.customPaneSettings.name !== undefined) {
+                this.s.name = this.customPaneSettings.name;
+            }
+            else {
+                this.s.name = this.colExists ?
+                    $(table.column(this.s.index).header()).text() :
+                    this.customPaneSettings.header || 'Custom Pane';
+            }
+            $(panesContainer).append(this.dom.container);
+            var tableNode = table.table(0).node();
+            // Custom search function for table
+            this.s.searchFunction = function (settings, searchData, dataIndex, origData) {
+                // If no data has been selected then show all
+                if (_this.selections.length === 0) {
+                    return true;
+                }
+                if (settings.nTable !== tableNode) {
+                    return true;
+                }
+                var filter = '';
+                if (_this.colExists) {
+                    // Get the current filtered data
+                    filter = searchData[_this.s.index];
+                    if (colOpts.orthogonal.filter !== 'filter') {
+                        // get the filter value from the map
+                        filter = _this.s.rowData.filterMap.get(dataIndex);
+                        if (filter instanceof $.fn.dataTable.Api) {
+                            filter = filter.toArray();
+                        }
+                    }
+                }
+                return _this._search(filter, dataIndex);
+            };
+            $.fn.dataTable.ext.search.push(this.s.searchFunction);
+            // If the clear button for this pane is clicked clear the selections
+            if (this.c.clear) {
+                $(clear).on('click', function () {
+                    var searches = _this.dom.container.find(_this.classes.search);
+                    searches.each(function () {
+                        $(this).val('');
+                        $(this).trigger('input');
+                    });
+                    _this.clearPane();
+                });
+            }
+            // Sometimes the top row of the panes containing the search box and ordering buttons appears
+            //  weird if the width of the panes is lower than expected, this fixes the design.
+            // Equally this may occur when the table is resized.
+            table.on('draw.dtsp', function () {
+                _this._adjustTopRow();
+            });
+            table.on('buttons-action', function () {
+                _this._adjustTopRow();
+            });
+            $(window).on('resize.dtsp', DataTable.util.throttle(function () {
+                _this._adjustTopRow();
+            }));
+            // When column-reorder is present and the columns are moved, it is necessary to
+            //  reassign all of the panes indexes to the new index of the column.
+            table.on('column-reorder.dtsp', function (e, settings, details) {
+                _this.s.index = details.mapping[_this.s.index];
+            });
+            return this;
+        }
+        /**
+         * In the case of a rebuild there is potential for new data to have been included or removed
+         * so all of the rowData must be reset as a precaution.
+         */
+        SearchPane.prototype.clearData = function () {
+            this.s.rowData = {
+                arrayFilter: [],
+                arrayOriginal: [],
+                arrayTotals: [],
+                bins: {},
+                binsOriginal: {},
+                binsTotal: {},
+                filterMap: new Map(),
+                totalOptions: 0
+            };
+        };
+        /**
+         * Clear the selections in the pane
+         */
+        SearchPane.prototype.clearPane = function () {
+            // Deselect all rows which are selected and update the table and filter count.
+            this.s.dtPane.rows({ selected: true }).deselect();
+            this.updateTable();
+            return this;
+        };
+        /**
+         * Strips all of the SearchPanes elements from the document and turns all of the listeners for the buttons off
+         */
+        SearchPane.prototype.destroy = function () {
+            $(this.s.dtPane).off('.dtsp');
+            $(this.s.dt).off('.dtsp');
+            $(this.dom.nameButton).off('.dtsp');
+            $(this.dom.countButton).off('.dtsp');
+            $(this.dom.clear).off('.dtsp');
+            $(this.dom.searchButton).off('.dtsp');
+            $(this.dom.container).remove();
+            var searchIdx = $.fn.dataTable.ext.search.indexOf(this.s.searchFunction);
+            while (searchIdx !== -1) {
+                $.fn.dataTable.ext.search.splice(searchIdx, 1);
+                searchIdx = $.fn.dataTable.ext.search.indexOf(this.s.searchFunction);
+            }
+            // If the datatables have been defined for the panes then also destroy these
+            if (this.s.dtPane !== undefined) {
+                this.s.dtPane.destroy();
+            }
+            this.s.listSet = false;
+        };
+        /**
+         * Updates the number of filters that have been applied in the title
+         */
+        SearchPane.prototype.getPaneCount = function () {
+            return this.s.dtPane !== undefined ?
+                this.s.dtPane.rows({ selected: true }).data().toArray().length :
+                0;
+        };
+        /**
+         * Rebuilds the panes from the start having deleted the old ones
+         * @param? last boolean to indicate if this is the last pane a selection was made in
+         * @param? dataIn data to be used in buildPane
+         * @param? init Whether this is the initial draw or not
+         * @param? maintainSelection Whether the current selections are to be maintained over rebuild
+         */
+        SearchPane.prototype.rebuildPane = function (last, dataIn, init, maintainSelection) {
+            if (last === void 0) { last = false; }
+            if (dataIn === void 0) { dataIn = null; }
+            if (init === void 0) { init = null; }
+            if (maintainSelection === void 0) { maintainSelection = false; }
+            this.clearData();
+            var selectedRows = [];
+            this.s.serverSelect = [];
+            var prevEl = null;
+            // When rebuilding strip all of the HTML Elements out of the container and start from scratch
+            if (this.s.dtPane !== undefined) {
+                if (maintainSelection) {
+                    if (!this.s.dt.page.info().serverSide) {
+                        selectedRows = this.s.dtPane.rows({ selected: true }).data().toArray();
+                    }
+                    else {
+                        this.s.serverSelect = this.s.dtPane.rows({ selected: true }).data().toArray();
+                    }
+                }
+                this.s.dtPane.clear().destroy();
+                prevEl = $(this.dom.container).prev();
+                this.destroy();
+                this.s.dtPane = undefined;
+                $.fn.dataTable.ext.search.push(this.s.searchFunction);
+            }
+            this.dom.container.removeClass(this.classes.hidden);
+            this.s.displayed = false;
+            this._buildPane(!this.s.dt.page.info().serverSide ?
+                selectedRows :
+                this.s.serverSelect, last, dataIn, init, prevEl);
+            return this;
+        };
+        /**
+         * removes the pane from the page and sets the displayed property to false.
+         */
+        SearchPane.prototype.removePane = function () {
+            this.s.displayed = false;
+            $(this.dom.container).hide();
+        };
+        /**
+         * Sets the cascadeRegen property of the pane. Accessible from above because as SearchPanes.ts deals with the rebuilds.
+         * @param val the boolean value that the cascadeRegen property is to be set to
+         */
+        SearchPane.prototype.setCascadeRegen = function (val) {
+            this.s.cascadeRegen = val;
+        };
+        /**
+         * This function allows the clearing property to be assigned. This is used when implementing cascadePane.
+         * In setting this to true for the clearing of the panes selection on the deselects it forces the pane to
+         * repopulate from the entire dataset not just the displayed values.
+         * @param val the boolean value which the clearing property is to be assigned
+         */
+        SearchPane.prototype.setClear = function (val) {
+            this.s.clearing = val;
+        };
+        /**
+         * Updates the values of all of the panes
+         * @param draw whether this has been triggered by a draw event or not
+         */
+        SearchPane.prototype.updatePane = function (draw) {
+            if (draw === void 0) { draw = false; }
+            this.s.updating = true;
+            this._updateCommon(draw);
+            this.s.updating = false;
+        };
+        /**
+         * Updates the panes if one of the options to do so has been set to true
+         *   rather than the filtered message when using viewTotal.
+         */
+        SearchPane.prototype.updateTable = function () {
+            var selectedRows = this.s.dtPane.rows({ selected: true }).data().toArray();
+            this.selections = selectedRows;
+            this._searchExtras();
+            // If either of the options that effect how the panes are displayed are selected then update the Panes
+            if (this.c.cascadePanes || this.c.viewTotal) {
+                this.updatePane();
+            }
+        };
+        /**
+         * Sets the listeners for the pane.
+         *
+         * Having it in it's own function makes it easier to only set them once
+         */
+        SearchPane.prototype._setListeners = function () {
+            var _this = this;
+            var rowData = this.s.rowData;
+            var t0;
+            // When an item is selected on the pane, add these to the array which holds selected items.
+            // Custom search will perform.
+            this.s.dtPane.on('select.dtsp', function () {
+                if (_this.s.dt.page.info().serverSide && !_this.s.updating) {
+                    if (!_this.s.serverSelecting) {
+                        _this.s.serverSelect = _this.s.dtPane.rows({ selected: true }).data().toArray();
+                        _this.s.scrollTop = $(_this.s.dtPane.table().node()).parent()[0].scrollTop;
+                        _this.s.selectPresent = true;
+                        _this.s.dt.draw(false);
+                    }
+                }
+                else {
+                    clearTimeout(t0);
+                    $(_this.dom.clear).removeClass(_this.classes.dull);
+                    _this.s.selectPresent = true;
+                    if (!_this.s.updating) {
+                        _this._makeSelection();
+                    }
+                    _this.s.selectPresent = false;
+                }
+            });
+            // When an item is deselected on the pane, re add the currently selected items to the array
+            // which holds selected items. Custom search will be performed.
+            this.s.dtPane.on('deselect.dtsp', function () {
+                t0 = setTimeout(function () {
+                    if (_this.s.dt.page.info().serverSide && !_this.s.updating) {
+                        if (!_this.s.serverSelecting) {
+                            _this.s.serverSelect = _this.s.dtPane.rows({ selected: true }).data().toArray();
+                            _this.s.deselect = true;
+                            _this.s.dt.draw(false);
+                        }
+                    }
+                    else {
+                        _this.s.deselect = true;
+                        if (_this.s.dtPane.rows({ selected: true }).data().toArray().length === 0) {
+                            $(_this.dom.clear).addClass(_this.classes.dull);
+                        }
+                        _this._makeSelection();
+                        _this.s.deselect = false;
+                        _this.s.dt.state.save();
+                    }
+                }, 50);
+            });
+            // When saving the state store all of the selected rows for preselection next time around
+            this.s.dt.on('stateSaveParams.dtsp', function (e, settings, data) {
+                // If the data being passed in is empty then a state clear must have occured so clear the panes state as well
+                if ($.isEmptyObject(data)) {
+                    _this.s.dtPane.state.clear();
+                    return;
+                }
+                var selected = [];
+                var searchTerm;
+                var order;
+                var bins;
+                var arrayFilter;
+                // Get all of the data needed for the state save from the pane
+                if (_this.s.dtPane !== undefined) {
+                    selected = _this.s.dtPane.rows({ selected: true }).data().map(function (item) { return item.filter.toString(); }).toArray();
+                    searchTerm = $(_this.dom.searchBox).val();
+                    order = _this.s.dtPane.order();
+                    bins = rowData.binsOriginal;
+                    arrayFilter = rowData.arrayOriginal;
+                }
+                if (data.searchPanes === undefined) {
+                    data.searchPanes = {};
+                }
+                if (data.searchPanes.panes === undefined) {
+                    data.searchPanes.panes = [];
+                }
+                // Add the panes data to the state object
+                data.searchPanes.panes.push({
+                    arrayFilter: arrayFilter,
+                    bins: bins,
+                    id: _this.s.index,
+                    order: order,
+                    searchTerm: searchTerm,
+                    selected: selected
+                });
+            });
+            this.s.dtPane.on('user-select.dtsp', function (e, _dt, type, cell, originalEvent) {
+                originalEvent.stopPropagation();
+            });
+            this.s.dtPane.on('draw.dtsp', function () {
+                _this._adjustTopRow();
+            });
+            // When the button to order by the name of the options is clicked then
+            //  change the ordering to whatever it isn't currently
+            $(this.dom.nameButton).on('click.dtsp', function () {
+                var currentOrder = _this.s.dtPane.order()[0][1];
+                _this.s.dtPane.order([0, currentOrder === 'asc' ? 'desc' : 'asc']).draw();
+                _this.s.dt.state.save();
+            });
+            // When the button to order by the number of entries in the column is clicked then
+            //  change the ordering to whatever it isn't currently
+            $(this.dom.countButton).on('click.dtsp', function () {
+                var currentOrder = _this.s.dtPane.order()[0][1];
+                _this.s.dtPane.order([1, currentOrder === 'asc' ? 'desc' : 'asc']).draw();
+                _this.s.dt.state.save();
+            });
+            // When the clear button is clicked reset the pane
+            $(this.dom.clear).on('click.dtsp', function () {
+                var searches = _this.dom.container.find('.' + _this.classes.search);
+                searches.each(function () {
+                    // set the value of the search box to be an empty string and then search on that, effectively reseting
+                    $(this).val('');
+                    $(this).trigger('input');
+                });
+                _this.clearPane();
+            });
+            // When the search button is clicked then draw focus to the search box
+            $(this.dom.searchButton).on('click.dtsp', function () {
+                $(_this.dom.searchBox).focus();
+            });
+            // When a character is inputted into the searchbox search the pane for matching values.
+            // Doing it this way means that no button has to be clicked to trigger a search, it is done asynchronously
+            $(this.dom.searchBox).on('input.dtsp', function () {
+                _this.s.dtPane.search($(_this.dom.searchBox).val()).draw();
+                _this.s.dt.state.save();
+            });
+            // Make sure to save the state once the pane has been built
+            this.s.dt.state.save();
+            return true;
+        };
+        /**
+         * Takes in potentially undetected rows and adds them to the array if they are not yet featured
+         * @param filter the filter value of the potential row
+         * @param display the display value of the potential row
+         * @param sort the sort value of the potential row
+         * @param type the type value of the potential row
+         * @param arrayFilter the array to be populated
+         * @param bins the bins to be populated
+         */
+        SearchPane.prototype._addOption = function (filter, display, sort, type, arrayFilter, bins) {
+            // If the filter is an array then take a note of this, and add the elements to the arrayFilter array
+            if (Array.isArray(filter) || filter instanceof DataTable.Api) {
+                // Convert to an array so that we can work with it
+                if (filter instanceof DataTable.Api) {
+                    filter = filter.toArray();
+                    display = display.toArray();
+                }
+                if (filter.length === display.length) {
+                    for (var i = 0; i < filter.length; i++) {
+                        // If we haven't seen this row before add it
+                        if (!bins[filter[i]]) {
+                            bins[filter[i]] = 1;
+                            arrayFilter.push({
+                                display: display[i],
+                                filter: filter[i],
+                                sort: sort[i],
+                                type: type[i]
+                            });
+                        }
+                        // Otherwise just increment the count
+                        else {
+                            bins[filter[i]]++;
+                        }
+                        this.s.rowData.totalOptions++;
+                    }
+                    return;
+                }
+                else {
+                    throw new Error('display and filter not the same length');
+                }
+            }
+            // If the values were affected by othogonal data and are not an array then check if it is already present
+            else if (typeof this.s.colOpts.orthogonal === 'string') {
+                if (!bins[filter]) {
+                    bins[filter] = 1;
+                    arrayFilter.push({
+                        display: display,
+                        filter: filter,
+                        sort: sort,
+                        type: type
+                    });
+                    this.s.rowData.totalOptions++;
+                }
+                else {
+                    bins[filter]++;
+                    this.s.rowData.totalOptions++;
+                    return;
+                }
+            }
+            // Otherwise we must just be adding an option
+            else {
+                arrayFilter.push({
+                    display: display,
+                    filter: filter,
+                    sort: sort,
+                    type: type
+                });
+            }
+        };
+        /**
+         * Adds a row to the panes table
+         * @param display the value to be displayed to the user
+         * @param filter the value to be filtered on when searchpanes is implemented
+         * @param shown the number of rows in the table that are currently visible matching this criteria
+         * @param total the total number of rows in the table that match this criteria
+         * @param sort the value to be sorted in the pane table
+         * @param type the value of which the type is to be derived from
+         */
+        SearchPane.prototype._addRow = function (display, filter, shown, total, sort, type) {
+            var index;
+            for (var _i = 0, _a = this.s.indexes; _i < _a.length; _i++) {
+                var entry = _a[_i];
+                if (entry.filter === filter) {
+                    index = entry.index;
+                }
+            }
+            if (index === undefined) {
+                index = this.s.indexes.length;
+                this.s.indexes.push({ filter: filter, index: index });
+            }
+            return this.s.dtPane.row.add({
+                display: display !== '' ? display : this.c.emptyMessage,
+                filter: filter,
+                index: index,
+                shown: shown,
+                sort: sort !== '' ? sort : this.c.emptyMessage,
+                total: total,
+                type: type
+            });
+        };
+        /**
+         * Adjusts the layout of the top row when the screen is resized
+         */
+        SearchPane.prototype._adjustTopRow = function () {
+            var subContainers = this.dom.container.find('.' + this.classes.subRowsContainer);
+            var subRow1 = this.dom.container.find('.dtsp-subRow1');
+            var subRow2 = this.dom.container.find('.dtsp-subRow2');
+            var topRow = this.dom.container.find('.' + this.classes.topRow);
+            // If the width is 0 then it is safe to assume that the pane has not yet been displayed.
+            //  Even if it has, if the width is 0 it won't make a difference if it has the narrow class or not
+            if (($(subContainers[0]).width() < 252 || $(topRow[0]).width() < 252) && $(subContainers[0]).width() !== 0) {
+                $(subContainers[0]).addClass(this.classes.narrow);
+                $(subRow1[0]).addClass(this.classes.narrowSub).removeClass(this.classes.narrowSearch);
+                $(subRow2[0]).addClass(this.classes.narrowSub).removeClass(this.classes.narrowButton);
+            }
+            else {
+                $(subContainers[0]).removeClass(this.classes.narrow);
+                $(subRow1[0]).removeClass(this.classes.narrowSub).addClass(this.classes.narrowSearch);
+                $(subRow2[0]).removeClass(this.classes.narrowSub).addClass(this.classes.narrowButton);
+            }
+        };
+        /**
+         * Method to construct the actual pane.
+         * @param selectedRows previously selected Rows to be reselected
+         * @last boolean to indicate whether this pane was the last one to have a selection made
+         */
+        SearchPane.prototype._buildPane = function (selectedRows, last, dataIn, init, prevEl) {
+            var _this = this;
+            if (selectedRows === void 0) { selectedRows = []; }
+            if (last === void 0) { last = false; }
+            if (dataIn === void 0) { dataIn = null; }
+            if (init === void 0) { init = null; }
+            if (prevEl === void 0) { prevEl = null; }
+            // Aliases
+            this.selections = [];
+            var table = this.s.dt;
+            var column = table.column(this.colExists ? this.s.index : 0);
+            var colOpts = this.s.colOpts;
+            var rowData = this.s.rowData;
+            // Other Variables
+            var countMessage = table.i18n('searchPanes.count', '{total}');
+            var filteredMessage = table.i18n('searchPanes.countFiltered', '{shown} ({total})');
+            var loadedFilter = table.state.loaded();
+            // If the listeners have not been set yet then using the latest state may result in funny errors
+            if (this.s.listSet) {
+                loadedFilter = table.state();
+            }
+            // If it is not a custom pane in place
+            if (this.colExists) {
+                var idx = -1;
+                if (loadedFilter && loadedFilter.searchPanes && loadedFilter.searchPanes.panes) {
+                    for (var i = 0; i < loadedFilter.searchPanes.panes.length; i++) {
+                        if (loadedFilter.searchPanes.panes[i].id === this.s.index) {
+                            idx = i;
+                            break;
+                        }
+                    }
+                }
+                // Perform checks that do not require populate pane to run
+                if ((colOpts.show === false
+                    || (colOpts.show !== undefined && colOpts.show !== true)) &&
+                    idx === -1) {
+                    this.dom.container.addClass(this.classes.hidden);
+                    this.s.displayed = false;
+                    return false;
+                }
+                else if (colOpts.show === true || idx !== -1) {
+                    this.s.displayed = true;
+                }
+                if (!this.s.dt.page.info().serverSide) {
+                    // Only run populatePane if the data has not been collected yet
+                    if (rowData.arrayFilter.length === 0) {
+                        this._populatePane(last);
+                        this.s.rowData.totalOptions = 0;
+                        this._detailsPane();
+                        if (loadedFilter && loadedFilter.searchPanes && loadedFilter.searchPanes.panes) {
+                            // If the index is not found then no data has been added to the state for this pane,
+                            //  which will only occur if it has previously failed to meet the criteria to be
+                            //  displayed, therefore we can just hide it again here
+                            if (idx !== -1) {
+                                rowData.binsOriginal = loadedFilter.searchPanes.panes[idx].bins;
+                                rowData.arrayOriginal = loadedFilter.searchPanes.panes[idx].arrayFilter;
+                            }
+                            else {
+                                this.dom.container.addClass(this.classes.hidden);
+                                this.s.displayed = false;
+                                return;
+                            }
+                        }
+                        else {
+                            rowData.arrayOriginal = rowData.arrayTotals;
+                            rowData.binsOriginal = rowData.binsTotal;
+                        }
+                    }
+                    var binLength = Object.keys(rowData.binsOriginal).length;
+                    var uniqueRatio = this._uniqueRatio(binLength, table.rows()[0].length);
+                    // Don't show the pane if there isn't enough variance in the data, or there is only 1 entry for that pane
+                    if (this.s.displayed === false && ((colOpts.show === undefined && colOpts.threshold === null ?
+                        uniqueRatio > this.c.threshold :
+                        uniqueRatio > colOpts.threshold)
+                        || (colOpts.show !== true && binLength <= 1))) {
+                        this.dom.container.addClass(this.classes.hidden);
+                        this.s.displayed = false;
+                        return;
+                    }
+                    // If the option viewTotal is true then find
+                    // the total count for the whole table to display alongside the displayed count
+                    if (this.c.viewTotal && rowData.arrayTotals.length === 0) {
+                        this.s.rowData.totalOptions = 0;
+                        this._detailsPane();
+                    }
+                    else {
+                        rowData.binsTotal = rowData.bins;
+                    }
+                    this.dom.container.addClass(this.classes.show);
+                    this.s.displayed = true;
+                }
+                else if (dataIn !== null) {
+                    if (dataIn.tableLength !== undefined) {
+                        this.s.tableLength = dataIn.tableLength;
+                        this.s.rowData.totalOptions = this.s.tableLength;
+                    }
+                    else if (this.s.tableLength === null || table.rows()[0].length > this.s.tableLength) {
+                        this.s.tableLength = table.rows()[0].length;
+                        this.s.rowData.totalOptions = this.s.tableLength;
+                    }
+                    var colTitle = table.column(this.s.index).dataSrc();
+                    if (dataIn[colTitle] !== undefined) {
+                        for (var _i = 0, _a = dataIn[colTitle]; _i < _a.length; _i++) {
+                            var dataPoint = _a[_i];
+                            this.s.rowData.arrayFilter.push({
+                                display: dataPoint.label,
+                                filter: dataPoint.value,
+                                sort: dataPoint.label,
+                                type: dataPoint.label
+                            });
+                            this.s.rowData.bins[dataPoint.value] = this.c.viewTotal || this.c.cascadePanes ?
+                                dataPoint.count :
+                                dataPoint.total;
+                            this.s.rowData.binsTotal[dataPoint.value] = dataPoint.total;
+                        }
+                    }
+                    var binLength = Object.keys(rowData.binsTotal).length;
+                    var uniqueRatio = this._uniqueRatio(binLength, this.s.tableLength);
+                    // Don't show the pane if there isn't enough variance in the data, or there is only 1 entry for that pane
+                    if (this.s.displayed === false && ((colOpts.show === undefined && colOpts.threshold === null ?
+                        uniqueRatio > this.c.threshold :
+                        uniqueRatio > colOpts.threshold)
+                        || (colOpts.show !== true && binLength <= 1))) {
+                        this.dom.container.addClass(this.classes.hidden);
+                        this.s.displayed = false;
+                        return;
+                    }
+                    this.s.displayed = true;
+                }
+            }
+            else {
+                this.s.displayed = true;
+            }
+            // If the variance is accceptable then display the search pane
+            this._displayPane();
+            if (!this.s.listSet) {
+                // Here, when the state is loaded if the data object on the original table is empty,
+                //  then a state.clear() must have occurred, so delete all of the panes tables state objects too.
+                this.dom.dtP.on('stateLoadParams.dt', function (e, settings, data) {
+                    if ($.isEmptyObject(table.state.loaded())) {
+                        $.each(data, function (index, value) {
+                            delete data[index];
+                        });
+                    }
+                });
+            }
+            // Add the container to the document in its original location
+            if (prevEl !== null && $(this.dom.panesContainer).has(prevEl).length > 0) {
+                $(this.dom.panesContainer).insertAfter(prevEl);
+            }
+            else {
+                $(this.dom.panesContainer).prepend(this.dom.container);
+            }
+            // Declare the datatable for the pane
+            var errMode = $.fn.dataTable.ext.errMode;
+            $.fn.dataTable.ext.errMode = 'none';
+            var haveScroller = DataTable.Scroller;
+            this.s.dtPane = $(this.dom.dtP).DataTable($.extend(true, {
+                columnDefs: [
+                    {
+                        className: 'dtsp-nameColumn',
+                        data: 'display',
+                        render: function (data, type, row) {
+                            if (type === 'sort') {
+                                return row.sort;
+                            }
+                            else if (type === 'type') {
+                                return row.type;
+                            }
+                            var message;
+                            (_this.s.filteringActive || _this.s.showFiltered) && _this.c.viewTotal
+                                ? message = filteredMessage.replace(/{total}/, row.total)
+                                : message = countMessage.replace(/{total}/, row.total);
+                            message = message.replace(/{shown}/, row.shown);
+                            while (message.indexOf('{total}') !== -1) {
+                                message = message.replace(/{total}/, row.total);
+                            }
+                            while (message.indexOf('{shown}') !== -1) {
+                                message = message.replace(/{shown}/, row.shown);
+                            }
+                            // We are displaying the count in the same columne as the name of the search option.
+                            // This is so that there is not need to call columns.adjust(), which in turn speeds up the code
+                            var displayMessage = '';
+                            var pill = '<span class="' + _this.classes.pill + '">' + message + '</span>';
+                            if (_this.c.hideCount || colOpts.hideCount) {
+                                pill = '';
+                            }
+                            if (!_this.c.dataLength) {
+                                displayMessage = '<span class="' + _this.classes.name + '">' + data + '</span>' + pill;
+                            }
+                            else if (data !== null && data.length > _this.c.dataLength) {
+                                displayMessage = '<span title="' + data + '" class="' + _this.classes.name + '">'
+                                    + data.substr(0, _this.c.dataLength) + '...'
+                                    + '</span>'
+                                    + pill;
+                            }
+                            else {
+                                displayMessage = '<span class="' + _this.classes.name + '">' + data + '</span>' + pill;
+                            }
+                            return displayMessage;
+                        },
+                        targets: 0,
+                        // Accessing the private datatables property to set type based on the original table.
+                        // This is null if not defined by the user, meaning that automatic type detection would take place
+                        type: table.settings()[0].aoColumns[this.s.index] !== undefined ?
+                            table.settings()[0].aoColumns[this.s.index]._sManualType :
+                            null
+                    },
+                    {
+                        className: 'dtsp-countColumn ' + this.classes.badgePill,
+                        data: 'total',
+                        targets: 1,
+                        visible: false
+                    }
+                ],
+                deferRender: true,
+                dom: 't',
+                info: false,
+                paging: haveScroller ? true : false,
+                scrollY: '200px',
+                scroller: haveScroller ? true : false,
+                select: true,
+                stateSave: table.settings()[0].oFeatures.bStateSave ? true : false
+            }, this.c.dtOpts, colOpts !== undefined ? colOpts.dtOpts : {}, (this.customPaneSettings !== null && this.customPaneSettings.dtOpts !== undefined)
+                ? this.customPaneSettings.dtOpts
+                : {}));
+            $(this.dom.dtP).addClass(this.classes.table);
+            // This is hacky but necessary for when datatables is generating the column titles automatically
+            $(this.dom.searchBox).attr('placeholder', colOpts.header !== undefined
+                ? colOpts.header
+                : this.colExists
+                    ? table.settings()[0].aoColumns[this.s.index].sTitle
+                    : this.customPaneSettings.header || 'Custom Pane');
+            // As the pane table is not in the document yet we must initialise select ourselves
+            $.fn.dataTable.select.init(this.s.dtPane);
+            $.fn.dataTable.ext.errMode = errMode;
+            // If it is not a custom pane
+            if (this.colExists) {
+                // On initialisation, do we need to set a filtering value from a
+                // saved state or init option?
+                var search = column.search();
+                search = search ? search.substr(1, search.length - 2).split('|') : [];
+                // Count the number of empty cells
+                var count_1 = 0;
+                rowData.arrayFilter.forEach(function (element) {
+                    if (element.filter === '') {
+                        count_1++;
+                    }
+                });
+                // Add all of the search options to the pane
+                for (var i = 0, ien = rowData.arrayFilter.length; i < ien; i++) {
+                    var selected = false;
+                    for (var _b = 0, _c = this.s.serverSelect; _b < _c.length; _b++) {
+                        var option = _c[_b];
+                        if (option.filter === rowData.arrayFilter[i].filter) {
+                            selected = true;
+                        }
+                    }
+                    if (this.s.dt.page.info().serverSide &&
+                        (!this.c.cascadePanes ||
+                            (this.c.cascadePanes && rowData.bins[rowData.arrayFilter[i].filter] !== 0) ||
+                            (this.c.cascadePanes && init !== null) ||
+                            selected)) {
+                        var row = this._addRow(rowData.arrayFilter[i].display, rowData.arrayFilter[i].filter, init ?
+                            rowData.binsTotal[rowData.arrayFilter[i].filter] :
+                            rowData.bins[rowData.arrayFilter[i].filter], this.c.viewTotal || init
+                            ? String(rowData.binsTotal[rowData.arrayFilter[i].filter])
+                            : rowData.bins[rowData.arrayFilter[i].filter], rowData.arrayFilter[i].sort, rowData.arrayFilter[i].type);
+                        if (colOpts.preSelect !== undefined && colOpts.preSelect.indexOf(rowData.arrayFilter[i].filter) !== -1) {
+                            row.select();
+                        }
+                        for (var _d = 0, _e = this.s.serverSelect; _d < _e.length; _d++) {
+                            var option = _e[_d];
+                            if (option.filter === rowData.arrayFilter[i].filter) {
+                                this.s.serverSelecting = true;
+                                row.select();
+                                this.s.serverSelecting = false;
+                            }
+                        }
+                    }
+                    else if (!this.s.dt.page.info().serverSide &&
+                        rowData.arrayFilter[i] &&
+                        (rowData.bins[rowData.arrayFilter[i].filter] !== undefined || !this.c.cascadePanes)) {
+                        var row = this._addRow(rowData.arrayFilter[i].display, rowData.arrayFilter[i].filter, rowData.bins[rowData.arrayFilter[i].filter], rowData.binsTotal[rowData.arrayFilter[i].filter], rowData.arrayFilter[i].sort, rowData.arrayFilter[i].type);
+                        if (colOpts.preSelect !== undefined && colOpts.preSelect.indexOf(rowData.arrayFilter[i].filter) !== -1) {
+                            row.select();
+                        }
+                    }
+                    else if (!this.s.dt.page.info().serverSide) {
+                        this._addRow(this.c.emptyMessage, count_1, count_1, this.c.emptyMessage, this.c.emptyMessage, this.c.emptyMessage);
+                    }
+                }
+            }
+            // If there are custom options set or it is a custom pane then get them
+            if (colOpts.options !== undefined ||
+                (this.customPaneSettings !== null && this.customPaneSettings.options !== undefined)) {
+                this._getComparisonRows();
+            }
+            DataTable.select.init(this.s.dtPane);
+            // Display the pane
+            this.s.dtPane.draw();
+            this._adjustTopRow();
+            if (!this.s.listSet) {
+                this._setListeners();
+                this.s.listSet = true;
+            }
+            for (var _f = 0, selectedRows_1 = selectedRows; _f < selectedRows_1.length; _f++) {
+                var selection = selectedRows_1[_f];
+                if (selection !== undefined) {
+                    for (var _g = 0, _h = this.s.dtPane.rows().indexes().toArray(); _g < _h.length; _g++) {
+                        var row = _h[_g];
+                        if (this.s.dtPane.row(row).data() !== undefined && selection.filter === this.s.dtPane.row(row).data().filter) {
+                            // If this is happening when serverSide processing is happening then different behaviour is needed
+                            if (this.s.dt.page.info().serverSide) {
+                                this.s.serverSelecting = true;
+                                this.s.dtPane.row(row).select();
+                                this.s.serverSelecting = false;
+                            }
+                            else {
+                                this.s.dtPane.row(row).select();
+                            }
+                        }
+                    }
+                }
+            }
+            this.s.dt.draw();
+            // Reload the selection, searchbox entry and ordering from the previous state
+            if (loadedFilter && loadedFilter.searchPanes && loadedFilter.searchPanes.panes) {
+                if (!this.c.cascadePanes) {
+                    this._reloadSelect(loadedFilter);
+                }
+                for (var _j = 0, _k = loadedFilter.searchPanes.panes; _j < _k.length; _j++) {
+                    var pane = _k[_j];
+                    if (pane.id === this.s.index) {
+                        $(this.dom.searchBox).val(pane.searchTerm);
+                        $(this.dom.searchBox).trigger('input');
+                        this.s.dtPane.order(pane.order).draw();
+                    }
+                }
+            }
+            // Make sure to save the state once the pane has been built
+            this.s.dt.state.save();
+            return true;
+        };
+        /**
+         * Update the array which holds the display and filter values for the table
+         */
+        SearchPane.prototype._detailsPane = function () {
+            var _this = this;
+            var table = this.s.dt;
+            this.s.rowData.arrayTotals = [];
+            this.s.rowData.binsTotal = {};
+            var settings = this.s.dt.settings()[0];
+            table.rows().every(function (rowIdx) {
+                _this._populatePaneArray(rowIdx, _this.s.rowData.arrayTotals, settings, _this.s.rowData.binsTotal);
+            });
+        };
+        /**
+         * Appends all of the HTML elements to their relevant parent Elements
+         */
+        SearchPane.prototype._displayPane = function () {
+            var container = this.dom.container;
+            var colOpts = this.s.colOpts;
+            var layVal = parseInt(this.c.layout.split('-')[1], 10);
+            //  Empty everything to start again
+            $(this.dom.topRow).empty();
+            $(this.dom.dtP).empty();
+            $(this.dom.topRow).addClass(this.classes.topRow);
+            // If there are more than 3 columns defined then make there be a smaller gap between the panes
+            if (layVal > 3) {
+                $(this.dom.container).addClass(this.classes.smallGap);
+            }
+            $(this.dom.topRow).addClass(this.classes.subRowsContainer);
+            $(this.dom.upper).appendTo(this.dom.topRow);
+            $(this.dom.lower).appendTo(this.dom.topRow);
+            $(this.dom.searchCont).appendTo(this.dom.upper);
+            $(this.dom.buttonGroup).appendTo(this.dom.lower);
+            // If no selections have been made in the pane then disable the clear button
+            if (this.c.dtOpts.searching === false ||
+                (colOpts.dtOpts !== undefined &&
+                    colOpts.dtOpts.searching === false) ||
+                (!this.c.controls || !colOpts.controls) ||
+                (this.customPaneSettings !== null &&
+                    this.customPaneSettings.dtOpts !== undefined &&
+                    this.customPaneSettings.dtOpts.searching !== undefined &&
+                    !this.customPaneSettings.dtOpts.searching)) {
+                $(this.dom.searchBox).attr('disabled', 'disabled')
+                    .removeClass(this.classes.paneInputButton)
+                    .addClass(this.classes.disabledButton);
+            }
+            $(this.dom.searchBox).appendTo(this.dom.searchCont);
+            // Create the contents of the searchCont div. Worth noting that this function will change when using semantic ui
+            this._searchContSetup();
+            // If the clear button is allowed to show then display it
+            if (this.c.clear && this.c.controls && colOpts.controls) {
+                $(this.dom.clear).appendTo(this.dom.buttonGroup);
+            }
+            if (this.c.orderable && colOpts.orderable && this.c.controls && colOpts.controls) {
+                $(this.dom.nameButton).appendTo(this.dom.buttonGroup);
+            }
+            // If the count column is hidden then don't display the ordering button for it
+            if (!this.c.hideCount &&
+                !colOpts.hideCount &&
+                this.c.orderable &&
+                colOpts.orderable &&
+                this.c.controls &&
+                colOpts.controls) {
+                $(this.dom.countButton).appendTo(this.dom.buttonGroup);
+            }
+            $(this.dom.topRow).prependTo(this.dom.container);
+            $(container).append(this.dom.dtP);
+            $(container).show();
+        };
+        /**
+         * Gets the options for the row for the customPanes
+         * @returns {object} The options for the row extended to include the options from the user.
+         */
+        SearchPane.prototype._getBonusOptions = function () {
+            // We need to reset the thresholds as if they have a value in colOpts then that value will be used
+            var defaultMutator = {
+                orthogonal: {
+                    threshold: null
+                },
+                threshold: null
+            };
+            return $.extend(true, {}, SearchPane.defaults, defaultMutator, this.c !== undefined ? this.c : {});
+        };
+        /**
+         * Adds the custom options to the pane
+         * @returns {Array} Returns the array of rows which have been added to the pane
+         */
+        SearchPane.prototype._getComparisonRows = function () {
+            var colOpts = this.s.colOpts;
+            // Find the appropriate options depending on whether this is a pane for a specific column or a custom pane
+            var options = colOpts.options !== undefined
+                ? colOpts.options
+                : this.customPaneSettings !== null && this.customPaneSettings.options !== undefined
+                    ? this.customPaneSettings.options
+                    : undefined;
+            if (options === undefined) {
+                return;
+            }
+            var tableVals = this.s.dt.rows({ search: 'applied' }).data().toArray();
+            var appRows = this.s.dt.rows({ search: 'applied' });
+            var tableValsTotal = this.s.dt.rows().data().toArray();
+            var allRows = this.s.dt.rows();
+            var rows = [];
+            // Clear all of the other rows from the pane, only custom options are to be displayed when they are defined
+            this.s.dtPane.clear();
+            for (var _i = 0, options_1 = options; _i < options_1.length; _i++) {
+                var comp = options_1[_i];
+                // Initialise the object which is to be placed in the row
+                var insert = comp.label !== '' ? comp.label : this.c.emptyMessage;
+                var comparisonObj = {
+                    display: insert,
+                    filter: typeof comp.value === 'function' ? comp.value : [],
+                    shown: 0,
+                    sort: insert,
+                    total: 0,
+                    type: insert
+                };
+                // If a custom function is in place
+                if (typeof comp.value === 'function') {
+                    // Count the number of times the function evaluates to true for the data currently being displayed
+                    for (var tVal = 0; tVal < tableVals.length; tVal++) {
+                        if (comp.value.call(this.s.dt, tableVals[tVal], appRows[0][tVal])) {
+                            comparisonObj.shown++;
+                        }
+                    }
+                    // Count the number of times the function evaluates to true for the original data in the Table
+                    for (var i = 0; i < tableValsTotal.length; i++) {
+                        if (comp.value.call(this.s.dt, tableValsTotal[i], allRows[0][i])) {
+                            comparisonObj.total++;
+                        }
+                    }
+                    // Update the comparisonObj
+                    if (typeof comparisonObj.filter !== 'function') {
+                        comparisonObj.filter.push(comp.filter);
+                    }
+                }
+                // If cascadePanes is not active or if it is and the comparisonObj should be shown then add it to the pane
+                if (!this.c.cascadePanes || (this.c.cascadePanes && comparisonObj.shown !== 0)) {
+                    rows.push(this._addRow(comparisonObj.display, comparisonObj.filter, comparisonObj.shown, comparisonObj.total, comparisonObj.sort, comparisonObj.type));
+                }
+            }
+            return rows;
+        };
+        /**
+         * Gets the options for the row for the customPanes
+         * @returns {object} The options for the row extended to include the options from the user.
+         */
+        SearchPane.prototype._getOptions = function () {
+            var table = this.s.dt;
+            // We need to reset the thresholds as if they have a value in colOpts then that value will be used
+            var defaultMutator = {
+                orthogonal: {
+                    threshold: null
+                },
+                threshold: null
+            };
+            return $.extend(true, {}, SearchPane.defaults, defaultMutator, table.settings()[0].aoColumns[this.s.index].searchPanes);
+        };
+        /**
+         * This method allows for changes to the panes and table to be made when a selection or a deselection occurs
+         * @param select Denotes whether a selection has been made or not
+         */
+        SearchPane.prototype._makeSelection = function () {
+            this.updateTable();
+            this.s.updating = true;
+            this.s.dt.draw();
+            this.s.updating = false;
+        };
+        /**
+         * Fill the array with the values that are currently being displayed in the table
+         * @param last boolean to indicate whether this was the last pane a selection was made in
+         */
+        SearchPane.prototype._populatePane = function (last) {
+            if (last === void 0) { last = false; }
+            var table = this.s.dt;
+            this.s.rowData.arrayFilter = [];
+            this.s.rowData.bins = {};
+            var settings = this.s.dt.settings()[0];
+            // If cascadePanes or viewTotal are active it is necessary to get the data which is currently
+            //  being displayed for their functionality. Also make sure that this was not the last pane to have a selection made
+            if (!this.s.dt.page.info().serverSide) {
+                var indexArray = (this.c.cascadePanes || this.c.viewTotal) && (!this.s.clearing && !last) ?
+                    table.rows({ search: 'applied' }).indexes() :
+                    table.rows().indexes();
+                for (var _i = 0, _a = indexArray.toArray(); _i < _a.length; _i++) {
+                    var index = _a[_i];
+                    this._populatePaneArray(index, this.s.rowData.arrayFilter, settings);
+                }
+            }
+        };
+        /**
+         * Populates an array with all of the data for the table
+         * @param rowIdx The current row index to be compared
+         * @param arrayFilter The array that is to be populated with row Details
+         * @param bins The bins object that is to be populated with the row counts
+         */
+        SearchPane.prototype._populatePaneArray = function (rowIdx, arrayFilter, settings, bins) {
+            if (bins === void 0) { bins = this.s.rowData.bins; }
+            var colOpts = this.s.colOpts;
+            // Retrieve the rendered data from the cell using the fnGetCellData function
+            //  rather than the cell().render API method for optimisation
+            if (typeof colOpts.orthogonal === 'string') {
+                var rendered = settings.oApi._fnGetCellData(settings, rowIdx, this.s.index, colOpts.orthogonal);
+                this.s.rowData.filterMap.set(rowIdx, rendered);
+                this._addOption(rendered, rendered, rendered, rendered, arrayFilter, bins);
+            }
+            else {
+                var filter = settings.oApi._fnGetCellData(settings, rowIdx, this.s.index, colOpts.orthogonal.search);
+                this.s.rowData.filterMap.set(rowIdx, filter);
+                if (!bins[filter]) {
+                    bins[filter] = 1;
+                    this._addOption(filter, settings.oApi._fnGetCellData(settings, rowIdx, this.s.index, colOpts.orthogonal.display), settings.oApi._fnGetCellData(settings, rowIdx, this.s.index, colOpts.orthogonal.sort), settings.oApi._fnGetCellData(settings, rowIdx, this.s.index, colOpts.orthogonal.type), arrayFilter, bins);
+                    this.s.rowData.totalOptions++;
+                }
+                else {
+                    bins[filter]++;
+                    this.s.rowData.totalOptions++;
+                    return;
+                }
+            }
+        };
+        /**
+         * Reloads all of the previous selects into the panes
+         * @param loadedFilter The loaded filters from a previous state
+         */
+        SearchPane.prototype._reloadSelect = function (loadedFilter) {
+            // If the state was not saved don't selected any
+            if (loadedFilter === undefined) {
+                return;
+            }
+            var idx;
+            // For each pane, check that the loadedFilter list exists and is not null,
+            // find the id of each search item and set it to be selected.
+            for (var i = 0; i < loadedFilter.searchPanes.panes.length; i++) {
+                if (loadedFilter.searchPanes.panes[i].id === this.s.index) {
+                    idx = i;
+                    break;
+                }
+            }
+            if (idx !== undefined) {
+                var table = this.s.dtPane;
+                var rows = table.rows({ order: 'index' }).data().map(function (item) { return item.filter !== null ?
+                    item.filter.toString() :
+                    null; }).toArray();
+                for (var _i = 0, _a = loadedFilter.searchPanes.panes[idx].selected; _i < _a.length; _i++) {
+                    var filter = _a[_i];
+                    var id = -1;
+                    if (filter !== null) {
+                        id = rows.indexOf(filter.toString());
+                    }
+                    if (id > -1) {
+                        table.row(id).select();
+                        this.s.dt.state.save();
+                    }
+                }
+            }
+        };
+        /**
+         * This method decides whether a row should contribute to the pane or not
+         * @param filter the value that the row is to be filtered on
+         * @param dataIndex the row index
+         */
+        SearchPane.prototype._search = function (filter, dataIndex) {
+            var colOpts = this.s.colOpts;
+            var table = this.s.dt;
+            // For each item selected in the pane, check if it is available in the cell
+            for (var _i = 0, _a = this.selections; _i < _a.length; _i++) {
+                var colSelect = _a[_i];
+                // if the filter is an array then is the column present in it
+                if (Array.isArray(filter)) {
+                    if (filter.indexOf(colSelect.filter) !== -1) {
+                        return true;
+                    }
+                }
+                // if the filter is a function then does it meet the criteria of that function or not
+                else if (typeof colSelect.filter === 'function') {
+                    if (colSelect.filter.call(table, table.row(dataIndex).data(), dataIndex)) {
+                        if (colOpts.combiner === 'or') {
+                            return true;
+                        }
+                    }
+                    // If the combiner is an "and" then we need to check against all possible selections
+                    //  so if it fails here then the and is not met and return false
+                    else if (colOpts.combiner === 'and') {
+                        return false;
+                    }
+                }
+                // otherwise if the two filter values are equal then return true
+                else if (filter === colSelect.filter) {
+                    return true;
+                }
+            }
+            // If the combiner is an and then we need to check against all possible selections
+            //  so return true here if so because it would have returned false earlier if it had failed
+            if (colOpts.combiner === 'and') {
+                return true;
+            }
+            // Otherwise it hasn't matched with anything by this point so it must be false
+            else {
+                return false;
+            }
+        };
+        /**
+         * Creates the contents of the searchCont div
+         *
+         * NOTE This is overridden when semantic ui styling in order to integrate the search button into the text box.
+         */
+        SearchPane.prototype._searchContSetup = function () {
+            if (this.c.controls && this.s.colOpts.controls) {
+                $(this.dom.searchButton).appendTo(this.dom.searchLabelCont);
+            }
+            if (!(this.c.dtOpts.searching === false ||
+                this.s.colOpts.dtOpts.searching === false ||
+                (this.customPaneSettings !== null &&
+                    this.customPaneSettings.dtOpts !== undefined &&
+                    this.customPaneSettings.dtOpts.searching !== undefined &&
+                    !this.customPaneSettings.dtOpts.searching))) {
+                $(this.dom.searchLabelCont).appendTo(this.dom.searchCont);
+            }
+        };
+        /**
+         * Adds outline to the pane when a selection has been made
+         */
+        SearchPane.prototype._searchExtras = function () {
+            var updating = this.s.updating;
+            this.s.updating = true;
+            var filters = this.s.dtPane.rows({ selected: true }).data().pluck('filter').toArray();
+            var nullIndex = filters.indexOf(this.c.emptyMessage);
+            var container = $(this.s.dtPane.table().container());
+            // If null index is found then search for empty cells as a filter.
+            if (nullIndex > -1) {
+                filters[nullIndex] = '';
+            }
+            // If a filter has been applied then outline the respective pane, remove it when it no longer is.
+            if (filters.length > 0) {
+                container.addClass(this.classes.selected);
+            }
+            else if (filters.length === 0) {
+                container.removeClass(this.classes.selected);
+            }
+            this.s.updating = updating;
+        };
+        /**
+         * Finds the ratio of the number of different options in the table to the number of rows
+         * @param bins the number of different options in the table
+         * @param rowCount the total number of rows in the table
+         * @returns {number} returns the ratio
+         */
+        SearchPane.prototype._uniqueRatio = function (bins, rowCount) {
+            if (rowCount > 0 &&
+                ((this.s.rowData.totalOptions > 0 && !this.s.dt.page.info().serverSide) ||
+                    (this.s.dt.page.info().serverSide && this.s.tableLength > 0))) {
+                return bins / this.s.rowData.totalOptions;
+            }
+            else {
+                return 1;
+            }
+        };
+        /**
+         * updates the options within the pane
+         * @param draw a flag to define whether this has been called due to a draw event or not
+         */
+        SearchPane.prototype._updateCommon = function (draw) {
+            if (draw === void 0) { draw = false; }
+            // Update the panes if doing a deselect. if doing a select then
+            // update all of the panes except for the one causing the change
+            if (!this.s.dt.page.info().serverSide &&
+                this.s.dtPane !== undefined &&
+                (!this.s.filteringActive || this.c.cascadePanes || draw === true) &&
+                (this.c.cascadePanes !== true || this.s.selectPresent !== true) && (!this.s.lastSelect || !this.s.lastCascade)) {
+                var colOpts = this.s.colOpts;
+                var selected = this.s.dtPane.rows({ selected: true }).data().toArray();
+                var scrollTop = $(this.s.dtPane.table().node()).parent()[0].scrollTop;
+                var rowData = this.s.rowData;
+                // Clear the pane in preparation for adding the updated search options
+                this.s.dtPane.clear();
+                // If it is not a custom pane
+                if (this.colExists) {
+                    // Only run populatePane if the data has not been collected yet
+                    if (rowData.arrayFilter.length === 0) {
+                        this._populatePane();
+                    }
+                    // If cascadePanes is active and the table has returned to its default state then
+                    //  there is a need to update certain parts ofthe rowData.
+                    else if (this.c.cascadePanes
+                        && this.s.dt.rows().data().toArray().length === this.s.dt.rows({ search: 'applied' }).data().toArray().length) {
+                        rowData.arrayFilter = rowData.arrayOriginal;
+                        rowData.bins = rowData.binsOriginal;
+                    }
+                    // Otherwise if viewTotal or cascadePanes is active then the data from the table must be read.
+                    else if (this.c.viewTotal || this.c.cascadePanes) {
+                        this._populatePane();
+                    }
+                    // If the viewTotal option is selected then find the totals for the table
+                    if (this.c.viewTotal) {
+                        this._detailsPane();
+                    }
+                    else {
+                        rowData.binsTotal = rowData.bins;
+                    }
+                    if (this.c.viewTotal && !this.c.cascadePanes) {
+                        rowData.arrayFilter = rowData.arrayTotals;
+                    }
+                    var _loop_1 = function (dataP) {
+                        // If both view Total and cascadePanes have been selected and the count of the row is not 0 then add it to pane
+                        // Do this also if the viewTotal option has been selected and cascadePanes has not
+                        if (dataP && ((rowData.bins[dataP.filter] !== undefined && rowData.bins[dataP.filter] !== 0 && this_1.c.cascadePanes)
+                            || !this_1.c.cascadePanes
+                            || this_1.s.clearing)) {
+                            var row = this_1._addRow(dataP.display, dataP.filter, !this_1.c.viewTotal
+                                ? rowData.bins[dataP.filter]
+                                : rowData.bins[dataP.filter] !== undefined
+                                    ? rowData.bins[dataP.filter]
+                                    : 0, this_1.c.viewTotal
+                                ? String(rowData.binsTotal[dataP.filter])
+                                : rowData.bins[dataP.filter], dataP.sort, dataP.type);
+                            // Find out if the filter was selected in the previous search, if so select it and remove from array.
+                            var selectIndex = selected.findIndex(function (element) {
+                                return element.filter === dataP.filter;
+                            });
+                            if (selectIndex !== -1) {
+                                row.select();
+                                selected.splice(selectIndex, 1);
+                            }
+                        }
+                    };
+                    var this_1 = this;
+                    for (var _i = 0, _a = rowData.arrayFilter; _i < _a.length; _i++) {
+                        var dataP = _a[_i];
+                        _loop_1(dataP);
+                    }
+                }
+                if ((colOpts.searchPanes !== undefined && colOpts.searchPanes.options !== undefined) ||
+                    colOpts.options !== undefined ||
+                    (this.customPaneSettings !== null && this.customPaneSettings.options !== undefined)) {
+                    var rows = this._getComparisonRows();
+                    var _loop_2 = function (row) {
+                        var selectIndex = selected.findIndex(function (element) {
+                            if (element.display === row.data().display) {
+                                return true;
+                            }
+                        });
+                        if (selectIndex !== -1) {
+                            row.select();
+                            selected.splice(selectIndex, 1);
+                        }
+                    };
+                    for (var _b = 0, rows_1 = rows; _b < rows_1.length; _b++) {
+                        var row = rows_1[_b];
+                        _loop_2(row);
+                    }
+                }
+                // Add search options which were previously selected but whos results are no
+                // longer present in the resulting data set.
+                for (var _c = 0, selected_1 = selected; _c < selected_1.length; _c++) {
+                    var selectedEl = selected_1[_c];
+                    var row = this._addRow(selectedEl.display, selectedEl.filter, 0, this.c.viewTotal
+                        ? selectedEl.total
+                        : 0, selectedEl.filter, selectedEl.filter);
+                    this.s.updating = true;
+                    row.select();
+                    this.s.updating = false;
+                }
+                this.s.dtPane.draw();
+                this.s.dtPane.table().node().parentNode.scrollTop = scrollTop;
+            }
+        };
+        SearchPane.version = '1.1.0';
+        SearchPane.classes = {
+            buttonGroup: 'dtsp-buttonGroup',
+            buttonSub: 'dtsp-buttonSub',
+            clear: 'dtsp-clear',
+            clearAll: 'dtsp-clearAll',
+            clearButton: 'clearButton',
+            container: 'dtsp-searchPane',
+            countButton: 'dtsp-countButton',
+            disabledButton: 'dtsp-disabledButton',
+            dull: 'dtsp-dull',
+            hidden: 'dtsp-hidden',
+            hide: 'dtsp-hide',
+            layout: 'dtsp-',
+            name: 'dtsp-name',
+            nameButton: 'dtsp-nameButton',
+            narrow: 'dtsp-narrow',
+            paneButton: 'dtsp-paneButton',
+            paneInputButton: 'dtsp-paneInputButton',
+            pill: 'dtsp-pill',
+            search: 'dtsp-search',
+            searchCont: 'dtsp-searchCont',
+            searchIcon: 'dtsp-searchIcon',
+            searchLabelCont: 'dtsp-searchButtonCont',
+            selected: 'dtsp-selected',
+            smallGap: 'dtsp-smallGap',
+            subRow1: 'dtsp-subRow1',
+            subRow2: 'dtsp-subRow2',
+            subRowsContainer: 'dtsp-subRowsContainer',
+            title: 'dtsp-title',
+            topRow: 'dtsp-topRow'
+        };
+        // Define SearchPanes default options
+        SearchPane.defaults = {
+            cascadePanes: false,
+            clear: true,
+            combiner: 'or',
+            controls: true,
+            container: function (dt) {
+                return dt.table().container();
+            },
+            dataLength: 30,
+            dtOpts: {},
+            emptyMessage: '<i>No Data</i>',
+            hideCount: false,
+            layout: 'columns-3',
+            name: undefined,
+            orderable: true,
+            orthogonal: {
+                display: 'display',
+                hideCount: false,
+                search: 'filter',
+                show: undefined,
+                sort: 'sort',
+                threshold: 0.6,
+                type: 'type'
+            },
+            preSelect: [],
+            threshold: 0.6,
+            viewTotal: false
+        };
+        return SearchPane;
+    }());
+
+    var $$1;
+    var DataTable$1;
+    function setJQuery$1(jq) {
+        $$1 = jq;
+        DataTable$1 = jq.fn.dataTable;
+    }
+    var SearchPanes = /** @class */ (function () {
+        function SearchPanes(paneSettings, opts, fromInit) {
+            var _this = this;
+            if (fromInit === void 0) { fromInit = false; }
+            this.regenerating = false;
+            // Check that the required version of DataTables is included
+            if (!DataTable$1 || !DataTable$1.versionCheck || !DataTable$1.versionCheck('1.10.0')) {
+                throw new Error('SearchPane requires DataTables 1.10 or newer');
+            }
+            // Check that Select is included
+            if (!DataTable$1.select) {
+                throw new Error('SearchPane requires Select');
+            }
+            var table = new DataTable$1.Api(paneSettings);
+            this.classes = $$1.extend(true, {}, SearchPanes.classes);
+            // Get options from user
+            this.c = $$1.extend(true, {}, SearchPanes.defaults, opts);
+            // Add extra elements to DOM object including clear
+            this.dom = {
+                clearAll: $$1('<button type="button">Clear All</button>').addClass(this.classes.clearAll),
+                container: $$1('<div/>').addClass(this.classes.panes).text(table.i18n('searchPanes.loadMessage', 'Loading Search Panes...')),
+                emptyMessage: $$1('<div/>').addClass(this.classes.emptyMessage),
+                options: $$1('<div/>').addClass(this.classes.container),
+                panes: $$1('<div/>').addClass(this.classes.container),
+                title: $$1('<div/>').addClass(this.classes.title),
+                titleRow: $$1('<div/>').addClass(this.classes.titleRow),
+                wrapper: $$1('<div/>')
+            };
+            this.s = {
+                colOpts: [],
+                dt: table,
+                filterPane: -1,
+                panes: [],
+                selectionList: [],
+                serverData: {},
+                updating: false
+            };
+            if (table.settings()[0]._searchPanes !== undefined) {
+                return;
+            }
+            // We are using the xhr event to rebuild the panes if required due to viewTotal being enabled
+            // If viewTotal is not enabled then we simply update the data from the server
+            table.on('xhr', function (e, settings, json, xhr) {
+                if (json.searchPanes && json.searchPanes.options) {
+                    _this.s.serverData = json.searchPanes.options;
+                    _this.s.serverData.tableLength = json.recordsTotal;
+                    if (_this.c.viewTotal || _this.c.cascadePanes) {
+                        _this._serverTotals();
+                    }
+                }
+            });
+            table.settings()[0]._searchPanes = this;
+            this.dom.clearAll.text(table.i18n('searchPanes.clearMessage', 'Clear All'));
+            this._getState();
+            if (this.s.dt.settings()[0]._bInitComplete || fromInit) {
+                this._paneDeclare(table, paneSettings, opts);
+            }
+            else {
+                table.one('preInit.dt', function (settings) {
+                    _this._paneDeclare(table, paneSettings, opts);
+                });
+            }
+        }
+        /**
+         * Clear the selections of all of the panes
+         */
+        SearchPanes.prototype.clearSelections = function () {
+            // Load in all of the searchBoxes in the documents
+            var searches = this.dom.container.find(this.classes.search);
+            // For each searchBox set the input text to be empty and then trigger
+            //  an input on them so that they no longer filter the panes
+            searches.each(function () {
+                $$1(this).val('');
+                $$1(this).trigger('input');
+            });
+            var returnArray = [];
+            // For every pane, clear the selections in the pane
+            for (var _i = 0, _a = this.s.panes; _i < _a.length; _i++) {
+                var pane = _a[_i];
+                if (pane.s.dtPane !== undefined) {
+                    returnArray.push(pane.clearPane());
+                }
+            }
+            this.s.dt.draw();
+            return returnArray;
+        };
+        /**
+         * returns the container node for the searchPanes
+         */
+        SearchPanes.prototype.getNode = function () {
+            return this.dom.container;
+        };
+        /**
+         * rebuilds all of the panes
+         */
+        SearchPanes.prototype.rebuild = function (targetIdx, maintainSelection) {
+            if (targetIdx === void 0) { targetIdx = false; }
+            if (maintainSelection === void 0) { maintainSelection = false; }
+            $$1(this.dom.emptyMessage).remove();
+            // As a rebuild from scratch is required, empty the searchpanes container.
+            var returnArray = [];
+            // Rebuild each pane individually, if a specific pane has been selected then only rebuild that one
+            $$1(this.dom.panes).empty();
+            for (var _i = 0, _a = this.s.panes; _i < _a.length; _i++) {
+                var pane = _a[_i];
+                if (targetIdx !== false && pane.s.index !== targetIdx) {
+                    $$1(this.dom.panes).append(pane.dom.container);
+                    continue;
+                }
+                pane.clearData();
+                returnArray.push(
+                // Pass a boolean to say whether this is the last choice made for maintaining selections when rebuilding
+                pane.rebuildPane(this.s.selectionList[this.s.selectionList.length - 1] !== undefined ?
+                    pane.s.index === this.s.selectionList[this.s.selectionList.length - 1].index :
+                    false, this.s.dt.page.info().serverSide ?
+                    this.s.serverData :
+                    undefined, null, maintainSelection));
+                $$1(this.dom.panes).append(pane.dom.container);
+            }
+            if (this.c.cascadePanes || this.c.viewTotal) {
+                this.redrawPanes(true);
+            }
+            else {
+                this._updateSelection();
+            }
+            // Attach panes, clear buttons, and title bar to the document
+            this._updateFilterCount();
+            this._attachPaneContainer();
+            this.s.dt.draw();
+            // If a single pane has been rebuilt then return only that pane
+            if (returnArray.length === 1) {
+                return returnArray[0];
+            }
+            // Otherwise return all of the panes that have been rebuilt
+            else {
+                return returnArray;
+            }
+        };
+        /**
+         * Redraws all of the panes
+         */
+        SearchPanes.prototype.redrawPanes = function (rebuild) {
+            if (rebuild === void 0) { rebuild = false; }
+            var table = this.s.dt;
+            // Only do this if the redraw isn't being triggered by the panes updating themselves
+            if (!this.s.updating && !this.s.dt.page.info().serverSide) {
+                var filterActive = true;
+                var filterPane = this.s.filterPane;
+                // If the number of rows currently visible is equal to the number of rows in the table
+                //  then there can't be any filtering taking place
+                if (table.rows({ search: 'applied' }).data().toArray().length === table.rows().data().toArray().length) {
+                    filterActive = false;
+                }
+                // Otherwise if viewTotal is active then it is necessary to determine which panes a select is present in.
+                //  If there is only one pane with a selection present then it should not show the filtered message as
+                //  more selections may be made in that pane.
+                else if (this.c.viewTotal) {
+                    for (var _i = 0, _a = this.s.panes; _i < _a.length; _i++) {
+                        var pane = _a[_i];
+                        if (pane.s.dtPane !== undefined) {
+                            var selectLength = pane.s.dtPane.rows({ selected: true }).data().toArray().length;
+                            if (selectLength === 0) {
+                                for (var _b = 0, _c = this.s.selectionList; _b < _c.length; _b++) {
+                                    var selection = _c[_b];
+                                    if (selection.index === pane.s.index && selection.rows.length !== 0) {
+                                        selectLength = selection.rows.length;
+                                    }
+                                }
+                            }
+                            // If filterPane === -1 then a pane with a selection has not been found yet, so set filterPane to that panes index
+                            if (selectLength > 0 && filterPane === -1) {
+                                filterPane = pane.s.index;
+                            }
+                            // Then if another pane is found with a selection then set filterPane to null to
+                            //  show that multiple panes have selections present
+                            else if (selectLength > 0) {
+                                filterPane = null;
+                            }
+                        }
+                    }
+                }
+                var deselectIdx = void 0;
+                var newSelectionList = [];
+                // Don't run this if it is due to the panes regenerating
+                if (!this.regenerating) {
+                    for (var _d = 0, _e = this.s.panes; _d < _e.length; _d++) {
+                        var pane = _e[_d];
+                        // Identify the pane where a selection or deselection has been made and add it to the list.
+                        if (pane.s.selectPresent) {
+                            this.s.selectionList.push({ index: pane.s.index, rows: pane.s.dtPane.rows({ selected: true }).data().toArray(), protect: false });
+                            table.state.save();
+                            break;
+                        }
+                        else if (pane.s.deselect) {
+                            deselectIdx = pane.s.index;
+                            var selectedData = pane.s.dtPane.rows({ selected: true }).data().toArray();
+                            if (selectedData.length > 0) {
+                                this.s.selectionList.push({ index: pane.s.index, rows: selectedData, protect: true });
+                            }
+                        }
+                    }
+                    if (this.s.selectionList.length > 0) {
+                        var last = this.s.selectionList[this.s.selectionList.length - 1].index;
+                        for (var _f = 0, _g = this.s.panes; _f < _g.length; _f++) {
+                            var pane = _g[_f];
+                            pane.s.lastSelect = (pane.s.index === last);
+                        }
+                    }
+                    // Remove selections from the list from the pane where a deselect has taken place
+                    for (var i = 0; i < this.s.selectionList.length; i++) {
+                        if (this.s.selectionList[i].index !== deselectIdx || this.s.selectionList[i].protect === true) {
+                            var further = false;
+                            // Find out if this selection is the last one in the list for that pane
+                            for (var j = i + 1; j < this.s.selectionList.length; j++) {
+                                if (this.s.selectionList[j].index === this.s.selectionList[i].index) {
+                                    further = true;
+                                }
+                            }
+                            // If there are no selections for this pane in the list then just push this one
+                            if (!further) {
+                                newSelectionList.push(this.s.selectionList[i]);
+                                this.s.selectionList[i].protect = false;
+                            }
+                        }
+                    }
+                    var solePane = -1;
+                    if (newSelectionList.length === 1) {
+                        solePane = newSelectionList[0].index;
+                    }
+                    // Update all of the panes to reflect the current state of the filters
+                    for (var _h = 0, _j = this.s.panes; _h < _j.length; _h++) {
+                        var pane = _j[_h];
+                        if (pane.s.dtPane !== undefined) {
+                            var tempFilter = true;
+                            pane.s.filteringActive = true;
+                            if ((filterPane !== -1 && filterPane !== null && filterPane === pane.s.index) ||
+                                filterActive === false ||
+                                pane.s.index === solePane) {
+                                tempFilter = false;
+                                pane.s.filteringActive = false;
+                            }
+                            pane.updatePane(!tempFilter ? false : filterActive);
+                        }
+                    }
+                    // Update the label that shows how many filters are in place
+                    this._updateFilterCount();
+                    // If the length of the selections are different then some of them have been removed and a deselect has occured
+                    if (newSelectionList.length > 0 && (newSelectionList.length < this.s.selectionList.length || rebuild)) {
+                        this._cascadeRegen(newSelectionList);
+                        var last = newSelectionList[newSelectionList.length - 1].index;
+                        for (var _k = 0, _l = this.s.panes; _k < _l.length; _k++) {
+                            var pane = _l[_k];
+                            pane.s.lastSelect = (pane.s.index === last);
+                        }
+                    }
+                    else if (newSelectionList.length > 0) {
+                        // Update all of the other panes as you would just making a normal selection
+                        for (var _m = 0, _o = this.s.panes; _m < _o.length; _m++) {
+                            var paneUpdate = _o[_m];
+                            if (paneUpdate.s.dtPane !== undefined) {
+                                var tempFilter = true;
+                                paneUpdate.s.filteringActive = true;
+                                if ((filterPane !== -1 && filterPane !== null && filterPane === paneUpdate.s.index) || filterActive === false) {
+                                    tempFilter = false;
+                                    paneUpdate.s.filteringActive = false;
+                                }
+                                paneUpdate.updatePane(!tempFilter ? tempFilter : filterActive);
+                            }
+                        }
+                    }
+                }
+                else {
+                    var solePane = -1;
+                    if (newSelectionList.length === 1) {
+                        solePane = newSelectionList[0].index;
+                    }
+                    for (var _p = 0, _q = this.s.panes; _p < _q.length; _p++) {
+                        var pane = _q[_p];
+                        if (pane.s.dtPane !== undefined) {
+                            var tempFilter = true;
+                            pane.s.filteringActive = true;
+                            if ((filterPane !== -1 && filterPane !== null && filterPane === pane.s.index) ||
+                                filterActive === false ||
+                                pane.s.index === solePane) {
+                                tempFilter = false;
+                                pane.s.filteringActive = false;
+                            }
+                            pane.updatePane(!tempFilter ? tempFilter : filterActive);
+                        }
+                    }
+                    // Update the label that shows how many filters are in place
+                    this._updateFilterCount();
+                }
+                if (!filterActive) {
+                    this.s.selectionList = [];
+                }
+            }
+        };
+        /**
+         * Attach the panes, buttons and title to the document
+         */
+        SearchPanes.prototype._attach = function () {
+            var _this = this;
+            $$1(this.dom.container).removeClass(this.classes.hide);
+            $$1(this.dom.titleRow).removeClass(this.classes.hide);
+            $$1(this.dom.titleRow).remove();
+            $$1(this.dom.title).appendTo(this.dom.titleRow);
+            // If the clear button is permitted attach it
+            if (this.c.clear) {
+                $$1(this.dom.clearAll).appendTo(this.dom.titleRow);
+                $$1(this.dom.clearAll).on('click.dtsps', function () {
+                    _this.clearSelections();
+                });
+            }
+            $$1(this.dom.titleRow).appendTo(this.dom.container);
+            // Attach the container for each individual pane to the overall container
+            for (var _i = 0, _a = this.s.panes; _i < _a.length; _i++) {
+                var pane = _a[_i];
+                $$1(pane.dom.container).appendTo(this.dom.panes);
+            }
+            // Attach everything to the document
+            $$1(this.dom.panes).appendTo(this.dom.container);
+            if ($$1('div.' + this.classes.container).length === 0) {
+                $$1(this.dom.container).prependTo(this.s.dt);
+            }
+            return this.dom.container;
+        };
+        /**
+         * Attach the top row containing the filter count and clear all button
+         */
+        SearchPanes.prototype._attachExtras = function () {
+            $$1(this.dom.container).removeClass(this.classes.hide);
+            $$1(this.dom.titleRow).removeClass(this.classes.hide);
+            $$1(this.dom.titleRow).remove();
+            $$1(this.dom.title).appendTo(this.dom.titleRow);
+            // If the clear button is permitted attach it
+            if (this.c.clear) {
+                $$1(this.dom.clearAll).appendTo(this.dom.titleRow);
+            }
+            $$1(this.dom.titleRow).appendTo(this.dom.container);
+            return this.dom.container;
+        };
+        /**
+         * If there are no panes to display then this method is called to either
+         *   display a message in their place or hide them completely.
+         */
+        SearchPanes.prototype._attachMessage = function () {
+            // Create a message to display on the screen
+            var message;
+            try {
+                message = this.s.dt.i18n('searchPanes.emptyPanes', 'No SearchPanes');
+            }
+            catch (error) {
+                message = null;
+            }
+            // If the message is an empty string then searchPanes.emptyPanes is undefined,
+            //  therefore the pane container should be removed from the display
+            if (message === null) {
+                $$1(this.dom.container).addClass(this.classes.hide);
+                $$1(this.dom.titleRow).removeClass(this.classes.hide);
+                return;
+            }
+            else {
+                $$1(this.dom.container).removeClass(this.classes.hide);
+                $$1(this.dom.titleRow).addClass(this.classes.hide);
+            }
+            // Otherwise display the message
+            $$1(this.dom.emptyMessage).text(message);
+            this.dom.emptyMessage.appendTo(this.dom.container);
+            return this.dom.container;
+        };
+        /**
+         * Attaches the panes to the document and displays a message or hides if there are none
+         */
+        SearchPanes.prototype._attachPaneContainer = function () {
+            // If a pane is to be displayed then attach the normal pane output
+            for (var _i = 0, _a = this.s.panes; _i < _a.length; _i++) {
+                var pane = _a[_i];
+                if (pane.s.displayed === true) {
+                    return this._attach();
+                }
+            }
+            // Otherwise attach the custom message or remove the container from the display
+            return this._attachMessage();
+        };
+        /**
+         * Prepares the panes for selections to be made when cascade is active and a deselect has occured
+         * @param newSelectionList the list of selections which are to be made
+         */
+        SearchPanes.prototype._cascadeRegen = function (newSelectionList) {
+            // Set this to true so that the actions taken do not cause this to run until it is finished
+            this.regenerating = true;
+            // If only one pane has been selected then take note of its index
+            var solePane = -1;
+            if (newSelectionList.length === 1) {
+                solePane = newSelectionList[0].index;
+            }
+            // Let the pane know that a cascadeRegen is taking place to avoid unexpected behaviour
+            //  and clear all of the previous selections in the pane
+            for (var _i = 0, _a = this.s.panes; _i < _a.length; _i++) {
+                var pane = _a[_i];
+                pane.setCascadeRegen(true);
+                pane.setClear(true);
+                // If this is the same as the pane with the only selection then pass it as a parameter into clearPane
+                if ((pane.s.dtPane !== undefined && pane.s.index === solePane) || pane.s.dtPane !== undefined) {
+                    pane.clearPane();
+                }
+                pane.setClear(false);
+            }
+            // Remake Selections
+            this._makeCascadeSelections(newSelectionList);
+            // Set the selection list property to be the list without the selections from the deselect pane
+            this.s.selectionList = newSelectionList;
+            // The regeneration of selections is over so set it back to false
+            for (var _b = 0, _c = this.s.panes; _b < _c.length; _b++) {
+                var pane = _c[_b];
+                pane.setCascadeRegen(false);
+            }
+            this.regenerating = false;
+        };
+        /**
+         * Attaches the message to the document but does not add any panes
+         */
+        SearchPanes.prototype._checkMessage = function () {
+            // If a pane is to be displayed then attach the normal pane output
+            for (var _i = 0, _a = this.s.panes; _i < _a.length; _i++) {
+                var pane = _a[_i];
+                if (pane.s.displayed === true) {
+                    return;
+                }
+            }
+            // Otherwise attach the custom message or remove the container from the display
+            return this._attachMessage();
+        };
+        /**
+         * Gets the selection list from the previous state and stores it in the selectionList Property
+         */
+        SearchPanes.prototype._getState = function () {
+            var loadedFilter = this.s.dt.state.loaded();
+            if (loadedFilter && loadedFilter.searchPanes && loadedFilter.searchPanes.selectionList !== undefined) {
+                this.s.selectionList = loadedFilter.searchPanes.selectionList;
+            }
+        };
+        /**
+         * Makes all of the selections when cascade is active
+         * @param newSelectionList the list of selections to be made, in the order they were originally selected
+         */
+        SearchPanes.prototype._makeCascadeSelections = function (newSelectionList) {
+            // make selections in the order they were made previously, excluding those from the pane where a deselect was made
+            for (var i = 0; i < newSelectionList.length; i++) {
+                var _loop_1 = function (pane) {
+                    if (pane.s.index === newSelectionList[i].index && pane.s.dtPane !== undefined) {
+                        // When regenerating the cascade selections we need this flag so that the panes are only ignored if it
+                        //  is the last selection and the pane for that selection
+                        if (i === newSelectionList.length - 1) {
+                            pane.s.lastCascade = true;
+                        }
+                        // if there are any selections currently in the pane then deselect them as we are about to make our new selections
+                        if (pane.s.dtPane.rows({ selected: true }).data().toArray().length > 0 && pane.s.dtPane !== undefined) {
+                            pane.setClear(true);
+                            pane.clearPane();
+                            pane.setClear(false);
+                        }
+                        var _loop_2 = function (row) {
+                            pane.s.dtPane.rows().every(function (rowIdx) {
+                                if (pane.s.dtPane.row(rowIdx).data() !== undefined &&
+                                    row !== undefined &&
+                                    pane.s.dtPane.row(rowIdx).data().filter === row.filter) {
+                                    pane.s.dtPane.row(rowIdx).select();
+                                }
+                            });
+                        };
+                        // select every row in the pane that was selected previously
+                        for (var _i = 0, _a = newSelectionList[i].rows; _i < _a.length; _i++) {
+                            var row = _a[_i];
+                            _loop_2(row);
+                        }
+                        // Update the label that shows how many filters are in place
+                        this_1._updateFilterCount();
+                        pane.s.lastCascade = false;
+                    }
+                };
+                var this_1 = this;
+                // As the selections may have been made across the panes in a different order to the pane index we must identify
+                //  which pane has the index of the selection. This is also important for colreorder etc
+                for (var _i = 0, _a = this.s.panes; _i < _a.length; _i++) {
+                    var pane = _a[_i];
+                    _loop_1(pane);
+                }
+            }
+            // Make sure that the state is saved after all of these selections
+            this.s.dt.state.save();
+        };
+        /**
+         * Declares the instances of individual searchpanes dependant on the number of columns.
+         * It is necessary to run this once preInit has completed otherwise no panes will be
+         *  created as the column count will be 0.
+         * @param table the DataTable api for the parent table
+         * @param paneSettings the settings passed into the constructor
+         * @param opts the options passed into the constructor
+         */
+        SearchPanes.prototype._paneDeclare = function (table, paneSettings, opts) {
+            var _this = this;
+            // Create Panes
+            table
+                .columns(this.c.columns.length > 0 ? this.c.columns : undefined)
+                .eq(0)
+                .each(function (idx) {
+                _this.s.panes.push(new SearchPane(paneSettings, opts, idx, _this.c.layout, _this.dom.panes));
+            });
+            // If there is any extra custom panes defined then create panes for them too
+            var rowLength = table.columns().eq(0).toArray().length;
+            var paneLength = this.c.panes.length;
+            for (var i = 0; i < paneLength; i++) {
+                var id = rowLength + i;
+                this.s.panes.push(new SearchPane(paneSettings, opts, id, this.c.layout, this.dom.panes, this.c.panes[i]));
+            }
+            // If a custom ordering is being used
+            if (this.c.order.length > 0) {
+                // Make a new Array of panes based upon the order
+                var newPanes = this.c.order.map(function (name, index, values) {
+                    return _this._findPane(name);
+                });
+                // Remove the old panes from the dom
+                this.dom.panes.empty();
+                this.s.panes = newPanes;
+                // Append the panes in the correct order
+                for (var _i = 0, _a = this.s.panes; _i < _a.length; _i++) {
+                    var pane = _a[_i];
+                    this.dom.panes.append(pane.dom.container);
+                }
+            }
+            // If this internal property is true then the DataTable has been initialised already
+            if (this.s.dt.settings()[0]._bInitComplete) {
+                this._paneStartup(table);
+            }
+            else {
+                // Otherwise add the paneStartup function to the list of functions that are to be run when the table is initialised
+                // This will garauntee that the panes are initialised before the init event and init Complete callback is fired
+                this.s.dt.settings()[0].aoInitComplete.push({ fn: function () {
+                        _this._paneStartup(table);
+                    } });
+            }
+        };
+        /**
+         * Finds a pane based upon the name of that pane
+         * @param name string representing the name of the pane
+         * @returns SearchPane The pane which has that name
+         */
+        SearchPanes.prototype._findPane = function (name) {
+            for (var _i = 0, _a = this.s.panes; _i < _a.length; _i++) {
+                var pane = _a[_i];
+                if (name === pane.s.name) {
+                    return pane;
+                }
+            }
+        };
+        /**
+         * Runs the start up functions for the panes to enable listeners and populate panes
+         * @param table the DataTable api for the parent Table
+         */
+        SearchPanes.prototype._paneStartup = function (table) {
+            var _this = this;
+            // Magic number of 500 is a guess at what will be fast
+            if (this.s.dt.page.info().recordsTotal <= 500) {
+                this._startup(table);
+            }
+            else {
+                setTimeout(function () {
+                    _this._startup(table);
+                }, 100);
+            }
+        };
+        /**
+         * Works out which panes to update when data is recieved from the server and viewTotal is active
+         */
+        SearchPanes.prototype._serverTotals = function () {
+            var selectPresent = false;
+            var deselectPresent = false;
+            var table = this.s.dt;
+            for (var _i = 0, _a = this.s.panes; _i < _a.length; _i++) {
+                var pane = _a[_i];
+                // Identify the pane where a selection or deselection has been made and add it to the list.
+                if (pane.s.selectPresent) {
+                    this.s.selectionList.push({ index: pane.s.index, rows: pane.s.dtPane.rows({ selected: true }).data().toArray(), protect: false });
+                    table.state.save();
+                    pane.s.selectPresent = false;
+                    selectPresent = true;
+                    break;
+                }
+                else if (pane.s.deselect) {
+                    var selectedData = pane.s.dtPane.rows({ selected: true }).data().toArray();
+                    if (selectedData.length > 0) {
+                        this.s.selectionList.push({ index: pane.s.index, rows: selectedData, protect: true });
+                    }
+                    selectPresent = true;
+                    deselectPresent = true;
+                }
+            }
+            // Build an updated list based on any selections or deselections added
+            if (!selectPresent) {
+                this.s.selectionList = [];
+            }
+            else {
+                var newSelectionList = [];
+                for (var i = 0; i < this.s.selectionList.length; i++) {
+                    var further = false;
+                    // Find out if this selection is the last one in the list for that pane
+                    for (var j = i + 1; j < this.s.selectionList.length; j++) {
+                        if (this.s.selectionList[j].index === this.s.selectionList[i].index) {
+                            further = true;
+                        }
+                    }
+                    // If there are no selections for this pane in the list then just push this one
+                    if (!further &&
+                        this.s.panes[this.s.selectionList[i].index].s.dtPane.rows({ selected: true }).data().toArray().length > 0) {
+                        newSelectionList.push(this.s.selectionList[i]);
+                    }
+                }
+                this.s.selectionList = newSelectionList;
+            }
+            var initIdx = -1;
+            // If there has been a deselect and only one pane has a selection then update everything
+            if (deselectPresent && this.s.selectionList.length === 1) {
+                for (var _b = 0, _c = this.s.panes; _b < _c.length; _b++) {
+                    var pane = _c[_b];
+                    pane.s.lastSelect = false;
+                    pane.s.deselect = false;
+                    if (pane.s.dtPane !== undefined && pane.s.dtPane.rows({ selected: true }).data().toArray().length > 0) {
+                        initIdx = pane.s.index;
+                    }
+                }
+            }
+            // Otherwise if there are more 1 selections then find the last one and set it to not update that pane
+            else if (this.s.selectionList.length > 0) {
+                var last = this.s.selectionList[this.s.selectionList.length - 1].index;
+                for (var _d = 0, _e = this.s.panes; _d < _e.length; _d++) {
+                    var pane = _e[_d];
+                    pane.s.lastSelect = (pane.s.index === last);
+                    pane.s.deselect = false;
+                }
+            }
+            // Otherwise if there are no selections then find where that took place and do not update to maintain scrolling
+            else if (this.s.selectionList.length === 0) {
+                for (var _f = 0, _g = this.s.panes; _f < _g.length; _f++) {
+                    var pane = _g[_f];
+                    // pane.s.lastSelect = (pane.s.deselect === true);
+                    pane.s.lastSelect = false;
+                    pane.s.deselect = false;
+                }
+            }
+            $$1(this.dom.panes).empty();
+            // Rebuild the desired panes
+            for (var _h = 0, _j = this.s.panes; _h < _j.length; _h++) {
+                var pane = _j[_h];
+                if (!pane.s.lastSelect) {
+                    pane.rebuildPane(undefined, this.s.dt.page.info().serverSide ? this.s.serverData : undefined, pane.s.index === initIdx ? true : null, true);
+                }
+                else {
+                    pane._setListeners();
+                }
+                // append all of the panes and enable select
+                $$1(this.dom.panes).append(pane.dom.container);
+                if (pane.s.dtPane !== undefined) {
+                    $$1(pane.s.dtPane.table().node()).parent()[0].scrollTop = pane.s.scrollTop;
+                    $$1.fn.dataTable.select.init(pane.s.dtPane);
+                }
+            }
+        };
+        /**
+         * Initialises the tables previous/preset selections and initialises callbacks for events
+         * @param table the parent table for which the searchPanes are being created
+         */
+        SearchPanes.prototype._startup = function (table) {
+            var _this = this;
+            $$1(this.dom.container).text('');
+            // Attach clear button and title bar to the document
+            this._attachExtras();
+            $$1(this.dom.container).append(this.dom.panes);
+            $$1(this.dom.panes).empty();
+            if (this.c.viewTotal && !this.c.cascadePanes) {
+                var loadedFilter = this.s.dt.state.loaded();
+                if (loadedFilter !== null &&
+                    loadedFilter !== undefined &&
+                    loadedFilter.searchPanes !== undefined &&
+                    loadedFilter.searchPanes.panes !== undefined) {
+                    var filterActive = false;
+                    for (var _i = 0, _a = loadedFilter.searchPanes.panes; _i < _a.length; _i++) {
+                        var pane = _a[_i];
+                        if (pane.selected.length > 0) {
+                            filterActive = true;
+                            break;
+                        }
+                    }
+                    if (filterActive) {
+                        for (var _b = 0, _c = this.s.panes; _b < _c.length; _b++) {
+                            var pane = _c[_b];
+                            pane.s.showFiltered = true;
+                        }
+                    }
+                }
+            }
+            for (var _d = 0, _e = this.s.panes; _d < _e.length; _d++) {
+                var pane = _e[_d];
+                pane.rebuildPane(undefined, this.s.dt.page.info().serverSide ? this.s.serverData : undefined);
+                $$1(this.dom.panes).append(pane.dom.container);
+            }
+            if (this.c.viewTotal && !this.c.cascadePanes) {
+                for (var _f = 0, _g = this.s.panes; _f < _g.length; _f++) {
+                    var pane = _g[_f];
+                    pane.updatePane();
+                }
+            }
+            this._updateFilterCount();
+            this._checkMessage();
+            // When a draw is called on the DataTable, update all of the panes incase the data in the DataTable has changed
+            table.on('draw.dtsps', function () {
+                _this._updateFilterCount();
+                if ((_this.c.cascadePanes || _this.c.viewTotal) && !_this.s.dt.page.info().serverSide) {
+                    _this.redrawPanes();
+                }
+                else {
+                    _this._updateSelection();
+                }
+                _this.s.filterPane = -1;
+            });
+            // Whenever a state save occurs store the selection list in the state object
+            this.s.dt.on('stateSaveParams.dtsp', function (e, settings, data) {
+                if (data.searchPanes === undefined) {
+                    data.searchPanes = {};
+                }
+                data.searchPanes.selectionList = _this.s.selectionList;
+            });
+            // If the data is reloaded from the server then it is possible that it has changed completely,
+            // so we need to rebuild the panes
+            this.s.dt.on('xhr', function () {
+                var processing = false;
+                if (!_this.s.dt.page.info().serverSide) {
+                    _this.s.dt.one('draw', function () {
+                        if (processing) {
+                            return;
+                        }
+                        processing = true;
+                        $$1(_this.dom.panes).empty();
+                        for (var _i = 0, _a = _this.s.panes; _i < _a.length; _i++) {
+                            var pane = _a[_i];
+                            pane.clearData(); // Clears all of the bins and will mean that the data has to be re-read
+                            // Pass a boolean to say whether this is the last choice made for maintaining selections when rebuilding
+                            pane.rebuildPane(_this.s.selectionList[_this.s.selectionList.length - 1] !== undefined ?
+                                pane.s.index === _this.s.selectionList[_this.s.selectionList.length - 1].index :
+                                false, undefined, undefined, true);
+                            $$1(_this.dom.panes).append(pane.dom.container);
+                        }
+                        if (_this.c.cascadePanes || _this.c.viewTotal) {
+                            _this.redrawPanes(_this.c.cascadePanes);
+                        }
+                        else {
+                            _this._updateSelection();
+                        }
+                        _this._checkMessage();
+                    });
+                }
+            });
+            if (this.s.selectionList !== undefined && this.s.selectionList.length > 0) {
+                var last = this.s.selectionList[this.s.selectionList.length - 1].index;
+                for (var _h = 0, _j = this.s.panes; _h < _j.length; _h++) {
+                    var pane = _j[_h];
+                    pane.s.lastSelect = (pane.s.index === last);
+                }
+            }
+            // If cascadePanes is active then make the previous selections in the order they were previously
+            if (this.s.selectionList.length > 0 && this.c.cascadePanes) {
+                this._cascadeRegen(this.s.selectionList);
+            }
+            // PreSelect any selections which have been defined using the preSelect option
+            table
+                .columns(this.c.columns.length > 0 ? this.c.columns : undefined)
+                .eq(0)
+                .each(function (idx) {
+                if (_this.s.panes[idx] !== undefined &&
+                    _this.s.panes[idx].s.dtPane !== undefined &&
+                    _this.s.panes[idx].s.colOpts.preSelect !== undefined) {
+                    var tableLength = _this.s.panes[idx].s.dtPane.rows().data().toArray().length;
+                    for (var i = 0; i < tableLength; i++) {
+                        if (_this.s.panes[idx].s.colOpts.preSelect.indexOf(_this.s.panes[idx].s.dtPane.cell(i, 0).data()) !== -1) {
+                            _this.s.panes[idx].s.dtPane.row(i).select();
+                            _this.s.panes[idx].updateTable();
+                        }
+                    }
+                }
+            });
+            // Update the title bar to show how many filters have been selected
+            this._updateFilterCount();
+            // If the table is destroyed and restarted then clear the selections so that they do not persist.
+            table.on('destroy.dtsps', function () {
+                for (var _i = 0, _a = _this.s.panes; _i < _a.length; _i++) {
+                    var pane = _a[_i];
+                    pane.destroy();
+                }
+                table.off('.dtsps');
+                $$1(_this.dom.clearAll).off('.dtsps');
+                $$1(_this.dom.container).remove();
+                _this.clearSelections();
+            });
+            // When the clear All button has been pressed clear all of the selections in the panes
+            if (this.c.clear) {
+                $$1(this.dom.clearAll).on('click.dtsps', function () {
+                    _this.clearSelections();
+                });
+            }
+            if (this.s.dt.page.info().serverSide) {
+                table.on('preXhr.dt', function (e, settings, data) {
+                    if (data.searchPanes === undefined) {
+                        data.searchPanes = {};
+                    }
+                    for (var _i = 0, _a = _this.s.panes; _i < _a.length; _i++) {
+                        var pane = _a[_i];
+                        var src = _this.s.dt.column(pane.s.index).dataSrc();
+                        if (data.searchPanes[src] === undefined) {
+                            data.searchPanes[src] = {};
+                        }
+                        if (pane.s.dtPane !== undefined) {
+                            var rowData = pane.s.dtPane.rows({ selected: true }).data().toArray();
+                            for (var i = 0; i < rowData.length; i++) {
+                                data.searchPanes[src][i] = rowData[i].display;
+                            }
+                        }
+                    }
+                    if (_this.c.viewTotal) {
+                        _this._prepViewTotal();
+                    }
+                });
+            }
+            else {
+                table.on('preXhr.dt', function (e, settings, data) {
+                    for (var _i = 0, _a = _this.s.panes; _i < _a.length; _i++) {
+                        var pane = _a[_i];
+                        pane.clearData();
+                    }
+                });
+            }
+            table.settings()[0]._searchPanes = this;
+        };
+        SearchPanes.prototype._prepViewTotal = function () {
+            var filterPane = this.s.filterPane;
+            var filterActive = false;
+            for (var _i = 0, _a = this.s.panes; _i < _a.length; _i++) {
+                var pane = _a[_i];
+                if (pane.s.dtPane !== undefined) {
+                    var selectLength = pane.s.dtPane.rows({ selected: true }).data().toArray().length;
+                    // If filterPane === -1 then a pane with a selection has not been found yet, so set filterPane to that panes index
+                    if (selectLength > 0 && filterPane === -1) {
+                        filterPane = pane.s.index;
+                        filterActive = true;
+                    }
+                    // Then if another pane is found with a selection then set filterPane to null to
+                    //  show that multiple panes have selections present
+                    else if (selectLength > 0) {
+                        filterPane = null;
+                    }
+                }
+            }
+            // Update all of the panes to reflect the current state of the filters
+            for (var _b = 0, _c = this.s.panes; _b < _c.length; _b++) {
+                var pane = _c[_b];
+                if (pane.s.dtPane !== undefined) {
+                    pane.s.filteringActive = true;
+                    if ((filterPane !== -1 && filterPane !== null && filterPane === pane.s.index) || filterActive === false) {
+                        pane.s.filteringActive = false;
+                    }
+                }
+            }
+        };
+        /**
+         * Updates the number of filters that have been applied in the title
+         */
+        SearchPanes.prototype._updateFilterCount = function () {
+            var filterCount = 0;
+            // Add the number of all of the filters throughout the panes
+            for (var _i = 0, _a = this.s.panes; _i < _a.length; _i++) {
+                var pane = _a[_i];
+                if (pane.s.dtPane !== undefined) {
+                    filterCount += pane.getPaneCount();
+                }
+            }
+            // Run the message through the internationalisation method to improve readability
+            var message = this.s.dt.i18n('searchPanes.title', 'Filters Active - %d', filterCount);
+            $$1(this.dom.title).text(message);
+            if (this.c.filterChanged !== undefined && typeof this.c.filterChanged === 'function') {
+                this.c.filterChanged(filterCount);
+            }
+        };
+        /**
+         * Updates the selectionList when cascade is not in place
+         */
+        SearchPanes.prototype._updateSelection = function () {
+            this.s.selectionList = [];
+            for (var _i = 0, _a = this.s.panes; _i < _a.length; _i++) {
+                var pane = _a[_i];
+                if (pane.s.dtPane !== undefined) {
+                    this.s.selectionList.push({ index: pane.s.index, rows: pane.s.dtPane.rows({ selected: true }).data().toArray(), protect: false });
+                }
+            }
+            this.s.dt.state.save();
+        };
+        SearchPanes.version = '1.1.1';
+        SearchPanes.classes = {
+            clear: 'dtsp-clear',
+            clearAll: 'dtsp-clearAll',
+            container: 'dtsp-searchPanes',
+            emptyMessage: 'dtsp-emptyMessage',
+            hide: 'dtsp-hidden',
+            panes: 'dtsp-panesContainer',
+            search: 'dtsp-search',
+            title: 'dtsp-title',
+            titleRow: 'dtsp-titleRow'
+        };
+        // Define SearchPanes default options
+        SearchPanes.defaults = {
+            cascadePanes: false,
+            clear: true,
+            container: function (dt) {
+                return dt.table().container();
+            },
+            columns: [],
+            filterChanged: undefined,
+            layout: 'columns-3',
+            order: [],
+            panes: [],
+            viewTotal: false
+        };
+        return SearchPanes;
+    }());
+
+    /*! SearchPanes 1.1.1
+     * 2019-2020 SpryMedia Ltd - datatables.net/license
+     */
+    // DataTables extensions common UMD. Note that this allows for AMD, CommonJS
+    // (with window and jQuery being allowed as parameters to the returned
+    // function) or just default browser loading.
+    (function (factory) {
+        if (typeof define === 'function' && define.amd) {
+            // AMD
+            define(['jquery', 'datatables.net'], function ($) {
+                return factory($, window, document);
+            });
+        }
+        else if (typeof exports === 'object') {
+            // CommonJS
+            module.exports = function (root, $) {
+                if (!root) {
+                    root = window;
+                }
+                if (!$ || !$.fn.dataTable) {
+                    $ = require('datatables.net')(root, $).$;
+                }
+                return factory($, root, root.document);
+            };
+        }
+        else {
+            // Browser - assume jQuery has already been loaded
+            factory(window.jQuery, window, document);
+        }
+    }(function ($, window, document) {
+        setJQuery($);
+        setJQuery$1($);
+        var DataTable = $.fn.dataTable;
+        $.fn.dataTable.SearchPanes = SearchPanes;
+        $.fn.DataTable.SearchPanes = SearchPanes;
+        $.fn.dataTable.SearchPane = SearchPane;
+        $.fn.DataTable.SearchPane = SearchPane;
+        DataTable.Api.register('searchPanes.rebuild()', function () {
+            return this.iterator('table', function () {
+                if (this.searchPanes) {
+                    this.searchPanes.rebuild();
+                }
+            });
+        });
+        DataTable.Api.register('column().paneOptions()', function (options) {
+            return this.iterator('column', function (idx) {
+                var col = this.aoColumns[idx];
+                if (!col.searchPanes) {
+                    col.searchPanes = {};
+                }
+                col.searchPanes.values = options;
+                if (this.searchPanes) {
+                    this.searchPanes.rebuild();
+                }
+            });
+        });
+        var apiRegister = $.fn.dataTable.Api.register;
+        apiRegister('searchPanes()', function () {
+            return this;
+        });
+        apiRegister('searchPanes.clearSelections()', function () {
+            var ctx = this.context[0];
+            ctx._searchPanes.clearSelections();
+            return this;
+        });
+        apiRegister('searchPanes.rebuildPane()', function (targetIdx, maintainSelections) {
+            var ctx = this.context[0];
+            ctx._searchPanes.rebuild(targetIdx, maintainSelections);
+            return this;
+        });
+        apiRegister('searchPanes.container()', function () {
+            var ctx = this.context[0];
+            return ctx._searchPanes.getNode();
+        });
+        $.fn.dataTable.ext.buttons.searchPanesClear = {
+            text: 'Clear Panes',
+            action: function (e, dt, node, config) {
+                dt.searchPanes.clearSelections();
+            }
+        };
+        $.fn.dataTable.ext.buttons.searchPanes = {
+            action: function (e, dt, node, config) {
+                e.stopPropagation();
+                this.popover(config._panes.getNode(), {
+                    align: 'dt-container'
+                });
+            },
+            config: {},
+            init: function (dt, node, config) {
+                var panes = new $.fn.dataTable.SearchPanes(dt, $.extend({
+                    filterChanged: function (count) {
+                        dt.button(node).text(dt.i18n('searchPanes.collapse', { 0: 'SearchPanes', _: 'SearchPanes (%d)' }, count));
+                    }
+                }, config.config));
+                var message = dt.i18n('searchPanes.collapse', 'SearchPanes', 0);
+                dt.button(node).text(message);
+                config._panes = panes;
+            },
+            text: 'Search Panes'
+        };
+        function _init(settings, fromPre) {
+            if (fromPre === void 0) { fromPre = false; }
+            var api = new DataTable.Api(settings);
+            var opts = api.init().searchPanes || DataTable.defaults.searchPanes;
+            var searchPanes = new SearchPanes(api, opts, fromPre);
+            var node = searchPanes.getNode();
+            return node;
+        }
+        // Attach a listener to the document which listens for DataTables initialisation
+        // events so we can automatically initialise
+        $(document).on('preInit.dt.dtsp', function (e, settings, json) {
+            if (e.namespace !== 'dt') {
+                return;
+            }
+            if (settings.oInit.searchPanes ||
+                DataTable.defaults.searchPanes) {
+                if (!settings._searchPanes) {
+                    _init(settings, true);
+                }
+            }
+        });
+        // DataTables `dom` feature option
+        DataTable.ext.feature.push({
+            cFeature: 'P',
+            fnInit: _init
+        });
+        // DataTables 2 layout feature
+        if (DataTable.ext.features) {
+            DataTable.ext.features.register('searchPanes', _init);
+        }
+    }));
+
+}());
+
+
+(function (factory) {
+    if (typeof define === 'function' && define.amd) {
+        // AMD
+        define(['jquery', 'datatables.net-dt', 'datatables.net-searchPanes'], function ($) {
+            return factory($, window, document);
+        });
+    }
+    else if (typeof exports === 'object') {
+        // CommonJS
+        module.exports = function (root, $) {
+            if (!root) {
+                root = window;
+            }
+            if (!$ || !$.fn.dataTable) {
+                $ = require('datatables.net-dt')(root, $).$;
+            }
+            if (!$.fn.dataTable.searchPanes) {
+                require('datatables.net-searchpanes')(root, $);
+            }
+            return factory($, root, root.document);
+        };
+    }
+    else {
+        // Browser
+        factory(jQuery, window, document);
+    }
+}(function ($, window, document) {
+    'use strict';
+    var DataTable = $.fn.dataTable;
+    return DataTable.searchPanes;
+}));
+
+
+/*! Select for DataTables 1.3.1
+ * 2015-2019 SpryMedia Ltd - datatables.net/license/mit
+ */
+
+/**
+ * @summary     Select for DataTables
+ * @description A collection of API methods, events and buttons for DataTables
+ *   that provides selection options of the items in a DataTable
+ * @version     1.3.1
+ * @file        dataTables.select.js
+ * @author      SpryMedia Ltd (www.sprymedia.co.uk)
+ * @contact     datatables.net/forums
+ * @copyright   Copyright 2015-2019 SpryMedia Ltd.
+ *
+ * This source file is free software, available under the following license:
+ *   MIT license - http://datatables.net/license/mit
+ *
+ * This source file is distributed in the hope that it will be useful, but
+ * WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY
+ * or FITNESS FOR A PARTICULAR PURPOSE. See the license files for details.
+ *
+ * For details please refer to: http://www.datatables.net/extensions/select
+ */
+(function( factory ){
+       if ( typeof define === 'function' && define.amd ) {
+               // AMD
+               define( ['jquery', 'datatables.net'], function ( $ ) {
+                       return factory( $, window, document );
+               } );
+       }
+       else if ( typeof exports === 'object' ) {
+               // CommonJS
+               module.exports = function (root, $) {
+                       if ( ! root ) {
+                               root = window;
+                       }
+
+                       if ( ! $ || ! $.fn.dataTable ) {
+                               $ = require('datatables.net')(root, $).$;
+                       }
+
+                       return factory( $, root, root.document );
+               };
+       }
+       else {
+               // Browser
+               factory( jQuery, window, document );
+       }
+}(function( $, window, document, undefined ) {
+'use strict';
+var DataTable = $.fn.dataTable;
+
+
+// Version information for debugger
+DataTable.select = {};
+
+DataTable.select.version = '1.3.1';
+
+DataTable.select.init = function ( dt ) {
+       var ctx = dt.settings()[0];
+       var init = ctx.oInit.select;
+       var defaults = DataTable.defaults.select;
+       var opts = init === undefined ?
+               defaults :
+               init;
+
+       // Set defaults
+       var items = 'row';
+       var style = 'api';
+       var blurable = false;
+       var toggleable = true;
+       var info = true;
+       var selector = 'td, th';
+       var className = 'selected';
+       var setStyle = false;
+
+       ctx._select = {};
+
+       // Initialisation customisations
+       if ( opts === true ) {
+               style = 'os';
+               setStyle = true;
+       }
+       else if ( typeof opts === 'string' ) {
+               style = opts;
+               setStyle = true;
+       }
+       else if ( $.isPlainObject( opts ) ) {
+               if ( opts.blurable !== undefined ) {
+                       blurable = opts.blurable;
+               }
+               
+               if ( opts.toggleable !== undefined ) {
+                       toggleable = opts.toggleable;
+               }
+
+               if ( opts.info !== undefined ) {
+                       info = opts.info;
+               }
+
+               if ( opts.items !== undefined ) {
+                       items = opts.items;
+               }
+
+               if ( opts.style !== undefined ) {
+                       style = opts.style;
+                       setStyle = true;
+               }
+               else {
+                       style = 'os';
+                       setStyle = true;
+               }
+
+               if ( opts.selector !== undefined ) {
+                       selector = opts.selector;
+               }
+
+               if ( opts.className !== undefined ) {
+                       className = opts.className;
+               }
+       }
+
+       dt.select.selector( selector );
+       dt.select.items( items );
+       dt.select.style( style );
+       dt.select.blurable( blurable );
+       dt.select.toggleable( toggleable );
+       dt.select.info( info );
+       ctx._select.className = className;
+
+
+       // Sort table based on selected rows. Requires Select Datatables extension
+       $.fn.dataTable.ext.order['select-checkbox'] = function ( settings, col ) {
+               return this.api().column( col, {order: 'index'} ).nodes().map( function ( td ) {
+                       if ( settings._select.items === 'row' ) {
+                               return $( td ).parent().hasClass( settings._select.className );
+                       } else if ( settings._select.items === 'cell' ) {
+                               return $( td ).hasClass( settings._select.className );
+                       }
+                       return false;
+               });
+       };
+
+       // If the init options haven't enabled select, but there is a selectable
+       // class name, then enable
+       if ( ! setStyle && $( dt.table().node() ).hasClass( 'selectable' ) ) {
+               dt.select.style( 'os' );
+       }
+};
+
+/*
+
+Select is a collection of API methods, event handlers, event emitters and
+buttons (for the `Buttons` extension) for DataTables. It provides the following
+features, with an overview of how they are implemented:
+
+## Selection of rows, columns and cells. Whether an item is selected or not is
+   stored in:
+
+* rows: a `_select_selected` property which contains a boolean value of the
+  DataTables' `aoData` object for each row
+* columns: a `_select_selected` property which contains a boolean value of the
+  DataTables' `aoColumns` object for each column
+* cells: a `_selected_cells` property which contains an array of boolean values
+  of the `aoData` object for each row. The array is the same length as the
+  columns array, with each element of it representing a cell.
+
+This method of using boolean flags allows Select to operate when nodes have not
+been created for rows / cells (DataTables' defer rendering feature).
+
+## API methods
+
+A range of API methods are available for triggering selection and de-selection
+of rows. Methods are also available to configure the selection events that can
+be triggered by an end user (such as which items are to be selected). To a large
+extent, these of API methods *is* Select. It is basically a collection of helper
+functions that can be used to select items in a DataTable.
+
+Configuration of select is held in the object `_select` which is attached to the
+DataTables settings object on initialisation. Select being available on a table
+is not optional when Select is loaded, but its default is for selection only to
+be available via the API - so the end user wouldn't be able to select rows
+without additional configuration.
+
+The `_select` object contains the following properties:
+
+```
+{
+       items:string       - Can be `rows`, `columns` or `cells`. Defines what item 
+                            will be selected if the user is allowed to activate row
+                            selection using the mouse.
+       style:string       - Can be `none`, `single`, `multi` or `os`. Defines the
+                            interaction style when selecting items
+       blurable:boolean   - If row selection can be cleared by clicking outside of
+                            the table
+       toggleable:boolean - If row selection can be cancelled by repeated clicking
+                            on the row
+       info:boolean       - If the selection summary should be shown in the table
+                            information elements
+}
+```
+
+In addition to the API methods, Select also extends the DataTables selector
+options for rows, columns and cells adding a `selected` option to the selector
+options object, allowing the developer to select only selected items or
+unselected items.
+
+## Mouse selection of items
+
+Clicking on items can be used to select items. This is done by a simple event
+handler that will select the items using the API methods.
+
+ */
+
+
+/* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * *
+ * Local functions
+ */
+
+/**
+ * Add one or more cells to the selection when shift clicking in OS selection
+ * style cell selection.
+ *
+ * Cell range is more complicated than row and column as we want to select
+ * in the visible grid rather than by index in sequence. For example, if you
+ * click first in cell 1-1 and then shift click in 2-2 - cells 1-2 and 2-1
+ * should also be selected (and not 1-3, 1-4. etc)
+ * 
+ * @param  {DataTable.Api} dt   DataTable
+ * @param  {object}        idx  Cell index to select to
+ * @param  {object}        last Cell index to select from
+ * @private
+ */
+function cellRange( dt, idx, last )
+{
+       var indexes;
+       var columnIndexes;
+       var rowIndexes;
+       var selectColumns = function ( start, end ) {
+               if ( start > end ) {
+                       var tmp = end;
+                       end = start;
+                       start = tmp;
+               }
+               
+               var record = false;
+               return dt.columns( ':visible' ).indexes().filter( function (i) {
+                       if ( i === start ) {
+                               record = true;
+                       }
+                       
+                       if ( i === end ) { // not else if, as start might === end
+                               record = false;
+                               return true;
+                       }
+
+                       return record;
+               } );
+       };
+
+       var selectRows = function ( start, end ) {
+               var indexes = dt.rows( { search: 'applied' } ).indexes();
+
+               // Which comes first - might need to swap
+               if ( indexes.indexOf( start ) > indexes.indexOf( end ) ) {
+                       var tmp = end;
+                       end = start;
+                       start = tmp;
+               }
+
+               var record = false;
+               return indexes.filter( function (i) {
+                       if ( i === start ) {
+                               record = true;
+                       }
+                       
+                       if ( i === end ) {
+                               record = false;
+                               return true;
+                       }
+
+                       return record;
+               } );
+       };
+
+       if ( ! dt.cells( { selected: true } ).any() && ! last ) {
+               // select from the top left cell to this one
+               columnIndexes = selectColumns( 0, idx.column );
+               rowIndexes = selectRows( 0 , idx.row );
+       }
+       else {
+               // Get column indexes between old and new
+               columnIndexes = selectColumns( last.column, idx.column );
+               rowIndexes = selectRows( last.row , idx.row );
+       }
+
+       indexes = dt.cells( rowIndexes, columnIndexes ).flatten();
+
+       if ( ! dt.cells( idx, { selected: true } ).any() ) {
+               // Select range
+               dt.cells( indexes ).select();
+       }
+       else {
+               // Deselect range
+               dt.cells( indexes ).deselect();
+       }
+}
+
+/**
+ * Disable mouse selection by removing the selectors
+ *
+ * @param {DataTable.Api} dt DataTable to remove events from
+ * @private
+ */
+function disableMouseSelection( dt )
+{
+       var ctx = dt.settings()[0];
+       var selector = ctx._select.selector;
+
+       $( dt.table().container() )
+               .off( 'mousedown.dtSelect', selector )
+               .off( 'mouseup.dtSelect', selector )
+               .off( 'click.dtSelect', selector );
+
+       $('body').off( 'click.dtSelect' + _safeId(dt.table().node()) );
+}
+
+/**
+ * Attach mouse listeners to the table to allow mouse selection of items
+ *
+ * @param {DataTable.Api} dt DataTable to remove events from
+ * @private
+ */
+function enableMouseSelection ( dt )
+{
+       var container = $( dt.table().container() );
+       var ctx = dt.settings()[0];
+       var selector = ctx._select.selector;
+       var matchSelection;
+
+       container
+               .on( 'mousedown.dtSelect', selector, function(e) {
+                       // Disallow text selection for shift clicking on the table so multi
+                       // element selection doesn't look terrible!
+                       if ( e.shiftKey || e.metaKey || e.ctrlKey ) {
+                               container
+                                       .css( '-moz-user-select', 'none' )
+                                       .one('selectstart.dtSelect', selector, function () {
+                                               return false;
+                                       } );
+                       }
+
+                       if ( window.getSelection ) {
+                               matchSelection = window.getSelection();
+                       }
+               } )
+               .on( 'mouseup.dtSelect', selector, function() {
+                       // Allow text selection to occur again, Mozilla style (tested in FF
+                       // 35.0.1 - still required)
+                       container.css( '-moz-user-select', '' );
+               } )
+               .on( 'click.dtSelect', selector, function ( e ) {
+                       var items = dt.select.items();
+                       var idx;
+
+                       // If text was selected (click and drag), then we shouldn't change
+                       // the row's selected state
+                       if ( matchSelection ) {
+                               var selection = window.getSelection();
+
+                               // If the element that contains the selection is not in the table, we can ignore it
+                               // This can happen if the developer selects text from the click event
+                               if ( ! selection.anchorNode || $(selection.anchorNode).closest('table')[0] === dt.table().node() ) {
+                                       if ( selection !== matchSelection ) {
+                                               return;
+                                       }
+                               }
+                       }
+
+                       var ctx = dt.settings()[0];
+                       var wrapperClass = $.trim(dt.settings()[0].oClasses.sWrapper).replace(/ +/g, '.');
+
+                       // Ignore clicks inside a sub-table
+                       if ( $(e.target).closest('div.'+wrapperClass)[0] != dt.table().container() ) {
+                               return;
+                       }
+
+                       var cell = dt.cell( $(e.target).closest('td, th') );
+
+                       // Check the cell actually belongs to the host DataTable (so child
+                       // rows, etc, are ignored)
+                       if ( ! cell.any() ) {
+                               return;
+                       }
+
+                       var event = $.Event('user-select.dt');
+                       eventTrigger( dt, event, [ items, cell, e ] );
+
+                       if ( event.isDefaultPrevented() ) {
+                               return;
+                       }
+
+                       var cellIndex = cell.index();
+                       if ( items === 'row' ) {
+                               idx = cellIndex.row;
+                               typeSelect( e, dt, ctx, 'row', idx );
+                       }
+                       else if ( items === 'column' ) {
+                               idx = cell.index().column;
+                               typeSelect( e, dt, ctx, 'column', idx );
+                       }
+                       else if ( items === 'cell' ) {
+                               idx = cell.index();
+                               typeSelect( e, dt, ctx, 'cell', idx );
+                       }
+
+                       ctx._select_lastCell = cellIndex;
+               } );
+
+       // Blurable
+       $('body').on( 'click.dtSelect' + _safeId(dt.table().node()), function ( e ) {
+               if ( ctx._select.blurable ) {
+                       // If the click was inside the DataTables container, don't blur
+                       if ( $(e.target).parents().filter( dt.table().container() ).length ) {
+                               return;
+                       }
+
+                       // Ignore elements which have been removed from the DOM (i.e. paging
+                       // buttons)
+                       if ( $(e.target).parents('html').length === 0 ) {
+                               return;
+                       }
+
+                       // Don't blur in Editor form
+                       if ( $(e.target).parents('div.DTE').length ) {
+                               return;
+                       }
+
+                       clear( ctx, true );
+               }
+       } );
+}
+
+/**
+ * Trigger an event on a DataTable
+ *
+ * @param {DataTable.Api} api      DataTable to trigger events on
+ * @param  {boolean}      selected true if selected, false if deselected
+ * @param  {string}       type     Item type acting on
+ * @param  {boolean}      any      Require that there are values before
+ *     triggering
+ * @private
+ */
+function eventTrigger ( api, type, args, any )
+{
+       if ( any && ! api.flatten().length ) {
+               return;
+       }
+
+       if ( typeof type === 'string' ) {
+               type = type +'.dt';
+       }
+
+       args.unshift( api );
+
+       $(api.table().node()).trigger( type, args );
+}
+
+/**
+ * Update the information element of the DataTable showing information about the
+ * items selected. This is done by adding tags to the existing text
+ * 
+ * @param {DataTable.Api} api DataTable to update
+ * @private
+ */
+function info ( api )
+{
+       var ctx = api.settings()[0];
+
+       if ( ! ctx._select.info || ! ctx.aanFeatures.i ) {
+               return;
+       }
+
+       if ( api.select.style() === 'api' ) {
+               return;
+       }
+
+       var rows    = api.rows( { selected: true } ).flatten().length;
+       var columns = api.columns( { selected: true } ).flatten().length;
+       var cells   = api.cells( { selected: true } ).flatten().length;
+
+       var add = function ( el, name, num ) {
+               el.append( $('<span class="select-item"/>').append( api.i18n(
+                       'select.'+name+'s',
+                       { _: '%d '+name+'s selected', 0: '', 1: '1 '+name+' selected' },
+                       num
+               ) ) );
+       };
+
+       // Internal knowledge of DataTables to loop over all information elements
+       $.each( ctx.aanFeatures.i, function ( i, el ) {
+               el = $(el);
+
+               var output  = $('<span class="select-info"/>');
+               add( output, 'row', rows );
+               add( output, 'column', columns );
+               add( output, 'cell', cells  );
+
+               var exisiting = el.children('span.select-info');
+               if ( exisiting.length ) {
+                       exisiting.remove();
+               }
+
+               if ( output.text() !== '' ) {
+                       el.append( output );
+               }
+       } );
+}
+
+/**
+ * Initialisation of a new table. Attach event handlers and callbacks to allow
+ * Select to operate correctly.
+ *
+ * This will occur _after_ the initial DataTables initialisation, although
+ * before Ajax data is rendered, if there is ajax data
+ *
+ * @param  {DataTable.settings} ctx Settings object to operate on
+ * @private
+ */
+function init ( ctx ) {
+       var api = new DataTable.Api( ctx );
+
+       // Row callback so that classes can be added to rows and cells if the item
+       // was selected before the element was created. This will happen with the
+       // `deferRender` option enabled.
+       // 
+       // This method of attaching to `aoRowCreatedCallback` is a hack until
+       // DataTables has proper events for row manipulation If you are reviewing
+       // this code to create your own plug-ins, please do not do this!
+       ctx.aoRowCreatedCallback.push( {
+               fn: function ( row, data, index ) {
+                       var i, ien;
+                       var d = ctx.aoData[ index ];
+
+                       // Row
+                       if ( d._select_selected ) {
+                               $( row ).addClass( ctx._select.className );
+                       }
+
+                       // Cells and columns - if separated out, we would need to do two
+                       // loops, so it makes sense to combine them into a single one
+                       for ( i=0, ien=ctx.aoColumns.length ; i<ien ; i++ ) {
+                               if ( ctx.aoColumns[i]._select_selected || (d._selected_cells && d._selected_cells[i]) ) {
+                                       $(d.anCells[i]).addClass( ctx._select.className );
+                               }
+                       }
+               },
+               sName: 'select-deferRender'
+       } );
+
+       // On Ajax reload we want to reselect all rows which are currently selected,
+       // if there is an rowId (i.e. a unique value to identify each row with)
+       api.on( 'preXhr.dt.dtSelect', function () {
+               // note that column selection doesn't need to be cached and then
+               // reselected, as they are already selected
+               var rows = api.rows( { selected: true } ).ids( true ).filter( function ( d ) {
+                       return d !== undefined;
+               } );
+
+               var cells = api.cells( { selected: true } ).eq(0).map( function ( cellIdx ) {
+                       var id = api.row( cellIdx.row ).id( true );
+                       return id ?
+                               { row: id, column: cellIdx.column } :
+                               undefined;
+               } ).filter( function ( d ) {
+                       return d !== undefined;
+               } );
+
+               // On the next draw, reselect the currently selected items
+               api.one( 'draw.dt.dtSelect', function () {
+                       api.rows( rows ).select();
+
+                       // `cells` is not a cell index selector, so it needs a loop
+                       if ( cells.any() ) {
+                               cells.each( function ( id ) {
+                                       api.cells( id.row, id.column ).select();
+                               } );
+                       }
+               } );
+       } );
+
+       // Update the table information element with selected item summary
+       api.on( 'draw.dtSelect.dt select.dtSelect.dt deselect.dtSelect.dt info.dt', function () {
+               info( api );
+       } );
+
+       // Clean up and release
+       api.on( 'destroy.dtSelect', function () {
+               disableMouseSelection( api );
+               api.off( '.dtSelect' );
+       } );
+}
+
+/**
+ * Add one or more items (rows or columns) to the selection when shift clicking
+ * in OS selection style
+ *
+ * @param  {DataTable.Api} dt   DataTable
+ * @param  {string}        type Row or column range selector
+ * @param  {object}        idx  Item index to select to
+ * @param  {object}        last Item index to select from
+ * @private
+ */
+function rowColumnRange( dt, type, idx, last )
+{
+       // Add a range of rows from the last selected row to this one
+       var indexes = dt[type+'s']( { search: 'applied' } ).indexes();
+       var idx1 = $.inArray( last, indexes );
+       var idx2 = $.inArray( idx, indexes );
+
+       if ( ! dt[type+'s']( { selected: true } ).any() && idx1 === -1 ) {
+               // select from top to here - slightly odd, but both Windows and Mac OS
+               // do this
+               indexes.splice( $.inArray( idx, indexes )+1, indexes.length );
+       }
+       else {
+               // reverse so we can shift click 'up' as well as down
+               if ( idx1 > idx2 ) {
+                       var tmp = idx2;
+                       idx2 = idx1;
+                       idx1 = tmp;
+               }
+
+               indexes.splice( idx2+1, indexes.length );
+               indexes.splice( 0, idx1 );
+       }
+
+       if ( ! dt[type]( idx, { selected: true } ).any() ) {
+               // Select range
+               dt[type+'s']( indexes ).select();
+       }
+       else {
+               // Deselect range - need to keep the clicked on row selected
+               indexes.splice( $.inArray( idx, indexes ), 1 );
+               dt[type+'s']( indexes ).deselect();
+       }
+}
+
+/**
+ * Clear all selected items
+ *
+ * @param  {DataTable.settings} ctx Settings object of the host DataTable
+ * @param  {boolean} [force=false] Force the de-selection to happen, regardless
+ *     of selection style
+ * @private
+ */
+function clear( ctx, force )
+{
+       if ( force || ctx._select.style === 'single' ) {
+               var api = new DataTable.Api( ctx );
+               
+               api.rows( { selected: true } ).deselect();
+               api.columns( { selected: true } ).deselect();
+               api.cells( { selected: true } ).deselect();
+       }
+}
+
+/**
+ * Select items based on the current configuration for style and items.
+ *
+ * @param  {object}             e    Mouse event object
+ * @param  {DataTables.Api}     dt   DataTable
+ * @param  {DataTable.settings} ctx  Settings object of the host DataTable
+ * @param  {string}             type Items to select
+ * @param  {int|object}         idx  Index of the item to select
+ * @private
+ */
+function typeSelect ( e, dt, ctx, type, idx )
+{
+       var style = dt.select.style();
+       var toggleable = dt.select.toggleable();
+       var isSelected = dt[type]( idx, { selected: true } ).any();
+       
+       if ( isSelected && ! toggleable ) {
+               return;
+       }
+
+       if ( style === 'os' ) {
+               if ( e.ctrlKey || e.metaKey ) {
+                       // Add or remove from the selection
+                       dt[type]( idx ).select( ! isSelected );
+               }
+               else if ( e.shiftKey ) {
+                       if ( type === 'cell' ) {
+                               cellRange( dt, idx, ctx._select_lastCell || null );
+                       }
+                       else {
+                               rowColumnRange( dt, type, idx, ctx._select_lastCell ?
+                                       ctx._select_lastCell[type] :
+                                       null
+                               );
+                       }
+               }
+               else {
+                       // No cmd or shift click - deselect if selected, or select
+                       // this row only
+                       var selected = dt[type+'s']( { selected: true } );
+
+                       if ( isSelected && selected.flatten().length === 1 ) {
+                               dt[type]( idx ).deselect();
+                       }
+                       else {
+                               selected.deselect();
+                               dt[type]( idx ).select();
+                       }
+               }
+       } else if ( style == 'multi+shift' ) {
+               if ( e.shiftKey ) {
+                       if ( type === 'cell' ) {
+                               cellRange( dt, idx, ctx._select_lastCell || null );
+                       }
+                       else {
+                               rowColumnRange( dt, type, idx, ctx._select_lastCell ?
+                                       ctx._select_lastCell[type] :
+                                       null
+                               );
+                       }
+               }
+               else {
+                       dt[ type ]( idx ).select( ! isSelected );
+               }
+       }
+       else {
+               dt[ type ]( idx ).select( ! isSelected );
+       }
+}
+
+function _safeId( node ) {
+       return node.id.replace(/[^a-zA-Z0-9\-\_]/g, '-');
+}
+
+
+
+/* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * *
+ * DataTables selectors
+ */
+
+// row and column are basically identical just assigned to different properties
+// and checking a different array, so we can dynamically create the functions to
+// reduce the code size
+$.each( [
+       { type: 'row', prop: 'aoData' },
+       { type: 'column', prop: 'aoColumns' }
+], function ( i, o ) {
+       DataTable.ext.selector[ o.type ].push( function ( settings, opts, indexes ) {
+               var selected = opts.selected;
+               var data;
+               var out = [];
+
+               if ( selected !== true && selected !== false ) {
+                       return indexes;
+               }
+
+               for ( var i=0, ien=indexes.length ; i<ien ; i++ ) {
+                       data = settings[ o.prop ][ indexes[i] ];
+
+                       if ( (selected === true && data._select_selected === true) ||
+                            (selected === false && ! data._select_selected )
+                       ) {
+                               out.push( indexes[i] );
+                       }
+               }
+
+               return out;
+       } );
+} );
+
+DataTable.ext.selector.cell.push( function ( settings, opts, cells ) {
+       var selected = opts.selected;
+       var rowData;
+       var out = [];
+
+       if ( selected === undefined ) {
+               return cells;
+       }
+
+       for ( var i=0, ien=cells.length ; i<ien ; i++ ) {
+               rowData = settings.aoData[ cells[i].row ];
+
+               if ( (selected === true && rowData._selected_cells && rowData._selected_cells[ cells[i].column ] === true) ||
+                    (selected === false && ( ! rowData._selected_cells || ! rowData._selected_cells[ cells[i].column ] ) )
+               ) {
+                       out.push( cells[i] );
+               }
+       }
+
+       return out;
+} );
+
+
+
+/* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * *
+ * DataTables API
+ *
+ * For complete documentation, please refer to the docs/api directory or the
+ * DataTables site
+ */
+
+// Local variables to improve compression
+var apiRegister = DataTable.Api.register;
+var apiRegisterPlural = DataTable.Api.registerPlural;
+
+apiRegister( 'select()', function () {
+       return this.iterator( 'table', function ( ctx ) {
+               DataTable.select.init( new DataTable.Api( ctx ) );
+       } );
+} );
+
+apiRegister( 'select.blurable()', function ( flag ) {
+       if ( flag === undefined ) {
+               return this.context[0]._select.blurable;
+       }
+
+       return this.iterator( 'table', function ( ctx ) {
+               ctx._select.blurable = flag;
+       } );
+} );
+
+apiRegister( 'select.toggleable()', function ( flag ) {
+       if ( flag === undefined ) {
+               return this.context[0]._select.toggleable;
+       }
+
+       return this.iterator( 'table', function ( ctx ) {
+               ctx._select.toggleable = flag;
+       } );
+} );
+
+apiRegister( 'select.info()', function ( flag ) {
+       if ( info === undefined ) {
+               return this.context[0]._select.info;
+       }
+
+       return this.iterator( 'table', function ( ctx ) {
+               ctx._select.info = flag;
+       } );
+} );
+
+apiRegister( 'select.items()', function ( items ) {
+       if ( items === undefined ) {
+               return this.context[0]._select.items;
+       }
+
+       return this.iterator( 'table', function ( ctx ) {
+               ctx._select.items = items;
+
+               eventTrigger( new DataTable.Api( ctx ), 'selectItems', [ items ] );
+       } );
+} );
+
+// Takes effect from the _next_ selection. None disables future selection, but
+// does not clear the current selection. Use the `deselect` methods for that
+apiRegister( 'select.style()', function ( style ) {
+       if ( style === undefined ) {
+               return this.context[0]._select.style;
+       }
+
+       return this.iterator( 'table', function ( ctx ) {
+               ctx._select.style = style;
+
+               if ( ! ctx._select_init ) {
+                       init( ctx );
+               }
+
+               // Add / remove mouse event handlers. They aren't required when only
+               // API selection is available
+               var dt = new DataTable.Api( ctx );
+               disableMouseSelection( dt );
+               
+               if ( style !== 'api' ) {
+                       enableMouseSelection( dt );
+               }
+
+               eventTrigger( new DataTable.Api( ctx ), 'selectStyle', [ style ] );
+       } );
+} );
+
+apiRegister( 'select.selector()', function ( selector ) {
+       if ( selector === undefined ) {
+               return this.context[0]._select.selector;
+       }
+
+       return this.iterator( 'table', function ( ctx ) {
+               disableMouseSelection( new DataTable.Api( ctx ) );
+
+               ctx._select.selector = selector;
+
+               if ( ctx._select.style !== 'api' ) {
+                       enableMouseSelection( new DataTable.Api( ctx ) );
+               }
+       } );
+} );
+
+
+
+apiRegisterPlural( 'rows().select()', 'row().select()', function ( select ) {
+       var api = this;
+
+       if ( select === false ) {
+               return this.deselect();
+       }
+
+       this.iterator( 'row', function ( ctx, idx ) {
+               clear( ctx );
+
+               ctx.aoData[ idx ]._select_selected = true;
+               $( ctx.aoData[ idx ].nTr ).addClass( ctx._select.className );
+       } );
+
+       this.iterator( 'table', function ( ctx, i ) {
+               eventTrigger( api, 'select', [ 'row', api[i] ], true );
+       } );
+
+       return this;
+} );
+
+apiRegisterPlural( 'columns().select()', 'column().select()', function ( select ) {
+       var api = this;
+
+       if ( select === false ) {
+               return this.deselect();
+       }
+
+       this.iterator( 'column', function ( ctx, idx ) {
+               clear( ctx );
+
+               ctx.aoColumns[ idx ]._select_selected = true;
+
+               var column = new DataTable.Api( ctx ).column( idx );
+
+               $( column.header() ).addClass( ctx._select.className );
+               $( column.footer() ).addClass( ctx._select.className );
+
+               column.nodes().to$().addClass( ctx._select.className );
+       } );
+
+       this.iterator( 'table', function ( ctx, i ) {
+               eventTrigger( api, 'select', [ 'column', api[i] ], true );
+       } );
+
+       return this;
+} );
+
+apiRegisterPlural( 'cells().select()', 'cell().select()', function ( select ) {
+       var api = this;
+
+       if ( select === false ) {
+               return this.deselect();
+       }
+
+       this.iterator( 'cell', function ( ctx, rowIdx, colIdx ) {
+               clear( ctx );
+
+               var data = ctx.aoData[ rowIdx ];
+
+               if ( data._selected_cells === undefined ) {
+                       data._selected_cells = [];
+               }
+
+               data._selected_cells[ colIdx ] = true;
+
+               if ( data.anCells ) {
+                       $( data.anCells[ colIdx ] ).addClass( ctx._select.className );
+               }
+       } );
+
+       this.iterator( 'table', function ( ctx, i ) {
+               eventTrigger( api, 'select', [ 'cell', api[i] ], true );
+       } );
+
+       return this;
+} );
+
+
+apiRegisterPlural( 'rows().deselect()', 'row().deselect()', function () {
+       var api = this;
+
+       this.iterator( 'row', function ( ctx, idx ) {
+               ctx.aoData[ idx ]._select_selected = false;
+               $( ctx.aoData[ idx ].nTr ).removeClass( ctx._select.className );
+       } );
+
+       this.iterator( 'table', function ( ctx, i ) {
+               eventTrigger( api, 'deselect', [ 'row', api[i] ], true );
+       } );
+
+       return this;
+} );
+
+apiRegisterPlural( 'columns().deselect()', 'column().deselect()', function () {
+       var api = this;
+
+       this.iterator( 'column', function ( ctx, idx ) {
+               ctx.aoColumns[ idx ]._select_selected = false;
+
+               var api = new DataTable.Api( ctx );
+               var column = api.column( idx );
+
+               $( column.header() ).removeClass( ctx._select.className );
+               $( column.footer() ).removeClass( ctx._select.className );
+
+               // Need to loop over each cell, rather than just using
+               // `column().nodes()` as cells which are individually selected should
+               // not have the `selected` class removed from them
+               api.cells( null, idx ).indexes().each( function (cellIdx) {
+                       var data = ctx.aoData[ cellIdx.row ];
+                       var cellSelected = data._selected_cells;
+
+                       if ( data.anCells && (! cellSelected || ! cellSelected[ cellIdx.column ]) ) {
+                               $( data.anCells[ cellIdx.column  ] ).removeClass( ctx._select.className );
+                       }
+               } );
+       } );
+
+       this.iterator( 'table', function ( ctx, i ) {
+               eventTrigger( api, 'deselect', [ 'column', api[i] ], true );
+       } );
+
+       return this;
+} );
+
+apiRegisterPlural( 'cells().deselect()', 'cell().deselect()', function () {
+       var api = this;
+
+       this.iterator( 'cell', function ( ctx, rowIdx, colIdx ) {
+               var data = ctx.aoData[ rowIdx ];
+
+               data._selected_cells[ colIdx ] = false;
+
+               // Remove class only if the cells exist, and the cell is not column
+               // selected, in which case the class should remain (since it is selected
+               // in the column)
+               if ( data.anCells && ! ctx.aoColumns[ colIdx ]._select_selected ) {
+                       $( data.anCells[ colIdx ] ).removeClass( ctx._select.className );
+               }
+       } );
+
+       this.iterator( 'table', function ( ctx, i ) {
+               eventTrigger( api, 'deselect', [ 'cell', api[i] ], true );
+       } );
+
+       return this;
+} );
+
+
+
+/* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * *
+ * Buttons
+ */
+function i18n( label, def ) {
+       return function (dt) {
+               return dt.i18n( 'buttons.'+label, def );
+       };
+}
+
+// Common events with suitable namespaces
+function namespacedEvents ( config ) {
+       var unique = config._eventNamespace;
+
+       return 'draw.dt.DT'+unique+' select.dt.DT'+unique+' deselect.dt.DT'+unique;
+}
+
+function enabled ( dt, config ) {
+       if ( $.inArray( 'rows', config.limitTo ) !== -1 && dt.rows( { selected: true } ).any() ) {
+               return true;
+       }
+
+       if ( $.inArray( 'columns', config.limitTo ) !== -1 && dt.columns( { selected: true } ).any() ) {
+               return true;
+       }
+
+       if ( $.inArray( 'cells', config.limitTo ) !== -1 && dt.cells( { selected: true } ).any() ) {
+               return true;
+       }
+
+       return false;
+}
+
+var _buttonNamespace = 0;
+
+$.extend( DataTable.ext.buttons, {
+       selected: {
+               text: i18n( 'selected', 'Selected' ),
+               className: 'buttons-selected',
+               limitTo: [ 'rows', 'columns', 'cells' ],
+               init: function ( dt, node, config ) {
+                       var that = this;
+                       config._eventNamespace = '.select'+(_buttonNamespace++);
+
+                       // .DT namespace listeners are removed by DataTables automatically
+                       // on table destroy
+                       dt.on( namespacedEvents(config), function () {
+                               that.enable( enabled(dt, config) );
+                       } );
+
+                       this.disable();
+               },
+               destroy: function ( dt, node, config ) {
+                       dt.off( config._eventNamespace );
+               }
+       },
+       selectedSingle: {
+               text: i18n( 'selectedSingle', 'Selected single' ),
+               className: 'buttons-selected-single',
+               init: function ( dt, node, config ) {
+                       var that = this;
+                       config._eventNamespace = '.select'+(_buttonNamespace++);
+
+                       dt.on( namespacedEvents(config), function () {
+                               var count = dt.rows( { selected: true } ).flatten().length +
+                                           dt.columns( { selected: true } ).flatten().length +
+                                           dt.cells( { selected: true } ).flatten().length;
+
+                               that.enable( count === 1 );
+                       } );
+
+                       this.disable();
+               },
+               destroy: function ( dt, node, config ) {
+                       dt.off( config._eventNamespace );
+               }
+       },
+       selectAll: {
+               text: i18n( 'selectAll', 'Select all' ),
+               className: 'buttons-select-all',
+               action: function () {
+                       var items = this.select.items();
+                       this[ items+'s' ]().select();
+               }
+       },
+       selectNone: {
+               text: i18n( 'selectNone', 'Deselect all' ),
+               className: 'buttons-select-none',
+               action: function () {
+                       clear( this.settings()[0], true );
+               },
+               init: function ( dt, node, config ) {
+                       var that = this;
+                       config._eventNamespace = '.select'+(_buttonNamespace++);
+
+                       dt.on( namespacedEvents(config), function () {
+                               var count = dt.rows( { selected: true } ).flatten().length +
+                                           dt.columns( { selected: true } ).flatten().length +
+                                           dt.cells( { selected: true } ).flatten().length;
+
+                               that.enable( count > 0 );
+                       } );
+
+                       this.disable();
+               },
+               destroy: function ( dt, node, config ) {
+                       dt.off( config._eventNamespace );
+               }
+       }
+} );
+
+$.each( [ 'Row', 'Column', 'Cell' ], function ( i, item ) {
+       var lc = item.toLowerCase();
+
+       DataTable.ext.buttons[ 'select'+item+'s' ] = {
+               text: i18n( 'select'+item+'s', 'Select '+lc+'s' ),
+               className: 'buttons-select-'+lc+'s',
+               action: function () {
+                       this.select.items( lc );
+               },
+               init: function ( dt ) {
+                       var that = this;
+
+                       dt.on( 'selectItems.dt.DT', function ( e, ctx, items ) {
+                               that.active( items === lc );
+                       } );
+               }
+       };
+} );
+
+
+
+/* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * *
+ * Initialisation
+ */
+
+// DataTables creation - check if select has been defined in the options. Note
+// this required that the table be in the document! If it isn't then something
+// needs to trigger this method unfortunately. The next major release of
+// DataTables will rework the events and address this.
+$(document).on( 'preInit.dt.dtSelect', function (e, ctx) {
+       if ( e.namespace !== 'dt' ) {
+               return;
+       }
+
+       DataTable.select.init( new DataTable.Api( ctx ) );
+} );
+
+
+return DataTable.select;
+}));
+
+
diff --git a/www/datatables/datatables.min.css b/www/datatables/datatables.min.css
new file mode 100644 (file)
index 0000000..fbaa6f9
--- /dev/null
@@ -0,0 +1,24 @@
+/*
+ * This combined file was created by the DataTables downloader builder:
+ *   https://datatables.net/download
+ *
+ * To rebuild or modify this file with the latest versions of the included
+ * software please visit:
+ *   https://datatables.net/download/#dt/dt-1.10.21/fh-3.1.7/sp-1.1.1/sl-1.3.1
+ *
+ * Included libraries:
+ *   DataTables 1.10.21, FixedHeader 3.1.7, SearchPanes 1.1.1, Select 1.3.1
+ */
+
+table.dataTable{width:100%;margin:0 auto;clear:both;border-collapse:separate;border-spacing:0}table.dataTable thead th,table.dataTable tfoot th{font-weight:bold}table.dataTable thead th,table.dataTable thead td{padding:10px 18px;border-bottom:1px solid #111}table.dataTable thead th:active,table.dataTable thead td:active{outline:none}table.dataTable tfoot th,table.dataTable tfoot td{padding:10px 18px 6px 18px;border-top:1px solid #111}table.dataTable thead .sorting,table.dataTable thead .sorting_asc,table.dataTable thead .sorting_desc,table.dataTable thead .sorting_asc_disabled,table.dataTable thead .sorting_desc_disabled{cursor:pointer;*cursor:hand;background-repeat:no-repeat;background-position:center right}table.dataTable thead .sorting{background-image:url("DataTables-1.10.21/images/sort_both.png")}table.dataTable thead .sorting_asc{background-image:url("DataTables-1.10.21/images/sort_asc.png")}table.dataTable thead .sorting_desc{background-image:url("DataTables-1.10.21/images/sort_desc.png")}table.dataTable thead .sorting_asc_disabled{background-image:url("DataTables-1.10.21/images/sort_asc_disabled.png")}table.dataTable thead .sorting_desc_disabled{background-image:url("DataTables-1.10.21/images/sort_desc_disabled.png")}table.dataTable tbody tr{background-color:#ffffff}table.dataTable tbody tr.selected{background-color:#B0BED9}table.dataTable tbody th,table.dataTable tbody td{padding:8px 10px}table.dataTable.row-border tbody th,table.dataTable.row-border tbody td,table.dataTable.display tbody th,table.dataTable.display tbody td{border-top:1px solid #ddd}table.dataTable.row-border tbody tr:first-child th,table.dataTable.row-border tbody tr:first-child td,table.dataTable.display tbody tr:first-child th,table.dataTable.display tbody tr:first-child td{border-top:none}table.dataTable.cell-border tbody th,table.dataTable.cell-border tbody td{border-top:1px solid #ddd;border-right:1px solid #ddd}table.dataTable.cell-border tbody tr th:first-child,table.dataTable.cell-border tbody tr td:first-child{border-left:1px solid #ddd}table.dataTable.cell-border tbody tr:first-child th,table.dataTable.cell-border tbody tr:first-child td{border-top:none}table.dataTable.stripe tbody tr.odd,table.dataTable.display tbody tr.odd{background-color:#f9f9f9}table.dataTable.stripe tbody tr.odd.selected,table.dataTable.display tbody tr.odd.selected{background-color:#acbad4}table.dataTable.hover tbody tr:hover,table.dataTable.display tbody tr:hover{background-color:#f6f6f6}table.dataTable.hover tbody tr:hover.selected,table.dataTable.display tbody tr:hover.selected{background-color:#aab7d1}table.dataTable.order-column tbody tr>.sorting_1,table.dataTable.order-column tbody tr>.sorting_2,table.dataTable.order-column tbody tr>.sorting_3,table.dataTable.display tbody tr>.sorting_1,table.dataTable.display tbody tr>.sorting_2,table.dataTable.display tbody tr>.sorting_3{background-color:#fafafa}table.dataTable.order-column tbody tr.selected>.sorting_1,table.dataTable.order-column tbody tr.selected>.sorting_2,table.dataTable.order-column tbody tr.selected>.sorting_3,table.dataTable.display tbody tr.selected>.sorting_1,table.dataTable.display tbody tr.selected>.sorting_2,table.dataTable.display tbody tr.selected>.sorting_3{background-color:#acbad5}table.dataTable.display tbody tr.odd>.sorting_1,table.dataTable.order-column.stripe tbody tr.odd>.sorting_1{background-color:#f1f1f1}table.dataTable.display tbody tr.odd>.sorting_2,table.dataTable.order-column.stripe tbody tr.odd>.sorting_2{background-color:#f3f3f3}table.dataTable.display tbody tr.odd>.sorting_3,table.dataTable.order-column.stripe tbody tr.odd>.sorting_3{background-color:whitesmoke}table.dataTable.display tbody tr.odd.selected>.sorting_1,table.dataTable.order-column.stripe tbody tr.odd.selected>.sorting_1{background-color:#a6b4cd}table.dataTable.display tbody tr.odd.selected>.sorting_2,table.dataTable.order-column.stripe tbody tr.odd.selected>.sorting_2{background-color:#a8b5cf}table.dataTable.display tbody tr.odd.selected>.sorting_3,table.dataTable.order-column.stripe tbody tr.odd.selected>.sorting_3{background-color:#a9b7d1}table.dataTable.display tbody tr.even>.sorting_1,table.dataTable.order-column.stripe tbody tr.even>.sorting_1{background-color:#fafafa}table.dataTable.display tbody tr.even>.sorting_2,table.dataTable.order-column.stripe tbody tr.even>.sorting_2{background-color:#fcfcfc}table.dataTable.display tbody tr.even>.sorting_3,table.dataTable.order-column.stripe tbody tr.even>.sorting_3{background-color:#fefefe}table.dataTable.display tbody tr.even.selected>.sorting_1,table.dataTable.order-column.stripe tbody tr.even.selected>.sorting_1{background-color:#acbad5}table.dataTable.display tbody tr.even.selected>.sorting_2,table.dataTable.order-column.stripe tbody tr.even.selected>.sorting_2{background-color:#aebcd6}table.dataTable.display tbody tr.even.selected>.sorting_3,table.dataTable.order-column.stripe tbody tr.even.selected>.sorting_3{background-color:#afbdd8}table.dataTable.display tbody tr:hover>.sorting_1,table.dataTable.order-column.hover tbody tr:hover>.sorting_1{background-color:#eaeaea}table.dataTable.display tbody tr:hover>.sorting_2,table.dataTable.order-column.hover tbody tr:hover>.sorting_2{background-color:#ececec}table.dataTable.display tbody tr:hover>.sorting_3,table.dataTable.order-column.hover tbody tr:hover>.sorting_3{background-color:#efefef}table.dataTable.display tbody tr:hover.selected>.sorting_1,table.dataTable.order-column.hover tbody tr:hover.selected>.sorting_1{background-color:#a2aec7}table.dataTable.display tbody tr:hover.selected>.sorting_2,table.dataTable.order-column.hover tbody tr:hover.selected>.sorting_2{background-color:#a3b0c9}table.dataTable.display tbody tr:hover.selected>.sorting_3,table.dataTable.order-column.hover tbody tr:hover.selected>.sorting_3{background-color:#a5b2cb}table.dataTable.no-footer{border-bottom:1px solid #111}table.dataTable.nowrap th,table.dataTable.nowrap td{white-space:nowrap}table.dataTable.compact thead th,table.dataTable.compact thead td{padding:4px 17px}table.dataTable.compact tfoot th,table.dataTable.compact tfoot td{padding:4px}table.dataTable.compact tbody th,table.dataTable.compact tbody td{padding:4px}table.dataTable th.dt-left,table.dataTable td.dt-left{text-align:left}table.dataTable th.dt-center,table.dataTable td.dt-center,table.dataTable td.dataTables_empty{text-align:center}table.dataTable th.dt-right,table.dataTable td.dt-right{text-align:right}table.dataTable th.dt-justify,table.dataTable td.dt-justify{text-align:justify}table.dataTable th.dt-nowrap,table.dataTable td.dt-nowrap{white-space:nowrap}table.dataTable thead th.dt-head-left,table.dataTable thead td.dt-head-left,table.dataTable tfoot th.dt-head-left,table.dataTable tfoot td.dt-head-left{text-align:left}table.dataTable thead th.dt-head-center,table.dataTable thead td.dt-head-center,table.dataTable tfoot th.dt-head-center,table.dataTable tfoot td.dt-head-center{text-align:center}table.dataTable thead th.dt-head-right,table.dataTable thead td.dt-head-right,table.dataTable tfoot th.dt-head-right,table.dataTable tfoot td.dt-head-right{text-align:right}table.dataTable thead th.dt-head-justify,table.dataTable thead td.dt-head-justify,table.dataTable tfoot th.dt-head-justify,table.dataTable tfoot td.dt-head-justify{text-align:justify}table.dataTable thead th.dt-head-nowrap,table.dataTable thead td.dt-head-nowrap,table.dataTable tfoot th.dt-head-nowrap,table.dataTable tfoot td.dt-head-nowrap{white-space:nowrap}table.dataTable tbody th.dt-body-left,table.dataTable tbody td.dt-body-left{text-align:left}table.dataTable tbody th.dt-body-center,table.dataTable tbody td.dt-body-center{text-align:center}table.dataTable tbody th.dt-body-right,table.dataTable tbody td.dt-body-right{text-align:right}table.dataTable tbody th.dt-body-justify,table.dataTable tbody td.dt-body-justify{text-align:justify}table.dataTable tbody th.dt-body-nowrap,table.dataTable tbody td.dt-body-nowrap{white-space:nowrap}table.dataTable,table.dataTable th,table.dataTable td{box-sizing:content-box}.dataTables_wrapper{position:relative;clear:both;*zoom:1;zoom:1}.dataTables_wrapper .dataTables_length{float:left}.dataTables_wrapper .dataTables_filter{float:right;text-align:right}.dataTables_wrapper .dataTables_filter input{margin-left:0.5em}.dataTables_wrapper .dataTables_info{clear:both;float:left;padding-top:0.755em}.dataTables_wrapper .dataTables_paginate{float:right;text-align:right;padding-top:0.25em}.dataTables_wrapper .dataTables_paginate .paginate_button{box-sizing:border-box;display:inline-block;min-width:1.5em;padding:0.5em 1em;margin-left:2px;text-align:center;text-decoration:none !important;cursor:pointer;*cursor:hand;color:#333 !important;border:1px solid transparent;border-radius:2px}.dataTables_wrapper .dataTables_paginate .paginate_button.current,.dataTables_wrapper .dataTables_paginate .paginate_button.current:hover{color:#333 !important;border:1px solid #979797;background-color:white;background:-webkit-gradient(linear, left top, left bottom, color-stop(0%, #fff), color-stop(100%, #dcdcdc));background:-webkit-linear-gradient(top, #fff 0%, #dcdcdc 100%);background:-moz-linear-gradient(top, #fff 0%, #dcdcdc 100%);background:-ms-linear-gradient(top, #fff 0%, #dcdcdc 100%);background:-o-linear-gradient(top, #fff 0%, #dcdcdc 100%);background:linear-gradient(to bottom, #fff 0%, #dcdcdc 100%)}.dataTables_wrapper .dataTables_paginate .paginate_button.disabled,.dataTables_wrapper .dataTables_paginate .paginate_button.disabled:hover,.dataTables_wrapper .dataTables_paginate .paginate_button.disabled:active{cursor:default;color:#666 !important;border:1px solid transparent;background:transparent;box-shadow:none}.dataTables_wrapper .dataTables_paginate .paginate_button:hover{color:white !important;border:1px solid #111;background-color:#585858;background:-webkit-gradient(linear, left top, left bottom, color-stop(0%, #585858), color-stop(100%, #111));background:-webkit-linear-gradient(top, #585858 0%, #111 100%);background:-moz-linear-gradient(top, #585858 0%, #111 100%);background:-ms-linear-gradient(top, #585858 0%, #111 100%);background:-o-linear-gradient(top, #585858 0%, #111 100%);background:linear-gradient(to bottom, #585858 0%, #111 100%)}.dataTables_wrapper .dataTables_paginate .paginate_button:active{outline:none;background-color:#2b2b2b;background:-webkit-gradient(linear, left top, left bottom, color-stop(0%, #2b2b2b), color-stop(100%, #0c0c0c));background:-webkit-linear-gradient(top, #2b2b2b 0%, #0c0c0c 100%);background:-moz-linear-gradient(top, #2b2b2b 0%, #0c0c0c 100%);background:-ms-linear-gradient(top, #2b2b2b 0%, #0c0c0c 100%);background:-o-linear-gradient(top, #2b2b2b 0%, #0c0c0c 100%);background:linear-gradient(to bottom, #2b2b2b 0%, #0c0c0c 100%);box-shadow:inset 0 0 3px #111}.dataTables_wrapper .dataTables_paginate .ellipsis{padding:0 1em}.dataTables_wrapper .dataTables_processing{position:absolute;top:50%;left:50%;width:100%;height:40px;margin-left:-50%;margin-top:-25px;padding-top:20px;text-align:center;font-size:1.2em;background-color:white;background:-webkit-gradient(linear, left top, right top, color-stop(0%, rgba(255,255,255,0)), color-stop(25%, rgba(255,255,255,0.9)), color-stop(75%, rgba(255,255,255,0.9)), color-stop(100%, rgba(255,255,255,0)));background:-webkit-linear-gradient(left, rgba(255,255,255,0) 0%, rgba(255,255,255,0.9) 25%, rgba(255,255,255,0.9) 75%, rgba(255,255,255,0) 100%);background:-moz-linear-gradient(left, rgba(255,255,255,0) 0%, rgba(255,255,255,0.9) 25%, rgba(255,255,255,0.9) 75%, rgba(255,255,255,0) 100%);background:-ms-linear-gradient(left, rgba(255,255,255,0) 0%, rgba(255,255,255,0.9) 25%, rgba(255,255,255,0.9) 75%, rgba(255,255,255,0) 100%);background:-o-linear-gradient(left, rgba(255,255,255,0) 0%, rgba(255,255,255,0.9) 25%, rgba(255,255,255,0.9) 75%, rgba(255,255,255,0) 100%);background:linear-gradient(to right, rgba(255,255,255,0) 0%, rgba(255,255,255,0.9) 25%, rgba(255,255,255,0.9) 75%, rgba(255,255,255,0) 100%)}.dataTables_wrapper .dataTables_length,.dataTables_wrapper .dataTables_filter,.dataTables_wrapper .dataTables_info,.dataTables_wrapper .dataTables_processing,.dataTables_wrapper .dataTables_paginate{color:#333}.dataTables_wrapper .dataTables_scroll{clear:both}.dataTables_wrapper .dataTables_scroll div.dataTables_scrollBody{*margin-top:-1px;-webkit-overflow-scrolling:touch}.dataTables_wrapper .dataTables_scroll div.dataTables_scrollBody>table>thead>tr>th,.dataTables_wrapper .dataTables_scroll div.dataTables_scrollBody>table>thead>tr>td,.dataTables_wrapper .dataTables_scroll div.dataTables_scrollBody>table>tbody>tr>th,.dataTables_wrapper .dataTables_scroll div.dataTables_scrollBody>table>tbody>tr>td{vertical-align:middle}.dataTables_wrapper .dataTables_scroll div.dataTables_scrollBody>table>thead>tr>th>div.dataTables_sizing,.dataTables_wrapper .dataTables_scroll div.dataTables_scrollBody>table>thead>tr>td>div.dataTables_sizing,.dataTables_wrapper .dataTables_scroll div.dataTables_scrollBody>table>tbody>tr>th>div.dataTables_sizing,.dataTables_wrapper .dataTables_scroll div.dataTables_scrollBody>table>tbody>tr>td>div.dataTables_sizing{height:0;overflow:hidden;margin:0 !important;padding:0 !important}.dataTables_wrapper.no-footer .dataTables_scrollBody{border-bottom:1px solid #111}.dataTables_wrapper.no-footer div.dataTables_scrollHead table.dataTable,.dataTables_wrapper.no-footer div.dataTables_scrollBody>table{border-bottom:none}.dataTables_wrapper:after{visibility:hidden;display:block;content:"";clear:both;height:0}@media screen and (max-width: 767px){.dataTables_wrapper .dataTables_info,.dataTables_wrapper .dataTables_paginate{float:none;text-align:center}.dataTables_wrapper .dataTables_paginate{margin-top:0.5em}}@media screen and (max-width: 640px){.dataTables_wrapper .dataTables_length,.dataTables_wrapper .dataTables_filter{float:none;text-align:center}.dataTables_wrapper .dataTables_filter{margin-top:0.5em}}
+
+
+table.fixedHeader-floating{position:fixed !important;background-color:white}table.fixedHeader-floating.no-footer{border-bottom-width:0}table.fixedHeader-locked{position:absolute !important;background-color:white}@media print{table.fixedHeader-floating{display:none}}
+
+
+div.dtsp-topRow{display:flex;flex-direction:row;flex-wrap:nowrap;justify-content:space-around;align-content:flex-start;align-items:flex-start}div.dtsp-topRow input.dtsp-search{text-overflow:ellipsis}div.dtsp-topRow div.dtsp-subRow1{display:flex;flex-direction:row;flex-wrap:nowrap;flex-grow:1;flex-shrink:0;flex-basis:0}div.dtsp-topRow div.dtsp-searchCont{display:flex;flex-direction:row;flex-wrap:nowrap;flex-grow:1;flex-shrink:0;flex-basis:0}div.dtsp-topRow button.dtsp-nameButton{background-image:url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAACMAAAAjCAYAAAAe2bNZAAABcGlDQ1BpY2MAACiRdZHNSwJBGMYftTDS8FCHkA57sOigIAXRMQzyYh3UIKvL7rirwe66zK6IdA26dBA6RF36OvQf1DXoWhAERRAR9B/0dQnZ3nEFJXSG2ffHs/O8zDwD+DM6M+yBJGCYDs+mU9JaYV0KviNMM4QoEjKzreXcUh59x88jfKI+JESv/vt6jlBRtRngGyKeYxZ3iBeIMzXHErxHPMbKcpH4hDjO6YDEt0JXPH4TXPL4SzDPZxcBv+gplbpY6WJW5gbxNHHM0KusfR5xk7BqruaoRmlNwEYWaaQgQUEVW9DhIEHVpMx6+5It3woq5GH0tVAHJ0cJZfLGSa1SV5WqRrpKU0dd5P4/T1ubnfG6h1PA4Kvrfk4CwX2g2XDd31PXbZ4BgRfg2uz4K5TT/DfpjY4WOwYiO8DlTUdTDoCrXWD82ZK53JICtPyaBnxcACMFYPQeGN7wsmr/x/kTkN+mJ7oDDo+AKdof2fwDCBRoDkL8UccAAAAJcEhZcwAAD2EAAA9hAag/p2kAAAK2SURBVFgJ7ZY9j41BFICvryCExrJBQ6HyEYVEIREaUZDQIRoR2ViJKCioxV+gkVXYTVZEQiEUhG2EQnxUCh0FKolY4ut5XnM2cyfva3Pt5m7EPcmzZ2bemTNnzjkzd1utnvQi0IvAfxiBy5z5FoxO89kPY+8mbMjtzs47RXs5/WVpbAG6bWExt5PuIibvhVkwmC+ck3eK9ln6/fAddFojYzBVuYSBpcnIEvRaqOw2RcaN18FPuJH0JvRUxbT3wWf4ltiKPgfVidWlbGZgPozDFfgAC+EA/K2EI4cwcAJ+gPaeQ+VQU2SOMMGcPgPl/m/V2p50rrbRsRgt9Iv5h6xtpP22Bz7Ce1C+gFFxfKzOmShcU+Qmyh2w3w8rIJfddHTck66EukL/xPhj+JM8rHNmFys0Pg4v0up3aFNlwR9NYyodd3OL/C64zpsymcTFcf6ElM4YzjAWKYrJkaq8kE/yUYNP4BoYvS1QRo+hNtF5xfkTUjoTheukSFFMjlTFm6PjceOca/SMpKfeCR1L6Uzk/y2WIkVhNFJlJAZhP+hYns7b9D3IPuhY5mYrIv8OrQJvR5NYyNaW4jsU8pSGNySiVx4o5tXq3JkoXE/mg5R/M8dGJCJpKhaDcjBRdbI/Rm8g69c122om33BHmj2CHoV5qa9jUXBraJ+G1fAVjIBO1klc87ro1K4JZ/K35SWW3TwcyDd6TecqnAEd8cGq2+w84xvBm1n3vS0izKkkwh5XNC/GmFPqqAtPF89AOScKuemaNzoTV1SD5dtSbmLf1/RV+tC0WTgcj6R7HEtrVGWaqu/lYDZ/2pvxQ/kIyw/gFByHC9AHw910hv1aUUumyd8yy0QfhmEkfiNod0Xusct68J1qc8Tdux0Z97Q+hsDb+AYGYEbF/4Guw2Q/qDPqZG/zXgT+3Qj8AtKnfWhFwmuAAAAAAElFTkSuQmCC");background-repeat:no-repeat;background-position:center;background-size:23px;vertical-align:bottom}div.dtsp-topRow button.dtsp-countButton{background-image:url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABgAAAAYCAYAAADgdz34AAABcGlDQ1BpY2MAACiRdZHNSwJBGMYftTDS8FCHkA57sOigIAXRMQzyYh3UIKvL7rirwe66zK6IdA26dBA6RF36OvQf1DXoWhAERRAR9B/0dQnZ3nEFJXSG2ffHs/O8zDwD+DM6M+yBJGCYDs+mU9JaYV0KviNMM4QoEjKzreXcUh59x88jfKI+JESv/vt6jlBRtRngGyKeYxZ3iBeIMzXHErxHPMbKcpH4hDjO6YDEt0JXPH4TXPL4SzDPZxcBv+gplbpY6WJW5gbxNHHM0KusfR5xk7BqruaoRmlNwEYWaaQgQUEVW9DhIEHVpMx6+5It3woq5GH0tVAHJ0cJZfLGSa1SV5WqRrpKU0dd5P4/T1ubnfG6h1PA4Kvrfk4CwX2g2XDd31PXbZ4BgRfg2uz4K5TT/DfpjY4WOwYiO8DlTUdTDoCrXWD82ZK53JICtPyaBnxcACMFYPQeGN7wsmr/x/kTkN+mJ7oDDo+AKdof2fwDCBRoDkL8UccAAAAJcEhZcwAAD2EAAA9hAag/p2kAAAG5SURBVEgN3VU9LwVBFF0fiYhofUSlEQkKhU7z/oBCQkIiGr9BgUbhVzy9BAnhFyjV/AYFiU5ICM7ZN+c5Zud5dm3lJmfmzrkz9+7cu3c3y/6jjOBSF8CxXS7FmTkbwqIJjDpJvTcmsJ4K3KPZUpyZsx0sxoB9J6mnAkyC7wGuuCFIipNtEcpcWExgXpOBc78vgj6N+QO4NVsjwdFM59tUIDxDrHMBOeIQ34C5ZDregXuAQm4YcI68nN9B3wr2PcwPAIPkN2EqtJH6b+QZm1ajjTx7BqwAr26Lb+C2Kvpbt0Mb2HAJ7NrGFGfmXO3DeA4UshDfQAVmH0gaUFg852TTTDvlxwBlCtxy9zXyBhQFaq0wMmIdRebrfgosA3zb2hKnqG0oqchp4QbuR8X0TjzABhbdOT8jnQ/atcgqpnfwOA7yqZyTU587ZkIGdesLTt2EkynOnbreMUUKMI/dA4B/QVOcO13CQh+5wWCgDwo/75u59odB/wjmfhbgvACcAOyZPHihMWAoIwxyCLgf1oxfgjzVbgBXSTzIN+f0pg6s5DkcesLMRpsBrgE2XO3CN64JFP7JtUeKHX4CKtRRXFZ+7dEAAAAASUVORK5CYII=");background-repeat:no-repeat;background-position:center;background-size:18px;vertical-align:bottom}div.dtsp-topRow button.dtsp-searchIcon{background-image:url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAA8AAAAPCAYAAAA71pVKAAABcGlDQ1BpY2MAACiRdZHNSwJBGMYftTDS8FCHkA57sOigIAXRMQzyYh3UIKvL7rirwe66zK6IdA26dBA6RF36OvQf1DXoWhAERRAR9B/0dQnZ3nEFJXSG2ffHs/O8zDwD+DM6M+yBJGCYDs+mU9JaYV0KviNMM4QoEjKzreXcUh59x88jfKI+JESv/vt6jlBRtRngGyKeYxZ3iBeIMzXHErxHPMbKcpH4hDjO6YDEt0JXPH4TXPL4SzDPZxcBv+gplbpY6WJW5gbxNHHM0KusfR5xk7BqruaoRmlNwEYWaaQgQUEVW9DhIEHVpMx6+5It3woq5GH0tVAHJ0cJZfLGSa1SV5WqRrpKU0dd5P4/T1ubnfG6h1PA4Kvrfk4CwX2g2XDd31PXbZ4BgRfg2uz4K5TT/DfpjY4WOwYiO8DlTUdTDoCrXWD82ZK53JICtPyaBnxcACMFYPQeGN7wsmr/x/kTkN+mJ7oDDo+AKdof2fwDCBRoDkL8UccAAAAJcEhZcwAAD2EAAA9hAag/p2kAAAEnSURBVCgVpdG7SgNBFIDh1RhJsBBEsDIgIhaWFjZa2GtpKb6AnU0MprKOWEjK2IuFFxCxS2lhZyOWXh5AQVER/X+zuwwywoIHvp3dM3Nm55Ik/4i+P2or5FewiBIe0cEt8ogVz9LbhEVf+cgkcew1tvAZ5PPXGm9HOMEanMAYQhunaCAazuqA1UjvILl9HGPc/n4fabjPGbzjMM2FjfkDuPw5O8JilzgA9/OKWDynyWnbsPiF7yc4SRWxmEyTN7ZhsSd7gTLW8TuGSSzBcZd2hsV+n+MNC9jGCNzjPDwsz8XCO/x02Bqeptcxhg+4gjD8YxetLOkBGRbuwcIr+NdRLMPl3uMM2YHx2gsLd+D97qKEQuGe65jCAzbgVRWOCUZuovAfs5m/AdVxL0R1AIsLAAAAAElFTkSuQmCC");background-repeat:no-repeat;background-position:center;background-size:12px}div.dt-button-collection{z-index:2002}div.dataTables_scrollBody{background:white !important}div.dtsp-columns-1{min-width:98%;max-width:98%;padding-left:1%;padding-right:1%;margin:0px !important}div.dtsp-columns-2{min-width:48%;max-width:48%;padding-left:1%;padding-right:1%;margin:0px !important}div.dtsp-columns-3{min-width:30.333%;max-width:30.333%;padding-left:1%;padding-right:1%;margin:0px !important}div.dtsp-columns-4{min-width:23%;max-width:23%;padding-left:1%;padding-right:1%;margin:0px !important}div.dtsp-columns-5{min-width:18%;max-width:18%;padding-left:1%;padding-right:1%;margin:0px !important}div.dtsp-columns-6{min-width:15.666%;max-width:15.666%;padding-left:0.5%;padding-right:0.5%;margin:0px !important}div.dtsp-columns-7{min-width:13.28%;max-width:13.28%;padding-left:0.5%;padding-right:0.5%;margin:0px !important}div.dtsp-columns-8{min-width:11.5%;max-width:11.5%;padding-left:0.5%;padding-right:0.5%;margin:0px !important}div.dtsp-columns-9{min-width:11.111%;max-width:11.111%;padding-left:0.5%;padding-right:0.5%;margin:0px !important}div.dt-button-collection{float:none}div.dtsp-panesContainer{width:100%}div.dtsp-panesContainer{font-family:'Roboto', sans-serif;padding:5px;border:1px solid #ccc;border-radius:6px;margin:5px 0;clear:both;text-align:center}div.dtsp-panesContainer div.dtsp-searchPanes{display:flex;flex-direction:row;flex-wrap:wrap;justify-content:flex-start;align-content:flex-start;align-items:stretch;clear:both;text-align:start}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-hidden{display:none !important}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane{flex-direction:row;flex-wrap:nowrap;flex-grow:1;flex-shrink:0;flex-basis:280px;justify-content:space-around;align-content:flex-start;align-items:stretch;padding-top:0px;padding-bottom:0px;margin:5px;margin-top:0px;margin-bottom:0px;font-size:0.9em}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dataTables_wrapper{flex:1;margin:1em 0.5%;margin-top:0px;border-bottom:2px solid #f0f0f0;border:2px solid #f0f0f0;border-radius:4px}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dataTables_wrapper:hover{border:2px solid #cfcfcf}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dataTables_wrapper div.dataTables_filter{display:none}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dtsp-selected{border:2px solid #3276b1;border-radius:4px}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dtsp-selected:hover{border:2px solid #286092}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dtsp-topRow{display:flex;flex-direction:row;flex-wrap:nowrap;justify-content:space-around;align-content:flex-start;align-items:flex-start}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dtsp-topRow div.dtsp-searchCont{display:flex;flex-direction:row;flex-wrap:nowrap;flex-grow:1;flex-shrink:0;flex-basis:0}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dtsp-topRow div.dtsp-searchCont input.dtsp-search{flex-direction:row;flex-wrap:nowrap;flex-grow:1;flex-shrink:0;flex-basis:90px;min-height:20px;max-width:none;min-width:50px;border:none;padding-left:12px}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dtsp-topRow div.dtsp-searchCont input.dtsp-search::placeholder{color:black;font-size:16px}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dtsp-topRow div.dtsp-searchCont div.dtsp-searchButtonCont{display:inline-block;flex-direction:row;flex-wrap:nowrap;flex-grow:0;flex-shrink:0;flex-basis:0}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dtsp-topRow div.dtsp-searchCont div.dtsp-searchButtonCont .dtsp-searchIcon{position:relative;display:inline-block;margin:4px;display:block;top:-2px;right:0px;font-size:16px;margin-bottom:0px}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dtsp-topRow button.dtsp-dull{cursor:context-menu !important;color:#7c7c7c}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dtsp-topRow button.dtsp-dull:hover{background-color:transparent}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane input.dtsp-paneInputButton,div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane button.dtsp-paneButton{height:35px;width:35px;max-width:35px;min-width:0;display:inline-block;margin:2px;border:0px solid transparent;background-color:transparent;font-size:16px;margin-bottom:0px;flex-grow:0;flex-shrink:0;flex-basis:35px;font-family:sans-serif}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane input.dtsp-paneInputButton:hover,div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane button.dtsp-paneButton:hover{background-color:#f0f0f0;border-radius:2px;cursor:pointer}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane button.dtsp-paneButton{opacity:0.6}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane input.dtsp-disabledButton{height:35px;width:35px;max-width:35px;min-width:0;display:inline-block;margin:2px;border:0px solid transparent;background-color:transparent;font-size:16px;margin-bottom:0px;flex-grow:0;flex-shrink:0;flex-basis:35px}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dataTables_scrollHead{display:none !important}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dataTables_scrollBody{border-bottom:none}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dataTables_scrollBody td.dtsp-countColumn{text-align:right}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dataTables_scrollBody td.dtsp-countColumn div.dtsp-pill{background-color:#cfcfcf;text-align:center;border:1px solid #cfcfcf;border-radius:10px;width:auto;display:inline-block;min-width:30px;color:black;font-size:0.9em;padding:0 4px}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane div.dataTables_scrollBody span.dtsp-pill{float:right;background-color:#cfcfcf;text-align:center;border:1px solid #cfcfcf;border-radius:10px;width:auto;min-width:30px;color:black;font-size:0.9em;padding:0 4px}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane tr>th,div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane tr>td{padding:5px 10px}div.dtsp-panesContainer div.dtsp-searchPanes div.dtsp-searchPane td.dtsp-countColumn{text-align:right}div.dtsp-panesContainer div.dtsp-title{float:left;margin:20px;margin-bottom:0px;margin-top:13px}div.dtsp-panesContainer button.dtsp-clearAll{float:right;margin:20px;border:1px solid transparent;background-color:transparent;padding:10px;margin-bottom:0px;margin-top:5px}div.dtsp-panesContainer button.dtsp-clearAll:hover{background-color:#f0f0f0;border-radius:2px}div.dt-button-collection div.panes{padding:0px;border:none;margin:0px}div.dtsp-hidden{display:none !important}div.dtsp-narrow{flex-direction:column !important}div.dtsp-narrow div.dtsp-subRows{width:100%;text-align:right}@media screen and (max-width: 767px){div.dtsp-columns-4,div.dtsp-columns-5,div.dtsp-columns-6{max-width:31% !important;min-width:31% !important}}@media screen and (max-width: 640px){div.dtsp-searchPanes{flex-direction:column !important}div.dtsp-searchPane{max-width:98% !important;min-width:98% !important}}
+
+
+table.dataTable tbody>tr.selected,table.dataTable tbody>tr>.selected{background-color:#B0BED9}table.dataTable.stripe tbody>tr.odd.selected,table.dataTable.stripe tbody>tr.odd>.selected,table.dataTable.display tbody>tr.odd.selected,table.dataTable.display tbody>tr.odd>.selected{background-color:#acbad4}table.dataTable.hover tbody>tr.selected:hover,table.dataTable.hover tbody>tr>.selected:hover,table.dataTable.display tbody>tr.selected:hover,table.dataTable.display tbody>tr>.selected:hover{background-color:#aab7d1}table.dataTable.order-column tbody>tr.selected>.sorting_1,table.dataTable.order-column tbody>tr.selected>.sorting_2,table.dataTable.order-column tbody>tr.selected>.sorting_3,table.dataTable.order-column tbody>tr>.selected,table.dataTable.display tbody>tr.selected>.sorting_1,table.dataTable.display tbody>tr.selected>.sorting_2,table.dataTable.display tbody>tr.selected>.sorting_3,table.dataTable.display tbody>tr>.selected{background-color:#acbad5}table.dataTable.display tbody>tr.odd.selected>.sorting_1,table.dataTable.order-column.stripe tbody>tr.odd.selected>.sorting_1{background-color:#a6b4cd}table.dataTable.display tbody>tr.odd.selected>.sorting_2,table.dataTable.order-column.stripe tbody>tr.odd.selected>.sorting_2{background-color:#a8b5cf}table.dataTable.display tbody>tr.odd.selected>.sorting_3,table.dataTable.order-column.stripe tbody>tr.odd.selected>.sorting_3{background-color:#a9b7d1}table.dataTable.display tbody>tr.even.selected>.sorting_1,table.dataTable.order-column.stripe tbody>tr.even.selected>.sorting_1{background-color:#acbad5}table.dataTable.display tbody>tr.even.selected>.sorting_2,table.dataTable.order-column.stripe tbody>tr.even.selected>.sorting_2{background-color:#aebcd6}table.dataTable.display tbody>tr.even.selected>.sorting_3,table.dataTable.order-column.stripe tbody>tr.even.selected>.sorting_3{background-color:#afbdd8}table.dataTable.display tbody>tr.odd>.selected,table.dataTable.order-column.stripe tbody>tr.odd>.selected{background-color:#a6b4cd}table.dataTable.display tbody>tr.even>.selected,table.dataTable.order-column.stripe tbody>tr.even>.selected{background-color:#acbad5}table.dataTable.display tbody>tr.selected:hover>.sorting_1,table.dataTable.order-column.hover tbody>tr.selected:hover>.sorting_1{background-color:#a2aec7}table.dataTable.display tbody>tr.selected:hover>.sorting_2,table.dataTable.order-column.hover tbody>tr.selected:hover>.sorting_2{background-color:#a3b0c9}table.dataTable.display tbody>tr.selected:hover>.sorting_3,table.dataTable.order-column.hover tbody>tr.selected:hover>.sorting_3{background-color:#a5b2cb}table.dataTable.display tbody>tr:hover>.selected,table.dataTable.display tbody>tr>.selected:hover,table.dataTable.order-column.hover tbody>tr:hover>.selected,table.dataTable.order-column.hover tbody>tr>.selected:hover{background-color:#a2aec7}table.dataTable tbody td.select-checkbox,table.dataTable tbody th.select-checkbox{position:relative}table.dataTable tbody td.select-checkbox:before,table.dataTable tbody td.select-checkbox:after,table.dataTable tbody th.select-checkbox:before,table.dataTable tbody th.select-checkbox:after{display:block;position:absolute;top:1.2em;left:50%;width:12px;height:12px;box-sizing:border-box}table.dataTable tbody td.select-checkbox:before,table.dataTable tbody th.select-checkbox:before{content:' ';margin-top:-6px;margin-left:-6px;border:1px solid black;border-radius:3px}table.dataTable tr.selected td.select-checkbox:after,table.dataTable tr.selected th.select-checkbox:after{content:'\2714';margin-top:-11px;margin-left:-4px;text-align:center;text-shadow:1px 1px #B0BED9, -1px -1px #B0BED9, 1px -1px #B0BED9, -1px 1px #B0BED9}div.dataTables_wrapper span.select-info,div.dataTables_wrapper span.select-item{margin-left:0.5em}@media screen and (max-width: 640px){div.dataTables_wrapper span.select-info,div.dataTables_wrapper span.select-item{margin-left:0;display:block}}
+
+
diff --git a/www/datatables/datatables.min.js b/www/datatables/datatables.min.js
new file mode 100644 (file)
index 0000000..a80dd2d
--- /dev/null
@@ -0,0 +1,379 @@
+/*
+ * This combined file was created by the DataTables downloader builder:
+ *   https://datatables.net/download
+ *
+ * To rebuild or modify this file with the latest versions of the included
+ * software please visit:
+ *   https://datatables.net/download/#dt/dt-1.10.21/fh-3.1.7/sp-1.1.1/sl-1.3.1
+ *
+ * Included libraries:
+ *   DataTables 1.10.21, FixedHeader 3.1.7, SearchPanes 1.1.1, Select 1.3.1
+ */
+
+/*!
+   Copyright 2008-2020 SpryMedia Ltd.
+
+ This source file is free software, available under the following license:
+   MIT license - http://datatables.net/license
+
+ This source file is distributed in the hope that it will be useful, but
+ WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY
+ or FITNESS FOR A PARTICULAR PURPOSE. See the license files for details.
+
+ For details please refer to: http://www.datatables.net
+ DataTables 1.10.21
+ Â©2008-2020 SpryMedia Ltd - datatables.net/license
+*/
+var $jscomp=$jscomp||{};$jscomp.scope={};$jscomp.findInternal=function(f,y,w){f instanceof String&&(f=String(f));for(var n=f.length,H=0;H<n;H++){var L=f[H];if(y.call(w,L,H,f))return{i:H,v:L}}return{i:-1,v:void 0}};$jscomp.ASSUME_ES5=!1;$jscomp.ASSUME_NO_NATIVE_MAP=!1;$jscomp.ASSUME_NO_NATIVE_SET=!1;$jscomp.SIMPLE_FROUND_POLYFILL=!1;
+$jscomp.defineProperty=$jscomp.ASSUME_ES5||"function"==typeof Object.defineProperties?Object.defineProperty:function(f,y,w){f!=Array.prototype&&f!=Object.prototype&&(f[y]=w.value)};$jscomp.getGlobal=function(f){f=["object"==typeof window&&window,"object"==typeof self&&self,"object"==typeof global&&global,f];for(var y=0;y<f.length;++y){var w=f[y];if(w&&w.Math==Math)return w}throw Error("Cannot find global object");};$jscomp.global=$jscomp.getGlobal(this);
+$jscomp.polyfill=function(f,y,w,n){if(y){w=$jscomp.global;f=f.split(".");for(n=0;n<f.length-1;n++){var H=f[n];H in w||(w[H]={});w=w[H]}f=f[f.length-1];n=w[f];y=y(n);y!=n&&null!=y&&$jscomp.defineProperty(w,f,{configurable:!0,writable:!0,value:y})}};$jscomp.polyfill("Array.prototype.find",function(f){return f?f:function(f,w){return $jscomp.findInternal(this,f,w).v}},"es6","es3");
+(function(f){"function"===typeof define&&define.amd?define(["jquery"],function(y){return f(y,window,document)}):"object"===typeof exports?module.exports=function(y,w){y||(y=window);w||(w="undefined"!==typeof window?require("jquery"):require("jquery")(y));return f(w,y,y.document)}:f(jQuery,window,document)})(function(f,y,w,n){function H(a){var b,c,d={};f.each(a,function(e,h){(b=e.match(/^([^A-Z]+?)([A-Z])/))&&-1!=="a aa ai ao as b fn i m o s ".indexOf(b[1]+" ")&&(c=e.replace(b[0],b[2].toLowerCase()),
+d[c]=e,"o"===b[1]&&H(a[e]))});a._hungarianMap=d}function L(a,b,c){a._hungarianMap||H(a);var d;f.each(b,function(e,h){d=a._hungarianMap[e];d===n||!c&&b[d]!==n||("o"===d.charAt(0)?(b[d]||(b[d]={}),f.extend(!0,b[d],b[e]),L(a[d],b[d],c)):b[d]=b[e])})}function Fa(a){var b=q.defaults.oLanguage,c=b.sDecimal;c&&Ga(c);if(a){var d=a.sZeroRecords;!a.sEmptyTable&&d&&"No data available in table"===b.sEmptyTable&&M(a,a,"sZeroRecords","sEmptyTable");!a.sLoadingRecords&&d&&"Loading..."===b.sLoadingRecords&&M(a,a,
+"sZeroRecords","sLoadingRecords");a.sInfoThousands&&(a.sThousands=a.sInfoThousands);(a=a.sDecimal)&&c!==a&&Ga(a)}}function ib(a){E(a,"ordering","bSort");E(a,"orderMulti","bSortMulti");E(a,"orderClasses","bSortClasses");E(a,"orderCellsTop","bSortCellsTop");E(a,"order","aaSorting");E(a,"orderFixed","aaSortingFixed");E(a,"paging","bPaginate");E(a,"pagingType","sPaginationType");E(a,"pageLength","iDisplayLength");E(a,"searching","bFilter");"boolean"===typeof a.sScrollX&&(a.sScrollX=a.sScrollX?"100%":
+"");"boolean"===typeof a.scrollX&&(a.scrollX=a.scrollX?"100%":"");if(a=a.aoSearchCols)for(var b=0,c=a.length;b<c;b++)a[b]&&L(q.models.oSearch,a[b])}function jb(a){E(a,"orderable","bSortable");E(a,"orderData","aDataSort");E(a,"orderSequence","asSorting");E(a,"orderDataType","sortDataType");var b=a.aDataSort;"number"!==typeof b||f.isArray(b)||(a.aDataSort=[b])}function kb(a){if(!q.__browser){var b={};q.__browser=b;var c=f("<div/>").css({position:"fixed",top:0,left:-1*f(y).scrollLeft(),height:1,width:1,
+overflow:"hidden"}).append(f("<div/>").css({position:"absolute",top:1,left:1,width:100,overflow:"scroll"}).append(f("<div/>").css({width:"100%",height:10}))).appendTo("body"),d=c.children(),e=d.children();b.barWidth=d[0].offsetWidth-d[0].clientWidth;b.bScrollOversize=100===e[0].offsetWidth&&100!==d[0].clientWidth;b.bScrollbarLeft=1!==Math.round(e.offset().left);b.bBounding=c[0].getBoundingClientRect().width?!0:!1;c.remove()}f.extend(a.oBrowser,q.__browser);a.oScroll.iBarWidth=q.__browser.barWidth}
+function lb(a,b,c,d,e,h){var g=!1;if(c!==n){var k=c;g=!0}for(;d!==e;)a.hasOwnProperty(d)&&(k=g?b(k,a[d],d,a):a[d],g=!0,d+=h);return k}function Ha(a,b){var c=q.defaults.column,d=a.aoColumns.length;c=f.extend({},q.models.oColumn,c,{nTh:b?b:w.createElement("th"),sTitle:c.sTitle?c.sTitle:b?b.innerHTML:"",aDataSort:c.aDataSort?c.aDataSort:[d],mData:c.mData?c.mData:d,idx:d});a.aoColumns.push(c);c=a.aoPreSearchCols;c[d]=f.extend({},q.models.oSearch,c[d]);la(a,d,f(b).data())}function la(a,b,c){b=a.aoColumns[b];
+var d=a.oClasses,e=f(b.nTh);if(!b.sWidthOrig){b.sWidthOrig=e.attr("width")||null;var h=(e.attr("style")||"").match(/width:\s*(\d+[pxem%]+)/);h&&(b.sWidthOrig=h[1])}c!==n&&null!==c&&(jb(c),L(q.defaults.column,c,!0),c.mDataProp===n||c.mData||(c.mData=c.mDataProp),c.sType&&(b._sManualType=c.sType),c.className&&!c.sClass&&(c.sClass=c.className),c.sClass&&e.addClass(c.sClass),f.extend(b,c),M(b,c,"sWidth","sWidthOrig"),c.iDataSort!==n&&(b.aDataSort=[c.iDataSort]),M(b,c,"aDataSort"));var g=b.mData,k=T(g),
+l=b.mRender?T(b.mRender):null;c=function(a){return"string"===typeof a&&-1!==a.indexOf("@")};b._bAttrSrc=f.isPlainObject(g)&&(c(g.sort)||c(g.type)||c(g.filter));b._setter=null;b.fnGetData=function(a,b,c){var d=k(a,b,n,c);return l&&b?l(d,b,a,c):d};b.fnSetData=function(a,b,c){return Q(g)(a,b,c)};"number"!==typeof g&&(a._rowReadObject=!0);a.oFeatures.bSort||(b.bSortable=!1,e.addClass(d.sSortableNone));a=-1!==f.inArray("asc",b.asSorting);c=-1!==f.inArray("desc",b.asSorting);b.bSortable&&(a||c)?a&&!c?(b.sSortingClass=
+d.sSortableAsc,b.sSortingClassJUI=d.sSortJUIAscAllowed):!a&&c?(b.sSortingClass=d.sSortableDesc,b.sSortingClassJUI=d.sSortJUIDescAllowed):(b.sSortingClass=d.sSortable,b.sSortingClassJUI=d.sSortJUI):(b.sSortingClass=d.sSortableNone,b.sSortingClassJUI="")}function Z(a){if(!1!==a.oFeatures.bAutoWidth){var b=a.aoColumns;Ia(a);for(var c=0,d=b.length;c<d;c++)b[c].nTh.style.width=b[c].sWidth}b=a.oScroll;""===b.sY&&""===b.sX||ma(a);A(a,null,"column-sizing",[a])}function aa(a,b){a=na(a,"bVisible");return"number"===
+typeof a[b]?a[b]:null}function ba(a,b){a=na(a,"bVisible");b=f.inArray(b,a);return-1!==b?b:null}function V(a){var b=0;f.each(a.aoColumns,function(a,d){d.bVisible&&"none"!==f(d.nTh).css("display")&&b++});return b}function na(a,b){var c=[];f.map(a.aoColumns,function(a,e){a[b]&&c.push(e)});return c}function Ja(a){var b=a.aoColumns,c=a.aoData,d=q.ext.type.detect,e,h,g;var k=0;for(e=b.length;k<e;k++){var f=b[k];var m=[];if(!f.sType&&f._sManualType)f.sType=f._sManualType;else if(!f.sType){var p=0;for(h=
+d.length;p<h;p++){var v=0;for(g=c.length;v<g;v++){m[v]===n&&(m[v]=F(a,v,k,"type"));var u=d[p](m[v],a);if(!u&&p!==d.length-1)break;if("html"===u)break}if(u){f.sType=u;break}}f.sType||(f.sType="string")}}}function mb(a,b,c,d){var e,h,g,k=a.aoColumns;if(b)for(e=b.length-1;0<=e;e--){var l=b[e];var m=l.targets!==n?l.targets:l.aTargets;f.isArray(m)||(m=[m]);var p=0;for(h=m.length;p<h;p++)if("number"===typeof m[p]&&0<=m[p]){for(;k.length<=m[p];)Ha(a);d(m[p],l)}else if("number"===typeof m[p]&&0>m[p])d(k.length+
+m[p],l);else if("string"===typeof m[p]){var v=0;for(g=k.length;v<g;v++)("_all"==m[p]||f(k[v].nTh).hasClass(m[p]))&&d(v,l)}}if(c)for(e=0,a=c.length;e<a;e++)d(e,c[e])}function R(a,b,c,d){var e=a.aoData.length,h=f.extend(!0,{},q.models.oRow,{src:c?"dom":"data",idx:e});h._aData=b;a.aoData.push(h);for(var g=a.aoColumns,k=0,l=g.length;k<l;k++)g[k].sType=null;a.aiDisplayMaster.push(e);b=a.rowIdFn(b);b!==n&&(a.aIds[b]=h);!c&&a.oFeatures.bDeferRender||Ka(a,e,c,d);return e}function oa(a,b){var c;b instanceof
+f||(b=f(b));return b.map(function(b,e){c=La(a,e);return R(a,c.data,e,c.cells)})}function F(a,b,c,d){var e=a.iDraw,h=a.aoColumns[c],g=a.aoData[b]._aData,k=h.sDefaultContent,f=h.fnGetData(g,d,{settings:a,row:b,col:c});if(f===n)return a.iDrawError!=e&&null===k&&(O(a,0,"Requested unknown parameter "+("function"==typeof h.mData?"{function}":"'"+h.mData+"'")+" for row "+b+", column "+c,4),a.iDrawError=e),k;if((f===g||null===f)&&null!==k&&d!==n)f=k;else if("function"===typeof f)return f.call(g);return null===
+f&&"display"==d?"":f}function nb(a,b,c,d){a.aoColumns[c].fnSetData(a.aoData[b]._aData,d,{settings:a,row:b,col:c})}function Ma(a){return f.map(a.match(/(\\.|[^\.])+/g)||[""],function(a){return a.replace(/\\\./g,".")})}function T(a){if(f.isPlainObject(a)){var b={};f.each(a,function(a,c){c&&(b[a]=T(c))});return function(a,c,h,g){var d=b[c]||b._;return d!==n?d(a,c,h,g):a}}if(null===a)return function(a){return a};if("function"===typeof a)return function(b,c,h,g){return a(b,c,h,g)};if("string"!==typeof a||
+-1===a.indexOf(".")&&-1===a.indexOf("[")&&-1===a.indexOf("("))return function(b,c){return b[a]};var c=function(a,b,h){if(""!==h){var d=Ma(h);for(var e=0,l=d.length;e<l;e++){h=d[e].match(ca);var m=d[e].match(W);if(h){d[e]=d[e].replace(ca,"");""!==d[e]&&(a=a[d[e]]);m=[];d.splice(0,e+1);d=d.join(".");if(f.isArray(a))for(e=0,l=a.length;e<l;e++)m.push(c(a[e],b,d));a=h[0].substring(1,h[0].length-1);a=""===a?m:m.join(a);break}else if(m){d[e]=d[e].replace(W,"");a=a[d[e]]();continue}if(null===a||a[d[e]]===
+n)return n;a=a[d[e]]}}return a};return function(b,e){return c(b,e,a)}}function Q(a){if(f.isPlainObject(a))return Q(a._);if(null===a)return function(){};if("function"===typeof a)return function(b,d,e){a(b,"set",d,e)};if("string"!==typeof a||-1===a.indexOf(".")&&-1===a.indexOf("[")&&-1===a.indexOf("("))return function(b,d){b[a]=d};var b=function(a,d,e){e=Ma(e);var c=e[e.length-1];for(var g,k,l=0,m=e.length-1;l<m;l++){g=e[l].match(ca);k=e[l].match(W);if(g){e[l]=e[l].replace(ca,"");a[e[l]]=[];c=e.slice();
+c.splice(0,l+1);g=c.join(".");if(f.isArray(d))for(k=0,m=d.length;k<m;k++)c={},b(c,d[k],g),a[e[l]].push(c);else a[e[l]]=d;return}k&&(e[l]=e[l].replace(W,""),a=a[e[l]](d));if(null===a[e[l]]||a[e[l]]===n)a[e[l]]={};a=a[e[l]]}if(c.match(W))a[c.replace(W,"")](d);else a[c.replace(ca,"")]=d};return function(c,d){return b(c,d,a)}}function Na(a){return K(a.aoData,"_aData")}function pa(a){a.aoData.length=0;a.aiDisplayMaster.length=0;a.aiDisplay.length=0;a.aIds={}}function qa(a,b,c){for(var d=-1,e=0,h=a.length;e<
+h;e++)a[e]==b?d=e:a[e]>b&&a[e]--; -1!=d&&c===n&&a.splice(d,1)}function da(a,b,c,d){var e=a.aoData[b],h,g=function(c,d){for(;c.childNodes.length;)c.removeChild(c.firstChild);c.innerHTML=F(a,b,d,"display")};if("dom"!==c&&(c&&"auto"!==c||"dom"!==e.src)){var k=e.anCells;if(k)if(d!==n)g(k[d],d);else for(c=0,h=k.length;c<h;c++)g(k[c],c)}else e._aData=La(a,e,d,d===n?n:e._aData).data;e._aSortData=null;e._aFilterData=null;g=a.aoColumns;if(d!==n)g[d].sType=null;else{c=0;for(h=g.length;c<h;c++)g[c].sType=null;
+Oa(a,e)}}function La(a,b,c,d){var e=[],h=b.firstChild,g,k=0,l,m=a.aoColumns,p=a._rowReadObject;d=d!==n?d:p?{}:[];var v=function(a,b){if("string"===typeof a){var c=a.indexOf("@");-1!==c&&(c=a.substring(c+1),Q(a)(d,b.getAttribute(c)))}},u=function(a){if(c===n||c===k)g=m[k],l=f.trim(a.innerHTML),g&&g._bAttrSrc?(Q(g.mData._)(d,l),v(g.mData.sort,a),v(g.mData.type,a),v(g.mData.filter,a)):p?(g._setter||(g._setter=Q(g.mData)),g._setter(d,l)):d[k]=l;k++};if(h)for(;h;){var q=h.nodeName.toUpperCase();if("TD"==
+q||"TH"==q)u(h),e.push(h);h=h.nextSibling}else for(e=b.anCells,h=0,q=e.length;h<q;h++)u(e[h]);(b=b.firstChild?b:b.nTr)&&(b=b.getAttribute("id"))&&Q(a.rowId)(d,b);return{data:d,cells:e}}function Ka(a,b,c,d){var e=a.aoData[b],h=e._aData,g=[],k,l;if(null===e.nTr){var m=c||w.createElement("tr");e.nTr=m;e.anCells=g;m._DT_RowIndex=b;Oa(a,e);var p=0;for(k=a.aoColumns.length;p<k;p++){var v=a.aoColumns[p];var n=(l=c?!1:!0)?w.createElement(v.sCellType):d[p];n._DT_CellIndex={row:b,column:p};g.push(n);if(l||
+!(c&&!v.mRender&&v.mData===p||f.isPlainObject(v.mData)&&v.mData._===p+".display"))n.innerHTML=F(a,b,p,"display");v.sClass&&(n.className+=" "+v.sClass);v.bVisible&&!c?m.appendChild(n):!v.bVisible&&c&&n.parentNode.removeChild(n);v.fnCreatedCell&&v.fnCreatedCell.call(a.oInstance,n,F(a,b,p),h,b,p)}A(a,"aoRowCreatedCallback",null,[m,h,b,g])}e.nTr.setAttribute("role","row")}function Oa(a,b){var c=b.nTr,d=b._aData;if(c){if(a=a.rowIdFn(d))c.id=a;d.DT_RowClass&&(a=d.DT_RowClass.split(" "),b.__rowc=b.__rowc?
+sa(b.__rowc.concat(a)):a,f(c).removeClass(b.__rowc.join(" ")).addClass(d.DT_RowClass));d.DT_RowAttr&&f(c).attr(d.DT_RowAttr);d.DT_RowData&&f(c).data(d.DT_RowData)}}function ob(a){var b,c,d=a.nTHead,e=a.nTFoot,h=0===f("th, td",d).length,g=a.oClasses,k=a.aoColumns;h&&(c=f("<tr/>").appendTo(d));var l=0;for(b=k.length;l<b;l++){var m=k[l];var p=f(m.nTh).addClass(m.sClass);h&&p.appendTo(c);a.oFeatures.bSort&&(p.addClass(m.sSortingClass),!1!==m.bSortable&&(p.attr("tabindex",a.iTabIndex).attr("aria-controls",
+a.sTableId),Pa(a,m.nTh,l)));m.sTitle!=p[0].innerHTML&&p.html(m.sTitle);Qa(a,"header")(a,p,m,g)}h&&ea(a.aoHeader,d);f(d).find(">tr").attr("role","row");f(d).find(">tr>th, >tr>td").addClass(g.sHeaderTH);f(e).find(">tr>th, >tr>td").addClass(g.sFooterTH);if(null!==e)for(a=a.aoFooter[0],l=0,b=a.length;l<b;l++)m=k[l],m.nTf=a[l].cell,m.sClass&&f(m.nTf).addClass(m.sClass)}function fa(a,b,c){var d,e,h=[],g=[],k=a.aoColumns.length;if(b){c===n&&(c=!1);var l=0;for(d=b.length;l<d;l++){h[l]=b[l].slice();h[l].nTr=
+b[l].nTr;for(e=k-1;0<=e;e--)a.aoColumns[e].bVisible||c||h[l].splice(e,1);g.push([])}l=0;for(d=h.length;l<d;l++){if(a=h[l].nTr)for(;e=a.firstChild;)a.removeChild(e);e=0;for(b=h[l].length;e<b;e++){var m=k=1;if(g[l][e]===n){a.appendChild(h[l][e].cell);for(g[l][e]=1;h[l+k]!==n&&h[l][e].cell==h[l+k][e].cell;)g[l+k][e]=1,k++;for(;h[l][e+m]!==n&&h[l][e].cell==h[l][e+m].cell;){for(c=0;c<k;c++)g[l+c][e+m]=1;m++}f(h[l][e].cell).attr("rowspan",k).attr("colspan",m)}}}}}function S(a){var b=A(a,"aoPreDrawCallback",
+"preDraw",[a]);if(-1!==f.inArray(!1,b))J(a,!1);else{b=[];var c=0,d=a.asStripeClasses,e=d.length,h=a.oLanguage,g=a.iInitDisplayStart,k="ssp"==I(a),l=a.aiDisplay;a.bDrawing=!0;g!==n&&-1!==g&&(a._iDisplayStart=k?g:g>=a.fnRecordsDisplay()?0:g,a.iInitDisplayStart=-1);g=a._iDisplayStart;var m=a.fnDisplayEnd();if(a.bDeferLoading)a.bDeferLoading=!1,a.iDraw++,J(a,!1);else if(!k)a.iDraw++;else if(!a.bDestroying&&!pb(a))return;if(0!==l.length)for(h=k?a.aoData.length:m,k=k?0:g;k<h;k++){var p=l[k],v=a.aoData[p];
+null===v.nTr&&Ka(a,p);var u=v.nTr;if(0!==e){var q=d[c%e];v._sRowStripe!=q&&(f(u).removeClass(v._sRowStripe).addClass(q),v._sRowStripe=q)}A(a,"aoRowCallback",null,[u,v._aData,c,k,p]);b.push(u);c++}else c=h.sZeroRecords,1==a.iDraw&&"ajax"==I(a)?c=h.sLoadingRecords:h.sEmptyTable&&0===a.fnRecordsTotal()&&(c=h.sEmptyTable),b[0]=f("<tr/>",{"class":e?d[0]:""}).append(f("<td />",{valign:"top",colSpan:V(a),"class":a.oClasses.sRowEmpty}).html(c))[0];A(a,"aoHeaderCallback","header",[f(a.nTHead).children("tr")[0],
+Na(a),g,m,l]);A(a,"aoFooterCallback","footer",[f(a.nTFoot).children("tr")[0],Na(a),g,m,l]);d=f(a.nTBody);d.children().detach();d.append(f(b));A(a,"aoDrawCallback","draw",[a]);a.bSorted=!1;a.bFiltered=!1;a.bDrawing=!1}}function U(a,b){var c=a.oFeatures,d=c.bFilter;c.bSort&&qb(a);d?ha(a,a.oPreviousSearch):a.aiDisplay=a.aiDisplayMaster.slice();!0!==b&&(a._iDisplayStart=0);a._drawHold=b;S(a);a._drawHold=!1}function rb(a){var b=a.oClasses,c=f(a.nTable);c=f("<div/>").insertBefore(c);var d=a.oFeatures,e=
+f("<div/>",{id:a.sTableId+"_wrapper","class":b.sWrapper+(a.nTFoot?"":" "+b.sNoFooter)});a.nHolding=c[0];a.nTableWrapper=e[0];a.nTableReinsertBefore=a.nTable.nextSibling;for(var h=a.sDom.split(""),g,k,l,m,p,n,u=0;u<h.length;u++){g=null;k=h[u];if("<"==k){l=f("<div/>")[0];m=h[u+1];if("'"==m||'"'==m){p="";for(n=2;h[u+n]!=m;)p+=h[u+n],n++;"H"==p?p=b.sJUIHeader:"F"==p&&(p=b.sJUIFooter);-1!=p.indexOf(".")?(m=p.split("."),l.id=m[0].substr(1,m[0].length-1),l.className=m[1]):"#"==p.charAt(0)?l.id=p.substr(1,
+p.length-1):l.className=p;u+=n}e.append(l);e=f(l)}else if(">"==k)e=e.parent();else if("l"==k&&d.bPaginate&&d.bLengthChange)g=sb(a);else if("f"==k&&d.bFilter)g=tb(a);else if("r"==k&&d.bProcessing)g=ub(a);else if("t"==k)g=vb(a);else if("i"==k&&d.bInfo)g=wb(a);else if("p"==k&&d.bPaginate)g=xb(a);else if(0!==q.ext.feature.length)for(l=q.ext.feature,n=0,m=l.length;n<m;n++)if(k==l[n].cFeature){g=l[n].fnInit(a);break}g&&(l=a.aanFeatures,l[k]||(l[k]=[]),l[k].push(g),e.append(g))}c.replaceWith(e);a.nHolding=
+null}function ea(a,b){b=f(b).children("tr");var c,d,e;a.splice(0,a.length);var h=0;for(e=b.length;h<e;h++)a.push([]);h=0;for(e=b.length;h<e;h++){var g=b[h];for(c=g.firstChild;c;){if("TD"==c.nodeName.toUpperCase()||"TH"==c.nodeName.toUpperCase()){var k=1*c.getAttribute("colspan");var l=1*c.getAttribute("rowspan");k=k&&0!==k&&1!==k?k:1;l=l&&0!==l&&1!==l?l:1;var m=0;for(d=a[h];d[m];)m++;var p=m;var n=1===k?!0:!1;for(d=0;d<k;d++)for(m=0;m<l;m++)a[h+m][p+d]={cell:c,unique:n},a[h+m].nTr=g}c=c.nextSibling}}}
+function ta(a,b,c){var d=[];c||(c=a.aoHeader,b&&(c=[],ea(c,b)));b=0;for(var e=c.length;b<e;b++)for(var h=0,g=c[b].length;h<g;h++)!c[b][h].unique||d[h]&&a.bSortCellsTop||(d[h]=c[b][h].cell);return d}function ua(a,b,c){A(a,"aoServerParams","serverParams",[b]);if(b&&f.isArray(b)){var d={},e=/(.*?)\[\]$/;f.each(b,function(a,b){(a=b.name.match(e))?(a=a[0],d[a]||(d[a]=[]),d[a].push(b.value)):d[b.name]=b.value});b=d}var h=a.ajax,g=a.oInstance,k=function(b){A(a,null,"xhr",[a,b,a.jqXHR]);c(b)};if(f.isPlainObject(h)&&
+h.data){var l=h.data;var m="function"===typeof l?l(b,a):l;b="function"===typeof l&&m?m:f.extend(!0,b,m);delete h.data}m={data:b,success:function(b){var c=b.error||b.sError;c&&O(a,0,c);a.json=b;k(b)},dataType:"json",cache:!1,type:a.sServerMethod,error:function(b,c,d){d=A(a,null,"xhr",[a,null,a.jqXHR]);-1===f.inArray(!0,d)&&("parsererror"==c?O(a,0,"Invalid JSON response",1):4===b.readyState&&O(a,0,"Ajax error",7));J(a,!1)}};a.oAjaxData=b;A(a,null,"preXhr",[a,b]);a.fnServerData?a.fnServerData.call(g,
+a.sAjaxSource,f.map(b,function(a,b){return{name:b,value:a}}),k,a):a.sAjaxSource||"string"===typeof h?a.jqXHR=f.ajax(f.extend(m,{url:h||a.sAjaxSource})):"function"===typeof h?a.jqXHR=h.call(g,b,k,a):(a.jqXHR=f.ajax(f.extend(m,h)),h.data=l)}function pb(a){return a.bAjaxDataGet?(a.iDraw++,J(a,!0),ua(a,yb(a),function(b){zb(a,b)}),!1):!0}function yb(a){var b=a.aoColumns,c=b.length,d=a.oFeatures,e=a.oPreviousSearch,h=a.aoPreSearchCols,g=[],k=X(a);var l=a._iDisplayStart;var m=!1!==d.bPaginate?a._iDisplayLength:
+-1;var p=function(a,b){g.push({name:a,value:b})};p("sEcho",a.iDraw);p("iColumns",c);p("sColumns",K(b,"sName").join(","));p("iDisplayStart",l);p("iDisplayLength",m);var n={draw:a.iDraw,columns:[],order:[],start:l,length:m,search:{value:e.sSearch,regex:e.bRegex}};for(l=0;l<c;l++){var u=b[l];var ra=h[l];m="function"==typeof u.mData?"function":u.mData;n.columns.push({data:m,name:u.sName,searchable:u.bSearchable,orderable:u.bSortable,search:{value:ra.sSearch,regex:ra.bRegex}});p("mDataProp_"+l,m);d.bFilter&&
+(p("sSearch_"+l,ra.sSearch),p("bRegex_"+l,ra.bRegex),p("bSearchable_"+l,u.bSearchable));d.bSort&&p("bSortable_"+l,u.bSortable)}d.bFilter&&(p("sSearch",e.sSearch),p("bRegex",e.bRegex));d.bSort&&(f.each(k,function(a,b){n.order.push({column:b.col,dir:b.dir});p("iSortCol_"+a,b.col);p("sSortDir_"+a,b.dir)}),p("iSortingCols",k.length));b=q.ext.legacy.ajax;return null===b?a.sAjaxSource?g:n:b?g:n}function zb(a,b){var c=function(a,c){return b[a]!==n?b[a]:b[c]},d=va(a,b),e=c("sEcho","draw"),h=c("iTotalRecords",
+"recordsTotal");c=c("iTotalDisplayRecords","recordsFiltered");if(e!==n){if(1*e<a.iDraw)return;a.iDraw=1*e}pa(a);a._iRecordsTotal=parseInt(h,10);a._iRecordsDisplay=parseInt(c,10);e=0;for(h=d.length;e<h;e++)R(a,d[e]);a.aiDisplay=a.aiDisplayMaster.slice();a.bAjaxDataGet=!1;S(a);a._bInitComplete||wa(a,b);a.bAjaxDataGet=!0;J(a,!1)}function va(a,b){a=f.isPlainObject(a.ajax)&&a.ajax.dataSrc!==n?a.ajax.dataSrc:a.sAjaxDataProp;return"data"===a?b.aaData||b[a]:""!==a?T(a)(b):b}function tb(a){var b=a.oClasses,
+c=a.sTableId,d=a.oLanguage,e=a.oPreviousSearch,h=a.aanFeatures,g='<input type="search" class="'+b.sFilterInput+'"/>',k=d.sSearch;k=k.match(/_INPUT_/)?k.replace("_INPUT_",g):k+g;b=f("<div/>",{id:h.f?null:c+"_filter","class":b.sFilter}).append(f("<label/>").append(k));var l=function(){var b=this.value?this.value:"";b!=e.sSearch&&(ha(a,{sSearch:b,bRegex:e.bRegex,bSmart:e.bSmart,bCaseInsensitive:e.bCaseInsensitive}),a._iDisplayStart=0,S(a))};h=null!==a.searchDelay?a.searchDelay:"ssp"===I(a)?400:0;var m=
+f("input",b).val(e.sSearch).attr("placeholder",d.sSearchPlaceholder).on("keyup.DT search.DT input.DT paste.DT cut.DT",h?Ra(l,h):l).on("mouseup",function(a){setTimeout(function(){l.call(m[0])},10)}).on("keypress.DT",function(a){if(13==a.keyCode)return!1}).attr("aria-controls",c);f(a.nTable).on("search.dt.DT",function(b,c){if(a===c)try{m[0]!==w.activeElement&&m.val(e.sSearch)}catch(u){}});return b[0]}function ha(a,b,c){var d=a.oPreviousSearch,e=a.aoPreSearchCols,h=function(a){d.sSearch=a.sSearch;d.bRegex=
+a.bRegex;d.bSmart=a.bSmart;d.bCaseInsensitive=a.bCaseInsensitive},g=function(a){return a.bEscapeRegex!==n?!a.bEscapeRegex:a.bRegex};Ja(a);if("ssp"!=I(a)){Ab(a,b.sSearch,c,g(b),b.bSmart,b.bCaseInsensitive);h(b);for(b=0;b<e.length;b++)Bb(a,e[b].sSearch,b,g(e[b]),e[b].bSmart,e[b].bCaseInsensitive);Cb(a)}else h(b);a.bFiltered=!0;A(a,null,"search",[a])}function Cb(a){for(var b=q.ext.search,c=a.aiDisplay,d,e,h=0,g=b.length;h<g;h++){for(var k=[],l=0,m=c.length;l<m;l++)e=c[l],d=a.aoData[e],b[h](a,d._aFilterData,
+e,d._aData,l)&&k.push(e);c.length=0;f.merge(c,k)}}function Bb(a,b,c,d,e,h){if(""!==b){var g=[],k=a.aiDisplay;d=Sa(b,d,e,h);for(e=0;e<k.length;e++)b=a.aoData[k[e]]._aFilterData[c],d.test(b)&&g.push(k[e]);a.aiDisplay=g}}function Ab(a,b,c,d,e,h){e=Sa(b,d,e,h);var g=a.oPreviousSearch.sSearch,k=a.aiDisplayMaster;h=[];0!==q.ext.search.length&&(c=!0);var f=Db(a);if(0>=b.length)a.aiDisplay=k.slice();else{if(f||c||d||g.length>b.length||0!==b.indexOf(g)||a.bSorted)a.aiDisplay=k.slice();b=a.aiDisplay;for(c=
+0;c<b.length;c++)e.test(a.aoData[b[c]]._sFilterRow)&&h.push(b[c]);a.aiDisplay=h}}function Sa(a,b,c,d){a=b?a:Ta(a);c&&(a="^(?=.*?"+f.map(a.match(/"[^"]+"|[^ ]+/g)||[""],function(a){if('"'===a.charAt(0)){var b=a.match(/^"(.*)"$/);a=b?b[1]:a}return a.replace('"',"")}).join(")(?=.*?")+").*$");return new RegExp(a,d?"i":"")}function Db(a){var b=a.aoColumns,c,d,e=q.ext.type.search;var h=!1;var g=0;for(c=a.aoData.length;g<c;g++){var k=a.aoData[g];if(!k._aFilterData){var f=[];var m=0;for(d=b.length;m<d;m++){h=
+b[m];if(h.bSearchable){var p=F(a,g,m,"filter");e[h.sType]&&(p=e[h.sType](p));null===p&&(p="");"string"!==typeof p&&p.toString&&(p=p.toString())}else p="";p.indexOf&&-1!==p.indexOf("&")&&(xa.innerHTML=p,p=$b?xa.textContent:xa.innerText);p.replace&&(p=p.replace(/[\r\n\u2028]/g,""));f.push(p)}k._aFilterData=f;k._sFilterRow=f.join("  ");h=!0}}return h}function Eb(a){return{search:a.sSearch,smart:a.bSmart,regex:a.bRegex,caseInsensitive:a.bCaseInsensitive}}function Fb(a){return{sSearch:a.search,bSmart:a.smart,
+bRegex:a.regex,bCaseInsensitive:a.caseInsensitive}}function wb(a){var b=a.sTableId,c=a.aanFeatures.i,d=f("<div/>",{"class":a.oClasses.sInfo,id:c?null:b+"_info"});c||(a.aoDrawCallback.push({fn:Gb,sName:"information"}),d.attr("role","status").attr("aria-live","polite"),f(a.nTable).attr("aria-describedby",b+"_info"));return d[0]}function Gb(a){var b=a.aanFeatures.i;if(0!==b.length){var c=a.oLanguage,d=a._iDisplayStart+1,e=a.fnDisplayEnd(),h=a.fnRecordsTotal(),g=a.fnRecordsDisplay(),k=g?c.sInfo:c.sInfoEmpty;
+g!==h&&(k+=" "+c.sInfoFiltered);k+=c.sInfoPostFix;k=Hb(a,k);c=c.fnInfoCallback;null!==c&&(k=c.call(a.oInstance,a,d,e,h,g,k));f(b).html(k)}}function Hb(a,b){var c=a.fnFormatNumber,d=a._iDisplayStart+1,e=a._iDisplayLength,h=a.fnRecordsDisplay(),g=-1===e;return b.replace(/_START_/g,c.call(a,d)).replace(/_END_/g,c.call(a,a.fnDisplayEnd())).replace(/_MAX_/g,c.call(a,a.fnRecordsTotal())).replace(/_TOTAL_/g,c.call(a,h)).replace(/_PAGE_/g,c.call(a,g?1:Math.ceil(d/e))).replace(/_PAGES_/g,c.call(a,g?1:Math.ceil(h/
+e)))}function ia(a){var b=a.iInitDisplayStart,c=a.aoColumns;var d=a.oFeatures;var e=a.bDeferLoading;if(a.bInitialised){rb(a);ob(a);fa(a,a.aoHeader);fa(a,a.aoFooter);J(a,!0);d.bAutoWidth&&Ia(a);var h=0;for(d=c.length;h<d;h++){var g=c[h];g.sWidth&&(g.nTh.style.width=B(g.sWidth))}A(a,null,"preInit",[a]);U(a);c=I(a);if("ssp"!=c||e)"ajax"==c?ua(a,[],function(c){var d=va(a,c);for(h=0;h<d.length;h++)R(a,d[h]);a.iInitDisplayStart=b;U(a);J(a,!1);wa(a,c)},a):(J(a,!1),wa(a))}else setTimeout(function(){ia(a)},
+200)}function wa(a,b){a._bInitComplete=!0;(b||a.oInit.aaData)&&Z(a);A(a,null,"plugin-init",[a,b]);A(a,"aoInitComplete","init",[a,b])}function Ua(a,b){b=parseInt(b,10);a._iDisplayLength=b;Va(a);A(a,null,"length",[a,b])}function sb(a){var b=a.oClasses,c=a.sTableId,d=a.aLengthMenu,e=f.isArray(d[0]),h=e?d[0]:d;d=e?d[1]:d;e=f("<select/>",{name:c+"_length","aria-controls":c,"class":b.sLengthSelect});for(var g=0,k=h.length;g<k;g++)e[0][g]=new Option("number"===typeof d[g]?a.fnFormatNumber(d[g]):d[g],h[g]);
+var l=f("<div><label/></div>").addClass(b.sLength);a.aanFeatures.l||(l[0].id=c+"_length");l.children().append(a.oLanguage.sLengthMenu.replace("_MENU_",e[0].outerHTML));f("select",l).val(a._iDisplayLength).on("change.DT",function(b){Ua(a,f(this).val());S(a)});f(a.nTable).on("length.dt.DT",function(b,c,d){a===c&&f("select",l).val(d)});return l[0]}function xb(a){var b=a.sPaginationType,c=q.ext.pager[b],d="function"===typeof c,e=function(a){S(a)};b=f("<div/>").addClass(a.oClasses.sPaging+b)[0];var h=
+a.aanFeatures;d||c.fnInit(a,b,e);h.p||(b.id=a.sTableId+"_paginate",a.aoDrawCallback.push({fn:function(a){if(d){var b=a._iDisplayStart,g=a._iDisplayLength,f=a.fnRecordsDisplay(),p=-1===g;b=p?0:Math.ceil(b/g);g=p?1:Math.ceil(f/g);f=c(b,g);var n;p=0;for(n=h.p.length;p<n;p++)Qa(a,"pageButton")(a,h.p[p],p,f,b,g)}else c.fnUpdate(a,e)},sName:"pagination"}));return b}function Wa(a,b,c){var d=a._iDisplayStart,e=a._iDisplayLength,h=a.fnRecordsDisplay();0===h||-1===e?d=0:"number"===typeof b?(d=b*e,d>h&&(d=0)):
+"first"==b?d=0:"previous"==b?(d=0<=e?d-e:0,0>d&&(d=0)):"next"==b?d+e<h&&(d+=e):"last"==b?d=Math.floor((h-1)/e)*e:O(a,0,"Unknown paging action: "+b,5);b=a._iDisplayStart!==d;a._iDisplayStart=d;b&&(A(a,null,"page",[a]),c&&S(a));return b}function ub(a){return f("<div/>",{id:a.aanFeatures.r?null:a.sTableId+"_processing","class":a.oClasses.sProcessing}).html(a.oLanguage.sProcessing).insertBefore(a.nTable)[0]}function J(a,b){a.oFeatures.bProcessing&&f(a.aanFeatures.r).css("display",b?"block":"none");A(a,
+null,"processing",[a,b])}function vb(a){var b=f(a.nTable);b.attr("role","grid");var c=a.oScroll;if(""===c.sX&&""===c.sY)return a.nTable;var d=c.sX,e=c.sY,h=a.oClasses,g=b.children("caption"),k=g.length?g[0]._captionSide:null,l=f(b[0].cloneNode(!1)),m=f(b[0].cloneNode(!1)),p=b.children("tfoot");p.length||(p=null);l=f("<div/>",{"class":h.sScrollWrapper}).append(f("<div/>",{"class":h.sScrollHead}).css({overflow:"hidden",position:"relative",border:0,width:d?d?B(d):null:"100%"}).append(f("<div/>",{"class":h.sScrollHeadInner}).css({"box-sizing":"content-box",
+width:c.sXInner||"100%"}).append(l.removeAttr("id").css("margin-left",0).append("top"===k?g:null).append(b.children("thead"))))).append(f("<div/>",{"class":h.sScrollBody}).css({position:"relative",overflow:"auto",width:d?B(d):null}).append(b));p&&l.append(f("<div/>",{"class":h.sScrollFoot}).css({overflow:"hidden",border:0,width:d?d?B(d):null:"100%"}).append(f("<div/>",{"class":h.sScrollFootInner}).append(m.removeAttr("id").css("margin-left",0).append("bottom"===k?g:null).append(b.children("tfoot")))));
+b=l.children();var n=b[0];h=b[1];var u=p?b[2]:null;if(d)f(h).on("scroll.DT",function(a){a=this.scrollLeft;n.scrollLeft=a;p&&(u.scrollLeft=a)});f(h).css("max-height",e);c.bCollapse||f(h).css("height",e);a.nScrollHead=n;a.nScrollBody=h;a.nScrollFoot=u;a.aoDrawCallback.push({fn:ma,sName:"scrolling"});return l[0]}function ma(a){var b=a.oScroll,c=b.sX,d=b.sXInner,e=b.sY;b=b.iBarWidth;var h=f(a.nScrollHead),g=h[0].style,k=h.children("div"),l=k[0].style,m=k.children("table");k=a.nScrollBody;var p=f(k),v=
+k.style,u=f(a.nScrollFoot).children("div"),q=u.children("table"),t=f(a.nTHead),r=f(a.nTable),x=r[0],ya=x.style,w=a.nTFoot?f(a.nTFoot):null,y=a.oBrowser,A=y.bScrollOversize,ac=K(a.aoColumns,"nTh"),Xa=[],z=[],C=[],G=[],H,I=function(a){a=a.style;a.paddingTop="0";a.paddingBottom="0";a.borderTopWidth="0";a.borderBottomWidth="0";a.height=0};var D=k.scrollHeight>k.clientHeight;if(a.scrollBarVis!==D&&a.scrollBarVis!==n)a.scrollBarVis=D,Z(a);else{a.scrollBarVis=D;r.children("thead, tfoot").remove();if(w){var E=
+w.clone().prependTo(r);var F=w.find("tr");E=E.find("tr")}var J=t.clone().prependTo(r);t=t.find("tr");D=J.find("tr");J.find("th, td").removeAttr("tabindex");c||(v.width="100%",h[0].style.width="100%");f.each(ta(a,J),function(b,c){H=aa(a,b);c.style.width=a.aoColumns[H].sWidth});w&&N(function(a){a.style.width=""},E);h=r.outerWidth();""===c?(ya.width="100%",A&&(r.find("tbody").height()>k.offsetHeight||"scroll"==p.css("overflow-y"))&&(ya.width=B(r.outerWidth()-b)),h=r.outerWidth()):""!==d&&(ya.width=B(d),
+h=r.outerWidth());N(I,D);N(function(a){C.push(a.innerHTML);Xa.push(B(f(a).css("width")))},D);N(function(a,b){-1!==f.inArray(a,ac)&&(a.style.width=Xa[b])},t);f(D).height(0);w&&(N(I,E),N(function(a){G.push(a.innerHTML);z.push(B(f(a).css("width")))},E),N(function(a,b){a.style.width=z[b]},F),f(E).height(0));N(function(a,b){a.innerHTML='<div class="dataTables_sizing">'+C[b]+"</div>";a.childNodes[0].style.height="0";a.childNodes[0].style.overflow="hidden";a.style.width=Xa[b]},D);w&&N(function(a,b){a.innerHTML=
+'<div class="dataTables_sizing">'+G[b]+"</div>";a.childNodes[0].style.height="0";a.childNodes[0].style.overflow="hidden";a.style.width=z[b]},E);r.outerWidth()<h?(F=k.scrollHeight>k.offsetHeight||"scroll"==p.css("overflow-y")?h+b:h,A&&(k.scrollHeight>k.offsetHeight||"scroll"==p.css("overflow-y"))&&(ya.width=B(F-b)),""!==c&&""===d||O(a,1,"Possible column misalignment",6)):F="100%";v.width=B(F);g.width=B(F);w&&(a.nScrollFoot.style.width=B(F));!e&&A&&(v.height=B(x.offsetHeight+b));c=r.outerWidth();m[0].style.width=
+B(c);l.width=B(c);d=r.height()>k.clientHeight||"scroll"==p.css("overflow-y");e="padding"+(y.bScrollbarLeft?"Left":"Right");l[e]=d?b+"px":"0px";w&&(q[0].style.width=B(c),u[0].style.width=B(c),u[0].style[e]=d?b+"px":"0px");r.children("colgroup").insertBefore(r.children("thead"));p.trigger("scroll");!a.bSorted&&!a.bFiltered||a._drawHold||(k.scrollTop=0)}}function N(a,b,c){for(var d=0,e=0,h=b.length,g,k;e<h;){g=b[e].firstChild;for(k=c?c[e].firstChild:null;g;)1===g.nodeType&&(c?a(g,k,d):a(g,d),d++),g=
+g.nextSibling,k=c?k.nextSibling:null;e++}}function Ia(a){var b=a.nTable,c=a.aoColumns,d=a.oScroll,e=d.sY,h=d.sX,g=d.sXInner,k=c.length,l=na(a,"bVisible"),m=f("th",a.nTHead),p=b.getAttribute("width"),n=b.parentNode,u=!1,q,t=a.oBrowser;d=t.bScrollOversize;(q=b.style.width)&&-1!==q.indexOf("%")&&(p=q);for(q=0;q<l.length;q++){var r=c[l[q]];null!==r.sWidth&&(r.sWidth=Ib(r.sWidthOrig,n),u=!0)}if(d||!u&&!h&&!e&&k==V(a)&&k==m.length)for(q=0;q<k;q++)l=aa(a,q),null!==l&&(c[l].sWidth=B(m.eq(q).width()));else{k=
+f(b).clone().css("visibility","hidden").removeAttr("id");k.find("tbody tr").remove();var w=f("<tr/>").appendTo(k.find("tbody"));k.find("thead, tfoot").remove();k.append(f(a.nTHead).clone()).append(f(a.nTFoot).clone());k.find("tfoot th, tfoot td").css("width","");m=ta(a,k.find("thead")[0]);for(q=0;q<l.length;q++)r=c[l[q]],m[q].style.width=null!==r.sWidthOrig&&""!==r.sWidthOrig?B(r.sWidthOrig):"",r.sWidthOrig&&h&&f(m[q]).append(f("<div/>").css({width:r.sWidthOrig,margin:0,padding:0,border:0,height:1}));
+if(a.aoData.length)for(q=0;q<l.length;q++)u=l[q],r=c[u],f(Jb(a,u)).clone(!1).append(r.sContentPadding).appendTo(w);f("[name]",k).removeAttr("name");r=f("<div/>").css(h||e?{position:"absolute",top:0,left:0,height:1,right:0,overflow:"hidden"}:{}).append(k).appendTo(n);h&&g?k.width(g):h?(k.css("width","auto"),k.removeAttr("width"),k.width()<n.clientWidth&&p&&k.width(n.clientWidth)):e?k.width(n.clientWidth):p&&k.width(p);for(q=e=0;q<l.length;q++)n=f(m[q]),g=n.outerWidth()-n.width(),n=t.bBounding?Math.ceil(m[q].getBoundingClientRect().width):
+n.outerWidth(),e+=n,c[l[q]].sWidth=B(n-g);b.style.width=B(e);r.remove()}p&&(b.style.width=B(p));!p&&!h||a._reszEvt||(b=function(){f(y).on("resize.DT-"+a.sInstance,Ra(function(){Z(a)}))},d?setTimeout(b,1E3):b(),a._reszEvt=!0)}function Ib(a,b){if(!a)return 0;a=f("<div/>").css("width",B(a)).appendTo(b||w.body);b=a[0].offsetWidth;a.remove();return b}function Jb(a,b){var c=Kb(a,b);if(0>c)return null;var d=a.aoData[c];return d.nTr?d.anCells[b]:f("<td/>").html(F(a,c,b,"display"))[0]}function Kb(a,b){for(var c,
+d=-1,e=-1,h=0,g=a.aoData.length;h<g;h++)c=F(a,h,b,"display")+"",c=c.replace(bc,""),c=c.replace(/&nbsp;/g," "),c.length>d&&(d=c.length,e=h);return e}function B(a){return null===a?"0px":"number"==typeof a?0>a?"0px":a+"px":a.match(/\d$/)?a+"px":a}function X(a){var b=[],c=a.aoColumns;var d=a.aaSortingFixed;var e=f.isPlainObject(d);var h=[];var g=function(a){a.length&&!f.isArray(a[0])?h.push(a):f.merge(h,a)};f.isArray(d)&&g(d);e&&d.pre&&g(d.pre);g(a.aaSorting);e&&d.post&&g(d.post);for(a=0;a<h.length;a++){var k=
+h[a][0];g=c[k].aDataSort;d=0;for(e=g.length;d<e;d++){var l=g[d];var m=c[l].sType||"string";h[a]._idx===n&&(h[a]._idx=f.inArray(h[a][1],c[l].asSorting));b.push({src:k,col:l,dir:h[a][1],index:h[a]._idx,type:m,formatter:q.ext.type.order[m+"-pre"]})}}return b}function qb(a){var b,c=[],d=q.ext.type.order,e=a.aoData,h=0,g=a.aiDisplayMaster;Ja(a);var k=X(a);var f=0;for(b=k.length;f<b;f++){var m=k[f];m.formatter&&h++;Lb(a,m.col)}if("ssp"!=I(a)&&0!==k.length){f=0;for(b=g.length;f<b;f++)c[g[f]]=f;h===k.length?
+g.sort(function(a,b){var d,h=k.length,g=e[a]._aSortData,f=e[b]._aSortData;for(d=0;d<h;d++){var l=k[d];var m=g[l.col];var p=f[l.col];m=m<p?-1:m>p?1:0;if(0!==m)return"asc"===l.dir?m:-m}m=c[a];p=c[b];return m<p?-1:m>p?1:0}):g.sort(function(a,b){var h,g=k.length,f=e[a]._aSortData,l=e[b]._aSortData;for(h=0;h<g;h++){var m=k[h];var p=f[m.col];var n=l[m.col];m=d[m.type+"-"+m.dir]||d["string-"+m.dir];p=m(p,n);if(0!==p)return p}p=c[a];n=c[b];return p<n?-1:p>n?1:0})}a.bSorted=!0}function Mb(a){var b=a.aoColumns,
+c=X(a);a=a.oLanguage.oAria;for(var d=0,e=b.length;d<e;d++){var h=b[d];var g=h.asSorting;var k=h.sTitle.replace(/<.*?>/g,"");var f=h.nTh;f.removeAttribute("aria-sort");h.bSortable&&(0<c.length&&c[0].col==d?(f.setAttribute("aria-sort","asc"==c[0].dir?"ascending":"descending"),h=g[c[0].index+1]||g[0]):h=g[0],k+="asc"===h?a.sSortAscending:a.sSortDescending);f.setAttribute("aria-label",k)}}function Ya(a,b,c,d){var e=a.aaSorting,h=a.aoColumns[b].asSorting,g=function(a,b){var c=a._idx;c===n&&(c=f.inArray(a[1],
+h));return c+1<h.length?c+1:b?null:0};"number"===typeof e[0]&&(e=a.aaSorting=[e]);c&&a.oFeatures.bSortMulti?(c=f.inArray(b,K(e,"0")),-1!==c?(b=g(e[c],!0),null===b&&1===e.length&&(b=0),null===b?e.splice(c,1):(e[c][1]=h[b],e[c]._idx=b)):(e.push([b,h[0],0]),e[e.length-1]._idx=0)):e.length&&e[0][0]==b?(b=g(e[0]),e.length=1,e[0][1]=h[b],e[0]._idx=b):(e.length=0,e.push([b,h[0]]),e[0]._idx=0);U(a);"function"==typeof d&&d(a)}function Pa(a,b,c,d){var e=a.aoColumns[c];Za(b,{},function(b){!1!==e.bSortable&&
+(a.oFeatures.bProcessing?(J(a,!0),setTimeout(function(){Ya(a,c,b.shiftKey,d);"ssp"!==I(a)&&J(a,!1)},0)):Ya(a,c,b.shiftKey,d))})}function za(a){var b=a.aLastSort,c=a.oClasses.sSortColumn,d=X(a),e=a.oFeatures,h;if(e.bSort&&e.bSortClasses){e=0;for(h=b.length;e<h;e++){var g=b[e].src;f(K(a.aoData,"anCells",g)).removeClass(c+(2>e?e+1:3))}e=0;for(h=d.length;e<h;e++)g=d[e].src,f(K(a.aoData,"anCells",g)).addClass(c+(2>e?e+1:3))}a.aLastSort=d}function Lb(a,b){var c=a.aoColumns[b],d=q.ext.order[c.sSortDataType],
+e;d&&(e=d.call(a.oInstance,a,b,ba(a,b)));for(var h,g=q.ext.type.order[c.sType+"-pre"],f=0,l=a.aoData.length;f<l;f++)if(c=a.aoData[f],c._aSortData||(c._aSortData=[]),!c._aSortData[b]||d)h=d?e[f]:F(a,f,b,"sort"),c._aSortData[b]=g?g(h):h}function Aa(a){if(a.oFeatures.bStateSave&&!a.bDestroying){var b={time:+new Date,start:a._iDisplayStart,length:a._iDisplayLength,order:f.extend(!0,[],a.aaSorting),search:Eb(a.oPreviousSearch),columns:f.map(a.aoColumns,function(b,d){return{visible:b.bVisible,search:Eb(a.aoPreSearchCols[d])}})};
+A(a,"aoStateSaveParams","stateSaveParams",[a,b]);a.oSavedState=b;a.fnStateSaveCallback.call(a.oInstance,a,b)}}function Nb(a,b,c){var d,e,h=a.aoColumns;b=function(b){if(b&&b.time){var g=A(a,"aoStateLoadParams","stateLoadParams",[a,b]);if(-1===f.inArray(!1,g)&&(g=a.iStateDuration,!(0<g&&b.time<+new Date-1E3*g||b.columns&&h.length!==b.columns.length))){a.oLoadedState=f.extend(!0,{},b);b.start!==n&&(a._iDisplayStart=b.start,a.iInitDisplayStart=b.start);b.length!==n&&(a._iDisplayLength=b.length);b.order!==
+n&&(a.aaSorting=[],f.each(b.order,function(b,c){a.aaSorting.push(c[0]>=h.length?[0,c[1]]:c)}));b.search!==n&&f.extend(a.oPreviousSearch,Fb(b.search));if(b.columns)for(d=0,e=b.columns.length;d<e;d++)g=b.columns[d],g.visible!==n&&(h[d].bVisible=g.visible),g.search!==n&&f.extend(a.aoPreSearchCols[d],Fb(g.search));A(a,"aoStateLoaded","stateLoaded",[a,b])}}c()};if(a.oFeatures.bStateSave){var g=a.fnStateLoadCallback.call(a.oInstance,a,b);g!==n&&b(g)}else c()}function Ba(a){var b=q.settings;a=f.inArray(a,
+K(b,"nTable"));return-1!==a?b[a]:null}function O(a,b,c,d){c="DataTables warning: "+(a?"table id="+a.sTableId+" - ":"")+c;d&&(c+=". For more information about this error, please see http://datatables.net/tn/"+d);if(b)y.console&&console.log&&console.log(c);else if(b=q.ext,b=b.sErrMode||b.errMode,a&&A(a,null,"error",[a,d,c]),"alert"==b)alert(c);else{if("throw"==b)throw Error(c);"function"==typeof b&&b(a,d,c)}}function M(a,b,c,d){f.isArray(c)?f.each(c,function(c,d){f.isArray(d)?M(a,b,d[0],d[1]):M(a,b,
+d)}):(d===n&&(d=c),b[c]!==n&&(a[d]=b[c]))}function $a(a,b,c){var d;for(d in b)if(b.hasOwnProperty(d)){var e=b[d];f.isPlainObject(e)?(f.isPlainObject(a[d])||(a[d]={}),f.extend(!0,a[d],e)):c&&"data"!==d&&"aaData"!==d&&f.isArray(e)?a[d]=e.slice():a[d]=e}return a}function Za(a,b,c){f(a).on("click.DT",b,function(b){f(a).trigger("blur");c(b)}).on("keypress.DT",b,function(a){13===a.which&&(a.preventDefault(),c(a))}).on("selectstart.DT",function(){return!1})}function D(a,b,c,d){c&&a[b].push({fn:c,sName:d})}
+function A(a,b,c,d){var e=[];b&&(e=f.map(a[b].slice().reverse(),function(b,c){return b.fn.apply(a.oInstance,d)}));null!==c&&(b=f.Event(c+".dt"),f(a.nTable).trigger(b,d),e.push(b.result));return e}function Va(a){var b=a._iDisplayStart,c=a.fnDisplayEnd(),d=a._iDisplayLength;b>=c&&(b=c-d);b-=b%d;if(-1===d||0>b)b=0;a._iDisplayStart=b}function Qa(a,b){a=a.renderer;var c=q.ext.renderer[b];return f.isPlainObject(a)&&a[b]?c[a[b]]||c._:"string"===typeof a?c[a]||c._:c._}function I(a){return a.oFeatures.bServerSide?
+"ssp":a.ajax||a.sAjaxSource?"ajax":"dom"}function ja(a,b){var c=Ob.numbers_length,d=Math.floor(c/2);b<=c?a=Y(0,b):a<=d?(a=Y(0,c-2),a.push("ellipsis"),a.push(b-1)):(a>=b-1-d?a=Y(b-(c-2),b):(a=Y(a-d+2,a+d-1),a.push("ellipsis"),a.push(b-1)),a.splice(0,0,"ellipsis"),a.splice(0,0,0));a.DT_el="span";return a}function Ga(a){f.each({num:function(b){return Ca(b,a)},"num-fmt":function(b){return Ca(b,a,ab)},"html-num":function(b){return Ca(b,a,Da)},"html-num-fmt":function(b){return Ca(b,a,Da,ab)}},function(b,
+c){C.type.order[b+a+"-pre"]=c;b.match(/^html\-/)&&(C.type.search[b+a]=C.type.search.html)})}function Pb(a){return function(){var b=[Ba(this[q.ext.iApiIndex])].concat(Array.prototype.slice.call(arguments));return q.ext.internal[a].apply(this,b)}}var q=function(a){this.$=function(a,b){return this.api(!0).$(a,b)};this._=function(a,b){return this.api(!0).rows(a,b).data()};this.api=function(a){return a?new x(Ba(this[C.iApiIndex])):new x(this)};this.fnAddData=function(a,b){var c=this.api(!0);a=f.isArray(a)&&
+(f.isArray(a[0])||f.isPlainObject(a[0]))?c.rows.add(a):c.row.add(a);(b===n||b)&&c.draw();return a.flatten().toArray()};this.fnAdjustColumnSizing=function(a){var b=this.api(!0).columns.adjust(),c=b.settings()[0],d=c.oScroll;a===n||a?b.draw(!1):(""!==d.sX||""!==d.sY)&&ma(c)};this.fnClearTable=function(a){var b=this.api(!0).clear();(a===n||a)&&b.draw()};this.fnClose=function(a){this.api(!0).row(a).child.hide()};this.fnDeleteRow=function(a,b,c){var d=this.api(!0);a=d.rows(a);var e=a.settings()[0],h=e.aoData[a[0][0]];
+a.remove();b&&b.call(this,e,h);(c===n||c)&&d.draw();return h};this.fnDestroy=function(a){this.api(!0).destroy(a)};this.fnDraw=function(a){this.api(!0).draw(a)};this.fnFilter=function(a,b,c,d,e,f){e=this.api(!0);null===b||b===n?e.search(a,c,d,f):e.column(b).search(a,c,d,f);e.draw()};this.fnGetData=function(a,b){var c=this.api(!0);if(a!==n){var d=a.nodeName?a.nodeName.toLowerCase():"";return b!==n||"td"==d||"th"==d?c.cell(a,b).data():c.row(a).data()||null}return c.data().toArray()};this.fnGetNodes=
+function(a){var b=this.api(!0);return a!==n?b.row(a).node():b.rows().nodes().flatten().toArray()};this.fnGetPosition=function(a){var b=this.api(!0),c=a.nodeName.toUpperCase();return"TR"==c?b.row(a).index():"TD"==c||"TH"==c?(a=b.cell(a).index(),[a.row,a.columnVisible,a.column]):null};this.fnIsOpen=function(a){return this.api(!0).row(a).child.isShown()};this.fnOpen=function(a,b,c){return this.api(!0).row(a).child(b,c).show().child()[0]};this.fnPageChange=function(a,b){a=this.api(!0).page(a);(b===n||
+b)&&a.draw(!1)};this.fnSetColumnVis=function(a,b,c){a=this.api(!0).column(a).visible(b);(c===n||c)&&a.columns.adjust().draw()};this.fnSettings=function(){return Ba(this[C.iApiIndex])};this.fnSort=function(a){this.api(!0).order(a).draw()};this.fnSortListener=function(a,b,c){this.api(!0).order.listener(a,b,c)};this.fnUpdate=function(a,b,c,d,e){var h=this.api(!0);c===n||null===c?h.row(b).data(a):h.cell(b,c).data(a);(e===n||e)&&h.columns.adjust();(d===n||d)&&h.draw();return 0};this.fnVersionCheck=C.fnVersionCheck;
+var b=this,c=a===n,d=this.length;c&&(a={});this.oApi=this.internal=C.internal;for(var e in q.ext.internal)e&&(this[e]=Pb(e));this.each(function(){var e={},g=1<d?$a(e,a,!0):a,k=0,l;e=this.getAttribute("id");var m=!1,p=q.defaults,v=f(this);if("table"!=this.nodeName.toLowerCase())O(null,0,"Non-table node initialisation ("+this.nodeName+")",2);else{ib(p);jb(p.column);L(p,p,!0);L(p.column,p.column,!0);L(p,f.extend(g,v.data()),!0);var u=q.settings;k=0;for(l=u.length;k<l;k++){var t=u[k];if(t.nTable==this||
+t.nTHead&&t.nTHead.parentNode==this||t.nTFoot&&t.nTFoot.parentNode==this){var w=g.bRetrieve!==n?g.bRetrieve:p.bRetrieve;if(c||w)return t.oInstance;if(g.bDestroy!==n?g.bDestroy:p.bDestroy){t.oInstance.fnDestroy();break}else{O(t,0,"Cannot reinitialise DataTable",3);return}}if(t.sTableId==this.id){u.splice(k,1);break}}if(null===e||""===e)this.id=e="DataTables_Table_"+q.ext._unique++;var r=f.extend(!0,{},q.models.oSettings,{sDestroyWidth:v[0].style.width,sInstance:e,sTableId:e});r.nTable=this;r.oApi=
+b.internal;r.oInit=g;u.push(r);r.oInstance=1===b.length?b:v.dataTable();ib(g);Fa(g.oLanguage);g.aLengthMenu&&!g.iDisplayLength&&(g.iDisplayLength=f.isArray(g.aLengthMenu[0])?g.aLengthMenu[0][0]:g.aLengthMenu[0]);g=$a(f.extend(!0,{},p),g);M(r.oFeatures,g,"bPaginate bLengthChange bFilter bSort bSortMulti bInfo bProcessing bAutoWidth bSortClasses bServerSide bDeferRender".split(" "));M(r,g,["asStripeClasses","ajax","fnServerData","fnFormatNumber","sServerMethod","aaSorting","aaSortingFixed","aLengthMenu",
+"sPaginationType","sAjaxSource","sAjaxDataProp","iStateDuration","sDom","bSortCellsTop","iTabIndex","fnStateLoadCallback","fnStateSaveCallback","renderer","searchDelay","rowId",["iCookieDuration","iStateDuration"],["oSearch","oPreviousSearch"],["aoSearchCols","aoPreSearchCols"],["iDisplayLength","_iDisplayLength"]]);M(r.oScroll,g,[["sScrollX","sX"],["sScrollXInner","sXInner"],["sScrollY","sY"],["bScrollCollapse","bCollapse"]]);M(r.oLanguage,g,"fnInfoCallback");D(r,"aoDrawCallback",g.fnDrawCallback,
+"user");D(r,"aoServerParams",g.fnServerParams,"user");D(r,"aoStateSaveParams",g.fnStateSaveParams,"user");D(r,"aoStateLoadParams",g.fnStateLoadParams,"user");D(r,"aoStateLoaded",g.fnStateLoaded,"user");D(r,"aoRowCallback",g.fnRowCallback,"user");D(r,"aoRowCreatedCallback",g.fnCreatedRow,"user");D(r,"aoHeaderCallback",g.fnHeaderCallback,"user");D(r,"aoFooterCallback",g.fnFooterCallback,"user");D(r,"aoInitComplete",g.fnInitComplete,"user");D(r,"aoPreDrawCallback",g.fnPreDrawCallback,"user");r.rowIdFn=
+T(g.rowId);kb(r);var x=r.oClasses;f.extend(x,q.ext.classes,g.oClasses);v.addClass(x.sTable);r.iInitDisplayStart===n&&(r.iInitDisplayStart=g.iDisplayStart,r._iDisplayStart=g.iDisplayStart);null!==g.iDeferLoading&&(r.bDeferLoading=!0,e=f.isArray(g.iDeferLoading),r._iRecordsDisplay=e?g.iDeferLoading[0]:g.iDeferLoading,r._iRecordsTotal=e?g.iDeferLoading[1]:g.iDeferLoading);var y=r.oLanguage;f.extend(!0,y,g.oLanguage);y.sUrl&&(f.ajax({dataType:"json",url:y.sUrl,success:function(a){Fa(a);L(p.oLanguage,
+a);f.extend(!0,y,a);ia(r)},error:function(){ia(r)}}),m=!0);null===g.asStripeClasses&&(r.asStripeClasses=[x.sStripeOdd,x.sStripeEven]);e=r.asStripeClasses;var z=v.children("tbody").find("tr").eq(0);-1!==f.inArray(!0,f.map(e,function(a,b){return z.hasClass(a)}))&&(f("tbody tr",this).removeClass(e.join(" ")),r.asDestroyStripes=e.slice());e=[];u=this.getElementsByTagName("thead");0!==u.length&&(ea(r.aoHeader,u[0]),e=ta(r));if(null===g.aoColumns)for(u=[],k=0,l=e.length;k<l;k++)u.push(null);else u=g.aoColumns;
+k=0;for(l=u.length;k<l;k++)Ha(r,e?e[k]:null);mb(r,g.aoColumnDefs,u,function(a,b){la(r,a,b)});if(z.length){var B=function(a,b){return null!==a.getAttribute("data-"+b)?b:null};f(z[0]).children("th, td").each(function(a,b){var c=r.aoColumns[a];if(c.mData===a){var d=B(b,"sort")||B(b,"order");b=B(b,"filter")||B(b,"search");if(null!==d||null!==b)c.mData={_:a+".display",sort:null!==d?a+".@data-"+d:n,type:null!==d?a+".@data-"+d:n,filter:null!==b?a+".@data-"+b:n},la(r,a)}})}var C=r.oFeatures;e=function(){if(g.aaSorting===
+n){var a=r.aaSorting;k=0;for(l=a.length;k<l;k++)a[k][1]=r.aoColumns[k].asSorting[0]}za(r);C.bSort&&D(r,"aoDrawCallback",function(){if(r.bSorted){var a=X(r),b={};f.each(a,function(a,c){b[c.src]=c.dir});A(r,null,"order",[r,a,b]);Mb(r)}});D(r,"aoDrawCallback",function(){(r.bSorted||"ssp"===I(r)||C.bDeferRender)&&za(r)},"sc");a=v.children("caption").each(function(){this._captionSide=f(this).css("caption-side")});var b=v.children("thead");0===b.length&&(b=f("<thead/>").appendTo(v));r.nTHead=b[0];b=v.children("tbody");
+0===b.length&&(b=f("<tbody/>").appendTo(v));r.nTBody=b[0];b=v.children("tfoot");0===b.length&&0<a.length&&(""!==r.oScroll.sX||""!==r.oScroll.sY)&&(b=f("<tfoot/>").appendTo(v));0===b.length||0===b.children().length?v.addClass(x.sNoFooter):0<b.length&&(r.nTFoot=b[0],ea(r.aoFooter,r.nTFoot));if(g.aaData)for(k=0;k<g.aaData.length;k++)R(r,g.aaData[k]);else(r.bDeferLoading||"dom"==I(r))&&oa(r,f(r.nTBody).children("tr"));r.aiDisplay=r.aiDisplayMaster.slice();r.bInitialised=!0;!1===m&&ia(r)};g.bStateSave?
+(C.bStateSave=!0,D(r,"aoDrawCallback",Aa,"state_save"),Nb(r,g,e)):e()}});b=null;return this},C,t,z,bb={},Qb=/[\r\n\u2028]/g,Da=/<.*?>/g,cc=/^\d{2,4}[\.\/\-]\d{1,2}[\.\/\-]\d{1,2}([T ]{1}\d{1,2}[:\.]\d{2}([\.:]\d{2})?)?$/,dc=/(\/|\.|\*|\+|\?|\||\(|\)|\[|\]|\{|\}|\\|\$|\^|\-)/g,ab=/[',$£€¥%\u2009\u202F\u20BD\u20a9\u20BArfkɃΞ]/gi,P=function(a){return a&&!0!==a&&"-"!==a?!1:!0},Rb=function(a){var b=parseInt(a,10);return!isNaN(b)&&isFinite(a)?b:null},Sb=function(a,b){bb[b]||(bb[b]=new RegExp(Ta(b),"g"));
+return"string"===typeof a&&"."!==b?a.replace(/\./g,"").replace(bb[b],"."):a},cb=function(a,b,c){var d="string"===typeof a;if(P(a))return!0;b&&d&&(a=Sb(a,b));c&&d&&(a=a.replace(ab,""));return!isNaN(parseFloat(a))&&isFinite(a)},Tb=function(a,b,c){return P(a)?!0:P(a)||"string"===typeof a?cb(a.replace(Da,""),b,c)?!0:null:null},K=function(a,b,c){var d=[],e=0,h=a.length;if(c!==n)for(;e<h;e++)a[e]&&a[e][b]&&d.push(a[e][b][c]);else for(;e<h;e++)a[e]&&d.push(a[e][b]);return d},ka=function(a,b,c,d){var e=[],
+h=0,g=b.length;if(d!==n)for(;h<g;h++)a[b[h]][c]&&e.push(a[b[h]][c][d]);else for(;h<g;h++)e.push(a[b[h]][c]);return e},Y=function(a,b){var c=[];if(b===n){b=0;var d=a}else d=b,b=a;for(a=b;a<d;a++)c.push(a);return c},Ub=function(a){for(var b=[],c=0,d=a.length;c<d;c++)a[c]&&b.push(a[c]);return b},sa=function(a){a:{if(!(2>a.length)){var b=a.slice().sort();for(var c=b[0],d=1,e=b.length;d<e;d++){if(b[d]===c){b=!1;break a}c=b[d]}}b=!0}if(b)return a.slice();b=[];e=a.length;var h,g=0;d=0;a:for(;d<e;d++){c=
+a[d];for(h=0;h<g;h++)if(b[h]===c)continue a;b.push(c);g++}return b};q.util={throttle:function(a,b){var c=b!==n?b:200,d,e;return function(){var b=this,g=+new Date,f=arguments;d&&g<d+c?(clearTimeout(e),e=setTimeout(function(){d=n;a.apply(b,f)},c)):(d=g,a.apply(b,f))}},escapeRegex:function(a){return a.replace(dc,"\\$1")}};var E=function(a,b,c){a[b]!==n&&(a[c]=a[b])},ca=/\[.*?\]$/,W=/\(\)$/,Ta=q.util.escapeRegex,xa=f("<div>")[0],$b=xa.textContent!==n,bc=/<.*?>/g,Ra=q.util.throttle,Vb=[],G=Array.prototype,
+ec=function(a){var b,c=q.settings,d=f.map(c,function(a,b){return a.nTable});if(a){if(a.nTable&&a.oApi)return[a];if(a.nodeName&&"table"===a.nodeName.toLowerCase()){var e=f.inArray(a,d);return-1!==e?[c[e]]:null}if(a&&"function"===typeof a.settings)return a.settings().toArray();"string"===typeof a?b=f(a):a instanceof f&&(b=a)}else return[];if(b)return b.map(function(a){e=f.inArray(this,d);return-1!==e?c[e]:null}).toArray()};var x=function(a,b){if(!(this instanceof x))return new x(a,b);var c=[],d=function(a){(a=
+ec(a))&&c.push.apply(c,a)};if(f.isArray(a))for(var e=0,h=a.length;e<h;e++)d(a[e]);else d(a);this.context=sa(c);b&&f.merge(this,b);this.selector={rows:null,cols:null,opts:null};x.extend(this,this,Vb)};q.Api=x;f.extend(x.prototype,{any:function(){return 0!==this.count()},concat:G.concat,context:[],count:function(){return this.flatten().length},each:function(a){for(var b=0,c=this.length;b<c;b++)a.call(this,this[b],b,this);return this},eq:function(a){var b=this.context;return b.length>a?new x(b[a],this[a]):
+null},filter:function(a){var b=[];if(G.filter)b=G.filter.call(this,a,this);else for(var c=0,d=this.length;c<d;c++)a.call(this,this[c],c,this)&&b.push(this[c]);return new x(this.context,b)},flatten:function(){var a=[];return new x(this.context,a.concat.apply(a,this.toArray()))},join:G.join,indexOf:G.indexOf||function(a,b){b=b||0;for(var c=this.length;b<c;b++)if(this[b]===a)return b;return-1},iterator:function(a,b,c,d){var e=[],h,g,f=this.context,l,m=this.selector;"string"===typeof a&&(d=c,c=b,b=a,
+a=!1);var p=0;for(h=f.length;p<h;p++){var q=new x(f[p]);if("table"===b){var u=c.call(q,f[p],p);u!==n&&e.push(u)}else if("columns"===b||"rows"===b)u=c.call(q,f[p],this[p],p),u!==n&&e.push(u);else if("column"===b||"column-rows"===b||"row"===b||"cell"===b){var t=this[p];"column-rows"===b&&(l=Ea(f[p],m.opts));var w=0;for(g=t.length;w<g;w++)u=t[w],u="cell"===b?c.call(q,f[p],u.row,u.column,p,w):c.call(q,f[p],u,p,w,l),u!==n&&e.push(u)}}return e.length||d?(a=new x(f,a?e.concat.apply([],e):e),b=a.selector,
+b.rows=m.rows,b.cols=m.cols,b.opts=m.opts,a):this},lastIndexOf:G.lastIndexOf||function(a,b){return this.indexOf.apply(this.toArray.reverse(),arguments)},length:0,map:function(a){var b=[];if(G.map)b=G.map.call(this,a,this);else for(var c=0,d=this.length;c<d;c++)b.push(a.call(this,this[c],c));return new x(this.context,b)},pluck:function(a){return this.map(function(b){return b[a]})},pop:G.pop,push:G.push,reduce:G.reduce||function(a,b){return lb(this,a,b,0,this.length,1)},reduceRight:G.reduceRight||function(a,
+b){return lb(this,a,b,this.length-1,-1,-1)},reverse:G.reverse,selector:null,shift:G.shift,slice:function(){return new x(this.context,this)},sort:G.sort,splice:G.splice,toArray:function(){return G.slice.call(this)},to$:function(){return f(this)},toJQuery:function(){return f(this)},unique:function(){return new x(this.context,sa(this))},unshift:G.unshift});x.extend=function(a,b,c){if(c.length&&b&&(b instanceof x||b.__dt_wrapper)){var d,e=function(a,b,c){return function(){var d=b.apply(a,arguments);x.extend(d,
+d,c.methodExt);return d}};var h=0;for(d=c.length;h<d;h++){var f=c[h];b[f.name]="function"===f.type?e(a,f.val,f):"object"===f.type?{}:f.val;b[f.name].__dt_wrapper=!0;x.extend(a,b[f.name],f.propExt)}}};x.register=t=function(a,b){if(f.isArray(a))for(var c=0,d=a.length;c<d;c++)x.register(a[c],b);else{d=a.split(".");var e=Vb,h;a=0;for(c=d.length;a<c;a++){var g=(h=-1!==d[a].indexOf("()"))?d[a].replace("()",""):d[a];a:{var k=0;for(var l=e.length;k<l;k++)if(e[k].name===g){k=e[k];break a}k=null}k||(k={name:g,
+val:{},methodExt:[],propExt:[],type:"object"},e.push(k));a===c-1?(k.val=b,k.type="function"===typeof b?"function":f.isPlainObject(b)?"object":"other"):e=h?k.methodExt:k.propExt}}};x.registerPlural=z=function(a,b,c){x.register(a,c);x.register(b,function(){var a=c.apply(this,arguments);return a===this?this:a instanceof x?a.length?f.isArray(a[0])?new x(a.context,a[0]):a[0]:n:a})};var Wb=function(a,b){if(f.isArray(a))return f.map(a,function(a){return Wb(a,b)});if("number"===typeof a)return[b[a]];var c=
+f.map(b,function(a,b){return a.nTable});return f(c).filter(a).map(function(a){a=f.inArray(this,c);return b[a]}).toArray()};t("tables()",function(a){return a!==n&&null!==a?new x(Wb(a,this.context)):this});t("table()",function(a){a=this.tables(a);var b=a.context;return b.length?new x(b[0]):a});z("tables().nodes()","table().node()",function(){return this.iterator("table",function(a){return a.nTable},1)});z("tables().body()","table().body()",function(){return this.iterator("table",function(a){return a.nTBody},
+1)});z("tables().header()","table().header()",function(){return this.iterator("table",function(a){return a.nTHead},1)});z("tables().footer()","table().footer()",function(){return this.iterator("table",function(a){return a.nTFoot},1)});z("tables().containers()","table().container()",function(){return this.iterator("table",function(a){return a.nTableWrapper},1)});t("draw()",function(a){return this.iterator("table",function(b){"page"===a?S(b):("string"===typeof a&&(a="full-hold"===a?!1:!0),U(b,!1===
+a))})});t("page()",function(a){return a===n?this.page.info().page:this.iterator("table",function(b){Wa(b,a)})});t("page.info()",function(a){if(0===this.context.length)return n;a=this.context[0];var b=a._iDisplayStart,c=a.oFeatures.bPaginate?a._iDisplayLength:-1,d=a.fnRecordsDisplay(),e=-1===c;return{page:e?0:Math.floor(b/c),pages:e?1:Math.ceil(d/c),start:b,end:a.fnDisplayEnd(),length:c,recordsTotal:a.fnRecordsTotal(),recordsDisplay:d,serverSide:"ssp"===I(a)}});t("page.len()",function(a){return a===
+n?0!==this.context.length?this.context[0]._iDisplayLength:n:this.iterator("table",function(b){Ua(b,a)})});var Xb=function(a,b,c){if(c){var d=new x(a);d.one("draw",function(){c(d.ajax.json())})}if("ssp"==I(a))U(a,b);else{J(a,!0);var e=a.jqXHR;e&&4!==e.readyState&&e.abort();ua(a,[],function(c){pa(a);c=va(a,c);for(var d=0,e=c.length;d<e;d++)R(a,c[d]);U(a,b);J(a,!1)})}};t("ajax.json()",function(){var a=this.context;if(0<a.length)return a[0].json});t("ajax.params()",function(){var a=this.context;if(0<
+a.length)return a[0].oAjaxData});t("ajax.reload()",function(a,b){return this.iterator("table",function(c){Xb(c,!1===b,a)})});t("ajax.url()",function(a){var b=this.context;if(a===n){if(0===b.length)return n;b=b[0];return b.ajax?f.isPlainObject(b.ajax)?b.ajax.url:b.ajax:b.sAjaxSource}return this.iterator("table",function(b){f.isPlainObject(b.ajax)?b.ajax.url=a:b.ajax=a})});t("ajax.url().load()",function(a,b){return this.iterator("table",function(c){Xb(c,!1===b,a)})});var db=function(a,b,c,d,e){var h=
+[],g,k,l;var m=typeof b;b&&"string"!==m&&"function"!==m&&b.length!==n||(b=[b]);m=0;for(k=b.length;m<k;m++){var p=b[m]&&b[m].split&&!b[m].match(/[\[\(:]/)?b[m].split(","):[b[m]];var q=0;for(l=p.length;q<l;q++)(g=c("string"===typeof p[q]?f.trim(p[q]):p[q]))&&g.length&&(h=h.concat(g))}a=C.selector[a];if(a.length)for(m=0,k=a.length;m<k;m++)h=a[m](d,e,h);return sa(h)},eb=function(a){a||(a={});a.filter&&a.search===n&&(a.search=a.filter);return f.extend({search:"none",order:"current",page:"all"},a)},fb=
+function(a){for(var b=0,c=a.length;b<c;b++)if(0<a[b].length)return a[0]=a[b],a[0].length=1,a.length=1,a.context=[a.context[b]],a;a.length=0;return a},Ea=function(a,b){var c=[],d=a.aiDisplay;var e=a.aiDisplayMaster;var h=b.search;var g=b.order;b=b.page;if("ssp"==I(a))return"removed"===h?[]:Y(0,e.length);if("current"==b)for(g=a._iDisplayStart,a=a.fnDisplayEnd();g<a;g++)c.push(d[g]);else if("current"==g||"applied"==g)if("none"==h)c=e.slice();else if("applied"==h)c=d.slice();else{if("removed"==h){var k=
+{};g=0;for(a=d.length;g<a;g++)k[d[g]]=null;c=f.map(e,function(a){return k.hasOwnProperty(a)?null:a})}}else if("index"==g||"original"==g)for(g=0,a=a.aoData.length;g<a;g++)"none"==h?c.push(g):(e=f.inArray(g,d),(-1===e&&"removed"==h||0<=e&&"applied"==h)&&c.push(g));return c},fc=function(a,b,c){var d;return db("row",b,function(b){var e=Rb(b),g=a.aoData;if(null!==e&&!c)return[e];d||(d=Ea(a,c));if(null!==e&&-1!==f.inArray(e,d))return[e];if(null===b||b===n||""===b)return d;if("function"===typeof b)return f.map(d,
+function(a){var c=g[a];return b(a,c._aData,c.nTr)?a:null});if(b.nodeName){e=b._DT_RowIndex;var k=b._DT_CellIndex;if(e!==n)return g[e]&&g[e].nTr===b?[e]:[];if(k)return g[k.row]&&g[k.row].nTr===b.parentNode?[k.row]:[];e=f(b).closest("*[data-dt-row]");return e.length?[e.data("dt-row")]:[]}if("string"===typeof b&&"#"===b.charAt(0)&&(e=a.aIds[b.replace(/^#/,"")],e!==n))return[e.idx];e=Ub(ka(a.aoData,d,"nTr"));return f(e).filter(b).map(function(){return this._DT_RowIndex}).toArray()},a,c)};t("rows()",function(a,
+b){a===n?a="":f.isPlainObject(a)&&(b=a,a="");b=eb(b);var c=this.iterator("table",function(c){return fc(c,a,b)},1);c.selector.rows=a;c.selector.opts=b;return c});t("rows().nodes()",function(){return this.iterator("row",function(a,b){return a.aoData[b].nTr||n},1)});t("rows().data()",function(){return this.iterator(!0,"rows",function(a,b){return ka(a.aoData,b,"_aData")},1)});z("rows().cache()","row().cache()",function(a){return this.iterator("row",function(b,c){b=b.aoData[c];return"search"===a?b._aFilterData:
+b._aSortData},1)});z("rows().invalidate()","row().invalidate()",function(a){return this.iterator("row",function(b,c){da(b,c,a)})});z("rows().indexes()","row().index()",function(){return this.iterator("row",function(a,b){return b},1)});z("rows().ids()","row().id()",function(a){for(var b=[],c=this.context,d=0,e=c.length;d<e;d++)for(var f=0,g=this[d].length;f<g;f++){var k=c[d].rowIdFn(c[d].aoData[this[d][f]]._aData);b.push((!0===a?"#":"")+k)}return new x(c,b)});z("rows().remove()","row().remove()",function(){var a=
+this;this.iterator("row",function(b,c,d){var e=b.aoData,f=e[c],g,k;e.splice(c,1);var l=0;for(g=e.length;l<g;l++){var m=e[l];var p=m.anCells;null!==m.nTr&&(m.nTr._DT_RowIndex=l);if(null!==p)for(m=0,k=p.length;m<k;m++)p[m]._DT_CellIndex.row=l}qa(b.aiDisplayMaster,c);qa(b.aiDisplay,c);qa(a[d],c,!1);0<b._iRecordsDisplay&&b._iRecordsDisplay--;Va(b);c=b.rowIdFn(f._aData);c!==n&&delete b.aIds[c]});this.iterator("table",function(a){for(var b=0,d=a.aoData.length;b<d;b++)a.aoData[b].idx=b});return this});t("rows.add()",
+function(a){var b=this.iterator("table",function(b){var c,d=[];var f=0;for(c=a.length;f<c;f++){var k=a[f];k.nodeName&&"TR"===k.nodeName.toUpperCase()?d.push(oa(b,k)[0]):d.push(R(b,k))}return d},1),c=this.rows(-1);c.pop();f.merge(c,b);return c});t("row()",function(a,b){return fb(this.rows(a,b))});t("row().data()",function(a){var b=this.context;if(a===n)return b.length&&this.length?b[0].aoData[this[0]]._aData:n;var c=b[0].aoData[this[0]];c._aData=a;f.isArray(a)&&c.nTr&&c.nTr.id&&Q(b[0].rowId)(a,c.nTr.id);
+da(b[0],this[0],"data");return this});t("row().node()",function(){var a=this.context;return a.length&&this.length?a[0].aoData[this[0]].nTr||null:null});t("row.add()",function(a){a instanceof f&&a.length&&(a=a[0]);var b=this.iterator("table",function(b){return a.nodeName&&"TR"===a.nodeName.toUpperCase()?oa(b,a)[0]:R(b,a)});return this.row(b[0])});var gc=function(a,b,c,d){var e=[],h=function(b,c){if(f.isArray(b)||b instanceof f)for(var d=0,g=b.length;d<g;d++)h(b[d],c);else b.nodeName&&"tr"===b.nodeName.toLowerCase()?
+e.push(b):(d=f("<tr><td/></tr>").addClass(c),f("td",d).addClass(c).html(b)[0].colSpan=V(a),e.push(d[0]))};h(c,d);b._details&&b._details.detach();b._details=f(e);b._detailsShow&&b._details.insertAfter(b.nTr)},gb=function(a,b){var c=a.context;c.length&&(a=c[0].aoData[b!==n?b:a[0]])&&a._details&&(a._details.remove(),a._detailsShow=n,a._details=n)},Yb=function(a,b){var c=a.context;c.length&&a.length&&(a=c[0].aoData[a[0]],a._details&&((a._detailsShow=b)?a._details.insertAfter(a.nTr):a._details.detach(),
+hc(c[0])))},hc=function(a){var b=new x(a),c=a.aoData;b.off("draw.dt.DT_details column-visibility.dt.DT_details destroy.dt.DT_details");0<K(c,"_details").length&&(b.on("draw.dt.DT_details",function(d,e){a===e&&b.rows({page:"current"}).eq(0).each(function(a){a=c[a];a._detailsShow&&a._details.insertAfter(a.nTr)})}),b.on("column-visibility.dt.DT_details",function(b,e,f,g){if(a===e)for(e=V(e),f=0,g=c.length;f<g;f++)b=c[f],b._details&&b._details.children("td[colspan]").attr("colspan",e)}),b.on("destroy.dt.DT_details",
+function(d,e){if(a===e)for(d=0,e=c.length;d<e;d++)c[d]._details&&gb(b,d)}))};t("row().child()",function(a,b){var c=this.context;if(a===n)return c.length&&this.length?c[0].aoData[this[0]]._details:n;!0===a?this.child.show():!1===a?gb(this):c.length&&this.length&&gc(c[0],c[0].aoData[this[0]],a,b);return this});t(["row().child.show()","row().child().show()"],function(a){Yb(this,!0);return this});t(["row().child.hide()","row().child().hide()"],function(){Yb(this,!1);return this});t(["row().child.remove()",
+"row().child().remove()"],function(){gb(this);return this});t("row().child.isShown()",function(){var a=this.context;return a.length&&this.length?a[0].aoData[this[0]]._detailsShow||!1:!1});var ic=/^([^:]+):(name|visIdx|visible)$/,Zb=function(a,b,c,d,e){c=[];d=0;for(var f=e.length;d<f;d++)c.push(F(a,e[d],b));return c},jc=function(a,b,c){var d=a.aoColumns,e=K(d,"sName"),h=K(d,"nTh");return db("column",b,function(b){var g=Rb(b);if(""===b)return Y(d.length);if(null!==g)return[0<=g?g:d.length+g];if("function"===
+typeof b){var l=Ea(a,c);return f.map(d,function(c,d){return b(d,Zb(a,d,0,0,l),h[d])?d:null})}var m="string"===typeof b?b.match(ic):"";if(m)switch(m[2]){case "visIdx":case "visible":g=parseInt(m[1],10);if(0>g){var p=f.map(d,function(a,b){return a.bVisible?b:null});return[p[p.length+g]]}return[aa(a,g)];case "name":return f.map(e,function(a,b){return a===m[1]?b:null});default:return[]}if(b.nodeName&&b._DT_CellIndex)return[b._DT_CellIndex.column];g=f(h).filter(b).map(function(){return f.inArray(this,
+h)}).toArray();if(g.length||!b.nodeName)return g;g=f(b).closest("*[data-dt-column]");return g.length?[g.data("dt-column")]:[]},a,c)};t("columns()",function(a,b){a===n?a="":f.isPlainObject(a)&&(b=a,a="");b=eb(b);var c=this.iterator("table",function(c){return jc(c,a,b)},1);c.selector.cols=a;c.selector.opts=b;return c});z("columns().header()","column().header()",function(a,b){return this.iterator("column",function(a,b){return a.aoColumns[b].nTh},1)});z("columns().footer()","column().footer()",function(a,
+b){return this.iterator("column",function(a,b){return a.aoColumns[b].nTf},1)});z("columns().data()","column().data()",function(){return this.iterator("column-rows",Zb,1)});z("columns().dataSrc()","column().dataSrc()",function(){return this.iterator("column",function(a,b){return a.aoColumns[b].mData},1)});z("columns().cache()","column().cache()",function(a){return this.iterator("column-rows",function(b,c,d,e,f){return ka(b.aoData,f,"search"===a?"_aFilterData":"_aSortData",c)},1)});z("columns().nodes()",
+"column().nodes()",function(){return this.iterator("column-rows",function(a,b,c,d,e){return ka(a.aoData,e,"anCells",b)},1)});z("columns().visible()","column().visible()",function(a,b){var c=this,d=this.iterator("column",function(b,c){if(a===n)return b.aoColumns[c].bVisible;var d=b.aoColumns,e=d[c],h=b.aoData,m;if(a!==n&&e.bVisible!==a){if(a){var p=f.inArray(!0,K(d,"bVisible"),c+1);d=0;for(m=h.length;d<m;d++){var q=h[d].nTr;b=h[d].anCells;q&&q.insertBefore(b[c],b[p]||null)}}else f(K(b.aoData,"anCells",
+c)).detach();e.bVisible=a}});a!==n&&this.iterator("table",function(d){fa(d,d.aoHeader);fa(d,d.aoFooter);d.aiDisplay.length||f(d.nTBody).find("td[colspan]").attr("colspan",V(d));Aa(d);c.iterator("column",function(c,d){A(c,null,"column-visibility",[c,d,a,b])});(b===n||b)&&c.columns.adjust()});return d});z("columns().indexes()","column().index()",function(a){return this.iterator("column",function(b,c){return"visible"===a?ba(b,c):c},1)});t("columns.adjust()",function(){return this.iterator("table",function(a){Z(a)},
+1)});t("column.index()",function(a,b){if(0!==this.context.length){var c=this.context[0];if("fromVisible"===a||"toData"===a)return aa(c,b);if("fromData"===a||"toVisible"===a)return ba(c,b)}});t("column()",function(a,b){return fb(this.columns(a,b))});var kc=function(a,b,c){var d=a.aoData,e=Ea(a,c),h=Ub(ka(d,e,"anCells")),g=f([].concat.apply([],h)),k,l=a.aoColumns.length,m,p,q,u,t,w;return db("cell",b,function(b){var c="function"===typeof b;if(null===b||b===n||c){m=[];p=0;for(q=e.length;p<q;p++)for(k=
+e[p],u=0;u<l;u++)t={row:k,column:u},c?(w=d[k],b(t,F(a,k,u),w.anCells?w.anCells[u]:null)&&m.push(t)):m.push(t);return m}if(f.isPlainObject(b))return b.column!==n&&b.row!==n&&-1!==f.inArray(b.row,e)?[b]:[];c=g.filter(b).map(function(a,b){return{row:b._DT_CellIndex.row,column:b._DT_CellIndex.column}}).toArray();if(c.length||!b.nodeName)return c;w=f(b).closest("*[data-dt-row]");return w.length?[{row:w.data("dt-row"),column:w.data("dt-column")}]:[]},a,c)};t("cells()",function(a,b,c){f.isPlainObject(a)&&
+(a.row===n?(c=a,a=null):(c=b,b=null));f.isPlainObject(b)&&(c=b,b=null);if(null===b||b===n)return this.iterator("table",function(b){return kc(b,a,eb(c))});var d=c?{page:c.page,order:c.order,search:c.search}:{},e=this.columns(b,d),h=this.rows(a,d),g,k,l,m;d=this.iterator("table",function(a,b){a=[];g=0;for(k=h[b].length;g<k;g++)for(l=0,m=e[b].length;l<m;l++)a.push({row:h[b][g],column:e[b][l]});return a},1);d=c&&c.selected?this.cells(d,c):d;f.extend(d.selector,{cols:b,rows:a,opts:c});return d});z("cells().nodes()",
+"cell().node()",function(){return this.iterator("cell",function(a,b,c){return(a=a.aoData[b])&&a.anCells?a.anCells[c]:n},1)});t("cells().data()",function(){return this.iterator("cell",function(a,b,c){return F(a,b,c)},1)});z("cells().cache()","cell().cache()",function(a){a="search"===a?"_aFilterData":"_aSortData";return this.iterator("cell",function(b,c,d){return b.aoData[c][a][d]},1)});z("cells().render()","cell().render()",function(a){return this.iterator("cell",function(b,c,d){return F(b,c,d,a)},
+1)});z("cells().indexes()","cell().index()",function(){return this.iterator("cell",function(a,b,c){return{row:b,column:c,columnVisible:ba(a,c)}},1)});z("cells().invalidate()","cell().invalidate()",function(a){return this.iterator("cell",function(b,c,d){da(b,c,a,d)})});t("cell()",function(a,b,c){return fb(this.cells(a,b,c))});t("cell().data()",function(a){var b=this.context,c=this[0];if(a===n)return b.length&&c.length?F(b[0],c[0].row,c[0].column):n;nb(b[0],c[0].row,c[0].column,a);da(b[0],c[0].row,
+"data",c[0].column);return this});t("order()",function(a,b){var c=this.context;if(a===n)return 0!==c.length?c[0].aaSorting:n;"number"===typeof a?a=[[a,b]]:a.length&&!f.isArray(a[0])&&(a=Array.prototype.slice.call(arguments));return this.iterator("table",function(b){b.aaSorting=a.slice()})});t("order.listener()",function(a,b,c){return this.iterator("table",function(d){Pa(d,a,b,c)})});t("order.fixed()",function(a){if(!a){var b=this.context;b=b.length?b[0].aaSortingFixed:n;return f.isArray(b)?{pre:b}:
+b}return this.iterator("table",function(b){b.aaSortingFixed=f.extend(!0,{},a)})});t(["columns().order()","column().order()"],function(a){var b=this;return this.iterator("table",function(c,d){var e=[];f.each(b[d],function(b,c){e.push([c,a])});c.aaSorting=e})});t("search()",function(a,b,c,d){var e=this.context;return a===n?0!==e.length?e[0].oPreviousSearch.sSearch:n:this.iterator("table",function(e){e.oFeatures.bFilter&&ha(e,f.extend({},e.oPreviousSearch,{sSearch:a+"",bRegex:null===b?!1:b,bSmart:null===
+c?!0:c,bCaseInsensitive:null===d?!0:d}),1)})});z("columns().search()","column().search()",function(a,b,c,d){return this.iterator("column",function(e,h){var g=e.aoPreSearchCols;if(a===n)return g[h].sSearch;e.oFeatures.bFilter&&(f.extend(g[h],{sSearch:a+"",bRegex:null===b?!1:b,bSmart:null===c?!0:c,bCaseInsensitive:null===d?!0:d}),ha(e,e.oPreviousSearch,1))})});t("state()",function(){return this.context.length?this.context[0].oSavedState:null});t("state.clear()",function(){return this.iterator("table",
+function(a){a.fnStateSaveCallback.call(a.oInstance,a,{})})});t("state.loaded()",function(){return this.context.length?this.context[0].oLoadedState:null});t("state.save()",function(){return this.iterator("table",function(a){Aa(a)})});q.versionCheck=q.fnVersionCheck=function(a){var b=q.version.split(".");a=a.split(".");for(var c,d,e=0,f=a.length;e<f;e++)if(c=parseInt(b[e],10)||0,d=parseInt(a[e],10)||0,c!==d)return c>d;return!0};q.isDataTable=q.fnIsDataTable=function(a){var b=f(a).get(0),c=!1;if(a instanceof
+q.Api)return!0;f.each(q.settings,function(a,e){a=e.nScrollHead?f("table",e.nScrollHead)[0]:null;var d=e.nScrollFoot?f("table",e.nScrollFoot)[0]:null;if(e.nTable===b||a===b||d===b)c=!0});return c};q.tables=q.fnTables=function(a){var b=!1;f.isPlainObject(a)&&(b=a.api,a=a.visible);var c=f.map(q.settings,function(b){if(!a||a&&f(b.nTable).is(":visible"))return b.nTable});return b?new x(c):c};q.camelToHungarian=L;t("$()",function(a,b){b=this.rows(b).nodes();b=f(b);return f([].concat(b.filter(a).toArray(),
+b.find(a).toArray()))});f.each(["on","one","off"],function(a,b){t(b+"()",function(){var a=Array.prototype.slice.call(arguments);a[0]=f.map(a[0].split(/\s/),function(a){return a.match(/\.dt\b/)?a:a+".dt"}).join(" ");var d=f(this.tables().nodes());d[b].apply(d,a);return this})});t("clear()",function(){return this.iterator("table",function(a){pa(a)})});t("settings()",function(){return new x(this.context,this.context)});t("init()",function(){var a=this.context;return a.length?a[0].oInit:null});t("data()",
+function(){return this.iterator("table",function(a){return K(a.aoData,"_aData")}).flatten()});t("destroy()",function(a){a=a||!1;return this.iterator("table",function(b){var c=b.nTableWrapper.parentNode,d=b.oClasses,e=b.nTable,h=b.nTBody,g=b.nTHead,k=b.nTFoot,l=f(e);h=f(h);var m=f(b.nTableWrapper),p=f.map(b.aoData,function(a){return a.nTr}),n;b.bDestroying=!0;A(b,"aoDestroyCallback","destroy",[b]);a||(new x(b)).columns().visible(!0);m.off(".DT").find(":not(tbody *)").off(".DT");f(y).off(".DT-"+b.sInstance);
+e!=g.parentNode&&(l.children("thead").detach(),l.append(g));k&&e!=k.parentNode&&(l.children("tfoot").detach(),l.append(k));b.aaSorting=[];b.aaSortingFixed=[];za(b);f(p).removeClass(b.asStripeClasses.join(" "));f("th, td",g).removeClass(d.sSortable+" "+d.sSortableAsc+" "+d.sSortableDesc+" "+d.sSortableNone);h.children().detach();h.append(p);g=a?"remove":"detach";l[g]();m[g]();!a&&c&&(c.insertBefore(e,b.nTableReinsertBefore),l.css("width",b.sDestroyWidth).removeClass(d.sTable),(n=b.asDestroyStripes.length)&&
+h.children().each(function(a){f(this).addClass(b.asDestroyStripes[a%n])}));c=f.inArray(b,q.settings);-1!==c&&q.settings.splice(c,1)})});f.each(["column","row","cell"],function(a,b){t(b+"s().every()",function(a){var c=this.selector.opts,e=this;return this.iterator(b,function(d,f,k,l,m){a.call(e[b](f,"cell"===b?k:c,"cell"===b?c:n),f,k,l,m)})})});t("i18n()",function(a,b,c){var d=this.context[0];a=T(a)(d.oLanguage);a===n&&(a=b);c!==n&&f.isPlainObject(a)&&(a=a[c]!==n?a[c]:a._);return a.replace("%d",c)});
+q.version="1.10.21";q.settings=[];q.models={};q.models.oSearch={bCaseInsensitive:!0,sSearch:"",bRegex:!1,bSmart:!0};q.models.oRow={nTr:null,anCells:null,_aData:[],_aSortData:null,_aFilterData:null,_sFilterRow:null,_sRowStripe:"",src:null,idx:-1};q.models.oColumn={idx:null,aDataSort:null,asSorting:null,bSearchable:null,bSortable:null,bVisible:null,_sManualType:null,_bAttrSrc:!1,fnCreatedCell:null,fnGetData:null,fnSetData:null,mData:null,mRender:null,nTh:null,nTf:null,sClass:null,sContentPadding:null,
+sDefaultContent:null,sName:null,sSortDataType:"std",sSortingClass:null,sSortingClassJUI:null,sTitle:null,sType:null,sWidth:null,sWidthOrig:null};q.defaults={aaData:null,aaSorting:[[0,"asc"]],aaSortingFixed:[],ajax:null,aLengthMenu:[10,25,50,100],aoColumns:null,aoColumnDefs:null,aoSearchCols:[],asStripeClasses:null,bAutoWidth:!0,bDeferRender:!1,bDestroy:!1,bFilter:!0,bInfo:!0,bLengthChange:!0,bPaginate:!0,bProcessing:!1,bRetrieve:!1,bScrollCollapse:!1,bServerSide:!1,bSort:!0,bSortMulti:!0,bSortCellsTop:!1,
+bSortClasses:!0,bStateSave:!1,fnCreatedRow:null,fnDrawCallback:null,fnFooterCallback:null,fnFormatNumber:function(a){return a.toString().replace(/\B(?=(\d{3})+(?!\d))/g,this.oLanguage.sThousands)},fnHeaderCallback:null,fnInfoCallback:null,fnInitComplete:null,fnPreDrawCallback:null,fnRowCallback:null,fnServerData:null,fnServerParams:null,fnStateLoadCallback:function(a){try{return JSON.parse((-1===a.iStateDuration?sessionStorage:localStorage).getItem("DataTables_"+a.sInstance+"_"+location.pathname))}catch(b){return{}}},
+fnStateLoadParams:null,fnStateLoaded:null,fnStateSaveCallback:function(a,b){try{(-1===a.iStateDuration?sessionStorage:localStorage).setItem("DataTables_"+a.sInstance+"_"+location.pathname,JSON.stringify(b))}catch(c){}},fnStateSaveParams:null,iStateDuration:7200,iDeferLoading:null,iDisplayLength:10,iDisplayStart:0,iTabIndex:0,oClasses:{},oLanguage:{oAria:{sSortAscending:": activate to sort column ascending",sSortDescending:": activate to sort column descending"},oPaginate:{sFirst:"First",sLast:"Last",
+sNext:"Next",sPrevious:"Previous"},sEmptyTable:"No data available in table",sInfo:"Showing _START_ to _END_ of _TOTAL_ entries",sInfoEmpty:"Showing 0 to 0 of 0 entries",sInfoFiltered:"(filtered from _MAX_ total entries)",sInfoPostFix:"",sDecimal:"",sThousands:",",sLengthMenu:"Show _MENU_ entries",sLoadingRecords:"Loading...",sProcessing:"Processing...",sSearch:"Search:",sSearchPlaceholder:"",sUrl:"",sZeroRecords:"No matching records found"},oSearch:f.extend({},q.models.oSearch),sAjaxDataProp:"data",
+sAjaxSource:null,sDom:"lfrtip",searchDelay:null,sPaginationType:"simple_numbers",sScrollX:"",sScrollXInner:"",sScrollY:"",sServerMethod:"GET",renderer:null,rowId:"DT_RowId"};H(q.defaults);q.defaults.column={aDataSort:null,iDataSort:-1,asSorting:["asc","desc"],bSearchable:!0,bSortable:!0,bVisible:!0,fnCreatedCell:null,mData:null,mRender:null,sCellType:"td",sClass:"",sContentPadding:"",sDefaultContent:null,sName:"",sSortDataType:"std",sTitle:null,sType:null,sWidth:null};H(q.defaults.column);q.models.oSettings=
+{oFeatures:{bAutoWidth:null,bDeferRender:null,bFilter:null,bInfo:null,bLengthChange:null,bPaginate:null,bProcessing:null,bServerSide:null,bSort:null,bSortMulti:null,bSortClasses:null,bStateSave:null},oScroll:{bCollapse:null,iBarWidth:0,sX:null,sXInner:null,sY:null},oLanguage:{fnInfoCallback:null},oBrowser:{bScrollOversize:!1,bScrollbarLeft:!1,bBounding:!1,barWidth:0},ajax:null,aanFeatures:[],aoData:[],aiDisplay:[],aiDisplayMaster:[],aIds:{},aoColumns:[],aoHeader:[],aoFooter:[],oPreviousSearch:{},
+aoPreSearchCols:[],aaSorting:null,aaSortingFixed:[],asStripeClasses:null,asDestroyStripes:[],sDestroyWidth:0,aoRowCallback:[],aoHeaderCallback:[],aoFooterCallback:[],aoDrawCallback:[],aoRowCreatedCallback:[],aoPreDrawCallback:[],aoInitComplete:[],aoStateSaveParams:[],aoStateLoadParams:[],aoStateLoaded:[],sTableId:"",nTable:null,nTHead:null,nTFoot:null,nTBody:null,nTableWrapper:null,bDeferLoading:!1,bInitialised:!1,aoOpenRows:[],sDom:null,searchDelay:null,sPaginationType:"two_button",iStateDuration:0,
+aoStateSave:[],aoStateLoad:[],oSavedState:null,oLoadedState:null,sAjaxSource:null,sAjaxDataProp:null,bAjaxDataGet:!0,jqXHR:null,json:n,oAjaxData:n,fnServerData:null,aoServerParams:[],sServerMethod:null,fnFormatNumber:null,aLengthMenu:null,iDraw:0,bDrawing:!1,iDrawError:-1,_iDisplayLength:10,_iDisplayStart:0,_iRecordsTotal:0,_iRecordsDisplay:0,oClasses:{},bFiltered:!1,bSorted:!1,bSortCellsTop:null,oInit:null,aoDestroyCallback:[],fnRecordsTotal:function(){return"ssp"==I(this)?1*this._iRecordsTotal:
+this.aiDisplayMaster.length},fnRecordsDisplay:function(){return"ssp"==I(this)?1*this._iRecordsDisplay:this.aiDisplay.length},fnDisplayEnd:function(){var a=this._iDisplayLength,b=this._iDisplayStart,c=b+a,d=this.aiDisplay.length,e=this.oFeatures,f=e.bPaginate;return e.bServerSide?!1===f||-1===a?b+d:Math.min(b+a,this._iRecordsDisplay):!f||c>d||-1===a?d:c},oInstance:null,sInstance:null,iTabIndex:0,nScrollHead:null,nScrollFoot:null,aLastSort:[],oPlugins:{},rowIdFn:null,rowId:null};q.ext=C={buttons:{},
+classes:{},build:"dt/dt-1.10.21/fh-3.1.7/sp-1.1.1/sl-1.3.1",errMode:"alert",feature:[],search:[],selector:{cell:[],column:[],row:[]},internal:{},legacy:{ajax:null},pager:{},renderer:{pageButton:{},header:{}},order:{},type:{detect:[],search:{},order:{}},_unique:0,fnVersionCheck:q.fnVersionCheck,iApiIndex:0,oJUIClasses:{},sVersion:q.version};f.extend(C,{afnFiltering:C.search,aTypes:C.type.detect,ofnSearch:C.type.search,oSort:C.type.order,afnSortData:C.order,aoFeatures:C.feature,oApi:C.internal,oStdClasses:C.classes,oPagination:C.pager});
+f.extend(q.ext.classes,{sTable:"dataTable",sNoFooter:"no-footer",sPageButton:"paginate_button",sPageButtonActive:"current",sPageButtonDisabled:"disabled",sStripeOdd:"odd",sStripeEven:"even",sRowEmpty:"dataTables_empty",sWrapper:"dataTables_wrapper",sFilter:"dataTables_filter",sInfo:"dataTables_info",sPaging:"dataTables_paginate paging_",sLength:"dataTables_length",sProcessing:"dataTables_processing",sSortAsc:"sorting_asc",sSortDesc:"sorting_desc",sSortable:"sorting",sSortableAsc:"sorting_asc_disabled",
+sSortableDesc:"sorting_desc_disabled",sSortableNone:"sorting_disabled",sSortColumn:"sorting_",sFilterInput:"",sLengthSelect:"",sScrollWrapper:"dataTables_scroll",sScrollHead:"dataTables_scrollHead",sScrollHeadInner:"dataTables_scrollHeadInner",sScrollBody:"dataTables_scrollBody",sScrollFoot:"dataTables_scrollFoot",sScrollFootInner:"dataTables_scrollFootInner",sHeaderTH:"",sFooterTH:"",sSortJUIAsc:"",sSortJUIDesc:"",sSortJUI:"",sSortJUIAscAllowed:"",sSortJUIDescAllowed:"",sSortJUIWrapper:"",sSortIcon:"",
+sJUIHeader:"",sJUIFooter:""});var Ob=q.ext.pager;f.extend(Ob,{simple:function(a,b){return["previous","next"]},full:function(a,b){return["first","previous","next","last"]},numbers:function(a,b){return[ja(a,b)]},simple_numbers:function(a,b){return["previous",ja(a,b),"next"]},full_numbers:function(a,b){return["first","previous",ja(a,b),"next","last"]},first_last_numbers:function(a,b){return["first",ja(a,b),"last"]},_numbers:ja,numbers_length:7});f.extend(!0,q.ext.renderer,{pageButton:{_:function(a,b,
+c,d,e,h){var g=a.oClasses,k=a.oLanguage.oPaginate,l=a.oLanguage.oAria.paginate||{},m,p,q=0,t=function(b,d){var n,r=g.sPageButtonDisabled,u=function(b){Wa(a,b.data.action,!0)};var w=0;for(n=d.length;w<n;w++){var v=d[w];if(f.isArray(v)){var x=f("<"+(v.DT_el||"div")+"/>").appendTo(b);t(x,v)}else{m=null;p=v;x=a.iTabIndex;switch(v){case "ellipsis":b.append('<span class="ellipsis">&#x2026;</span>');break;case "first":m=k.sFirst;0===e&&(x=-1,p+=" "+r);break;case "previous":m=k.sPrevious;0===e&&(x=-1,p+=
+" "+r);break;case "next":m=k.sNext;if(0===h||e===h-1)x=-1,p+=" "+r;break;case "last":m=k.sLast;e===h-1&&(x=-1,p+=" "+r);break;default:m=v+1,p=e===v?g.sPageButtonActive:""}null!==m&&(x=f("<a>",{"class":g.sPageButton+" "+p,"aria-controls":a.sTableId,"aria-label":l[v],"data-dt-idx":q,tabindex:x,id:0===c&&"string"===typeof v?a.sTableId+"_"+v:null}).html(m).appendTo(b),Za(x,{action:v},u),q++)}}};try{var x=f(b).find(w.activeElement).data("dt-idx")}catch(lc){}t(f(b).empty(),d);x!==n&&f(b).find("[data-dt-idx="+
+x+"]").trigger("focus")}}});f.extend(q.ext.type.detect,[function(a,b){b=b.oLanguage.sDecimal;return cb(a,b)?"num"+b:null},function(a,b){if(a&&!(a instanceof Date)&&!cc.test(a))return null;b=Date.parse(a);return null!==b&&!isNaN(b)||P(a)?"date":null},function(a,b){b=b.oLanguage.sDecimal;return cb(a,b,!0)?"num-fmt"+b:null},function(a,b){b=b.oLanguage.sDecimal;return Tb(a,b)?"html-num"+b:null},function(a,b){b=b.oLanguage.sDecimal;return Tb(a,b,!0)?"html-num-fmt"+b:null},function(a,b){return P(a)||"string"===
+typeof a&&-1!==a.indexOf("<")?"html":null}]);f.extend(q.ext.type.search,{html:function(a){return P(a)?a:"string"===typeof a?a.replace(Qb," ").replace(Da,""):""},string:function(a){return P(a)?a:"string"===typeof a?a.replace(Qb," "):a}});var Ca=function(a,b,c,d){if(0!==a&&(!a||"-"===a))return-Infinity;b&&(a=Sb(a,b));a.replace&&(c&&(a=a.replace(c,"")),d&&(a=a.replace(d,"")));return 1*a};f.extend(C.type.order,{"date-pre":function(a){a=Date.parse(a);return isNaN(a)?-Infinity:a},"html-pre":function(a){return P(a)?
+"":a.replace?a.replace(/<.*?>/g,"").toLowerCase():a+""},"string-pre":function(a){return P(a)?"":"string"===typeof a?a.toLowerCase():a.toString?a.toString():""},"string-asc":function(a,b){return a<b?-1:a>b?1:0},"string-desc":function(a,b){return a<b?1:a>b?-1:0}});Ga("");f.extend(!0,q.ext.renderer,{header:{_:function(a,b,c,d){f(a.nTable).on("order.dt.DT",function(e,f,g,k){a===f&&(e=c.idx,b.removeClass(c.sSortingClass+" "+d.sSortAsc+" "+d.sSortDesc).addClass("asc"==k[e]?d.sSortAsc:"desc"==k[e]?d.sSortDesc:
+c.sSortingClass))})},jqueryui:function(a,b,c,d){f("<div/>").addClass(d.sSortJUIWrapper).append(b.contents()).append(f("<span/>").addClass(d.sSortIcon+" "+c.sSortingClassJUI)).appendTo(b);f(a.nTable).on("order.dt.DT",function(e,f,g,k){a===f&&(e=c.idx,b.removeClass(d.sSortAsc+" "+d.sSortDesc).addClass("asc"==k[e]?d.sSortAsc:"desc"==k[e]?d.sSortDesc:c.sSortingClass),b.find("span."+d.sSortIcon).removeClass(d.sSortJUIAsc+" "+d.sSortJUIDesc+" "+d.sSortJUI+" "+d.sSortJUIAscAllowed+" "+d.sSortJUIDescAllowed).addClass("asc"==
+k[e]?d.sSortJUIAsc:"desc"==k[e]?d.sSortJUIDesc:c.sSortingClassJUI))})}}});var hb=function(a){return"string"===typeof a?a.replace(/&/g,"&amp;").replace(/</g,"&lt;").replace(/>/g,"&gt;").replace(/"/g,"&quot;"):a};q.render={number:function(a,b,c,d,e){return{display:function(f){if("number"!==typeof f&&"string"!==typeof f)return f;var g=0>f?"-":"",h=parseFloat(f);if(isNaN(h))return hb(f);h=h.toFixed(c);f=Math.abs(h);h=parseInt(f,10);f=c?b+(f-h).toFixed(c).substring(2):"";return g+(d||"")+h.toString().replace(/\B(?=(\d{3})+(?!\d))/g,
+a)+f+(e||"")}}},text:function(){return{display:hb,filter:hb}}};f.extend(q.ext.internal,{_fnExternApiFunc:Pb,_fnBuildAjax:ua,_fnAjaxUpdate:pb,_fnAjaxParameters:yb,_fnAjaxUpdateDraw:zb,_fnAjaxDataSrc:va,_fnAddColumn:Ha,_fnColumnOptions:la,_fnAdjustColumnSizing:Z,_fnVisibleToColumnIndex:aa,_fnColumnIndexToVisible:ba,_fnVisbleColumns:V,_fnGetColumns:na,_fnColumnTypes:Ja,_fnApplyColumnDefs:mb,_fnHungarianMap:H,_fnCamelToHungarian:L,_fnLanguageCompat:Fa,_fnBrowserDetect:kb,_fnAddData:R,_fnAddTr:oa,_fnNodeToDataIndex:function(a,
+b){return b._DT_RowIndex!==n?b._DT_RowIndex:null},_fnNodeToColumnIndex:function(a,b,c){return f.inArray(c,a.aoData[b].anCells)},_fnGetCellData:F,_fnSetCellData:nb,_fnSplitObjNotation:Ma,_fnGetObjectDataFn:T,_fnSetObjectDataFn:Q,_fnGetDataMaster:Na,_fnClearTable:pa,_fnDeleteIndex:qa,_fnInvalidate:da,_fnGetRowElements:La,_fnCreateTr:Ka,_fnBuildHead:ob,_fnDrawHead:fa,_fnDraw:S,_fnReDraw:U,_fnAddOptionsHtml:rb,_fnDetectHeader:ea,_fnGetUniqueThs:ta,_fnFeatureHtmlFilter:tb,_fnFilterComplete:ha,_fnFilterCustom:Cb,
+_fnFilterColumn:Bb,_fnFilter:Ab,_fnFilterCreateSearch:Sa,_fnEscapeRegex:Ta,_fnFilterData:Db,_fnFeatureHtmlInfo:wb,_fnUpdateInfo:Gb,_fnInfoMacros:Hb,_fnInitialise:ia,_fnInitComplete:wa,_fnLengthChange:Ua,_fnFeatureHtmlLength:sb,_fnFeatureHtmlPaginate:xb,_fnPageChange:Wa,_fnFeatureHtmlProcessing:ub,_fnProcessingDisplay:J,_fnFeatureHtmlTable:vb,_fnScrollDraw:ma,_fnApplyToChildren:N,_fnCalculateColumnWidths:Ia,_fnThrottle:Ra,_fnConvertToWidth:Ib,_fnGetWidestNode:Jb,_fnGetMaxLenString:Kb,_fnStringToCss:B,
+_fnSortFlatten:X,_fnSort:qb,_fnSortAria:Mb,_fnSortListener:Ya,_fnSortAttachListener:Pa,_fnSortingClasses:za,_fnSortData:Lb,_fnSaveState:Aa,_fnLoadState:Nb,_fnSettingsFromNode:Ba,_fnLog:O,_fnMap:M,_fnBindAction:Za,_fnCallbackReg:D,_fnCallbackFire:A,_fnLengthOverflow:Va,_fnRenderer:Qa,_fnDataSource:I,_fnRowAttributes:Oa,_fnExtend:$a,_fnCalculateEnd:function(){}});f.fn.dataTable=q;q.$=f;f.fn.dataTableSettings=q.settings;f.fn.dataTableExt=q.ext;f.fn.DataTable=function(a){return f(this).dataTable(a).api()};
+f.each(q,function(a,b){f.fn.DataTable[a]=b});return f.fn.dataTable});
+
+
+/*!
+   Copyright 2009-2020 SpryMedia Ltd.
+
+ This source file is free software, available under the following license:
+   MIT license - http://datatables.net/license/mit
+
+ This source file is distributed in the hope that it will be useful, but
+ WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY
+ or FITNESS FOR A PARTICULAR PURPOSE. See the license files for details.
+
+ For details please refer to: http://www.datatables.net
+ FixedHeader 3.1.7
+ Â©2009-2020 SpryMedia Ltd - datatables.net/license
+*/
+var $jscomp=$jscomp||{};$jscomp.scope={};$jscomp.findInternal=function(c,d,f){c instanceof String&&(c=String(c));for(var h=c.length,g=0;g<h;g++){var m=c[g];if(d.call(f,m,g,c))return{i:g,v:m}}return{i:-1,v:void 0}};$jscomp.ASSUME_ES5=!1;$jscomp.ASSUME_NO_NATIVE_MAP=!1;$jscomp.ASSUME_NO_NATIVE_SET=!1;$jscomp.SIMPLE_FROUND_POLYFILL=!1;
+$jscomp.defineProperty=$jscomp.ASSUME_ES5||"function"==typeof Object.defineProperties?Object.defineProperty:function(c,d,f){c!=Array.prototype&&c!=Object.prototype&&(c[d]=f.value)};$jscomp.getGlobal=function(c){c=["object"==typeof window&&window,"object"==typeof self&&self,"object"==typeof global&&global,c];for(var d=0;d<c.length;++d){var f=c[d];if(f&&f.Math==Math)return f}throw Error("Cannot find global object");};$jscomp.global=$jscomp.getGlobal(this);
+$jscomp.polyfill=function(c,d,f,h){if(d){f=$jscomp.global;c=c.split(".");for(h=0;h<c.length-1;h++){var g=c[h];g in f||(f[g]={});f=f[g]}c=c[c.length-1];h=f[c];d=d(h);d!=h&&null!=d&&$jscomp.defineProperty(f,c,{configurable:!0,writable:!0,value:d})}};$jscomp.polyfill("Array.prototype.find",function(c){return c?c:function(c,f){return $jscomp.findInternal(this,c,f).v}},"es6","es3");
+(function(c){"function"===typeof define&&define.amd?define(["jquery","datatables.net"],function(d){return c(d,window,document)}):"object"===typeof exports?module.exports=function(d,f){d||(d=window);f&&f.fn.dataTable||(f=require("datatables.net")(d,f).$);return c(f,d,d.document)}:c(jQuery,window,document)})(function(c,d,f,h){var g=c.fn.dataTable,m=0,l=function(a,b){if(!(this instanceof l))throw"FixedHeader must be initialised with the 'new' keyword.";!0===b&&(b={});a=new g.Api(a);this.c=c.extend(!0,
+{},l.defaults,b);this.s={dt:a,position:{theadTop:0,tbodyTop:0,tfootTop:0,tfootBottom:0,width:0,left:0,tfootHeight:0,theadHeight:0,windowHeight:c(d).height(),visible:!0},headerMode:null,footerMode:null,autoWidth:a.settings()[0].oFeatures.bAutoWidth,namespace:".dtfc"+m++,scrollLeft:{header:-1,footer:-1},enable:!0};this.dom={floatingHeader:null,thead:c(a.table().header()),tbody:c(a.table().body()),tfoot:c(a.table().footer()),header:{host:null,floating:null,placeholder:null},footer:{host:null,floating:null,
+placeholder:null}};this.dom.header.host=this.dom.thead.parent();this.dom.footer.host=this.dom.tfoot.parent();a=a.settings()[0];if(a._fixedHeader)throw"FixedHeader already initialised on table "+a.nTable.id;a._fixedHeader=this;this._constructor()};c.extend(l.prototype,{destroy:function(){this.s.dt.off(".dtfc");c(d).off(this.s.namespace);this.c.header&&this._modeChange("in-place","header",!0);this.c.footer&&this.dom.tfoot.length&&this._modeChange("in-place","footer",!0)},enable:function(a,b){this.s.enable=
+a;if(b||b===h)this._positions(),this._scroll(!0)},enabled:function(){return this.s.enable},headerOffset:function(a){a!==h&&(this.c.headerOffset=a,this.update());return this.c.headerOffset},footerOffset:function(a){a!==h&&(this.c.footerOffset=a,this.update());return this.c.footerOffset},update:function(){var a=this.s.dt.table().node();c(a).is(":visible")?this.enable(!0,!1):this.enable(!1,!1);this._positions();this._scroll(!0)},_constructor:function(){var a=this,b=this.s.dt;c(d).on("scroll"+this.s.namespace,
+function(){a._scroll()}).on("resize"+this.s.namespace,g.util.throttle(function(){a.s.position.windowHeight=c(d).height();a.update()},50));var k=c(".fh-fixedHeader");!this.c.headerOffset&&k.length&&(this.c.headerOffset=k.outerHeight());k=c(".fh-fixedFooter");!this.c.footerOffset&&k.length&&(this.c.footerOffset=k.outerHeight());b.on("column-reorder.dt.dtfc column-visibility.dt.dtfc draw.dt.dtfc column-sizing.dt.dtfc responsive-display.dt.dtfc",function(){a.update()});b.on("destroy.dtfc",function(){a.destroy()});
+this._positions();this._scroll()},_clone:function(a,b){var k=this.s.dt,e=this.dom[a],f="header"===a?this.dom.thead:this.dom.tfoot;!b&&e.floating?e.floating.removeClass("fixedHeader-floating fixedHeader-locked"):(e.floating&&(e.placeholder.remove(),this._unsize(a),e.floating.children().detach(),e.floating.remove()),e.floating=c(k.table().node().cloneNode(!1)).css("table-layout","fixed").attr("aria-hidden","true").removeAttr("id").append(f).appendTo("body"),e.placeholder=f.clone(!1),e.placeholder.find("*[id]").removeAttr("id"),
+e.host.prepend(e.placeholder),this._matchWidths(e.placeholder,e.floating))},_matchWidths:function(a,b){var k=function(b){return c(b,a).map(function(){return c(this).width()}).toArray()},e=function(a,e){c(a,b).each(function(a){c(this).css({width:e[a],minWidth:e[a]})})},f=k("th");k=k("td");e("th",f);e("td",k)},_unsize:function(a){var b=this.dom[a].floating;b&&("footer"===a||"header"===a&&!this.s.autoWidth)?c("th, td",b).css({width:"",minWidth:""}):b&&"header"===a&&c("th, td",b).css("min-width","")},
+_horizontal:function(a,b){var c=this.dom[a],e=this.s.position,f=this.s.scrollLeft;c.floating&&f[a]!==b&&(c.floating.css("left",e.left-b),f[a]=b)},_modeChange:function(a,b,k){var e=this.dom[b],d=this.s.position,g=function(a){e.floating.attr("style",function(b,c){return(c||"")+"width: "+a+"px !important;"})},h=this.dom["footer"===b?"tfoot":"thead"],l=c.contains(h[0],f.activeElement)?f.activeElement:null;l&&l.blur();"in-place"===a?(e.placeholder&&(e.placeholder.remove(),e.placeholder=null),this._unsize(b),
+"header"===b?e.host.prepend(h):e.host.append(h),e.floating&&(e.floating.remove(),e.floating=null)):"in"===a?(this._clone(b,k),e.floating.addClass("fixedHeader-floating").css("header"===b?"top":"bottom",this.c[b+"Offset"]).css("left",d.left+"px"),g(d.width),"footer"===b&&e.floating.css("top","")):"below"===a?(this._clone(b,k),e.floating.addClass("fixedHeader-locked").css("top",d.tfootTop-d.theadHeight).css("left",d.left+"px"),g(d.width)):"above"===a&&(this._clone(b,k),e.floating.addClass("fixedHeader-locked").css("top",
+d.tbodyTop).css("left",d.left+"px"),g(d.width));l&&l!==f.activeElement&&setTimeout(function(){l.focus()},10);this.s.scrollLeft.header=-1;this.s.scrollLeft.footer=-1;this.s[b+"Mode"]=a},_positions:function(){var a=this.s.dt.table(),b=this.s.position,f=this.dom;a=c(a.node());var e=a.children("thead"),d=a.children("tfoot");f=f.tbody;b.visible=a.is(":visible");b.width=a.outerWidth();b.left=a.offset().left;b.theadTop=e.offset().top;b.tbodyTop=f.offset().top;b.tbodyHeight=f.outerHeight();b.theadHeight=
+b.tbodyTop-b.theadTop;d.length?(b.tfootTop=d.offset().top,b.tfootBottom=b.tfootTop+d.outerHeight(),b.tfootHeight=b.tfootBottom-b.tfootTop):(b.tfootTop=b.tbodyTop+f.outerHeight(),b.tfootBottom=b.tfootTop,b.tfootHeight=b.tfootTop)},_scroll:function(a){var b=c(f).scrollTop(),d=c(f).scrollLeft(),e=this.s.position;if(this.c.header){var g=this.s.enable?!e.visible||b<=e.theadTop-this.c.headerOffset?"in-place":b<=e.tfootTop-e.theadHeight-this.c.headerOffset?"in":"below":"in-place";(a||g!==this.s.headerMode)&&
+this._modeChange(g,"header",a);this._horizontal("header",d)}this.c.footer&&this.dom.tfoot.length&&(b=this.s.enable?!e.visible||b+e.windowHeight>=e.tfootBottom+this.c.footerOffset?"in-place":e.windowHeight+b>e.tbodyTop+e.tfootHeight+this.c.footerOffset?"in":"above":"in-place",(a||b!==this.s.footerMode)&&this._modeChange(b,"footer",a),this._horizontal("footer",d))}});l.version="3.1.7";l.defaults={header:!0,footer:!1,headerOffset:0,footerOffset:0};c.fn.dataTable.FixedHeader=l;c.fn.DataTable.FixedHeader=
+l;c(f).on("init.dt.dtfh",function(a,b,d){"dt"===a.namespace&&(a=b.oInit.fixedHeader,d=g.defaults.fixedHeader,!a&&!d||b._fixedHeader||(d=c.extend({},d,a),!1!==a&&new l(b,d)))});g.Api.register("fixedHeader()",function(){});g.Api.register("fixedHeader.adjust()",function(){return this.iterator("table",function(a){(a=a._fixedHeader)&&a.update()})});g.Api.register("fixedHeader.enable()",function(a){return this.iterator("table",function(b){b=b._fixedHeader;a=a!==h?a:!0;b&&a!==b.enabled()&&b.enable(a)})});
+g.Api.register("fixedHeader.enabled()",function(){if(this.context.length){var a=this.content[0]._fixedHeader;if(a)return a.enabled()}return!1});g.Api.register("fixedHeader.disable()",function(){return this.iterator("table",function(a){(a=a._fixedHeader)&&a.enabled()&&a.enable(!1)})});c.each(["header","footer"],function(a,b){g.Api.register("fixedHeader."+b+"Offset()",function(a){var c=this.context;return a===h?c.length&&c[0]._fixedHeader?c[0]._fixedHeader[b+"Offset"]():h:this.iterator("table",function(c){if(c=
+c._fixedHeader)c[b+"Offset"](a)})})});return l});
+
+
+/*!
+ SearchPanes 1.1.1
+ 2019-2020 SpryMedia Ltd - datatables.net/license
+*/
+var $jscomp=$jscomp||{};$jscomp.scope={};$jscomp.getGlobal=function(e){e=["object"==typeof window&&window,"object"==typeof self&&self,"object"==typeof global&&global,e];for(var t=0;t<e.length;++t){var d=e[t];if(d&&d.Math==Math)return d}throw Error("Cannot find global object");};$jscomp.global=$jscomp.getGlobal(this);$jscomp.checkEs6ConformanceViaProxy=function(){try{var e={},t=Object.create(new $jscomp.global.Proxy(e,{get:function(d,n,q){return d==e&&"q"==n&&q==t}}));return!0===t.q}catch(d){return!1}};
+$jscomp.USE_PROXY_FOR_ES6_CONFORMANCE_CHECKS=!1;$jscomp.ES6_CONFORMANCE=$jscomp.USE_PROXY_FOR_ES6_CONFORMANCE_CHECKS&&$jscomp.checkEs6ConformanceViaProxy();$jscomp.arrayIteratorImpl=function(e){var t=0;return function(){return t<e.length?{done:!1,value:e[t++]}:{done:!0}}};$jscomp.arrayIterator=function(e){return{next:$jscomp.arrayIteratorImpl(e)}};$jscomp.ASSUME_ES5=!1;$jscomp.ASSUME_NO_NATIVE_MAP=!1;$jscomp.ASSUME_NO_NATIVE_SET=!1;$jscomp.SIMPLE_FROUND_POLYFILL=!1;
+$jscomp.defineProperty=$jscomp.ASSUME_ES5||"function"==typeof Object.defineProperties?Object.defineProperty:function(e,t,d){e!=Array.prototype&&e!=Object.prototype&&(e[t]=d.value)};$jscomp.SYMBOL_PREFIX="jscomp_symbol_";$jscomp.initSymbol=function(){$jscomp.initSymbol=function(){};$jscomp.global.Symbol||($jscomp.global.Symbol=$jscomp.Symbol)};$jscomp.SymbolClass=function(e,t){this.$jscomp$symbol$id_=e;$jscomp.defineProperty(this,"description",{configurable:!0,writable:!0,value:t})};
+$jscomp.SymbolClass.prototype.toString=function(){return this.$jscomp$symbol$id_};$jscomp.Symbol=function(){function e(d){if(this instanceof e)throw new TypeError("Symbol is not a constructor");return new $jscomp.SymbolClass($jscomp.SYMBOL_PREFIX+(d||"")+"_"+t++,d)}var t=0;return e}();
+$jscomp.initSymbolIterator=function(){$jscomp.initSymbol();var e=$jscomp.global.Symbol.iterator;e||(e=$jscomp.global.Symbol.iterator=$jscomp.global.Symbol("Symbol.iterator"));"function"!=typeof Array.prototype[e]&&$jscomp.defineProperty(Array.prototype,e,{configurable:!0,writable:!0,value:function(){return $jscomp.iteratorPrototype($jscomp.arrayIteratorImpl(this))}});$jscomp.initSymbolIterator=function(){}};
+$jscomp.initSymbolAsyncIterator=function(){$jscomp.initSymbol();var e=$jscomp.global.Symbol.asyncIterator;e||(e=$jscomp.global.Symbol.asyncIterator=$jscomp.global.Symbol("Symbol.asyncIterator"));$jscomp.initSymbolAsyncIterator=function(){}};$jscomp.iteratorPrototype=function(e){$jscomp.initSymbolIterator();e={next:e};e[$jscomp.global.Symbol.iterator]=function(){return this};return e};
+$jscomp.makeIterator=function(e){var t="undefined"!=typeof Symbol&&Symbol.iterator&&e[Symbol.iterator];return t?t.call(e):$jscomp.arrayIterator(e)};$jscomp.owns=function(e,t){return Object.prototype.hasOwnProperty.call(e,t)};$jscomp.polyfill=function(e,t,d,n){if(t){d=$jscomp.global;e=e.split(".");for(n=0;n<e.length-1;n++){var q=e[n];q in d||(d[q]={});d=d[q]}e=e[e.length-1];n=d[e];t=t(n);t!=n&&null!=t&&$jscomp.defineProperty(d,e,{configurable:!0,writable:!0,value:t})}};
+$jscomp.polyfill("WeakMap",function(e){function t(){if(!e||!Object.seal)return!1;try{var a=Object.seal({}),b=Object.seal({}),f=new e([[a,2],[b,3]]);if(2!=f.get(a)||3!=f.get(b))return!1;f.delete(a);f.set(b,4);return!f.has(a)&&4==f.get(b)}catch(h){return!1}}function d(){}function n(a){var b=typeof a;return"object"===b&&null!==a||"function"===b}function q(a){if(!$jscomp.owns(a,v)){var b=new d;$jscomp.defineProperty(a,v,{value:b})}}function k(a){var b=Object[a];b&&(Object[a]=function(a){if(a instanceof
+d)return a;q(a);return b(a)})}if($jscomp.USE_PROXY_FOR_ES6_CONFORMANCE_CHECKS){if(e&&$jscomp.ES6_CONFORMANCE)return e}else if(t())return e;var v="$jscomp_hidden_"+Math.random();k("freeze");k("preventExtensions");k("seal");var w=0,c=function(a){this.id_=(w+=Math.random()+1).toString();if(a){a=$jscomp.makeIterator(a);for(var b;!(b=a.next()).done;)b=b.value,this.set(b[0],b[1])}};c.prototype.set=function(a,b){if(!n(a))throw Error("Invalid WeakMap key");q(a);if(!$jscomp.owns(a,v))throw Error("WeakMap key fail: "+
+a);a[v][this.id_]=b;return this};c.prototype.get=function(a){return n(a)&&$jscomp.owns(a,v)?a[v][this.id_]:void 0};c.prototype.has=function(a){return n(a)&&$jscomp.owns(a,v)&&$jscomp.owns(a[v],this.id_)};c.prototype.delete=function(a){return n(a)&&$jscomp.owns(a,v)&&$jscomp.owns(a[v],this.id_)?delete a[v][this.id_]:!1};return c},"es6","es3");$jscomp.MapEntry=function(){};
+$jscomp.polyfill("Map",function(e){function t(){if($jscomp.ASSUME_NO_NATIVE_MAP||!e||"function"!=typeof e||!e.prototype.entries||"function"!=typeof Object.seal)return!1;try{var c=Object.seal({x:4}),a=new e($jscomp.makeIterator([[c,"s"]]));if("s"!=a.get(c)||1!=a.size||a.get({x:4})||a.set({x:4},"t")!=a||2!=a.size)return!1;var b=a.entries(),f=b.next();if(f.done||f.value[0]!=c||"s"!=f.value[1])return!1;f=b.next();return f.done||4!=f.value[0].x||"t"!=f.value[1]||!b.next().done?!1:!0}catch(h){return!1}}
+if($jscomp.USE_PROXY_FOR_ES6_CONFORMANCE_CHECKS){if(e&&$jscomp.ES6_CONFORMANCE)return e}else if(t())return e;$jscomp.initSymbolIterator();var d=new WeakMap,n=function(c){this.data_={};this.head_=v();this.size=0;if(c){c=$jscomp.makeIterator(c);for(var a;!(a=c.next()).done;)a=a.value,this.set(a[0],a[1])}};n.prototype.set=function(c,a){c=0===c?0:c;var b=q(this,c);b.list||(b.list=this.data_[b.id]=[]);b.entry?b.entry.value=a:(b.entry={next:this.head_,previous:this.head_.previous,head:this.head_,key:c,
+value:a},b.list.push(b.entry),this.head_.previous.next=b.entry,this.head_.previous=b.entry,this.size++);return this};n.prototype.delete=function(c){c=q(this,c);return c.entry&&c.list?(c.list.splice(c.index,1),c.list.length||delete this.data_[c.id],c.entry.previous.next=c.entry.next,c.entry.next.previous=c.entry.previous,c.entry.head=null,this.size--,!0):!1};n.prototype.clear=function(){this.data_={};this.head_=this.head_.previous=v();this.size=0};n.prototype.has=function(c){return!!q(this,c).entry};
+n.prototype.get=function(c){return(c=q(this,c).entry)&&c.value};n.prototype.entries=function(){return k(this,function(c){return[c.key,c.value]})};n.prototype.keys=function(){return k(this,function(c){return c.key})};n.prototype.values=function(){return k(this,function(c){return c.value})};n.prototype.forEach=function(c,a){for(var b=this.entries(),f;!(f=b.next()).done;)f=f.value,c.call(a,f[1],f[0],this)};n.prototype[Symbol.iterator]=n.prototype.entries;var q=function(c,a){var b;var f=(b=a)&&typeof b;
+"object"==f||"function"==f?d.has(b)?b=d.get(b):(f=""+ ++w,d.set(b,f),b=f):b="p_"+b;if((f=c.data_[b])&&$jscomp.owns(c.data_,b))for(c=0;c<f.length;c++){var h=f[c];if(a!==a&&h.key!==h.key||a===h.key)return{id:b,list:f,index:c,entry:h}}return{id:b,list:f,index:-1,entry:void 0}},k=function(c,a){var b=c.head_;return $jscomp.iteratorPrototype(function(){if(b){for(;b.head!=c.head_;)b=b.previous;for(;b.next!=b.head;)return b=b.next,{done:!1,value:a(b)};b=null}return{done:!0,value:void 0}})},v=function(){var c=
+{};return c.previous=c.next=c.head=c},w=0;return n},"es6","es3");$jscomp.findInternal=function(e,t,d){e instanceof String&&(e=String(e));for(var n=e.length,q=0;q<n;q++){var k=e[q];if(t.call(d,k,q,e))return{i:q,v:k}}return{i:-1,v:void 0}};$jscomp.polyfill("Array.prototype.find",function(e){return e?e:function(e,d){return $jscomp.findInternal(this,e,d).v}},"es6","es3");
+$jscomp.iteratorFromArray=function(e,t){$jscomp.initSymbolIterator();e instanceof String&&(e+="");var d=0,n={next:function(){if(d<e.length){var q=d++;return{value:t(q,e[q]),done:!1}}n.next=function(){return{done:!0,value:void 0}};return n.next()}};n[Symbol.iterator]=function(){return n};return n};$jscomp.polyfill("Array.prototype.keys",function(e){return e?e:function(){return $jscomp.iteratorFromArray(this,function(e){return e})}},"es6","es3");
+$jscomp.polyfill("Array.prototype.findIndex",function(e){return e?e:function(e,d){return $jscomp.findInternal(this,e,d).i}},"es6","es3");
+(function(){function e(c){d=c;n=c.fn.dataTable}function t(c){k=c;v=c.fn.dataTable}var d,n,q=function(){function c(a,b,f,h,l,r){var g=this;void 0===r&&(r=null);if(!n||!n.versionCheck||!n.versionCheck("1.10.0"))throw Error("SearchPane requires DataTables 1.10 or newer");if(!n.select)throw Error("SearchPane requires Select");a=new n.Api(a);this.classes=d.extend(!0,{},c.classes);this.c=d.extend(!0,{},c.defaults,b);this.customPaneSettings=r;this.s={cascadeRegen:!1,clearing:!1,colOpts:[],deselect:!1,displayed:!1,
+dt:a,dtPane:void 0,filteringActive:!1,index:f,indexes:[],lastCascade:!1,lastSelect:!1,listSet:!1,name:void 0,redraw:!1,rowData:{arrayFilter:[],arrayOriginal:[],arrayTotals:[],bins:{},binsOriginal:{},binsTotal:{},filterMap:new Map,totalOptions:0},scrollTop:0,searchFunction:void 0,selectPresent:!1,serverSelect:[],serverSelecting:!1,showFiltered:!1,tableLength:null,updating:!1};b=a.columns().eq(0).toArray().length;this.colExists=this.s.index<b;this.c.layout=h;b=parseInt(h.split("-")[1],10);this.dom=
+{buttonGroup:d("<div/>").addClass(this.classes.buttonGroup),clear:d('<button type="button">&#215;</button>').addClass(this.classes.dull).addClass(this.classes.paneButton).addClass(this.classes.clearButton),container:d("<div/>").addClass(this.classes.container).addClass(this.classes.layout+(10>b?h:h.split("-")[0]+"-9")),countButton:d('<button type="button"></button>').addClass(this.classes.paneButton).addClass(this.classes.countButton),dtP:d("<table><thead><tr><th>"+(this.colExists?d(a.column(this.colExists?
+this.s.index:0).header()).text():this.customPaneSettings.header||"Custom Pane")+"</th><th/></tr></thead></table>"),lower:d("<div/>").addClass(this.classes.subRow2).addClass(this.classes.narrowButton),nameButton:d('<button type="button"></button>').addClass(this.classes.paneButton).addClass(this.classes.nameButton),panesContainer:l,searchBox:d("<input/>").addClass(this.classes.paneInputButton).addClass(this.classes.search),searchButton:d('<button type = "button" class="'+this.classes.searchIcon+'"></button>').addClass(this.classes.paneButton),
+searchCont:d("<div/>").addClass(this.classes.searchCont),searchLabelCont:d("<div/>").addClass(this.classes.searchLabelCont),topRow:d("<div/>").addClass(this.classes.topRow),upper:d("<div/>").addClass(this.classes.subRow1).addClass(this.classes.narrowSearch)};this.s.displayed=!1;a=this.s.dt;this.selections=[];this.s.colOpts=this.colExists?this._getOptions():this._getBonusOptions();var x=this.s.colOpts;h=d('<button type="button">X</button>').addClass(this.classes.paneButton);d(h).text(a.i18n("searchPanes.clearPane",
+"X"));this.dom.container.addClass(x.className);this.dom.container.addClass(null!==this.customPaneSettings&&void 0!==this.customPaneSettings.className?this.customPaneSettings.className:"");this.s.name=void 0!==this.s.colOpts.name?this.s.colOpts.name:null!==this.customPaneSettings&&void 0!==this.customPaneSettings.name?this.customPaneSettings.name:this.colExists?d(a.column(this.s.index).header()).text():this.customPaneSettings.header||"Custom Pane";d(l).append(this.dom.container);var e=a.table(0).node();
+this.s.searchFunction=function(a,b,f,h){if(0===g.selections.length||a.nTable!==e)return!0;a="";g.colExists&&(a=b[g.s.index],"filter"!==x.orthogonal.filter&&(a=g.s.rowData.filterMap.get(f),a instanceof d.fn.dataTable.Api&&(a=a.toArray())));return g._search(a,f)};d.fn.dataTable.ext.search.push(this.s.searchFunction);if(this.c.clear)d(h).on("click",function(){g.dom.container.find(g.classes.search).each(function(){d(this).val("");d(this).trigger("input")});g.clearPane()});a.on("draw.dtsp",function(){g._adjustTopRow()});
+a.on("buttons-action",function(){g._adjustTopRow()});d(window).on("resize.dtsp",n.util.throttle(function(){g._adjustTopRow()}));a.on("column-reorder.dtsp",function(a,b,f){g.s.index=f.mapping[g.s.index]});return this}c.prototype.clearData=function(){this.s.rowData={arrayFilter:[],arrayOriginal:[],arrayTotals:[],bins:{},binsOriginal:{},binsTotal:{},filterMap:new Map,totalOptions:0}};c.prototype.clearPane=function(){this.s.dtPane.rows({selected:!0}).deselect();this.updateTable();return this};c.prototype.destroy=
+function(){d(this.s.dtPane).off(".dtsp");d(this.s.dt).off(".dtsp");d(this.dom.nameButton).off(".dtsp");d(this.dom.countButton).off(".dtsp");d(this.dom.clear).off(".dtsp");d(this.dom.searchButton).off(".dtsp");d(this.dom.container).remove();for(var a=d.fn.dataTable.ext.search.indexOf(this.s.searchFunction);-1!==a;)d.fn.dataTable.ext.search.splice(a,1),a=d.fn.dataTable.ext.search.indexOf(this.s.searchFunction);void 0!==this.s.dtPane&&this.s.dtPane.destroy();this.s.listSet=!1};c.prototype.getPaneCount=
+function(){return void 0!==this.s.dtPane?this.s.dtPane.rows({selected:!0}).data().toArray().length:0};c.prototype.rebuildPane=function(a,b,f,h){void 0===a&&(a=!1);void 0===b&&(b=null);void 0===f&&(f=null);void 0===h&&(h=!1);this.clearData();var l=[];this.s.serverSelect=[];var c=null;void 0!==this.s.dtPane&&(h&&(this.s.dt.page.info().serverSide?this.s.serverSelect=this.s.dtPane.rows({selected:!0}).data().toArray():l=this.s.dtPane.rows({selected:!0}).data().toArray()),this.s.dtPane.clear().destroy(),
+c=d(this.dom.container).prev(),this.destroy(),this.s.dtPane=void 0,d.fn.dataTable.ext.search.push(this.s.searchFunction));this.dom.container.removeClass(this.classes.hidden);this.s.displayed=!1;this._buildPane(this.s.dt.page.info().serverSide?this.s.serverSelect:l,a,b,f,c);return this};c.prototype.removePane=function(){this.s.displayed=!1;d(this.dom.container).hide()};c.prototype.setCascadeRegen=function(a){this.s.cascadeRegen=a};c.prototype.setClear=function(a){this.s.clearing=a};c.prototype.updatePane=
+function(a){void 0===a&&(a=!1);this.s.updating=!0;this._updateCommon(a);this.s.updating=!1};c.prototype.updateTable=function(){this.selections=this.s.dtPane.rows({selected:!0}).data().toArray();this._searchExtras();(this.c.cascadePanes||this.c.viewTotal)&&this.updatePane()};c.prototype._setListeners=function(){var a=this,b=this.s.rowData,f;this.s.dtPane.on("select.dtsp",function(){a.s.dt.page.info().serverSide&&!a.s.updating?a.s.serverSelecting||(a.s.serverSelect=a.s.dtPane.rows({selected:!0}).data().toArray(),
+a.s.scrollTop=d(a.s.dtPane.table().node()).parent()[0].scrollTop,a.s.selectPresent=!0,a.s.dt.draw(!1)):(clearTimeout(f),d(a.dom.clear).removeClass(a.classes.dull),a.s.selectPresent=!0,a.s.updating||a._makeSelection(),a.s.selectPresent=!1)});this.s.dtPane.on("deselect.dtsp",function(){f=setTimeout(function(){a.s.dt.page.info().serverSide&&!a.s.updating?a.s.serverSelecting||(a.s.serverSelect=a.s.dtPane.rows({selected:!0}).data().toArray(),a.s.deselect=!0,a.s.dt.draw(!1)):(a.s.deselect=!0,0===a.s.dtPane.rows({selected:!0}).data().toArray().length&&
+d(a.dom.clear).addClass(a.classes.dull),a._makeSelection(),a.s.deselect=!1,a.s.dt.state.save())},50)});this.s.dt.on("stateSaveParams.dtsp",function(f,l,c){if(d.isEmptyObject(c))a.s.dtPane.state.clear();else{f=[];if(void 0!==a.s.dtPane){f=a.s.dtPane.rows({selected:!0}).data().map(function(a){return a.filter.toString()}).toArray();var h=d(a.dom.searchBox).val();var r=a.s.dtPane.order();var e=b.binsOriginal;var m=b.arrayOriginal}void 0===c.searchPanes&&(c.searchPanes={});void 0===c.searchPanes.panes&&
+(c.searchPanes.panes=[]);c.searchPanes.panes.push({arrayFilter:m,bins:e,id:a.s.index,order:r,searchTerm:h,selected:f})}});this.s.dtPane.on("user-select.dtsp",function(a,b,f,g,c){c.stopPropagation()});this.s.dtPane.on("draw.dtsp",function(){a._adjustTopRow()});d(this.dom.nameButton).on("click.dtsp",function(){var b=a.s.dtPane.order()[0][1];a.s.dtPane.order([0,"asc"===b?"desc":"asc"]).draw();a.s.dt.state.save()});d(this.dom.countButton).on("click.dtsp",function(){var b=a.s.dtPane.order()[0][1];a.s.dtPane.order([1,
+"asc"===b?"desc":"asc"]).draw();a.s.dt.state.save()});d(this.dom.clear).on("click.dtsp",function(){a.dom.container.find("."+a.classes.search).each(function(){d(this).val("");d(this).trigger("input")});a.clearPane()});d(this.dom.searchButton).on("click.dtsp",function(){d(a.dom.searchBox).focus()});d(this.dom.searchBox).on("input.dtsp",function(){a.s.dtPane.search(d(a.dom.searchBox).val()).draw();a.s.dt.state.save()});this.s.dt.state.save();return!0};c.prototype._addOption=function(a,b,f,h,l,c){if(Array.isArray(a)||
+a instanceof n.Api)if(a instanceof n.Api&&(a=a.toArray(),b=b.toArray()),a.length===b.length)for(var g=0;g<a.length;g++)c[a[g]]?c[a[g]]++:(c[a[g]]=1,l.push({display:b[g],filter:a[g],sort:f[g],type:h[g]})),this.s.rowData.totalOptions++;else throw Error("display and filter not the same length");else"string"===typeof this.s.colOpts.orthogonal?(c[a]?c[a]++:(c[a]=1,l.push({display:b,filter:a,sort:f,type:h})),this.s.rowData.totalOptions++):l.push({display:b,filter:a,sort:f,type:h})};c.prototype._addRow=
+function(a,b,f,h,c,d){for(var g,l=0,r=this.s.indexes;l<r.length;l++){var e=r[l];e.filter===b&&(g=e.index)}void 0===g&&(g=this.s.indexes.length,this.s.indexes.push({filter:b,index:g}));return this.s.dtPane.row.add({display:""!==a?a:this.c.emptyMessage,filter:b,index:g,shown:f,sort:""!==c?c:this.c.emptyMessage,total:h,type:d})};c.prototype._adjustTopRow=function(){var a=this.dom.container.find("."+this.classes.subRowsContainer),b=this.dom.container.find(".dtsp-subRow1"),f=this.dom.container.find(".dtsp-subRow2"),
+h=this.dom.container.find("."+this.classes.topRow);(252>d(a[0]).width()||252>d(h[0]).width())&&0!==d(a[0]).width()?(d(a[0]).addClass(this.classes.narrow),d(b[0]).addClass(this.classes.narrowSub).removeClass(this.classes.narrowSearch),d(f[0]).addClass(this.classes.narrowSub).removeClass(this.classes.narrowButton)):(d(a[0]).removeClass(this.classes.narrow),d(b[0]).removeClass(this.classes.narrowSub).addClass(this.classes.narrowSearch),d(f[0]).removeClass(this.classes.narrowSub).addClass(this.classes.narrowButton))};
+c.prototype._buildPane=function(a,b,f,h,c){var l=this;void 0===a&&(a=[]);void 0===b&&(b=!1);void 0===f&&(f=null);void 0===h&&(h=null);void 0===c&&(c=null);this.selections=[];var g=this.s.dt,e=g.column(this.colExists?this.s.index:0),u=this.s.colOpts,m=this.s.rowData,k=g.i18n("searchPanes.count","{total}"),t=g.i18n("searchPanes.countFiltered","{shown} ({total})"),q=g.state.loaded();this.s.listSet&&(q=g.state());if(this.colExists){var v=-1;if(q&&q.searchPanes&&q.searchPanes.panes)for(var p=0;p<q.searchPanes.panes.length;p++)if(q.searchPanes.panes[p].id===
+this.s.index){v=p;break}if((!1===u.show||void 0!==u.show&&!0!==u.show)&&-1===v)return this.dom.container.addClass(this.classes.hidden),this.s.displayed=!1;if(!0===u.show||-1!==v)this.s.displayed=!0;if(!this.s.dt.page.info().serverSide){if(0===m.arrayFilter.length)if(this._populatePane(b),this.s.rowData.totalOptions=0,this._detailsPane(),q&&q.searchPanes&&q.searchPanes.panes)if(-1!==v)m.binsOriginal=q.searchPanes.panes[v].bins,m.arrayOriginal=q.searchPanes.panes[v].arrayFilter;else{this.dom.container.addClass(this.classes.hidden);
+this.s.displayed=!1;return}else m.arrayOriginal=m.arrayTotals,m.binsOriginal=m.binsTotal;p=Object.keys(m.binsOriginal).length;f=this._uniqueRatio(p,g.rows()[0].length);if(!1===this.s.displayed&&((void 0===u.show&&null===u.threshold?f>this.c.threshold:f>u.threshold)||!0!==u.show&&1>=p)){this.dom.container.addClass(this.classes.hidden);this.s.displayed=!1;return}this.c.viewTotal&&0===m.arrayTotals.length?(this.s.rowData.totalOptions=0,this._detailsPane()):m.binsTotal=m.bins;this.dom.container.addClass(this.classes.show);
+this.s.displayed=!0}else if(null!==f){if(void 0!==f.tableLength)this.s.tableLength=f.tableLength,this.s.rowData.totalOptions=this.s.tableLength;else if(null===this.s.tableLength||g.rows()[0].length>this.s.tableLength)this.s.tableLength=g.rows()[0].length,this.s.rowData.totalOptions=this.s.tableLength;b=g.column(this.s.index).dataSrc();if(void 0!==f[b])for(p=0,f=f[b];p<f.length;p++)b=f[p],this.s.rowData.arrayFilter.push({display:b.label,filter:b.value,sort:b.label,type:b.label}),this.s.rowData.bins[b.value]=
+this.c.viewTotal||this.c.cascadePanes?b.count:b.total,this.s.rowData.binsTotal[b.value]=b.total;p=Object.keys(m.binsTotal).length;f=this._uniqueRatio(p,this.s.tableLength);if(!1===this.s.displayed&&((void 0===u.show&&null===u.threshold?f>this.c.threshold:f>u.threshold)||!0!==u.show&&1>=p)){this.dom.container.addClass(this.classes.hidden);this.s.displayed=!1;return}this.s.displayed=!0}}else this.s.displayed=!0;this._displayPane();if(!this.s.listSet)this.dom.dtP.on("stateLoadParams.dt",function(a,b,
+f){d.isEmptyObject(g.state.loaded())&&d.each(f,function(a,b){delete f[a]})});null!==c&&0<d(this.dom.panesContainer).has(c).length?d(this.dom.panesContainer).insertAfter(c):d(this.dom.panesContainer).prepend(this.dom.container);p=d.fn.dataTable.ext.errMode;d.fn.dataTable.ext.errMode="none";c=n.Scroller;this.s.dtPane=d(this.dom.dtP).DataTable(d.extend(!0,{columnDefs:[{className:"dtsp-nameColumn",data:"display",render:function(a,b,f){if("sort"===b)return f.sort;if("type"===b)return f.type;var c;(l.s.filteringActive||
+l.s.showFiltered)&&l.c.viewTotal?c=t.replace(/{total}/,f.total):c=k.replace(/{total}/,f.total);for(c=c.replace(/{shown}/,f.shown);-1!==c.indexOf("{total}");)c=c.replace(/{total}/,f.total);for(;-1!==c.indexOf("{shown}");)c=c.replace(/{shown}/,f.shown);b='<span class="'+l.classes.pill+'">'+c+"</span>";if(l.c.hideCount||u.hideCount)b="";return l.c.dataLength?null!==a&&a.length>l.c.dataLength?'<span title="'+a+'" class="'+l.classes.name+'">'+a.substr(0,l.c.dataLength)+"...</span>"+b:'<span class="'+l.classes.name+
+'">'+a+"</span>"+b:'<span class="'+l.classes.name+'">'+a+"</span>"+b},targets:0,type:void 0!==g.settings()[0].aoColumns[this.s.index]?g.settings()[0].aoColumns[this.s.index]._sManualType:null},{className:"dtsp-countColumn "+this.classes.badgePill,data:"total",targets:1,visible:!1}],deferRender:!0,dom:"t",info:!1,paging:c?!0:!1,scrollY:"200px",scroller:c?!0:!1,select:!0,stateSave:g.settings()[0].oFeatures.bStateSave?!0:!1},this.c.dtOpts,void 0!==u?u.dtOpts:{},null!==this.customPaneSettings&&void 0!==
+this.customPaneSettings.dtOpts?this.customPaneSettings.dtOpts:{}));d(this.dom.dtP).addClass(this.classes.table);d(this.dom.searchBox).attr("placeholder",void 0!==u.header?u.header:this.colExists?g.settings()[0].aoColumns[this.s.index].sTitle:this.customPaneSettings.header||"Custom Pane");d.fn.dataTable.select.init(this.s.dtPane);d.fn.dataTable.ext.errMode=p;if(this.colExists){e=(e=e.search())?e.substr(1,e.length-2).split("|"):[];var w=0;m.arrayFilter.forEach(function(a){""===a.filter&&w++});p=0;for(c=
+m.arrayFilter.length;p<c;p++){e=!1;b=0;for(v=this.s.serverSelect;b<v.length;b++)f=v[b],f.filter===m.arrayFilter[p].filter&&(e=!0);if(this.s.dt.page.info().serverSide&&(!this.c.cascadePanes||this.c.cascadePanes&&0!==m.bins[m.arrayFilter[p].filter]||this.c.cascadePanes&&null!==h||e))for(e=this._addRow(m.arrayFilter[p].display,m.arrayFilter[p].filter,h?m.binsTotal[m.arrayFilter[p].filter]:m.bins[m.arrayFilter[p].filter],this.c.viewTotal||h?String(m.binsTotal[m.arrayFilter[p].filter]):m.bins[m.arrayFilter[p].filter],
+m.arrayFilter[p].sort,m.arrayFilter[p].type),void 0!==u.preSelect&&-1!==u.preSelect.indexOf(m.arrayFilter[p].filter)&&e.select(),b=0,v=this.s.serverSelect;b<v.length;b++)f=v[b],f.filter===m.arrayFilter[p].filter&&(this.s.serverSelecting=!0,e.select(),this.s.serverSelecting=!1);else this.s.dt.page.info().serverSide||!m.arrayFilter[p]||void 0===m.bins[m.arrayFilter[p].filter]&&this.c.cascadePanes?this.s.dt.page.info().serverSide||this._addRow(this.c.emptyMessage,w,w,this.c.emptyMessage,this.c.emptyMessage,
+this.c.emptyMessage):(e=this._addRow(m.arrayFilter[p].display,m.arrayFilter[p].filter,m.bins[m.arrayFilter[p].filter],m.binsTotal[m.arrayFilter[p].filter],m.arrayFilter[p].sort,m.arrayFilter[p].type),void 0!==u.preSelect&&-1!==u.preSelect.indexOf(m.arrayFilter[p].filter)&&e.select())}}(void 0!==u.options||null!==this.customPaneSettings&&void 0!==this.customPaneSettings.options)&&this._getComparisonRows();n.select.init(this.s.dtPane);this.s.dtPane.draw();this._adjustTopRow();this.s.listSet||(this._setListeners(),
+this.s.listSet=!0);for(h=0;h<a.length;h++)if(m=a[h],void 0!==m)for(p=0,c=this.s.dtPane.rows().indexes().toArray();p<c.length;p++)e=c[p],void 0!==this.s.dtPane.row(e).data()&&m.filter===this.s.dtPane.row(e).data().filter&&(this.s.dt.page.info().serverSide?(this.s.serverSelecting=!0,this.s.dtPane.row(e).select(),this.s.serverSelecting=!1):this.s.dtPane.row(e).select());this.s.dt.draw();if(q&&q.searchPanes&&q.searchPanes.panes)for(this.c.cascadePanes||this._reloadSelect(q),a=0,q=q.searchPanes.panes;a<
+q.length;a++)h=q[a],h.id===this.s.index&&(d(this.dom.searchBox).val(h.searchTerm),d(this.dom.searchBox).trigger("input"),this.s.dtPane.order(h.order).draw());this.s.dt.state.save();return!0};c.prototype._detailsPane=function(){var a=this,b=this.s.dt;this.s.rowData.arrayTotals=[];this.s.rowData.binsTotal={};var f=this.s.dt.settings()[0];b.rows().every(function(b){a._populatePaneArray(b,a.s.rowData.arrayTotals,f,a.s.rowData.binsTotal)})};c.prototype._displayPane=function(){var a=this.dom.container,
+b=this.s.colOpts,f=parseInt(this.c.layout.split("-")[1],10);d(this.dom.topRow).empty();d(this.dom.dtP).empty();d(this.dom.topRow).addClass(this.classes.topRow);3<f&&d(this.dom.container).addClass(this.classes.smallGap);d(this.dom.topRow).addClass(this.classes.subRowsContainer);d(this.dom.upper).appendTo(this.dom.topRow);d(this.dom.lower).appendTo(this.dom.topRow);d(this.dom.searchCont).appendTo(this.dom.upper);d(this.dom.buttonGroup).appendTo(this.dom.lower);(!1===this.c.dtOpts.searching||void 0!==
+b.dtOpts&&!1===b.dtOpts.searching||!this.c.controls||!b.controls||null!==this.customPaneSettings&&void 0!==this.customPaneSettings.dtOpts&&void 0!==this.customPaneSettings.dtOpts.searching&&!this.customPaneSettings.dtOpts.searching)&&d(this.dom.searchBox).attr("disabled","disabled").removeClass(this.classes.paneInputButton).addClass(this.classes.disabledButton);d(this.dom.searchBox).appendTo(this.dom.searchCont);this._searchContSetup();this.c.clear&&this.c.controls&&b.controls&&d(this.dom.clear).appendTo(this.dom.buttonGroup);
+this.c.orderable&&b.orderable&&this.c.controls&&b.controls&&d(this.dom.nameButton).appendTo(this.dom.buttonGroup);!this.c.hideCount&&!b.hideCount&&this.c.orderable&&b.orderable&&this.c.controls&&b.controls&&d(this.dom.countButton).appendTo(this.dom.buttonGroup);d(this.dom.topRow).prependTo(this.dom.container);d(a).append(this.dom.dtP);d(a).show()};c.prototype._getBonusOptions=function(){return d.extend(!0,{},c.defaults,{orthogonal:{threshold:null},threshold:null},void 0!==this.c?this.c:{})};c.prototype._getComparisonRows=
+function(){var a=this.s.colOpts;a=void 0!==a.options?a.options:null!==this.customPaneSettings&&void 0!==this.customPaneSettings.options?this.customPaneSettings.options:void 0;if(void 0!==a){var b=this.s.dt.rows({search:"applied"}).data().toArray(),f=this.s.dt.rows({search:"applied"}),c=this.s.dt.rows().data().toArray(),l=this.s.dt.rows(),d=[];this.s.dtPane.clear();for(var g=0;g<a.length;g++){var e=a[g],u=""!==e.label?e.label:this.c.emptyMessage,m=u,k="function"===typeof e.value?e.value:[],n=0,q=u,
+t=0;if("function"===typeof e.value){for(var p=0;p<b.length;p++)e.value.call(this.s.dt,b[p],f[0][p])&&n++;for(p=0;p<c.length;p++)e.value.call(this.s.dt,c[p],l[0][p])&&t++;"function"!==typeof k&&k.push(e.filter)}(!this.c.cascadePanes||this.c.cascadePanes&&0!==n)&&d.push(this._addRow(m,k,n,t,q,u))}return d}};c.prototype._getOptions=function(){return d.extend(!0,{},c.defaults,{orthogonal:{threshold:null},threshold:null},this.s.dt.settings()[0].aoColumns[this.s.index].searchPanes)};c.prototype._makeSelection=
+function(){this.updateTable();this.s.updating=!0;this.s.dt.draw();this.s.updating=!1};c.prototype._populatePane=function(a){void 0===a&&(a=!1);var b=this.s.dt;this.s.rowData.arrayFilter=[];this.s.rowData.bins={};var f=this.s.dt.settings()[0];if(!this.s.dt.page.info().serverSide){var c=0;for(a=(!this.c.cascadePanes&&!this.c.viewTotal||this.s.clearing||a?b.rows().indexes():b.rows({search:"applied"}).indexes()).toArray();c<a.length;c++)this._populatePaneArray(a[c],this.s.rowData.arrayFilter,f)}};c.prototype._populatePaneArray=
+function(a,b,f,c){void 0===c&&(c=this.s.rowData.bins);var h=this.s.colOpts;if("string"===typeof h.orthogonal)f=f.oApi._fnGetCellData(f,a,this.s.index,h.orthogonal),this.s.rowData.filterMap.set(a,f),this._addOption(f,f,f,f,b,c);else{var d=f.oApi._fnGetCellData(f,a,this.s.index,h.orthogonal.search);this.s.rowData.filterMap.set(a,d);c[d]?c[d]++:(c[d]=1,this._addOption(d,f.oApi._fnGetCellData(f,a,this.s.index,h.orthogonal.display),f.oApi._fnGetCellData(f,a,this.s.index,h.orthogonal.sort),f.oApi._fnGetCellData(f,
+a,this.s.index,h.orthogonal.type),b,c));this.s.rowData.totalOptions++}};c.prototype._reloadSelect=function(a){if(void 0!==a){for(var b,f=0;f<a.searchPanes.panes.length;f++)if(a.searchPanes.panes[f].id===this.s.index){b=f;break}if(void 0!==b){f=this.s.dtPane;var c=f.rows({order:"index"}).data().map(function(a){return null!==a.filter?a.filter.toString():null}).toArray(),l=0;for(a=a.searchPanes.panes[b].selected;l<a.length;l++){b=a[l];var d=-1;null!==b&&(d=c.indexOf(b.toString()));-1<d&&(f.row(d).select(),
+this.s.dt.state.save())}}}};c.prototype._search=function(a,b){for(var f=this.s.colOpts,c=this.s.dt,l=0,d=this.selections;l<d.length;l++){var g=d[l];if(Array.isArray(a)){if(-1!==a.indexOf(g.filter))return!0}else if("function"===typeof g.filter)if(g.filter.call(c,c.row(b).data(),b)){if("or"===f.combiner)return!0}else{if("and"===f.combiner)return!1}else if(a===g.filter)return!0}return"and"===f.combiner?!0:!1};c.prototype._searchContSetup=function(){this.c.controls&&this.s.colOpts.controls&&d(this.dom.searchButton).appendTo(this.dom.searchLabelCont);
+!1===this.c.dtOpts.searching||!1===this.s.colOpts.dtOpts.searching||null!==this.customPaneSettings&&void 0!==this.customPaneSettings.dtOpts&&void 0!==this.customPaneSettings.dtOpts.searching&&!this.customPaneSettings.dtOpts.searching||d(this.dom.searchLabelCont).appendTo(this.dom.searchCont)};c.prototype._searchExtras=function(){var a=this.s.updating;this.s.updating=!0;var b=this.s.dtPane.rows({selected:!0}).data().pluck("filter").toArray(),f=b.indexOf(this.c.emptyMessage),c=d(this.s.dtPane.table().container());
+-1<f&&(b[f]="");0<b.length?c.addClass(this.classes.selected):0===b.length&&c.removeClass(this.classes.selected);this.s.updating=a};c.prototype._uniqueRatio=function(a,b){return 0<b&&(0<this.s.rowData.totalOptions&&!this.s.dt.page.info().serverSide||this.s.dt.page.info().serverSide&&0<this.s.tableLength)?a/this.s.rowData.totalOptions:1};c.prototype._updateCommon=function(a){void 0===a&&(a=!1);if(!(this.s.dt.page.info().serverSide||void 0===this.s.dtPane||this.s.filteringActive&&!this.c.cascadePanes&&
+!0!==a||!0===this.c.cascadePanes&&!0===this.s.selectPresent||this.s.lastSelect&&this.s.lastCascade)){var b=this.s.colOpts,c=this.s.dtPane.rows({selected:!0}).data().toArray();a=d(this.s.dtPane.table().node()).parent()[0].scrollTop;var h=this.s.rowData;this.s.dtPane.clear();if(this.colExists){0===h.arrayFilter.length?this._populatePane():this.c.cascadePanes&&this.s.dt.rows().data().toArray().length===this.s.dt.rows({search:"applied"}).data().toArray().length?(h.arrayFilter=h.arrayOriginal,h.bins=h.binsOriginal):
+(this.c.viewTotal||this.c.cascadePanes)&&this._populatePane();this.c.viewTotal?this._detailsPane():h.binsTotal=h.bins;this.c.viewTotal&&!this.c.cascadePanes&&(h.arrayFilter=h.arrayTotals);for(var l=function(a){if(a&&(void 0!==h.bins[a.filter]&&0!==h.bins[a.filter]&&e.c.cascadePanes||!e.c.cascadePanes||e.s.clearing)){var b=e._addRow(a.display,a.filter,e.c.viewTotal?void 0!==h.bins[a.filter]?h.bins[a.filter]:0:h.bins[a.filter],e.c.viewTotal?String(h.binsTotal[a.filter]):h.bins[a.filter],a.sort,a.type),
+f=c.findIndex(function(b){return b.filter===a.filter});-1!==f&&(b.select(),c.splice(f,1))}},e=this,g=0,k=h.arrayFilter;g<k.length;g++)l(k[g])}if(void 0!==b.searchPanes&&void 0!==b.searchPanes.options||void 0!==b.options||null!==this.customPaneSettings&&void 0!==this.customPaneSettings.options)for(l=function(a){var b=c.findIndex(function(b){if(b.display===a.data().display)return!0});-1!==b&&(a.select(),c.splice(b,1))},g=0,k=this._getComparisonRows();g<k.length;g++)b=k[g],l(b);for(l=0;l<c.length;l++)b=
+c[l],b=this._addRow(b.display,b.filter,0,this.c.viewTotal?b.total:0,b.filter,b.filter),this.s.updating=!0,b.select(),this.s.updating=!1;this.s.dtPane.draw();this.s.dtPane.table().node().parentNode.scrollTop=a}};c.version="1.1.0";c.classes={buttonGroup:"dtsp-buttonGroup",buttonSub:"dtsp-buttonSub",clear:"dtsp-clear",clearAll:"dtsp-clearAll",clearButton:"clearButton",container:"dtsp-searchPane",countButton:"dtsp-countButton",disabledButton:"dtsp-disabledButton",dull:"dtsp-dull",hidden:"dtsp-hidden",
+hide:"dtsp-hide",layout:"dtsp-",name:"dtsp-name",nameButton:"dtsp-nameButton",narrow:"dtsp-narrow",paneButton:"dtsp-paneButton",paneInputButton:"dtsp-paneInputButton",pill:"dtsp-pill",search:"dtsp-search",searchCont:"dtsp-searchCont",searchIcon:"dtsp-searchIcon",searchLabelCont:"dtsp-searchButtonCont",selected:"dtsp-selected",smallGap:"dtsp-smallGap",subRow1:"dtsp-subRow1",subRow2:"dtsp-subRow2",subRowsContainer:"dtsp-subRowsContainer",title:"dtsp-title",topRow:"dtsp-topRow"};c.defaults={cascadePanes:!1,
+clear:!0,combiner:"or",controls:!0,container:function(a){return a.table().container()},dataLength:30,dtOpts:{},emptyMessage:"<i>No Data</i>",hideCount:!1,layout:"columns-3",name:void 0,orderable:!0,orthogonal:{display:"display",hideCount:!1,search:"filter",show:void 0,sort:"sort",threshold:.6,type:"type"},preSelect:[],threshold:.6,viewTotal:!1};return c}(),k,v,w=function(){function c(a,b,f){var h=this;void 0===f&&(f=!1);this.regenerating=!1;if(!v||!v.versionCheck||!v.versionCheck("1.10.0"))throw Error("SearchPane requires DataTables 1.10 or newer");
+if(!v.select)throw Error("SearchPane requires Select");var l=new v.Api(a);this.classes=k.extend(!0,{},c.classes);this.c=k.extend(!0,{},c.defaults,b);this.dom={clearAll:k('<button type="button">Clear All</button>').addClass(this.classes.clearAll),container:k("<div/>").addClass(this.classes.panes).text(l.i18n("searchPanes.loadMessage","Loading Search Panes...")),emptyMessage:k("<div/>").addClass(this.classes.emptyMessage),options:k("<div/>").addClass(this.classes.container),panes:k("<div/>").addClass(this.classes.container),
+title:k("<div/>").addClass(this.classes.title),titleRow:k("<div/>").addClass(this.classes.titleRow),wrapper:k("<div/>")};this.s={colOpts:[],dt:l,filterPane:-1,panes:[],selectionList:[],serverData:{},updating:!1};if(void 0===l.settings()[0]._searchPanes)if(l.on("xhr",function(a,b,c,f){c.searchPanes&&c.searchPanes.options&&(h.s.serverData=c.searchPanes.options,h.s.serverData.tableLength=c.recordsTotal,(h.c.viewTotal||h.c.cascadePanes)&&h._serverTotals())}),l.settings()[0]._searchPanes=this,this.dom.clearAll.text(l.i18n("searchPanes.clearMessage",
+"Clear All")),this._getState(),this.s.dt.settings()[0]._bInitComplete||f)this._paneDeclare(l,a,b);else l.one("preInit.dt",function(c){h._paneDeclare(l,a,b)})}c.prototype.clearSelections=function(){this.dom.container.find(this.classes.search).each(function(){k(this).val("");k(this).trigger("input")});for(var a=[],b=0,c=this.s.panes;b<c.length;b++){var h=c[b];void 0!==h.s.dtPane&&a.push(h.clearPane())}this.s.dt.draw();return a};c.prototype.getNode=function(){return this.dom.container};c.prototype.rebuild=
+function(a,b){void 0===a&&(a=!1);void 0===b&&(b=!1);k(this.dom.emptyMessage).remove();var c=[];k(this.dom.panes).empty();for(var h=0,l=this.s.panes;h<l.length;h++){var d=l[h];if(!1===a||d.s.index===a)d.clearData(),c.push(d.rebuildPane(void 0!==this.s.selectionList[this.s.selectionList.length-1]?d.s.index===this.s.selectionList[this.s.selectionList.length-1].index:!1,this.s.dt.page.info().serverSide?this.s.serverData:void 0,null,b));k(this.dom.panes).append(d.dom.container)}this.c.cascadePanes||this.c.viewTotal?
+this.redrawPanes(!0):this._updateSelection();this._updateFilterCount();this._attachPaneContainer();this.s.dt.draw();return 1===c.length?c[0]:c};c.prototype.redrawPanes=function(a){void 0===a&&(a=!1);var b=this.s.dt;if(!this.s.updating&&!this.s.dt.page.info().serverSide){var c=!0,h=this.s.filterPane;if(b.rows({search:"applied"}).data().toArray().length===b.rows().data().toArray().length)c=!1;else if(this.c.viewTotal)for(var d=0,e=this.s.panes;d<e.length;d++){var g=e[d];if(void 0!==g.s.dtPane){var k=
+g.s.dtPane.rows({selected:!0}).data().toArray().length;if(0===k)for(var u=0,m=this.s.selectionList;u<m.length;u++){var n=m[u];n.index===g.s.index&&0!==n.rows.length&&(k=n.rows.length)}0<k&&-1===h?h=g.s.index:0<k&&(h=null)}}e=void 0;d=[];if(this.regenerating){e=-1;1===d.length&&(e=d[0].index);a=0;for(d=this.s.panes;a<d.length;a++)if(g=d[a],void 0!==g.s.dtPane){b=!0;g.s.filteringActive=!0;if(-1!==h&&null!==h&&h===g.s.index||!1===c||g.s.index===e)b=!1,g.s.filteringActive=!1;g.updatePane(b?c:b)}this._updateFilterCount()}else{k=
+0;for(u=this.s.panes;k<u.length;k++)if(g=u[k],g.s.selectPresent){this.s.selectionList.push({index:g.s.index,rows:g.s.dtPane.rows({selected:!0}).data().toArray(),protect:!1});b.state.save();break}else g.s.deselect&&(e=g.s.index,m=g.s.dtPane.rows({selected:!0}).data().toArray(),0<m.length&&this.s.selectionList.push({index:g.s.index,rows:m,protect:!0}));if(0<this.s.selectionList.length)for(b=this.s.selectionList[this.s.selectionList.length-1].index,k=0,u=this.s.panes;k<u.length;k++)g=u[k],g.s.lastSelect=
+g.s.index===b;for(g=0;g<this.s.selectionList.length;g++)if(this.s.selectionList[g].index!==e||!0===this.s.selectionList[g].protect){b=!1;for(k=g+1;k<this.s.selectionList.length;k++)this.s.selectionList[k].index===this.s.selectionList[g].index&&(b=!0);b||(d.push(this.s.selectionList[g]),this.s.selectionList[g].protect=!1)}e=-1;1===d.length&&(e=d[0].index);k=0;for(u=this.s.panes;k<u.length;k++)if(g=u[k],void 0!==g.s.dtPane){b=!0;g.s.filteringActive=!0;if(-1!==h&&null!==h&&h===g.s.index||!1===c||g.s.index===
+e)b=!1,g.s.filteringActive=!1;g.updatePane(b?c:!1)}this._updateFilterCount();if(0<d.length&&(d.length<this.s.selectionList.length||a))for(this._cascadeRegen(d),b=d[d.length-1].index,h=0,a=this.s.panes;h<a.length;h++)g=a[h],g.s.lastSelect=g.s.index===b;else if(0<d.length)for(g=0,a=this.s.panes;g<a.length;g++)if(d=a[g],void 0!==d.s.dtPane){b=!0;d.s.filteringActive=!0;if(-1!==h&&null!==h&&h===d.s.index||!1===c)b=!1,d.s.filteringActive=!1;d.updatePane(b?c:b)}}c||(this.s.selectionList=[])}};c.prototype._attach=
+function(){var a=this;k(this.dom.container).removeClass(this.classes.hide);k(this.dom.titleRow).removeClass(this.classes.hide);k(this.dom.titleRow).remove();k(this.dom.title).appendTo(this.dom.titleRow);this.c.clear&&(k(this.dom.clearAll).appendTo(this.dom.titleRow),k(this.dom.clearAll).on("click.dtsps",function(){a.clearSelections()}));k(this.dom.titleRow).appendTo(this.dom.container);for(var b=0,c=this.s.panes;b<c.length;b++)k(c[b].dom.container).appendTo(this.dom.panes);k(this.dom.panes).appendTo(this.dom.container);
+0===k("div."+this.classes.container).length&&k(this.dom.container).prependTo(this.s.dt);return this.dom.container};c.prototype._attachExtras=function(){k(this.dom.container).removeClass(this.classes.hide);k(this.dom.titleRow).removeClass(this.classes.hide);k(this.dom.titleRow).remove();k(this.dom.title).appendTo(this.dom.titleRow);this.c.clear&&k(this.dom.clearAll).appendTo(this.dom.titleRow);k(this.dom.titleRow).appendTo(this.dom.container);return this.dom.container};c.prototype._attachMessage=function(){try{var a=
+this.s.dt.i18n("searchPanes.emptyPanes","No SearchPanes")}catch(b){a=null}if(null===a)k(this.dom.container).addClass(this.classes.hide),k(this.dom.titleRow).removeClass(this.classes.hide);else return k(this.dom.container).removeClass(this.classes.hide),k(this.dom.titleRow).addClass(this.classes.hide),k(this.dom.emptyMessage).text(a),this.dom.emptyMessage.appendTo(this.dom.container),this.dom.container};c.prototype._attachPaneContainer=function(){for(var a=0,b=this.s.panes;a<b.length;a++)if(!0===b[a].s.displayed)return this._attach();
+return this._attachMessage()};c.prototype._cascadeRegen=function(a){this.regenerating=!0;var b=-1;1===a.length&&(b=a[0].index);for(var c=0,d=this.s.panes;c<d.length;c++){var e=d[c];e.setCascadeRegen(!0);e.setClear(!0);(void 0!==e.s.dtPane&&e.s.index===b||void 0!==e.s.dtPane)&&e.clearPane();e.setClear(!1)}this._makeCascadeSelections(a);this.s.selectionList=a;a=0;for(b=this.s.panes;a<b.length;a++)e=b[a],e.setCascadeRegen(!1);this.regenerating=!1};c.prototype._checkMessage=function(){for(var a=0,b=this.s.panes;a<
+b.length;a++)if(!0===b[a].s.displayed)return;return this._attachMessage()};c.prototype._getState=function(){var a=this.s.dt.state.loaded();a&&a.searchPanes&&void 0!==a.searchPanes.selectionList&&(this.s.selectionList=a.searchPanes.selectionList)};c.prototype._makeCascadeSelections=function(a){for(var b=0;b<a.length;b++)for(var c=function(c){if(c.s.index===a[b].index&&void 0!==c.s.dtPane){b===a.length-1&&(c.s.lastCascade=!0);0<c.s.dtPane.rows({selected:!0}).data().toArray().length&&void 0!==c.s.dtPane&&
+(c.setClear(!0),c.clearPane(),c.setClear(!1));for(var f=function(a){c.s.dtPane.rows().every(function(b){void 0!==c.s.dtPane.row(b).data()&&void 0!==a&&c.s.dtPane.row(b).data().filter===a.filter&&c.s.dtPane.row(b).select()})},h=0,e=a[b].rows;h<e.length;h++)f(e[h]);d._updateFilterCount();c.s.lastCascade=!1}},d=this,e=0,k=this.s.panes;e<k.length;e++)c(k[e]);this.s.dt.state.save()};c.prototype._paneDeclare=function(a,b,c){var f=this;a.columns(0<this.c.columns.length?this.c.columns:void 0).eq(0).each(function(a){f.s.panes.push(new q(b,
+c,a,f.c.layout,f.dom.panes))});for(var d=a.columns().eq(0).toArray().length,e=this.c.panes.length,g=0;g<e;g++)this.s.panes.push(new q(b,c,d+g,this.c.layout,this.dom.panes,this.c.panes[g]));if(0<this.c.order.length)for(d=this.c.order.map(function(a,b,c){return f._findPane(a)}),this.dom.panes.empty(),this.s.panes=d,d=0,e=this.s.panes;d<e.length;d++)this.dom.panes.append(e[d].dom.container);this.s.dt.settings()[0]._bInitComplete?this._paneStartup(a):this.s.dt.settings()[0].aoInitComplete.push({fn:function(){f._paneStartup(a)}})};
+c.prototype._findPane=function(a){for(var b=0,c=this.s.panes;b<c.length;b++){var d=c[b];if(a===d.s.name)return d}};c.prototype._paneStartup=function(a){var b=this;500>=this.s.dt.page.info().recordsTotal?this._startup(a):setTimeout(function(){b._startup(a)},100)};c.prototype._serverTotals=function(){for(var a=!1,b=!1,c=this.s.dt,d=0,e=this.s.panes;d<e.length;d++){var r=e[d];if(r.s.selectPresent){this.s.selectionList.push({index:r.s.index,rows:r.s.dtPane.rows({selected:!0}).data().toArray(),protect:!1});
+c.state.save();r.s.selectPresent=!1;a=!0;break}else r.s.deselect&&(b=r.s.dtPane.rows({selected:!0}).data().toArray(),0<b.length&&this.s.selectionList.push({index:r.s.index,rows:b,protect:!0}),b=a=!0)}if(a){r=[];for(c=0;c<this.s.selectionList.length;c++){d=!1;for(e=c+1;e<this.s.selectionList.length;e++)this.s.selectionList[e].index===this.s.selectionList[c].index&&(d=!0);!d&&0<this.s.panes[this.s.selectionList[c].index].s.dtPane.rows({selected:!0}).data().toArray().length&&r.push(this.s.selectionList[c])}this.s.selectionList=
+r}else this.s.selectionList=[];c=-1;if(b&&1===this.s.selectionList.length)for(b=0,d=this.s.panes;b<d.length;b++)r=d[b],r.s.lastSelect=!1,r.s.deselect=!1,void 0!==r.s.dtPane&&0<r.s.dtPane.rows({selected:!0}).data().toArray().length&&(c=r.s.index);else if(0<this.s.selectionList.length)for(b=this.s.selectionList[this.s.selectionList.length-1].index,d=0,e=this.s.panes;d<e.length;d++)r=e[d],r.s.lastSelect=r.s.index===b,r.s.deselect=!1;else if(0===this.s.selectionList.length)for(b=0,d=this.s.panes;b<d.length;b++)r=
+d[b],r.s.lastSelect=!1,r.s.deselect=!1;k(this.dom.panes).empty();b=0;for(d=this.s.panes;b<d.length;b++)r=d[b],r.s.lastSelect?r._setListeners():r.rebuildPane(void 0,this.s.dt.page.info().serverSide?this.s.serverData:void 0,r.s.index===c?!0:null,!0),k(this.dom.panes).append(r.dom.container),void 0!==r.s.dtPane&&(k(r.s.dtPane.table().node()).parent()[0].scrollTop=r.s.scrollTop,k.fn.dataTable.select.init(r.s.dtPane))};c.prototype._startup=function(a){var b=this;k(this.dom.container).text("");this._attachExtras();
+k(this.dom.container).append(this.dom.panes);k(this.dom.panes).empty();if(this.c.viewTotal&&!this.c.cascadePanes){var c=this.s.dt.state.loaded();if(null!==c&&void 0!==c&&void 0!==c.searchPanes&&void 0!==c.searchPanes.panes){for(var d=!1,e=0,r=c.searchPanes.panes;e<r.length;e++)if(c=r[e],0<c.selected.length){d=!0;break}if(d)for(d=0,e=this.s.panes;d<e.length;d++)c=e[d],c.s.showFiltered=!0}}d=0;for(e=this.s.panes;d<e.length;d++)c=e[d],c.rebuildPane(void 0,this.s.dt.page.info().serverSide?this.s.serverData:
+void 0),k(this.dom.panes).append(c.dom.container);if(this.c.viewTotal&&!this.c.cascadePanes)for(d=0,e=this.s.panes;d<e.length;d++)c=e[d],c.updatePane();this._updateFilterCount();this._checkMessage();a.on("draw.dtsps",function(){b._updateFilterCount();!b.c.cascadePanes&&!b.c.viewTotal||b.s.dt.page.info().serverSide?b._updateSelection():b.redrawPanes();b.s.filterPane=-1});this.s.dt.on("stateSaveParams.dtsp",function(a,c,d){void 0===d.searchPanes&&(d.searchPanes={});d.searchPanes.selectionList=b.s.selectionList});
+this.s.dt.on("xhr",function(){var a=!1;if(!b.s.dt.page.info().serverSide)b.s.dt.one("draw",function(){if(!a){a=!0;k(b.dom.panes).empty();for(var c=0,d=b.s.panes;c<d.length;c++){var e=d[c];e.clearData();e.rebuildPane(void 0!==b.s.selectionList[b.s.selectionList.length-1]?e.s.index===b.s.selectionList[b.s.selectionList.length-1].index:!1,void 0,void 0,!0);k(b.dom.panes).append(e.dom.container)}b.c.cascadePanes||b.c.viewTotal?b.redrawPanes(b.c.cascadePanes):b._updateSelection();b._checkMessage()}})});
+if(void 0!==this.s.selectionList&&0<this.s.selectionList.length)for(d=this.s.selectionList[this.s.selectionList.length-1].index,e=0,r=this.s.panes;e<r.length;e++)c=r[e],c.s.lastSelect=c.s.index===d;0<this.s.selectionList.length&&this.c.cascadePanes&&this._cascadeRegen(this.s.selectionList);a.columns(0<this.c.columns.length?this.c.columns:void 0).eq(0).each(function(a){if(void 0!==b.s.panes[a]&&void 0!==b.s.panes[a].s.dtPane&&void 0!==b.s.panes[a].s.colOpts.preSelect)for(var c=b.s.panes[a].s.dtPane.rows().data().toArray().length,
+d=0;d<c;d++)-1!==b.s.panes[a].s.colOpts.preSelect.indexOf(b.s.panes[a].s.dtPane.cell(d,0).data())&&(b.s.panes[a].s.dtPane.row(d).select(),b.s.panes[a].updateTable())});this._updateFilterCount();a.on("destroy.dtsps",function(){for(var c=0,d=b.s.panes;c<d.length;c++)d[c].destroy();a.off(".dtsps");k(b.dom.clearAll).off(".dtsps");k(b.dom.container).remove();b.clearSelections()});if(this.c.clear)k(this.dom.clearAll).on("click.dtsps",function(){b.clearSelections()});if(this.s.dt.page.info().serverSide)a.on("preXhr.dt",
+function(a,c,d){void 0===d.searchPanes&&(d.searchPanes={});a=0;for(c=b.s.panes;a<c.length;a++){var e=c[a],f=b.s.dt.column(e.s.index).dataSrc();void 0===d.searchPanes[f]&&(d.searchPanes[f]={});if(void 0!==e.s.dtPane){e=e.s.dtPane.rows({selected:!0}).data().toArray();for(var g=0;g<e.length;g++)d.searchPanes[f][g]=e[g].display}}b.c.viewTotal&&b._prepViewTotal()});else a.on("preXhr.dt",function(a,c,d){a=0;for(c=b.s.panes;a<c.length;a++)c[a].clearData()});a.settings()[0]._searchPanes=this};c.prototype._prepViewTotal=
+function(){for(var a=this.s.filterPane,b=!1,c=0,d=this.s.panes;c<d.length;c++){var e=d[c];if(void 0!==e.s.dtPane){var k=e.s.dtPane.rows({selected:!0}).data().toArray().length;0<k&&-1===a?(a=e.s.index,b=!0):0<k&&(a=null)}}c=0;for(d=this.s.panes;c<d.length;c++)if(e=d[c],void 0!==e.s.dtPane&&(e.s.filteringActive=!0,-1!==a&&null!==a&&a===e.s.index||!1===b))e.s.filteringActive=!1};c.prototype._updateFilterCount=function(){for(var a=0,b=0,c=this.s.panes;b<c.length;b++){var d=c[b];void 0!==d.s.dtPane&&(a+=
+d.getPaneCount())}b=this.s.dt.i18n("searchPanes.title","Filters Active - %d",a);k(this.dom.title).text(b);void 0!==this.c.filterChanged&&"function"===typeof this.c.filterChanged&&this.c.filterChanged(a)};c.prototype._updateSelection=function(){this.s.selectionList=[];for(var a=0,b=this.s.panes;a<b.length;a++){var c=b[a];void 0!==c.s.dtPane&&this.s.selectionList.push({index:c.s.index,rows:c.s.dtPane.rows({selected:!0}).data().toArray(),protect:!1})}this.s.dt.state.save()};c.version="1.1.1";c.classes=
+{clear:"dtsp-clear",clearAll:"dtsp-clearAll",container:"dtsp-searchPanes",emptyMessage:"dtsp-emptyMessage",hide:"dtsp-hidden",panes:"dtsp-panesContainer",search:"dtsp-search",title:"dtsp-title",titleRow:"dtsp-titleRow"};c.defaults={cascadePanes:!1,clear:!0,container:function(a){return a.table().container()},columns:[],filterChanged:void 0,layout:"columns-3",order:[],panes:[],viewTotal:!1};return c}();(function(c){"function"===typeof define&&define.amd?define(["jquery","datatables.net"],function(a){return c(a,
+window,document)}):"object"===typeof exports?module.exports=function(a,b){a||(a=window);b&&b.fn.dataTable||(b=require("datatables.net")(a,b).$);return c(b,a,a.document)}:c(window.jQuery,window,document)})(function(c,a,b){function d(a,b){void 0===b&&(b=!1);a=new h.Api(a);var c=a.init().searchPanes||h.defaults.searchPanes;return(new w(a,c,b)).getNode()}e(c);t(c);var h=c.fn.dataTable;c.fn.dataTable.SearchPanes=w;c.fn.DataTable.SearchPanes=w;c.fn.dataTable.SearchPane=q;c.fn.DataTable.SearchPane=q;h.Api.register("searchPanes.rebuild()",
+function(){return this.iterator("table",function(){this.searchPanes&&this.searchPanes.rebuild()})});h.Api.register("column().paneOptions()",function(a){return this.iterator("column",function(b){b=this.aoColumns[b];b.searchPanes||(b.searchPanes={});b.searchPanes.values=a;this.searchPanes&&this.searchPanes.rebuild()})});a=c.fn.dataTable.Api.register;a("searchPanes()",function(){return this});a("searchPanes.clearSelections()",function(){this.context[0]._searchPanes.clearSelections();return this});a("searchPanes.rebuildPane()",
+function(a,b){this.context[0]._searchPanes.rebuild(a,b);return this});a("searchPanes.container()",function(){return this.context[0]._searchPanes.getNode()});c.fn.dataTable.ext.buttons.searchPanesClear={text:"Clear Panes",action:function(a,b,c,d){b.searchPanes.clearSelections()}};c.fn.dataTable.ext.buttons.searchPanes={action:function(a,b,c,d){a.stopPropagation();this.popover(d._panes.getNode(),{align:"dt-container"})},config:{},init:function(a,b,d){var e=new c.fn.dataTable.SearchPanes(a,c.extend({filterChanged:function(c){a.button(b).text(a.i18n("searchPanes.collapse",
+{0:"SearchPanes",_:"SearchPanes (%d)"},c))}},d.config)),f=a.i18n("searchPanes.collapse","SearchPanes",0);a.button(b).text(f);d._panes=e},text:"Search Panes"};c(b).on("preInit.dt.dtsp",function(a,b,c){"dt"===a.namespace&&(b.oInit.searchPanes||h.defaults.searchPanes)&&(b._searchPanes||d(b,!0))});h.ext.feature.push({cFeature:"P",fnInit:d});h.ext.features&&h.ext.features.register("searchPanes",d)})})();
+
+
+(function(c){"function"===typeof define&&define.amd?define(["jquery","datatables.net-dt","datatables.net-searchPanes"],function(a){return c(a,window,document)}):"object"===typeof exports?module.exports=function(a,b){a||(a=window);b&&b.fn.dataTable||(b=require("datatables.net-dt")(a,b).$);b.fn.dataTable.searchPanes||require("datatables.net-searchpanes")(a,b);return c(b,a,a.document)}:c(jQuery,window,document)})(function(c,a,b){return c.fn.dataTable.searchPanes});
+
+
+/*!
+   Copyright 2015-2019 SpryMedia Ltd.
+
+ This source file is free software, available under the following license:
+   MIT license - http://datatables.net/license/mit
+
+ This source file is distributed in the hope that it will be useful, but
+ WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY
+ or FITNESS FOR A PARTICULAR PURPOSE. See the license files for details.
+
+ For details please refer to: http://www.datatables.net/extensions/select
+ Select for DataTables 1.3.1
+ 2015-2019 SpryMedia Ltd - datatables.net/license/mit
+*/
+(function(f){"function"===typeof define&&define.amd?define(["jquery","datatables.net"],function(k){return f(k,window,document)}):"object"===typeof exports?module.exports=function(k,p){k||(k=window);p&&p.fn.dataTable||(p=require("datatables.net")(k,p).$);return f(p,k,k.document)}:f(jQuery,window,document)})(function(f,k,p,h){function z(a,b,c){var d=function(c,b){if(c>b){var d=b;b=c;c=d}var e=!1;return a.columns(":visible").indexes().filter(function(a){a===c&&(e=!0);return a===b?(e=!1,!0):e})};var e=
+function(c,b){var d=a.rows({search:"applied"}).indexes();if(d.indexOf(c)>d.indexOf(b)){var e=b;b=c;c=e}var f=!1;return d.filter(function(a){a===c&&(f=!0);return a===b?(f=!1,!0):f})};a.cells({selected:!0}).any()||c?(d=d(c.column,b.column),c=e(c.row,b.row)):(d=d(0,b.column),c=e(0,b.row));c=a.cells(c,d).flatten();a.cells(b,{selected:!0}).any()?a.cells(c).deselect():a.cells(c).select()}function v(a){var b=a.settings()[0]._select.selector;f(a.table().container()).off("mousedown.dtSelect",b).off("mouseup.dtSelect",
+b).off("click.dtSelect",b);f("body").off("click.dtSelect"+a.table().node().id.replace(/[^a-zA-Z0-9\-_]/g,"-"))}function A(a){var b=f(a.table().container()),c=a.settings()[0],d=c._select.selector,e;b.on("mousedown.dtSelect",d,function(a){if(a.shiftKey||a.metaKey||a.ctrlKey)b.css("-moz-user-select","none").one("selectstart.dtSelect",d,function(){return!1});k.getSelection&&(e=k.getSelection())}).on("mouseup.dtSelect",d,function(){b.css("-moz-user-select","")}).on("click.dtSelect",d,function(c){var b=
+a.select.items();if(e){var d=k.getSelection();if((!d.anchorNode||f(d.anchorNode).closest("table")[0]===a.table().node())&&d!==e)return}d=a.settings()[0];var l=f.trim(a.settings()[0].oClasses.sWrapper).replace(/ +/g,".");if(f(c.target).closest("div."+l)[0]==a.table().container()&&(l=a.cell(f(c.target).closest("td, th")),l.any())){var g=f.Event("user-select.dt");m(a,g,[b,l,c]);g.isDefaultPrevented()||(g=l.index(),"row"===b?(b=g.row,w(c,a,d,"row",b)):"column"===b?(b=l.index().column,w(c,a,d,"column",
+b)):"cell"===b&&(b=l.index(),w(c,a,d,"cell",b)),d._select_lastCell=g)}});f("body").on("click.dtSelect"+a.table().node().id.replace(/[^a-zA-Z0-9\-_]/g,"-"),function(b){!c._select.blurable||f(b.target).parents().filter(a.table().container()).length||0===f(b.target).parents("html").length||f(b.target).parents("div.DTE").length||r(c,!0)})}function m(a,b,c,d){if(!d||a.flatten().length)"string"===typeof b&&(b+=".dt"),c.unshift(a),f(a.table().node()).trigger(b,c)}function B(a){var b=a.settings()[0];if(b._select.info&&
+b.aanFeatures.i&&"api"!==a.select.style()){var c=a.rows({selected:!0}).flatten().length,d=a.columns({selected:!0}).flatten().length,e=a.cells({selected:!0}).flatten().length,l=function(b,c,d){b.append(f('<span class="select-item"/>').append(a.i18n("select."+c+"s",{_:"%d "+c+"s selected",0:"",1:"1 "+c+" selected"},d)))};f.each(b.aanFeatures.i,function(b,a){a=f(a);b=f('<span class="select-info"/>');l(b,"row",c);l(b,"column",d);l(b,"cell",e);var g=a.children("span.select-info");g.length&&g.remove();
+""!==b.text()&&a.append(b)})}}function D(a){var b=new g.Api(a);a.aoRowCreatedCallback.push({fn:function(b,d,e){d=a.aoData[e];d._select_selected&&f(b).addClass(a._select.className);b=0;for(e=a.aoColumns.length;b<e;b++)(a.aoColumns[b]._select_selected||d._selected_cells&&d._selected_cells[b])&&f(d.anCells[b]).addClass(a._select.className)},sName:"select-deferRender"});b.on("preXhr.dt.dtSelect",function(){var a=b.rows({selected:!0}).ids(!0).filter(function(b){return b!==h}),d=b.cells({selected:!0}).eq(0).map(function(a){var c=
+b.row(a.row).id(!0);return c?{row:c,column:a.column}:h}).filter(function(b){return b!==h});b.one("draw.dt.dtSelect",function(){b.rows(a).select();d.any()&&d.each(function(a){b.cells(a.row,a.column).select()})})});b.on("draw.dtSelect.dt select.dtSelect.dt deselect.dtSelect.dt info.dt",function(){B(b)});b.on("destroy.dtSelect",function(){v(b);b.off(".dtSelect")})}function C(a,b,c,d){var e=a[b+"s"]({search:"applied"}).indexes();d=f.inArray(d,e);var g=f.inArray(c,e);if(a[b+"s"]({selected:!0}).any()||
+-1!==d){if(d>g){var u=g;g=d;d=u}e.splice(g+1,e.length);e.splice(0,d)}else e.splice(f.inArray(c,e)+1,e.length);a[b](c,{selected:!0}).any()?(e.splice(f.inArray(c,e),1),a[b+"s"](e).deselect()):a[b+"s"](e).select()}function r(a,b){if(b||"single"===a._select.style)a=new g.Api(a),a.rows({selected:!0}).deselect(),a.columns({selected:!0}).deselect(),a.cells({selected:!0}).deselect()}function w(a,b,c,d,e){var f=b.select.style(),g=b.select.toggleable(),h=b[d](e,{selected:!0}).any();if(!h||g)"os"===f?a.ctrlKey||
+a.metaKey?b[d](e).select(!h):a.shiftKey?"cell"===d?z(b,e,c._select_lastCell||null):C(b,d,e,c._select_lastCell?c._select_lastCell[d]:null):(a=b[d+"s"]({selected:!0}),h&&1===a.flatten().length?b[d](e).deselect():(a.deselect(),b[d](e).select())):"multi+shift"==f?a.shiftKey?"cell"===d?z(b,e,c._select_lastCell||null):C(b,d,e,c._select_lastCell?c._select_lastCell[d]:null):b[d](e).select(!h):b[d](e).select(!h)}function t(a,b){return function(c){return c.i18n("buttons."+a,b)}}function x(a){a=a._eventNamespace;
+return"draw.dt.DT"+a+" select.dt.DT"+a+" deselect.dt.DT"+a}function E(a,b){return-1!==f.inArray("rows",b.limitTo)&&a.rows({selected:!0}).any()||-1!==f.inArray("columns",b.limitTo)&&a.columns({selected:!0}).any()||-1!==f.inArray("cells",b.limitTo)&&a.cells({selected:!0}).any()?!0:!1}var g=f.fn.dataTable;g.select={};g.select.version="1.3.1";g.select.init=function(a){var b=a.settings()[0],c=b.oInit.select,d=g.defaults.select;c=c===h?d:c;d="row";var e="api",l=!1,u=!0,k=!0,m="td, th",p="selected",n=!1;
+b._select={};!0===c?(e="os",n=!0):"string"===typeof c?(e=c,n=!0):f.isPlainObject(c)&&(c.blurable!==h&&(l=c.blurable),c.toggleable!==h&&(u=c.toggleable),c.info!==h&&(k=c.info),c.items!==h&&(d=c.items),e=c.style!==h?c.style:"os",n=!0,c.selector!==h&&(m=c.selector),c.className!==h&&(p=c.className));a.select.selector(m);a.select.items(d);a.select.style(e);a.select.blurable(l);a.select.toggleable(u);a.select.info(k);b._select.className=p;f.fn.dataTable.ext.order["select-checkbox"]=function(b,a){return this.api().column(a,
+{order:"index"}).nodes().map(function(a){return"row"===b._select.items?f(a).parent().hasClass(b._select.className):"cell"===b._select.items?f(a).hasClass(b._select.className):!1})};!n&&f(a.table().node()).hasClass("selectable")&&a.select.style("os")};f.each([{type:"row",prop:"aoData"},{type:"column",prop:"aoColumns"}],function(a,b){g.ext.selector[b.type].push(function(a,d,e){d=d.selected;var c=[];if(!0!==d&&!1!==d)return e;for(var f=0,g=e.length;f<g;f++){var h=a[b.prop][e[f]];(!0===d&&!0===h._select_selected||
+!1===d&&!h._select_selected)&&c.push(e[f])}return c})});g.ext.selector.cell.push(function(a,b,c){b=b.selected;var d=[];if(b===h)return c;for(var e=0,f=c.length;e<f;e++){var g=a.aoData[c[e].row];(!0===b&&g._selected_cells&&!0===g._selected_cells[c[e].column]||!(!1!==b||g._selected_cells&&g._selected_cells[c[e].column]))&&d.push(c[e])}return d});var n=g.Api.register,q=g.Api.registerPlural;n("select()",function(){return this.iterator("table",function(a){g.select.init(new g.Api(a))})});n("select.blurable()",
+function(a){return a===h?this.context[0]._select.blurable:this.iterator("table",function(b){b._select.blurable=a})});n("select.toggleable()",function(a){return a===h?this.context[0]._select.toggleable:this.iterator("table",function(b){b._select.toggleable=a})});n("select.info()",function(a){return B===h?this.context[0]._select.info:this.iterator("table",function(b){b._select.info=a})});n("select.items()",function(a){return a===h?this.context[0]._select.items:this.iterator("table",function(b){b._select.items=
+a;m(new g.Api(b),"selectItems",[a])})});n("select.style()",function(a){return a===h?this.context[0]._select.style:this.iterator("table",function(b){b._select.style=a;b._select_init||D(b);var c=new g.Api(b);v(c);"api"!==a&&A(c);m(new g.Api(b),"selectStyle",[a])})});n("select.selector()",function(a){return a===h?this.context[0]._select.selector:this.iterator("table",function(b){v(new g.Api(b));b._select.selector=a;"api"!==b._select.style&&A(new g.Api(b))})});q("rows().select()","row().select()",function(a){var b=
+this;if(!1===a)return this.deselect();this.iterator("row",function(b,a){r(b);b.aoData[a]._select_selected=!0;f(b.aoData[a].nTr).addClass(b._select.className)});this.iterator("table",function(a,d){m(b,"select",["row",b[d]],!0)});return this});q("columns().select()","column().select()",function(a){var b=this;if(!1===a)return this.deselect();this.iterator("column",function(b,a){r(b);b.aoColumns[a]._select_selected=!0;a=(new g.Api(b)).column(a);f(a.header()).addClass(b._select.className);f(a.footer()).addClass(b._select.className);
+a.nodes().to$().addClass(b._select.className)});this.iterator("table",function(a,d){m(b,"select",["column",b[d]],!0)});return this});q("cells().select()","cell().select()",function(a){var b=this;if(!1===a)return this.deselect();this.iterator("cell",function(b,a,e){r(b);a=b.aoData[a];a._selected_cells===h&&(a._selected_cells=[]);a._selected_cells[e]=!0;a.anCells&&f(a.anCells[e]).addClass(b._select.className)});this.iterator("table",function(a,d){m(b,"select",["cell",b[d]],!0)});return this});q("rows().deselect()",
+"row().deselect()",function(){var a=this;this.iterator("row",function(a,c){a.aoData[c]._select_selected=!1;f(a.aoData[c].nTr).removeClass(a._select.className)});this.iterator("table",function(b,c){m(a,"deselect",["row",a[c]],!0)});return this});q("columns().deselect()","column().deselect()",function(){var a=this;this.iterator("column",function(a,c){a.aoColumns[c]._select_selected=!1;var b=new g.Api(a),e=b.column(c);f(e.header()).removeClass(a._select.className);f(e.footer()).removeClass(a._select.className);
+b.cells(null,c).indexes().each(function(b){var c=a.aoData[b.row],d=c._selected_cells;!c.anCells||d&&d[b.column]||f(c.anCells[b.column]).removeClass(a._select.className)})});this.iterator("table",function(b,c){m(a,"deselect",["column",a[c]],!0)});return this});q("cells().deselect()","cell().deselect()",function(){var a=this;this.iterator("cell",function(a,c,d){c=a.aoData[c];c._selected_cells[d]=!1;c.anCells&&!a.aoColumns[d]._select_selected&&f(c.anCells[d]).removeClass(a._select.className)});this.iterator("table",
+function(b,c){m(a,"deselect",["cell",a[c]],!0)});return this});var y=0;f.extend(g.ext.buttons,{selected:{text:t("selected","Selected"),className:"buttons-selected",limitTo:["rows","columns","cells"],init:function(a,b,c){var d=this;c._eventNamespace=".select"+y++;a.on(x(c),function(){d.enable(E(a,c))});this.disable()},destroy:function(a,b,c){a.off(c._eventNamespace)}},selectedSingle:{text:t("selectedSingle","Selected single"),className:"buttons-selected-single",init:function(a,b,c){var d=this;c._eventNamespace=
+".select"+y++;a.on(x(c),function(){var b=a.rows({selected:!0}).flatten().length+a.columns({selected:!0}).flatten().length+a.cells({selected:!0}).flatten().length;d.enable(1===b)});this.disable()},destroy:function(a,b,c){a.off(c._eventNamespace)}},selectAll:{text:t("selectAll","Select all"),className:"buttons-select-all",action:function(){this[this.select.items()+"s"]().select()}},selectNone:{text:t("selectNone","Deselect all"),className:"buttons-select-none",action:function(){r(this.settings()[0],
+!0)},init:function(a,b,c){var d=this;c._eventNamespace=".select"+y++;a.on(x(c),function(){var b=a.rows({selected:!0}).flatten().length+a.columns({selected:!0}).flatten().length+a.cells({selected:!0}).flatten().length;d.enable(0<b)});this.disable()},destroy:function(a,b,c){a.off(c._eventNamespace)}}});f.each(["Row","Column","Cell"],function(a,b){var c=b.toLowerCase();g.ext.buttons["select"+b+"s"]={text:t("select"+b+"s","Select "+c+"s"),className:"buttons-select-"+c+"s",action:function(){this.select.items(c)},
+init:function(a){var b=this;a.on("selectItems.dt.DT",function(a,d,e){b.active(e===c)})}}});f(p).on("preInit.dt.dtSelect",function(a,b){"dt"===a.namespace&&g.select.init(new g.Api(b))});return g.select});
+
+
diff --git a/www/datatables/jquery-3.5.1.min.js b/www/datatables/jquery-3.5.1.min.js
new file mode 100644 (file)
index 0000000..b061403
--- /dev/null
@@ -0,0 +1,2 @@
+/*! jQuery v3.5.1 | (c) JS Foundation and other contributors | jquery.org/license */
+!function(e,t){"use strict";"object"==typeof module&&"object"==typeof module.exports?module.exports=e.document?t(e,!0):function(e){if(!e.document)throw new Error("jQuery requires a window with a document");return t(e)}:t(e)}("undefined"!=typeof window?window:this,function(C,e){"use strict";var t=[],r=Object.getPrototypeOf,s=t.slice,g=t.flat?function(e){return t.flat.call(e)}:function(e){return t.concat.apply([],e)},u=t.push,i=t.indexOf,n={},o=n.toString,v=n.hasOwnProperty,a=v.toString,l=a.call(Object),y={},m=function(e){return"function"==typeof e&&"number"!=typeof e.nodeType},x=function(e){return null!=e&&e===e.window},E=C.document,c={type:!0,src:!0,nonce:!0,noModule:!0};function b(e,t,n){var r,i,o=(n=n||E).createElement("script");if(o.text=e,t)for(r in c)(i=t[r]||t.getAttribute&&t.getAttribute(r))&&o.setAttribute(r,i);n.head.appendChild(o).parentNode.removeChild(o)}function w(e){return null==e?e+"":"object"==typeof e||"function"==typeof e?n[o.call(e)]||"object":typeof e}var f="3.5.1",S=function(e,t){return new S.fn.init(e,t)};function p(e){var t=!!e&&"length"in e&&e.length,n=w(e);return!m(e)&&!x(e)&&("array"===n||0===t||"number"==typeof t&&0<t&&t-1 in e)}S.fn=S.prototype={jquery:f,constructor:S,length:0,toArray:function(){return s.call(this)},get:function(e){return null==e?s.call(this):e<0?this[e+this.length]:this[e]},pushStack:function(e){var t=S.merge(this.constructor(),e);return t.prevObject=this,t},each:function(e){return S.each(this,e)},map:function(n){return this.pushStack(S.map(this,function(e,t){return n.call(e,t,e)}))},slice:function(){return this.pushStack(s.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},even:function(){return this.pushStack(S.grep(this,function(e,t){return(t+1)%2}))},odd:function(){return this.pushStack(S.grep(this,function(e,t){return t%2}))},eq:function(e){var t=this.length,n=+e+(e<0?t:0);return this.pushStack(0<=n&&n<t?[this[n]]:[])},end:function(){return this.prevObject||this.constructor()},push:u,sort:t.sort,splice:t.splice},S.extend=S.fn.extend=function(){var e,t,n,r,i,o,a=arguments[0]||{},s=1,u=arguments.length,l=!1;for("boolean"==typeof a&&(l=a,a=arguments[s]||{},s++),"object"==typeof a||m(a)||(a={}),s===u&&(a=this,s--);s<u;s++)if(null!=(e=arguments[s]))for(t in e)r=e[t],"__proto__"!==t&&a!==r&&(l&&r&&(S.isPlainObject(r)||(i=Array.isArray(r)))?(n=a[t],o=i&&!Array.isArray(n)?[]:i||S.isPlainObject(n)?n:{},i=!1,a[t]=S.extend(l,o,r)):void 0!==r&&(a[t]=r));return a},S.extend({expando:"jQuery"+(f+Math.random()).replace(/\D/g,""),isReady:!0,error:function(e){throw new Error(e)},noop:function(){},isPlainObject:function(e){var t,n;return!(!e||"[object Object]"!==o.call(e))&&(!(t=r(e))||"function"==typeof(n=v.call(t,"constructor")&&t.constructor)&&a.call(n)===l)},isEmptyObject:function(e){var t;for(t in e)return!1;return!0},globalEval:function(e,t,n){b(e,{nonce:t&&t.nonce},n)},each:function(e,t){var n,r=0;if(p(e)){for(n=e.length;r<n;r++)if(!1===t.call(e[r],r,e[r]))break}else for(r in e)if(!1===t.call(e[r],r,e[r]))break;return e},makeArray:function(e,t){var n=t||[];return null!=e&&(p(Object(e))?S.merge(n,"string"==typeof e?[e]:e):u.call(n,e)),n},inArray:function(e,t,n){return null==t?-1:i.call(t,e,n)},merge:function(e,t){for(var n=+t.length,r=0,i=e.length;r<n;r++)e[i++]=t[r];return e.length=i,e},grep:function(e,t,n){for(var r=[],i=0,o=e.length,a=!n;i<o;i++)!t(e[i],i)!==a&&r.push(e[i]);return r},map:function(e,t,n){var r,i,o=0,a=[];if(p(e))for(r=e.length;o<r;o++)null!=(i=t(e[o],o,n))&&a.push(i);else for(o in e)null!=(i=t(e[o],o,n))&&a.push(i);return g(a)},guid:1,support:y}),"function"==typeof Symbol&&(S.fn[Symbol.iterator]=t[Symbol.iterator]),S.each("Boolean Number String Function Array Date RegExp Object Error Symbol".split(" "),function(e,t){n["[object "+t+"]"]=t.toLowerCase()});var d=function(n){var e,d,b,o,i,h,f,g,w,u,l,T,C,a,E,v,s,c,y,S="sizzle"+1*new Date,p=n.document,k=0,r=0,m=ue(),x=ue(),A=ue(),N=ue(),D=function(e,t){return e===t&&(l=!0),0},j={}.hasOwnProperty,t=[],q=t.pop,L=t.push,H=t.push,O=t.slice,P=function(e,t){for(var n=0,r=e.length;n<r;n++)if(e[n]===t)return n;return-1},R="checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped",M="[\\x20\\t\\r\\n\\f]",I="(?:\\\\[\\da-fA-F]{1,6}"+M+"?|\\\\[^\\r\\n\\f]|[\\w-]|[^\0-\\x7f])+",W="\\["+M+"*("+I+")(?:"+M+"*([*^$|!~]?=)"+M+"*(?:'((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\"|("+I+"))|)"+M+"*\\]",F=":("+I+")(?:\\((('((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\")|((?:\\\\.|[^\\\\()[\\]]|"+W+")*)|.*)\\)|)",B=new RegExp(M+"+","g"),$=new RegExp("^"+M+"+|((?:^|[^\\\\])(?:\\\\.)*)"+M+"+$","g"),_=new RegExp("^"+M+"*,"+M+"*"),z=new RegExp("^"+M+"*([>+~]|"+M+")"+M+"*"),U=new RegExp(M+"|>"),X=new RegExp(F),V=new RegExp("^"+I+"$"),G={ID:new RegExp("^#("+I+")"),CLASS:new RegExp("^\\.("+I+")"),TAG:new RegExp("^("+I+"|[*])"),ATTR:new RegExp("^"+W),PSEUDO:new RegExp("^"+F),CHILD:new RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+M+"*(even|odd|(([+-]|)(\\d*)n|)"+M+"*(?:([+-]|)"+M+"*(\\d+)|))"+M+"*\\)|)","i"),bool:new RegExp("^(?:"+R+")$","i"),needsContext:new RegExp("^"+M+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+M+"*((?:-\\d)?\\d*)"+M+"*\\)|)(?=[^-]|$)","i")},Y=/HTML$/i,Q=/^(?:input|select|textarea|button)$/i,J=/^h\d$/i,K=/^[^{]+\{\s*\[native \w/,Z=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,ee=/[+~]/,te=new RegExp("\\\\[\\da-fA-F]{1,6}"+M+"?|\\\\([^\\r\\n\\f])","g"),ne=function(e,t){var n="0x"+e.slice(1)-65536;return t||(n<0?String.fromCharCode(n+65536):String.fromCharCode(n>>10|55296,1023&n|56320))},re=/([\0-\x1f\x7f]|^-?\d)|^-$|[^\0-\x1f\x7f-\uFFFF\w-]/g,ie=function(e,t){return t?"\0"===e?"\ufffd":e.slice(0,-1)+"\\"+e.charCodeAt(e.length-1).toString(16)+" ":"\\"+e},oe=function(){T()},ae=be(function(e){return!0===e.disabled&&"fieldset"===e.nodeName.toLowerCase()},{dir:"parentNode",next:"legend"});try{H.apply(t=O.call(p.childNodes),p.childNodes),t[p.childNodes.length].nodeType}catch(e){H={apply:t.length?function(e,t){L.apply(e,O.call(t))}:function(e,t){var n=e.length,r=0;while(e[n++]=t[r++]);e.length=n-1}}}function se(t,e,n,r){var i,o,a,s,u,l,c,f=e&&e.ownerDocument,p=e?e.nodeType:9;if(n=n||[],"string"!=typeof t||!t||1!==p&&9!==p&&11!==p)return n;if(!r&&(T(e),e=e||C,E)){if(11!==p&&(u=Z.exec(t)))if(i=u[1]){if(9===p){if(!(a=e.getElementById(i)))return n;if(a.id===i)return n.push(a),n}else if(f&&(a=f.getElementById(i))&&y(e,a)&&a.id===i)return n.push(a),n}else{if(u[2])return H.apply(n,e.getElementsByTagName(t)),n;if((i=u[3])&&d.getElementsByClassName&&e.getElementsByClassName)return H.apply(n,e.getElementsByClassName(i)),n}if(d.qsa&&!N[t+" "]&&(!v||!v.test(t))&&(1!==p||"object"!==e.nodeName.toLowerCase())){if(c=t,f=e,1===p&&(U.test(t)||z.test(t))){(f=ee.test(t)&&ye(e.parentNode)||e)===e&&d.scope||((s=e.getAttribute("id"))?s=s.replace(re,ie):e.setAttribute("id",s=S)),o=(l=h(t)).length;while(o--)l[o]=(s?"#"+s:":scope")+" "+xe(l[o]);c=l.join(",")}try{return H.apply(n,f.querySelectorAll(c)),n}catch(e){N(t,!0)}finally{s===S&&e.removeAttribute("id")}}}return g(t.replace($,"$1"),e,n,r)}function ue(){var r=[];return function e(t,n){return r.push(t+" ")>b.cacheLength&&delete e[r.shift()],e[t+" "]=n}}function le(e){return e[S]=!0,e}function ce(e){var t=C.createElement("fieldset");try{return!!e(t)}catch(e){return!1}finally{t.parentNode&&t.parentNode.removeChild(t),t=null}}function fe(e,t){var n=e.split("|"),r=n.length;while(r--)b.attrHandle[n[r]]=t}function pe(e,t){var n=t&&e,r=n&&1===e.nodeType&&1===t.nodeType&&e.sourceIndex-t.sourceIndex;if(r)return r;if(n)while(n=n.nextSibling)if(n===t)return-1;return e?1:-1}function de(t){return function(e){return"input"===e.nodeName.toLowerCase()&&e.type===t}}function he(n){return function(e){var t=e.nodeName.toLowerCase();return("input"===t||"button"===t)&&e.type===n}}function ge(t){return function(e){return"form"in e?e.parentNode&&!1===e.disabled?"label"in e?"label"in e.parentNode?e.parentNode.disabled===t:e.disabled===t:e.isDisabled===t||e.isDisabled!==!t&&ae(e)===t:e.disabled===t:"label"in e&&e.disabled===t}}function ve(a){return le(function(o){return o=+o,le(function(e,t){var n,r=a([],e.length,o),i=r.length;while(i--)e[n=r[i]]&&(e[n]=!(t[n]=e[n]))})})}function ye(e){return e&&"undefined"!=typeof e.getElementsByTagName&&e}for(e in d=se.support={},i=se.isXML=function(e){var t=e.namespaceURI,n=(e.ownerDocument||e).documentElement;return!Y.test(t||n&&n.nodeName||"HTML")},T=se.setDocument=function(e){var t,n,r=e?e.ownerDocument||e:p;return r!=C&&9===r.nodeType&&r.documentElement&&(a=(C=r).documentElement,E=!i(C),p!=C&&(n=C.defaultView)&&n.top!==n&&(n.addEventListener?n.addEventListener("unload",oe,!1):n.attachEvent&&n.attachEvent("onunload",oe)),d.scope=ce(function(e){return a.appendChild(e).appendChild(C.createElement("div")),"undefined"!=typeof e.querySelectorAll&&!e.querySelectorAll(":scope fieldset div").length}),d.attributes=ce(function(e){return e.className="i",!e.getAttribute("className")}),d.getElementsByTagName=ce(function(e){return e.appendChild(C.createComment("")),!e.getElementsByTagName("*").length}),d.getElementsByClassName=K.test(C.getElementsByClassName),d.getById=ce(function(e){return a.appendChild(e).id=S,!C.getElementsByName||!C.getElementsByName(S).length}),d.getById?(b.filter.ID=function(e){var t=e.replace(te,ne);return function(e){return e.getAttribute("id")===t}},b.find.ID=function(e,t){if("undefined"!=typeof t.getElementById&&E){var n=t.getElementById(e);return n?[n]:[]}}):(b.filter.ID=function(e){var n=e.replace(te,ne);return function(e){var t="undefined"!=typeof e.getAttributeNode&&e.getAttributeNode("id");return t&&t.value===n}},b.find.ID=function(e,t){if("undefined"!=typeof t.getElementById&&E){var n,r,i,o=t.getElementById(e);if(o){if((n=o.getAttributeNode("id"))&&n.value===e)return[o];i=t.getElementsByName(e),r=0;while(o=i[r++])if((n=o.getAttributeNode("id"))&&n.value===e)return[o]}return[]}}),b.find.TAG=d.getElementsByTagName?function(e,t){return"undefined"!=typeof t.getElementsByTagName?t.getElementsByTagName(e):d.qsa?t.querySelectorAll(e):void 0}:function(e,t){var n,r=[],i=0,o=t.getElementsByTagName(e);if("*"===e){while(n=o[i++])1===n.nodeType&&r.push(n);return r}return o},b.find.CLASS=d.getElementsByClassName&&function(e,t){if("undefined"!=typeof t.getElementsByClassName&&E)return t.getElementsByClassName(e)},s=[],v=[],(d.qsa=K.test(C.querySelectorAll))&&(ce(function(e){var t;a.appendChild(e).innerHTML="<a id='"+S+"'></a><select id='"+S+"-\r\\' msallowcapture=''><option selected=''></option></select>",e.querySelectorAll("[msallowcapture^='']").length&&v.push("[*^$]="+M+"*(?:''|\"\")"),e.querySelectorAll("[selected]").length||v.push("\\["+M+"*(?:value|"+R+")"),e.querySelectorAll("[id~="+S+"-]").length||v.push("~="),(t=C.createElement("input")).setAttribute("name",""),e.appendChild(t),e.querySelectorAll("[name='']").length||v.push("\\["+M+"*name"+M+"*="+M+"*(?:''|\"\")"),e.querySelectorAll(":checked").length||v.push(":checked"),e.querySelectorAll("a#"+S+"+*").length||v.push(".#.+[+~]"),e.querySelectorAll("\\\f"),v.push("[\\r\\n\\f]")}),ce(function(e){e.innerHTML="<a href='' disabled='disabled'></a><select disabled='disabled'><option/></select>";var t=C.createElement("input");t.setAttribute("type","hidden"),e.appendChild(t).setAttribute("name","D"),e.querySelectorAll("[name=d]").length&&v.push("name"+M+"*[*^$|!~]?="),2!==e.querySelectorAll(":enabled").length&&v.push(":enabled",":disabled"),a.appendChild(e).disabled=!0,2!==e.querySelectorAll(":disabled").length&&v.push(":enabled",":disabled"),e.querySelectorAll("*,:x"),v.push(",.*:")})),(d.matchesSelector=K.test(c=a.matches||a.webkitMatchesSelector||a.mozMatchesSelector||a.oMatchesSelector||a.msMatchesSelector))&&ce(function(e){d.disconnectedMatch=c.call(e,"*"),c.call(e,"[s!='']:x"),s.push("!=",F)}),v=v.length&&new RegExp(v.join("|")),s=s.length&&new RegExp(s.join("|")),t=K.test(a.compareDocumentPosition),y=t||K.test(a.contains)?function(e,t){var n=9===e.nodeType?e.documentElement:e,r=t&&t.parentNode;return e===r||!(!r||1!==r.nodeType||!(n.contains?n.contains(r):e.compareDocumentPosition&&16&e.compareDocumentPosition(r)))}:function(e,t){if(t)while(t=t.parentNode)if(t===e)return!0;return!1},D=t?function(e,t){if(e===t)return l=!0,0;var n=!e.compareDocumentPosition-!t.compareDocumentPosition;return n||(1&(n=(e.ownerDocument||e)==(t.ownerDocument||t)?e.compareDocumentPosition(t):1)||!d.sortDetached&&t.compareDocumentPosition(e)===n?e==C||e.ownerDocument==p&&y(p,e)?-1:t==C||t.ownerDocument==p&&y(p,t)?1:u?P(u,e)-P(u,t):0:4&n?-1:1)}:function(e,t){if(e===t)return l=!0,0;var n,r=0,i=e.parentNode,o=t.parentNode,a=[e],s=[t];if(!i||!o)return e==C?-1:t==C?1:i?-1:o?1:u?P(u,e)-P(u,t):0;if(i===o)return pe(e,t);n=e;while(n=n.parentNode)a.unshift(n);n=t;while(n=n.parentNode)s.unshift(n);while(a[r]===s[r])r++;return r?pe(a[r],s[r]):a[r]==p?-1:s[r]==p?1:0}),C},se.matches=function(e,t){return se(e,null,null,t)},se.matchesSelector=function(e,t){if(T(e),d.matchesSelector&&E&&!N[t+" "]&&(!s||!s.test(t))&&(!v||!v.test(t)))try{var n=c.call(e,t);if(n||d.disconnectedMatch||e.document&&11!==e.document.nodeType)return n}catch(e){N(t,!0)}return 0<se(t,C,null,[e]).length},se.contains=function(e,t){return(e.ownerDocument||e)!=C&&T(e),y(e,t)},se.attr=function(e,t){(e.ownerDocument||e)!=C&&T(e);var n=b.attrHandle[t.toLowerCase()],r=n&&j.call(b.attrHandle,t.toLowerCase())?n(e,t,!E):void 0;return void 0!==r?r:d.attributes||!E?e.getAttribute(t):(r=e.getAttributeNode(t))&&r.specified?r.value:null},se.escape=function(e){return(e+"").replace(re,ie)},se.error=function(e){throw new Error("Syntax error, unrecognized expression: "+e)},se.uniqueSort=function(e){var t,n=[],r=0,i=0;if(l=!d.detectDuplicates,u=!d.sortStable&&e.slice(0),e.sort(D),l){while(t=e[i++])t===e[i]&&(r=n.push(i));while(r--)e.splice(n[r],1)}return u=null,e},o=se.getText=function(e){var t,n="",r=0,i=e.nodeType;if(i){if(1===i||9===i||11===i){if("string"==typeof e.textContent)return e.textContent;for(e=e.firstChild;e;e=e.nextSibling)n+=o(e)}else if(3===i||4===i)return e.nodeValue}else while(t=e[r++])n+=o(t);return n},(b=se.selectors={cacheLength:50,createPseudo:le,match:G,attrHandle:{},find:{},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(e){return e[1]=e[1].replace(te,ne),e[3]=(e[3]||e[4]||e[5]||"").replace(te,ne),"~="===e[2]&&(e[3]=" "+e[3]+" "),e.slice(0,4)},CHILD:function(e){return e[1]=e[1].toLowerCase(),"nth"===e[1].slice(0,3)?(e[3]||se.error(e[0]),e[4]=+(e[4]?e[5]+(e[6]||1):2*("even"===e[3]||"odd"===e[3])),e[5]=+(e[7]+e[8]||"odd"===e[3])):e[3]&&se.error(e[0]),e},PSEUDO:function(e){var t,n=!e[6]&&e[2];return G.CHILD.test(e[0])?null:(e[3]?e[2]=e[4]||e[5]||"":n&&X.test(n)&&(t=h(n,!0))&&(t=n.indexOf(")",n.length-t)-n.length)&&(e[0]=e[0].slice(0,t),e[2]=n.slice(0,t)),e.slice(0,3))}},filter:{TAG:function(e){var t=e.replace(te,ne).toLowerCase();return"*"===e?function(){return!0}:function(e){return e.nodeName&&e.nodeName.toLowerCase()===t}},CLASS:function(e){var t=m[e+" "];return t||(t=new RegExp("(^|"+M+")"+e+"("+M+"|$)"))&&m(e,function(e){return t.test("string"==typeof e.className&&e.className||"undefined"!=typeof e.getAttribute&&e.getAttribute("class")||"")})},ATTR:function(n,r,i){return function(e){var t=se.attr(e,n);return null==t?"!="===r:!r||(t+="","="===r?t===i:"!="===r?t!==i:"^="===r?i&&0===t.indexOf(i):"*="===r?i&&-1<t.indexOf(i):"$="===r?i&&t.slice(-i.length)===i:"~="===r?-1<(" "+t.replace(B," ")+" ").indexOf(i):"|="===r&&(t===i||t.slice(0,i.length+1)===i+"-"))}},CHILD:function(h,e,t,g,v){var y="nth"!==h.slice(0,3),m="last"!==h.slice(-4),x="of-type"===e;return 1===g&&0===v?function(e){return!!e.parentNode}:function(e,t,n){var r,i,o,a,s,u,l=y!==m?"nextSibling":"previousSibling",c=e.parentNode,f=x&&e.nodeName.toLowerCase(),p=!n&&!x,d=!1;if(c){if(y){while(l){a=e;while(a=a[l])if(x?a.nodeName.toLowerCase()===f:1===a.nodeType)return!1;u=l="only"===h&&!u&&"nextSibling"}return!0}if(u=[m?c.firstChild:c.lastChild],m&&p){d=(s=(r=(i=(o=(a=c)[S]||(a[S]={}))[a.uniqueID]||(o[a.uniqueID]={}))[h]||[])[0]===k&&r[1])&&r[2],a=s&&c.childNodes[s];while(a=++s&&a&&a[l]||(d=s=0)||u.pop())if(1===a.nodeType&&++d&&a===e){i[h]=[k,s,d];break}}else if(p&&(d=s=(r=(i=(o=(a=e)[S]||(a[S]={}))[a.uniqueID]||(o[a.uniqueID]={}))[h]||[])[0]===k&&r[1]),!1===d)while(a=++s&&a&&a[l]||(d=s=0)||u.pop())if((x?a.nodeName.toLowerCase()===f:1===a.nodeType)&&++d&&(p&&((i=(o=a[S]||(a[S]={}))[a.uniqueID]||(o[a.uniqueID]={}))[h]=[k,d]),a===e))break;return(d-=v)===g||d%g==0&&0<=d/g}}},PSEUDO:function(e,o){var t,a=b.pseudos[e]||b.setFilters[e.toLowerCase()]||se.error("unsupported pseudo: "+e);return a[S]?a(o):1<a.length?(t=[e,e,"",o],b.setFilters.hasOwnProperty(e.toLowerCase())?le(function(e,t){var n,r=a(e,o),i=r.length;while(i--)e[n=P(e,r[i])]=!(t[n]=r[i])}):function(e){return a(e,0,t)}):a}},pseudos:{not:le(function(e){var r=[],i=[],s=f(e.replace($,"$1"));return s[S]?le(function(e,t,n,r){var i,o=s(e,null,r,[]),a=e.length;while(a--)(i=o[a])&&(e[a]=!(t[a]=i))}):function(e,t,n){return r[0]=e,s(r,null,n,i),r[0]=null,!i.pop()}}),has:le(function(t){return function(e){return 0<se(t,e).length}}),contains:le(function(t){return t=t.replace(te,ne),function(e){return-1<(e.textContent||o(e)).indexOf(t)}}),lang:le(function(n){return V.test(n||"")||se.error("unsupported lang: "+n),n=n.replace(te,ne).toLowerCase(),function(e){var t;do{if(t=E?e.lang:e.getAttribute("xml:lang")||e.getAttribute("lang"))return(t=t.toLowerCase())===n||0===t.indexOf(n+"-")}while((e=e.parentNode)&&1===e.nodeType);return!1}}),target:function(e){var t=n.location&&n.location.hash;return t&&t.slice(1)===e.id},root:function(e){return e===a},focus:function(e){return e===C.activeElement&&(!C.hasFocus||C.hasFocus())&&!!(e.type||e.href||~e.tabIndex)},enabled:ge(!1),disabled:ge(!0),checked:function(e){var t=e.nodeName.toLowerCase();return"input"===t&&!!e.checked||"option"===t&&!!e.selected},selected:function(e){return e.parentNode&&e.parentNode.selectedIndex,!0===e.selected},empty:function(e){for(e=e.firstChild;e;e=e.nextSibling)if(e.nodeType<6)return!1;return!0},parent:function(e){return!b.pseudos.empty(e)},header:function(e){return J.test(e.nodeName)},input:function(e){return Q.test(e.nodeName)},button:function(e){var t=e.nodeName.toLowerCase();return"input"===t&&"button"===e.type||"button"===t},text:function(e){var t;return"input"===e.nodeName.toLowerCase()&&"text"===e.type&&(null==(t=e.getAttribute("type"))||"text"===t.toLowerCase())},first:ve(function(){return[0]}),last:ve(function(e,t){return[t-1]}),eq:ve(function(e,t,n){return[n<0?n+t:n]}),even:ve(function(e,t){for(var n=0;n<t;n+=2)e.push(n);return e}),odd:ve(function(e,t){for(var n=1;n<t;n+=2)e.push(n);return e}),lt:ve(function(e,t,n){for(var r=n<0?n+t:t<n?t:n;0<=--r;)e.push(r);return e}),gt:ve(function(e,t,n){for(var r=n<0?n+t:n;++r<t;)e.push(r);return e})}}).pseudos.nth=b.pseudos.eq,{radio:!0,checkbox:!0,file:!0,password:!0,image:!0})b.pseudos[e]=de(e);for(e in{submit:!0,reset:!0})b.pseudos[e]=he(e);function me(){}function xe(e){for(var t=0,n=e.length,r="";t<n;t++)r+=e[t].value;return r}function be(s,e,t){var u=e.dir,l=e.next,c=l||u,f=t&&"parentNode"===c,p=r++;return e.first?function(e,t,n){while(e=e[u])if(1===e.nodeType||f)return s(e,t,n);return!1}:function(e,t,n){var r,i,o,a=[k,p];if(n){while(e=e[u])if((1===e.nodeType||f)&&s(e,t,n))return!0}else while(e=e[u])if(1===e.nodeType||f)if(i=(o=e[S]||(e[S]={}))[e.uniqueID]||(o[e.uniqueID]={}),l&&l===e.nodeName.toLowerCase())e=e[u]||e;else{if((r=i[c])&&r[0]===k&&r[1]===p)return a[2]=r[2];if((i[c]=a)[2]=s(e,t,n))return!0}return!1}}function we(i){return 1<i.length?function(e,t,n){var r=i.length;while(r--)if(!i[r](e,t,n))return!1;return!0}:i[0]}function Te(e,t,n,r,i){for(var o,a=[],s=0,u=e.length,l=null!=t;s<u;s++)(o=e[s])&&(n&&!n(o,r,i)||(a.push(o),l&&t.push(s)));return a}function Ce(d,h,g,v,y,e){return v&&!v[S]&&(v=Ce(v)),y&&!y[S]&&(y=Ce(y,e)),le(function(e,t,n,r){var i,o,a,s=[],u=[],l=t.length,c=e||function(e,t,n){for(var r=0,i=t.length;r<i;r++)se(e,t[r],n);return n}(h||"*",n.nodeType?[n]:n,[]),f=!d||!e&&h?c:Te(c,s,d,n,r),p=g?y||(e?d:l||v)?[]:t:f;if(g&&g(f,p,n,r),v){i=Te(p,u),v(i,[],n,r),o=i.length;while(o--)(a=i[o])&&(p[u[o]]=!(f[u[o]]=a))}if(e){if(y||d){if(y){i=[],o=p.length;while(o--)(a=p[o])&&i.push(f[o]=a);y(null,p=[],i,r)}o=p.length;while(o--)(a=p[o])&&-1<(i=y?P(e,a):s[o])&&(e[i]=!(t[i]=a))}}else p=Te(p===t?p.splice(l,p.length):p),y?y(null,t,p,r):H.apply(t,p)})}function Ee(e){for(var i,t,n,r=e.length,o=b.relative[e[0].type],a=o||b.relative[" "],s=o?1:0,u=be(function(e){return e===i},a,!0),l=be(function(e){return-1<P(i,e)},a,!0),c=[function(e,t,n){var r=!o&&(n||t!==w)||((i=t).nodeType?u(e,t,n):l(e,t,n));return i=null,r}];s<r;s++)if(t=b.relative[e[s].type])c=[be(we(c),t)];else{if((t=b.filter[e[s].type].apply(null,e[s].matches))[S]){for(n=++s;n<r;n++)if(b.relative[e[n].type])break;return Ce(1<s&&we(c),1<s&&xe(e.slice(0,s-1).concat({value:" "===e[s-2].type?"*":""})).replace($,"$1"),t,s<n&&Ee(e.slice(s,n)),n<r&&Ee(e=e.slice(n)),n<r&&xe(e))}c.push(t)}return we(c)}return me.prototype=b.filters=b.pseudos,b.setFilters=new me,h=se.tokenize=function(e,t){var n,r,i,o,a,s,u,l=x[e+" "];if(l)return t?0:l.slice(0);a=e,s=[],u=b.preFilter;while(a){for(o in n&&!(r=_.exec(a))||(r&&(a=a.slice(r[0].length)||a),s.push(i=[])),n=!1,(r=z.exec(a))&&(n=r.shift(),i.push({value:n,type:r[0].replace($," ")}),a=a.slice(n.length)),b.filter)!(r=G[o].exec(a))||u[o]&&!(r=u[o](r))||(n=r.shift(),i.push({value:n,type:o,matches:r}),a=a.slice(n.length));if(!n)break}return t?a.length:a?se.error(e):x(e,s).slice(0)},f=se.compile=function(e,t){var n,v,y,m,x,r,i=[],o=[],a=A[e+" "];if(!a){t||(t=h(e)),n=t.length;while(n--)(a=Ee(t[n]))[S]?i.push(a):o.push(a);(a=A(e,(v=o,m=0<(y=i).length,x=0<v.length,r=function(e,t,n,r,i){var o,a,s,u=0,l="0",c=e&&[],f=[],p=w,d=e||x&&b.find.TAG("*",i),h=k+=null==p?1:Math.random()||.1,g=d.length;for(i&&(w=t==C||t||i);l!==g&&null!=(o=d[l]);l++){if(x&&o){a=0,t||o.ownerDocument==C||(T(o),n=!E);while(s=v[a++])if(s(o,t||C,n)){r.push(o);break}i&&(k=h)}m&&((o=!s&&o)&&u--,e&&c.push(o))}if(u+=l,m&&l!==u){a=0;while(s=y[a++])s(c,f,t,n);if(e){if(0<u)while(l--)c[l]||f[l]||(f[l]=q.call(r));f=Te(f)}H.apply(r,f),i&&!e&&0<f.length&&1<u+y.length&&se.uniqueSort(r)}return i&&(k=h,w=p),c},m?le(r):r))).selector=e}return a},g=se.select=function(e,t,n,r){var i,o,a,s,u,l="function"==typeof e&&e,c=!r&&h(e=l.selector||e);if(n=n||[],1===c.length){if(2<(o=c[0]=c[0].slice(0)).length&&"ID"===(a=o[0]).type&&9===t.nodeType&&E&&b.relative[o[1].type]){if(!(t=(b.find.ID(a.matches[0].replace(te,ne),t)||[])[0]))return n;l&&(t=t.parentNode),e=e.slice(o.shift().value.length)}i=G.needsContext.test(e)?0:o.length;while(i--){if(a=o[i],b.relative[s=a.type])break;if((u=b.find[s])&&(r=u(a.matches[0].replace(te,ne),ee.test(o[0].type)&&ye(t.parentNode)||t))){if(o.splice(i,1),!(e=r.length&&xe(o)))return H.apply(n,r),n;break}}}return(l||f(e,c))(r,t,!E,n,!t||ee.test(e)&&ye(t.parentNode)||t),n},d.sortStable=S.split("").sort(D).join("")===S,d.detectDuplicates=!!l,T(),d.sortDetached=ce(function(e){return 1&e.compareDocumentPosition(C.createElement("fieldset"))}),ce(function(e){return e.innerHTML="<a href='#'></a>","#"===e.firstChild.getAttribute("href")})||fe("type|href|height|width",function(e,t,n){if(!n)return e.getAttribute(t,"type"===t.toLowerCase()?1:2)}),d.attributes&&ce(function(e){return e.innerHTML="<input/>",e.firstChild.setAttribute("value",""),""===e.firstChild.getAttribute("value")})||fe("value",function(e,t,n){if(!n&&"input"===e.nodeName.toLowerCase())return e.defaultValue}),ce(function(e){return null==e.getAttribute("disabled")})||fe(R,function(e,t,n){var r;if(!n)return!0===e[t]?t.toLowerCase():(r=e.getAttributeNode(t))&&r.specified?r.value:null}),se}(C);S.find=d,S.expr=d.selectors,S.expr[":"]=S.expr.pseudos,S.uniqueSort=S.unique=d.uniqueSort,S.text=d.getText,S.isXMLDoc=d.isXML,S.contains=d.contains,S.escapeSelector=d.escape;var h=function(e,t,n){var r=[],i=void 0!==n;while((e=e[t])&&9!==e.nodeType)if(1===e.nodeType){if(i&&S(e).is(n))break;r.push(e)}return r},T=function(e,t){for(var n=[];e;e=e.nextSibling)1===e.nodeType&&e!==t&&n.push(e);return n},k=S.expr.match.needsContext;function A(e,t){return e.nodeName&&e.nodeName.toLowerCase()===t.toLowerCase()}var N=/^<([a-z][^\/\0>:\x20\t\r\n\f]*)[\x20\t\r\n\f]*\/?>(?:<\/\1>|)$/i;function D(e,n,r){return m(n)?S.grep(e,function(e,t){return!!n.call(e,t,e)!==r}):n.nodeType?S.grep(e,function(e){return e===n!==r}):"string"!=typeof n?S.grep(e,function(e){return-1<i.call(n,e)!==r}):S.filter(n,e,r)}S.filter=function(e,t,n){var r=t[0];return n&&(e=":not("+e+")"),1===t.length&&1===r.nodeType?S.find.matchesSelector(r,e)?[r]:[]:S.find.matches(e,S.grep(t,function(e){return 1===e.nodeType}))},S.fn.extend({find:function(e){var t,n,r=this.length,i=this;if("string"!=typeof e)return this.pushStack(S(e).filter(function(){for(t=0;t<r;t++)if(S.contains(i[t],this))return!0}));for(n=this.pushStack([]),t=0;t<r;t++)S.find(e,i[t],n);return 1<r?S.uniqueSort(n):n},filter:function(e){return this.pushStack(D(this,e||[],!1))},not:function(e){return this.pushStack(D(this,e||[],!0))},is:function(e){return!!D(this,"string"==typeof e&&k.test(e)?S(e):e||[],!1).length}});var j,q=/^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]+))$/;(S.fn.init=function(e,t,n){var r,i;if(!e)return this;if(n=n||j,"string"==typeof e){if(!(r="<"===e[0]&&">"===e[e.length-1]&&3<=e.length?[null,e,null]:q.exec(e))||!r[1]&&t)return!t||t.jquery?(t||n).find(e):this.constructor(t).find(e);if(r[1]){if(t=t instanceof S?t[0]:t,S.merge(this,S.parseHTML(r[1],t&&t.nodeType?t.ownerDocument||t:E,!0)),N.test(r[1])&&S.isPlainObject(t))for(r in t)m(this[r])?this[r](t[r]):this.attr(r,t[r]);return this}return(i=E.getElementById(r[2]))&&(this[0]=i,this.length=1),this}return e.nodeType?(this[0]=e,this.length=1,this):m(e)?void 0!==n.ready?n.ready(e):e(S):S.makeArray(e,this)}).prototype=S.fn,j=S(E);var L=/^(?:parents|prev(?:Until|All))/,H={children:!0,contents:!0,next:!0,prev:!0};function O(e,t){while((e=e[t])&&1!==e.nodeType);return e}S.fn.extend({has:function(e){var t=S(e,this),n=t.length;return this.filter(function(){for(var e=0;e<n;e++)if(S.contains(this,t[e]))return!0})},closest:function(e,t){var n,r=0,i=this.length,o=[],a="string"!=typeof e&&S(e);if(!k.test(e))for(;r<i;r++)for(n=this[r];n&&n!==t;n=n.parentNode)if(n.nodeType<11&&(a?-1<a.index(n):1===n.nodeType&&S.find.matchesSelector(n,e))){o.push(n);break}return this.pushStack(1<o.length?S.uniqueSort(o):o)},index:function(e){return e?"string"==typeof e?i.call(S(e),this[0]):i.call(this,e.jquery?e[0]:e):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(e,t){return this.pushStack(S.uniqueSort(S.merge(this.get(),S(e,t))))},addBack:function(e){return this.add(null==e?this.prevObject:this.prevObject.filter(e))}}),S.each({parent:function(e){var t=e.parentNode;return t&&11!==t.nodeType?t:null},parents:function(e){return h(e,"parentNode")},parentsUntil:function(e,t,n){return h(e,"parentNode",n)},next:function(e){return O(e,"nextSibling")},prev:function(e){return O(e,"previousSibling")},nextAll:function(e){return h(e,"nextSibling")},prevAll:function(e){return h(e,"previousSibling")},nextUntil:function(e,t,n){return h(e,"nextSibling",n)},prevUntil:function(e,t,n){return h(e,"previousSibling",n)},siblings:function(e){return T((e.parentNode||{}).firstChild,e)},children:function(e){return T(e.firstChild)},contents:function(e){return null!=e.contentDocument&&r(e.contentDocument)?e.contentDocument:(A(e,"template")&&(e=e.content||e),S.merge([],e.childNodes))}},function(r,i){S.fn[r]=function(e,t){var n=S.map(this,i,e);return"Until"!==r.slice(-5)&&(t=e),t&&"string"==typeof t&&(n=S.filter(t,n)),1<this.length&&(H[r]||S.uniqueSort(n),L.test(r)&&n.reverse()),this.pushStack(n)}});var P=/[^\x20\t\r\n\f]+/g;function R(e){return e}function M(e){throw e}function I(e,t,n,r){var i;try{e&&m(i=e.promise)?i.call(e).done(t).fail(n):e&&m(i=e.then)?i.call(e,t,n):t.apply(void 0,[e].slice(r))}catch(e){n.apply(void 0,[e])}}S.Callbacks=function(r){var e,n;r="string"==typeof r?(e=r,n={},S.each(e.match(P)||[],function(e,t){n[t]=!0}),n):S.extend({},r);var i,t,o,a,s=[],u=[],l=-1,c=function(){for(a=a||r.once,o=i=!0;u.length;l=-1){t=u.shift();while(++l<s.length)!1===s[l].apply(t[0],t[1])&&r.stopOnFalse&&(l=s.length,t=!1)}r.memory||(t=!1),i=!1,a&&(s=t?[]:"")},f={add:function(){return s&&(t&&!i&&(l=s.length-1,u.push(t)),function n(e){S.each(e,function(e,t){m(t)?r.unique&&f.has(t)||s.push(t):t&&t.length&&"string"!==w(t)&&n(t)})}(arguments),t&&!i&&c()),this},remove:function(){return S.each(arguments,function(e,t){var n;while(-1<(n=S.inArray(t,s,n)))s.splice(n,1),n<=l&&l--}),this},has:function(e){return e?-1<S.inArray(e,s):0<s.length},empty:function(){return s&&(s=[]),this},disable:function(){return a=u=[],s=t="",this},disabled:function(){return!s},lock:function(){return a=u=[],t||i||(s=t=""),this},locked:function(){return!!a},fireWith:function(e,t){return a||(t=[e,(t=t||[]).slice?t.slice():t],u.push(t),i||c()),this},fire:function(){return f.fireWith(this,arguments),this},fired:function(){return!!o}};return f},S.extend({Deferred:function(e){var o=[["notify","progress",S.Callbacks("memory"),S.Callbacks("memory"),2],["resolve","done",S.Callbacks("once memory"),S.Callbacks("once memory"),0,"resolved"],["reject","fail",S.Callbacks("once memory"),S.Callbacks("once memory"),1,"rejected"]],i="pending",a={state:function(){return i},always:function(){return s.done(arguments).fail(arguments),this},"catch":function(e){return a.then(null,e)},pipe:function(){var i=arguments;return S.Deferred(function(r){S.each(o,function(e,t){var n=m(i[t[4]])&&i[t[4]];s[t[1]](function(){var e=n&&n.apply(this,arguments);e&&m(e.promise)?e.promise().progress(r.notify).done(r.resolve).fail(r.reject):r[t[0]+"With"](this,n?[e]:arguments)})}),i=null}).promise()},then:function(t,n,r){var u=0;function l(i,o,a,s){return function(){var n=this,r=arguments,e=function(){var e,t;if(!(i<u)){if((e=a.apply(n,r))===o.promise())throw new TypeError("Thenable self-resolution");t=e&&("object"==typeof e||"function"==typeof e)&&e.then,m(t)?s?t.call(e,l(u,o,R,s),l(u,o,M,s)):(u++,t.call(e,l(u,o,R,s),l(u,o,M,s),l(u,o,R,o.notifyWith))):(a!==R&&(n=void 0,r=[e]),(s||o.resolveWith)(n,r))}},t=s?e:function(){try{e()}catch(e){S.Deferred.exceptionHook&&S.Deferred.exceptionHook(e,t.stackTrace),u<=i+1&&(a!==M&&(n=void 0,r=[e]),o.rejectWith(n,r))}};i?t():(S.Deferred.getStackHook&&(t.stackTrace=S.Deferred.getStackHook()),C.setTimeout(t))}}return S.Deferred(function(e){o[0][3].add(l(0,e,m(r)?r:R,e.notifyWith)),o[1][3].add(l(0,e,m(t)?t:R)),o[2][3].add(l(0,e,m(n)?n:M))}).promise()},promise:function(e){return null!=e?S.extend(e,a):a}},s={};return S.each(o,function(e,t){var n=t[2],r=t[5];a[t[1]]=n.add,r&&n.add(function(){i=r},o[3-e][2].disable,o[3-e][3].disable,o[0][2].lock,o[0][3].lock),n.add(t[3].fire),s[t[0]]=function(){return s[t[0]+"With"](this===s?void 0:this,arguments),this},s[t[0]+"With"]=n.fireWith}),a.promise(s),e&&e.call(s,s),s},when:function(e){var n=arguments.length,t=n,r=Array(t),i=s.call(arguments),o=S.Deferred(),a=function(t){return function(e){r[t]=this,i[t]=1<arguments.length?s.call(arguments):e,--n||o.resolveWith(r,i)}};if(n<=1&&(I(e,o.done(a(t)).resolve,o.reject,!n),"pending"===o.state()||m(i[t]&&i[t].then)))return o.then();while(t--)I(i[t],a(t),o.reject);return o.promise()}});var W=/^(Eval|Internal|Range|Reference|Syntax|Type|URI)Error$/;S.Deferred.exceptionHook=function(e,t){C.console&&C.console.warn&&e&&W.test(e.name)&&C.console.warn("jQuery.Deferred exception: "+e.message,e.stack,t)},S.readyException=function(e){C.setTimeout(function(){throw e})};var F=S.Deferred();function B(){E.removeEventListener("DOMContentLoaded",B),C.removeEventListener("load",B),S.ready()}S.fn.ready=function(e){return F.then(e)["catch"](function(e){S.readyException(e)}),this},S.extend({isReady:!1,readyWait:1,ready:function(e){(!0===e?--S.readyWait:S.isReady)||(S.isReady=!0)!==e&&0<--S.readyWait||F.resolveWith(E,[S])}}),S.ready.then=F.then,"complete"===E.readyState||"loading"!==E.readyState&&!E.documentElement.doScroll?C.setTimeout(S.ready):(E.addEventListener("DOMContentLoaded",B),C.addEventListener("load",B));var $=function(e,t,n,r,i,o,a){var s=0,u=e.length,l=null==n;if("object"===w(n))for(s in i=!0,n)$(e,t,s,n[s],!0,o,a);else if(void 0!==r&&(i=!0,m(r)||(a=!0),l&&(a?(t.call(e,r),t=null):(l=t,t=function(e,t,n){return l.call(S(e),n)})),t))for(;s<u;s++)t(e[s],n,a?r:r.call(e[s],s,t(e[s],n)));return i?e:l?t.call(e):u?t(e[0],n):o},_=/^-ms-/,z=/-([a-z])/g;function U(e,t){return t.toUpperCase()}function X(e){return e.replace(_,"ms-").replace(z,U)}var V=function(e){return 1===e.nodeType||9===e.nodeType||!+e.nodeType};function G(){this.expando=S.expando+G.uid++}G.uid=1,G.prototype={cache:function(e){var t=e[this.expando];return t||(t={},V(e)&&(e.nodeType?e[this.expando]=t:Object.defineProperty(e,this.expando,{value:t,configurable:!0}))),t},set:function(e,t,n){var r,i=this.cache(e);if("string"==typeof t)i[X(t)]=n;else for(r in t)i[X(r)]=t[r];return i},get:function(e,t){return void 0===t?this.cache(e):e[this.expando]&&e[this.expando][X(t)]},access:function(e,t,n){return void 0===t||t&&"string"==typeof t&&void 0===n?this.get(e,t):(this.set(e,t,n),void 0!==n?n:t)},remove:function(e,t){var n,r=e[this.expando];if(void 0!==r){if(void 0!==t){n=(t=Array.isArray(t)?t.map(X):(t=X(t))in r?[t]:t.match(P)||[]).length;while(n--)delete r[t[n]]}(void 0===t||S.isEmptyObject(r))&&(e.nodeType?e[this.expando]=void 0:delete e[this.expando])}},hasData:function(e){var t=e[this.expando];return void 0!==t&&!S.isEmptyObject(t)}};var Y=new G,Q=new G,J=/^(?:\{[\w\W]*\}|\[[\w\W]*\])$/,K=/[A-Z]/g;function Z(e,t,n){var r,i;if(void 0===n&&1===e.nodeType)if(r="data-"+t.replace(K,"-$&").toLowerCase(),"string"==typeof(n=e.getAttribute(r))){try{n="true"===(i=n)||"false"!==i&&("null"===i?null:i===+i+""?+i:J.test(i)?JSON.parse(i):i)}catch(e){}Q.set(e,t,n)}else n=void 0;return n}S.extend({hasData:function(e){return Q.hasData(e)||Y.hasData(e)},data:function(e,t,n){return Q.access(e,t,n)},removeData:function(e,t){Q.remove(e,t)},_data:function(e,t,n){return Y.access(e,t,n)},_removeData:function(e,t){Y.remove(e,t)}}),S.fn.extend({data:function(n,e){var t,r,i,o=this[0],a=o&&o.attributes;if(void 0===n){if(this.length&&(i=Q.get(o),1===o.nodeType&&!Y.get(o,"hasDataAttrs"))){t=a.length;while(t--)a[t]&&0===(r=a[t].name).indexOf("data-")&&(r=X(r.slice(5)),Z(o,r,i[r]));Y.set(o,"hasDataAttrs",!0)}return i}return"object"==typeof n?this.each(function(){Q.set(this,n)}):$(this,function(e){var t;if(o&&void 0===e)return void 0!==(t=Q.get(o,n))?t:void 0!==(t=Z(o,n))?t:void 0;this.each(function(){Q.set(this,n,e)})},null,e,1<arguments.length,null,!0)},removeData:function(e){return this.each(function(){Q.remove(this,e)})}}),S.extend({queue:function(e,t,n){var r;if(e)return t=(t||"fx")+"queue",r=Y.get(e,t),n&&(!r||Array.isArray(n)?r=Y.access(e,t,S.makeArray(n)):r.push(n)),r||[]},dequeue:function(e,t){t=t||"fx";var n=S.queue(e,t),r=n.length,i=n.shift(),o=S._queueHooks(e,t);"inprogress"===i&&(i=n.shift(),r--),i&&("fx"===t&&n.unshift("inprogress"),delete o.stop,i.call(e,function(){S.dequeue(e,t)},o)),!r&&o&&o.empty.fire()},_queueHooks:function(e,t){var n=t+"queueHooks";return Y.get(e,n)||Y.access(e,n,{empty:S.Callbacks("once memory").add(function(){Y.remove(e,[t+"queue",n])})})}}),S.fn.extend({queue:function(t,n){var e=2;return"string"!=typeof t&&(n=t,t="fx",e--),arguments.length<e?S.queue(this[0],t):void 0===n?this:this.each(function(){var e=S.queue(this,t,n);S._queueHooks(this,t),"fx"===t&&"inprogress"!==e[0]&&S.dequeue(this,t)})},dequeue:function(e){return this.each(function(){S.dequeue(this,e)})},clearQueue:function(e){return this.queue(e||"fx",[])},promise:function(e,t){var n,r=1,i=S.Deferred(),o=this,a=this.length,s=function(){--r||i.resolveWith(o,[o])};"string"!=typeof e&&(t=e,e=void 0),e=e||"fx";while(a--)(n=Y.get(o[a],e+"queueHooks"))&&n.empty&&(r++,n.empty.add(s));return s(),i.promise(t)}});var ee=/[+-]?(?:\d*\.|)\d+(?:[eE][+-]?\d+|)/.source,te=new RegExp("^(?:([+-])=|)("+ee+")([a-z%]*)$","i"),ne=["Top","Right","Bottom","Left"],re=E.documentElement,ie=function(e){return S.contains(e.ownerDocument,e)},oe={composed:!0};re.getRootNode&&(ie=function(e){return S.contains(e.ownerDocument,e)||e.getRootNode(oe)===e.ownerDocument});var ae=function(e,t){return"none"===(e=t||e).style.display||""===e.style.display&&ie(e)&&"none"===S.css(e,"display")};function se(e,t,n,r){var i,o,a=20,s=r?function(){return r.cur()}:function(){return S.css(e,t,"")},u=s(),l=n&&n[3]||(S.cssNumber[t]?"":"px"),c=e.nodeType&&(S.cssNumber[t]||"px"!==l&&+u)&&te.exec(S.css(e,t));if(c&&c[3]!==l){u/=2,l=l||c[3],c=+u||1;while(a--)S.style(e,t,c+l),(1-o)*(1-(o=s()/u||.5))<=0&&(a=0),c/=o;c*=2,S.style(e,t,c+l),n=n||[]}return n&&(c=+c||+u||0,i=n[1]?c+(n[1]+1)*n[2]:+n[2],r&&(r.unit=l,r.start=c,r.end=i)),i}var ue={};function le(e,t){for(var n,r,i,o,a,s,u,l=[],c=0,f=e.length;c<f;c++)(r=e[c]).style&&(n=r.style.display,t?("none"===n&&(l[c]=Y.get(r,"display")||null,l[c]||(r.style.display="")),""===r.style.display&&ae(r)&&(l[c]=(u=a=o=void 0,a=(i=r).ownerDocument,s=i.nodeName,(u=ue[s])||(o=a.body.appendChild(a.createElement(s)),u=S.css(o,"display"),o.parentNode.removeChild(o),"none"===u&&(u="block"),ue[s]=u)))):"none"!==n&&(l[c]="none",Y.set(r,"display",n)));for(c=0;c<f;c++)null!=l[c]&&(e[c].style.display=l[c]);return e}S.fn.extend({show:function(){return le(this,!0)},hide:function(){return le(this)},toggle:function(e){return"boolean"==typeof e?e?this.show():this.hide():this.each(function(){ae(this)?S(this).show():S(this).hide()})}});var ce,fe,pe=/^(?:checkbox|radio)$/i,de=/<([a-z][^\/\0>\x20\t\r\n\f]*)/i,he=/^$|^module$|\/(?:java|ecma)script/i;ce=E.createDocumentFragment().appendChild(E.createElement("div")),(fe=E.createElement("input")).setAttribute("type","radio"),fe.setAttribute("checked","checked"),fe.setAttribute("name","t"),ce.appendChild(fe),y.checkClone=ce.cloneNode(!0).cloneNode(!0).lastChild.checked,ce.innerHTML="<textarea>x</textarea>",y.noCloneChecked=!!ce.cloneNode(!0).lastChild.defaultValue,ce.innerHTML="<option></option>",y.option=!!ce.lastChild;var ge={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,"",""]};function ve(e,t){var n;return n="undefined"!=typeof e.getElementsByTagName?e.getElementsByTagName(t||"*"):"undefined"!=typeof e.querySelectorAll?e.querySelectorAll(t||"*"):[],void 0===t||t&&A(e,t)?S.merge([e],n):n}function ye(e,t){for(var n=0,r=e.length;n<r;n++)Y.set(e[n],"globalEval",!t||Y.get(t[n],"globalEval"))}ge.tbody=ge.tfoot=ge.colgroup=ge.caption=ge.thead,ge.th=ge.td,y.option||(ge.optgroup=ge.option=[1,"<select multiple='multiple'>","</select>"]);var me=/<|&#?\w+;/;function xe(e,t,n,r,i){for(var o,a,s,u,l,c,f=t.createDocumentFragment(),p=[],d=0,h=e.length;d<h;d++)if((o=e[d])||0===o)if("object"===w(o))S.merge(p,o.nodeType?[o]:o);else if(me.test(o)){a=a||f.appendChild(t.createElement("div")),s=(de.exec(o)||["",""])[1].toLowerCase(),u=ge[s]||ge._default,a.innerHTML=u[1]+S.htmlPrefilter(o)+u[2],c=u[0];while(c--)a=a.lastChild;S.merge(p,a.childNodes),(a=f.firstChild).textContent=""}else p.push(t.createTextNode(o));f.textContent="",d=0;while(o=p[d++])if(r&&-1<S.inArray(o,r))i&&i.push(o);else if(l=ie(o),a=ve(f.appendChild(o),"script"),l&&ye(a),n){c=0;while(o=a[c++])he.test(o.type||"")&&n.push(o)}return f}var be=/^key/,we=/^(?:mouse|pointer|contextmenu|drag|drop)|click/,Te=/^([^.]*)(?:\.(.+)|)/;function Ce(){return!0}function Ee(){return!1}function Se(e,t){return e===function(){try{return E.activeElement}catch(e){}}()==("focus"===t)}function ke(e,t,n,r,i,o){var a,s;if("object"==typeof t){for(s in"string"!=typeof n&&(r=r||n,n=void 0),t)ke(e,s,n,r,t[s],o);return e}if(null==r&&null==i?(i=n,r=n=void 0):null==i&&("string"==typeof n?(i=r,r=void 0):(i=r,r=n,n=void 0)),!1===i)i=Ee;else if(!i)return e;return 1===o&&(a=i,(i=function(e){return S().off(e),a.apply(this,arguments)}).guid=a.guid||(a.guid=S.guid++)),e.each(function(){S.event.add(this,t,i,r,n)})}function Ae(e,i,o){o?(Y.set(e,i,!1),S.event.add(e,i,{namespace:!1,handler:function(e){var t,n,r=Y.get(this,i);if(1&e.isTrigger&&this[i]){if(r.length)(S.event.special[i]||{}).delegateType&&e.stopPropagation();else if(r=s.call(arguments),Y.set(this,i,r),t=o(this,i),this[i](),r!==(n=Y.get(this,i))||t?Y.set(this,i,!1):n={},r!==n)return e.stopImmediatePropagation(),e.preventDefault(),n.value}else r.length&&(Y.set(this,i,{value:S.event.trigger(S.extend(r[0],S.Event.prototype),r.slice(1),this)}),e.stopImmediatePropagation())}})):void 0===Y.get(e,i)&&S.event.add(e,i,Ce)}S.event={global:{},add:function(t,e,n,r,i){var o,a,s,u,l,c,f,p,d,h,g,v=Y.get(t);if(V(t)){n.handler&&(n=(o=n).handler,i=o.selector),i&&S.find.matchesSelector(re,i),n.guid||(n.guid=S.guid++),(u=v.events)||(u=v.events=Object.create(null)),(a=v.handle)||(a=v.handle=function(e){return"undefined"!=typeof S&&S.event.triggered!==e.type?S.event.dispatch.apply(t,arguments):void 0}),l=(e=(e||"").match(P)||[""]).length;while(l--)d=g=(s=Te.exec(e[l])||[])[1],h=(s[2]||"").split(".").sort(),d&&(f=S.event.special[d]||{},d=(i?f.delegateType:f.bindType)||d,f=S.event.special[d]||{},c=S.extend({type:d,origType:g,data:r,handler:n,guid:n.guid,selector:i,needsContext:i&&S.expr.match.needsContext.test(i),namespace:h.join(".")},o),(p=u[d])||((p=u[d]=[]).delegateCount=0,f.setup&&!1!==f.setup.call(t,r,h,a)||t.addEventListener&&t.addEventListener(d,a)),f.add&&(f.add.call(t,c),c.handler.guid||(c.handler.guid=n.guid)),i?p.splice(p.delegateCount++,0,c):p.push(c),S.event.global[d]=!0)}},remove:function(e,t,n,r,i){var o,a,s,u,l,c,f,p,d,h,g,v=Y.hasData(e)&&Y.get(e);if(v&&(u=v.events)){l=(t=(t||"").match(P)||[""]).length;while(l--)if(d=g=(s=Te.exec(t[l])||[])[1],h=(s[2]||"").split(".").sort(),d){f=S.event.special[d]||{},p=u[d=(r?f.delegateType:f.bindType)||d]||[],s=s[2]&&new RegExp("(^|\\.)"+h.join("\\.(?:.*\\.|)")+"(\\.|$)"),a=o=p.length;while(o--)c=p[o],!i&&g!==c.origType||n&&n.guid!==c.guid||s&&!s.test(c.namespace)||r&&r!==c.selector&&("**"!==r||!c.selector)||(p.splice(o,1),c.selector&&p.delegateCount--,f.remove&&f.remove.call(e,c));a&&!p.length&&(f.teardown&&!1!==f.teardown.call(e,h,v.handle)||S.removeEvent(e,d,v.handle),delete u[d])}else for(d in u)S.event.remove(e,d+t[l],n,r,!0);S.isEmptyObject(u)&&Y.remove(e,"handle events")}},dispatch:function(e){var t,n,r,i,o,a,s=new Array(arguments.length),u=S.event.fix(e),l=(Y.get(this,"events")||Object.create(null))[u.type]||[],c=S.event.special[u.type]||{};for(s[0]=u,t=1;t<arguments.length;t++)s[t]=arguments[t];if(u.delegateTarget=this,!c.preDispatch||!1!==c.preDispatch.call(this,u)){a=S.event.handlers.call(this,u,l),t=0;while((i=a[t++])&&!u.isPropagationStopped()){u.currentTarget=i.elem,n=0;while((o=i.handlers[n++])&&!u.isImmediatePropagationStopped())u.rnamespace&&!1!==o.namespace&&!u.rnamespace.test(o.namespace)||(u.handleObj=o,u.data=o.data,void 0!==(r=((S.event.special[o.origType]||{}).handle||o.handler).apply(i.elem,s))&&!1===(u.result=r)&&(u.preventDefault(),u.stopPropagation()))}return c.postDispatch&&c.postDispatch.call(this,u),u.result}},handlers:function(e,t){var n,r,i,o,a,s=[],u=t.delegateCount,l=e.target;if(u&&l.nodeType&&!("click"===e.type&&1<=e.button))for(;l!==this;l=l.parentNode||this)if(1===l.nodeType&&("click"!==e.type||!0!==l.disabled)){for(o=[],a={},n=0;n<u;n++)void 0===a[i=(r=t[n]).selector+" "]&&(a[i]=r.needsContext?-1<S(i,this).index(l):S.find(i,this,null,[l]).length),a[i]&&o.push(r);o.length&&s.push({elem:l,handlers:o})}return l=this,u<t.length&&s.push({elem:l,handlers:t.slice(u)}),s},addProp:function(t,e){Object.defineProperty(S.Event.prototype,t,{enumerable:!0,configurable:!0,get:m(e)?function(){if(this.originalEvent)return e(this.originalEvent)}:function(){if(this.originalEvent)return this.originalEvent[t]},set:function(e){Object.defineProperty(this,t,{enumerable:!0,configurable:!0,writable:!0,value:e})}})},fix:function(e){return e[S.expando]?e:new S.Event(e)},special:{load:{noBubble:!0},click:{setup:function(e){var t=this||e;return pe.test(t.type)&&t.click&&A(t,"input")&&Ae(t,"click",Ce),!1},trigger:function(e){var t=this||e;return pe.test(t.type)&&t.click&&A(t,"input")&&Ae(t,"click"),!0},_default:function(e){var t=e.target;return pe.test(t.type)&&t.click&&A(t,"input")&&Y.get(t,"click")||A(t,"a")}},beforeunload:{postDispatch:function(e){void 0!==e.result&&e.originalEvent&&(e.originalEvent.returnValue=e.result)}}}},S.removeEvent=function(e,t,n){e.removeEventListener&&e.removeEventListener(t,n)},S.Event=function(e,t){if(!(this instanceof S.Event))return new S.Event(e,t);e&&e.type?(this.originalEvent=e,this.type=e.type,this.isDefaultPrevented=e.defaultPrevented||void 0===e.defaultPrevented&&!1===e.returnValue?Ce:Ee,this.target=e.target&&3===e.target.nodeType?e.target.parentNode:e.target,this.currentTarget=e.currentTarget,this.relatedTarget=e.relatedTarget):this.type=e,t&&S.extend(this,t),this.timeStamp=e&&e.timeStamp||Date.now(),this[S.expando]=!0},S.Event.prototype={constructor:S.Event,isDefaultPrevented:Ee,isPropagationStopped:Ee,isImmediatePropagationStopped:Ee,isSimulated:!1,preventDefault:function(){var e=this.originalEvent;this.isDefaultPrevented=Ce,e&&!this.isSimulated&&e.preventDefault()},stopPropagation:function(){var e=this.originalEvent;this.isPropagationStopped=Ce,e&&!this.isSimulated&&e.stopPropagation()},stopImmediatePropagation:function(){var e=this.originalEvent;this.isImmediatePropagationStopped=Ce,e&&!this.isSimulated&&e.stopImmediatePropagation(),this.stopPropagation()}},S.each({altKey:!0,bubbles:!0,cancelable:!0,changedTouches:!0,ctrlKey:!0,detail:!0,eventPhase:!0,metaKey:!0,pageX:!0,pageY:!0,shiftKey:!0,view:!0,"char":!0,code:!0,charCode:!0,key:!0,keyCode:!0,button:!0,buttons:!0,clientX:!0,clientY:!0,offsetX:!0,offsetY:!0,pointerId:!0,pointerType:!0,screenX:!0,screenY:!0,targetTouches:!0,toElement:!0,touches:!0,which:function(e){var t=e.button;return null==e.which&&be.test(e.type)?null!=e.charCode?e.charCode:e.keyCode:!e.which&&void 0!==t&&we.test(e.type)?1&t?1:2&t?3:4&t?2:0:e.which}},S.event.addProp),S.each({focus:"focusin",blur:"focusout"},function(e,t){S.event.special[e]={setup:function(){return Ae(this,e,Se),!1},trigger:function(){return Ae(this,e),!0},delegateType:t}}),S.each({mouseenter:"mouseover",mouseleave:"mouseout",pointerenter:"pointerover",pointerleave:"pointerout"},function(e,i){S.event.special[e]={delegateType:i,bindType:i,handle:function(e){var t,n=e.relatedTarget,r=e.handleObj;return n&&(n===this||S.contains(this,n))||(e.type=r.origType,t=r.handler.apply(this,arguments),e.type=i),t}}}),S.fn.extend({on:function(e,t,n,r){return ke(this,e,t,n,r)},one:function(e,t,n,r){return ke(this,e,t,n,r,1)},off:function(e,t,n){var r,i;if(e&&e.preventDefault&&e.handleObj)return r=e.handleObj,S(e.delegateTarget).off(r.namespace?r.origType+"."+r.namespace:r.origType,r.selector,r.handler),this;if("object"==typeof e){for(i in e)this.off(i,t,e[i]);return this}return!1!==t&&"function"!=typeof t||(n=t,t=void 0),!1===n&&(n=Ee),this.each(function(){S.event.remove(this,e,n,t)})}});var Ne=/<script|<style|<link/i,De=/checked\s*(?:[^=]|=\s*.checked.)/i,je=/^\s*<!(?:\[CDATA\[|--)|(?:\]\]|--)>\s*$/g;function qe(e,t){return A(e,"table")&&A(11!==t.nodeType?t:t.firstChild,"tr")&&S(e).children("tbody")[0]||e}function Le(e){return e.type=(null!==e.getAttribute("type"))+"/"+e.type,e}function He(e){return"true/"===(e.type||"").slice(0,5)?e.type=e.type.slice(5):e.removeAttribute("type"),e}function Oe(e,t){var n,r,i,o,a,s;if(1===t.nodeType){if(Y.hasData(e)&&(s=Y.get(e).events))for(i in Y.remove(t,"handle events"),s)for(n=0,r=s[i].length;n<r;n++)S.event.add(t,i,s[i][n]);Q.hasData(e)&&(o=Q.access(e),a=S.extend({},o),Q.set(t,a))}}function Pe(n,r,i,o){r=g(r);var e,t,a,s,u,l,c=0,f=n.length,p=f-1,d=r[0],h=m(d);if(h||1<f&&"string"==typeof d&&!y.checkClone&&De.test(d))return n.each(function(e){var t=n.eq(e);h&&(r[0]=d.call(this,e,t.html())),Pe(t,r,i,o)});if(f&&(t=(e=xe(r,n[0].ownerDocument,!1,n,o)).firstChild,1===e.childNodes.length&&(e=t),t||o)){for(s=(a=S.map(ve(e,"script"),Le)).length;c<f;c++)u=e,c!==p&&(u=S.clone(u,!0,!0),s&&S.merge(a,ve(u,"script"))),i.call(n[c],u,c);if(s)for(l=a[a.length-1].ownerDocument,S.map(a,He),c=0;c<s;c++)u=a[c],he.test(u.type||"")&&!Y.access(u,"globalEval")&&S.contains(l,u)&&(u.src&&"module"!==(u.type||"").toLowerCase()?S._evalUrl&&!u.noModule&&S._evalUrl(u.src,{nonce:u.nonce||u.getAttribute("nonce")},l):b(u.textContent.replace(je,""),u,l))}return n}function Re(e,t,n){for(var r,i=t?S.filter(t,e):e,o=0;null!=(r=i[o]);o++)n||1!==r.nodeType||S.cleanData(ve(r)),r.parentNode&&(n&&ie(r)&&ye(ve(r,"script")),r.parentNode.removeChild(r));return e}S.extend({htmlPrefilter:function(e){return e},clone:function(e,t,n){var r,i,o,a,s,u,l,c=e.cloneNode(!0),f=ie(e);if(!(y.noCloneChecked||1!==e.nodeType&&11!==e.nodeType||S.isXMLDoc(e)))for(a=ve(c),r=0,i=(o=ve(e)).length;r<i;r++)s=o[r],u=a[r],void 0,"input"===(l=u.nodeName.toLowerCase())&&pe.test(s.type)?u.checked=s.checked:"input"!==l&&"textarea"!==l||(u.defaultValue=s.defaultValue);if(t)if(n)for(o=o||ve(e),a=a||ve(c),r=0,i=o.length;r<i;r++)Oe(o[r],a[r]);else Oe(e,c);return 0<(a=ve(c,"script")).length&&ye(a,!f&&ve(e,"script")),c},cleanData:function(e){for(var t,n,r,i=S.event.special,o=0;void 0!==(n=e[o]);o++)if(V(n)){if(t=n[Y.expando]){if(t.events)for(r in t.events)i[r]?S.event.remove(n,r):S.removeEvent(n,r,t.handle);n[Y.expando]=void 0}n[Q.expando]&&(n[Q.expando]=void 0)}}}),S.fn.extend({detach:function(e){return Re(this,e,!0)},remove:function(e){return Re(this,e)},text:function(e){return $(this,function(e){return void 0===e?S.text(this):this.empty().each(function(){1!==this.nodeType&&11!==this.nodeType&&9!==this.nodeType||(this.textContent=e)})},null,e,arguments.length)},append:function(){return Pe(this,arguments,function(e){1!==this.nodeType&&11!==this.nodeType&&9!==this.nodeType||qe(this,e).appendChild(e)})},prepend:function(){return Pe(this,arguments,function(e){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var t=qe(this,e);t.insertBefore(e,t.firstChild)}})},before:function(){return Pe(this,arguments,function(e){this.parentNode&&this.parentNode.insertBefore(e,this)})},after:function(){return Pe(this,arguments,function(e){this.parentNode&&this.parentNode.insertBefore(e,this.nextSibling)})},empty:function(){for(var e,t=0;null!=(e=this[t]);t++)1===e.nodeType&&(S.cleanData(ve(e,!1)),e.textContent="");return this},clone:function(e,t){return e=null!=e&&e,t=null==t?e:t,this.map(function(){return S.clone(this,e,t)})},html:function(e){return $(this,function(e){var t=this[0]||{},n=0,r=this.length;if(void 0===e&&1===t.nodeType)return t.innerHTML;if("string"==typeof e&&!Ne.test(e)&&!ge[(de.exec(e)||["",""])[1].toLowerCase()]){e=S.htmlPrefilter(e);try{for(;n<r;n++)1===(t=this[n]||{}).nodeType&&(S.cleanData(ve(t,!1)),t.innerHTML=e);t=0}catch(e){}}t&&this.empty().append(e)},null,e,arguments.length)},replaceWith:function(){var n=[];return Pe(this,arguments,function(e){var t=this.parentNode;S.inArray(this,n)<0&&(S.cleanData(ve(this)),t&&t.replaceChild(e,this))},n)}}),S.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(e,a){S.fn[e]=function(e){for(var t,n=[],r=S(e),i=r.length-1,o=0;o<=i;o++)t=o===i?this:this.clone(!0),S(r[o])[a](t),u.apply(n,t.get());return this.pushStack(n)}});var Me=new RegExp("^("+ee+")(?!px)[a-z%]+$","i"),Ie=function(e){var t=e.ownerDocument.defaultView;return t&&t.opener||(t=C),t.getComputedStyle(e)},We=function(e,t,n){var r,i,o={};for(i in t)o[i]=e.style[i],e.style[i]=t[i];for(i in r=n.call(e),t)e.style[i]=o[i];return r},Fe=new RegExp(ne.join("|"),"i");function Be(e,t,n){var r,i,o,a,s=e.style;return(n=n||Ie(e))&&(""!==(a=n.getPropertyValue(t)||n[t])||ie(e)||(a=S.style(e,t)),!y.pixelBoxStyles()&&Me.test(a)&&Fe.test(t)&&(r=s.width,i=s.minWidth,o=s.maxWidth,s.minWidth=s.maxWidth=s.width=a,a=n.width,s.width=r,s.minWidth=i,s.maxWidth=o)),void 0!==a?a+"":a}function $e(e,t){return{get:function(){if(!e())return(this.get=t).apply(this,arguments);delete this.get}}}!function(){function e(){if(l){u.style.cssText="position:absolute;left:-11111px;width:60px;margin-top:1px;padding:0;border:0",l.style.cssText="position:relative;display:block;box-sizing:border-box;overflow:scroll;margin:auto;border:1px;padding:1px;width:60%;top:1%",re.appendChild(u).appendChild(l);var e=C.getComputedStyle(l);n="1%"!==e.top,s=12===t(e.marginLeft),l.style.right="60%",o=36===t(e.right),r=36===t(e.width),l.style.position="absolute",i=12===t(l.offsetWidth/3),re.removeChild(u),l=null}}function t(e){return Math.round(parseFloat(e))}var n,r,i,o,a,s,u=E.createElement("div"),l=E.createElement("div");l.style&&(l.style.backgroundClip="content-box",l.cloneNode(!0).style.backgroundClip="",y.clearCloneStyle="content-box"===l.style.backgroundClip,S.extend(y,{boxSizingReliable:function(){return e(),r},pixelBoxStyles:function(){return e(),o},pixelPosition:function(){return e(),n},reliableMarginLeft:function(){return e(),s},scrollboxSize:function(){return e(),i},reliableTrDimensions:function(){var e,t,n,r;return null==a&&(e=E.createElement("table"),t=E.createElement("tr"),n=E.createElement("div"),e.style.cssText="position:absolute;left:-11111px",t.style.height="1px",n.style.height="9px",re.appendChild(e).appendChild(t).appendChild(n),r=C.getComputedStyle(t),a=3<parseInt(r.height),re.removeChild(e)),a}}))}();var _e=["Webkit","Moz","ms"],ze=E.createElement("div").style,Ue={};function Xe(e){var t=S.cssProps[e]||Ue[e];return t||(e in ze?e:Ue[e]=function(e){var t=e[0].toUpperCase()+e.slice(1),n=_e.length;while(n--)if((e=_e[n]+t)in ze)return e}(e)||e)}var Ve=/^(none|table(?!-c[ea]).+)/,Ge=/^--/,Ye={position:"absolute",visibility:"hidden",display:"block"},Qe={letterSpacing:"0",fontWeight:"400"};function Je(e,t,n){var r=te.exec(t);return r?Math.max(0,r[2]-(n||0))+(r[3]||"px"):t}function Ke(e,t,n,r,i,o){var a="width"===t?1:0,s=0,u=0;if(n===(r?"border":"content"))return 0;for(;a<4;a+=2)"margin"===n&&(u+=S.css(e,n+ne[a],!0,i)),r?("content"===n&&(u-=S.css(e,"padding"+ne[a],!0,i)),"margin"!==n&&(u-=S.css(e,"border"+ne[a]+"Width",!0,i))):(u+=S.css(e,"padding"+ne[a],!0,i),"padding"!==n?u+=S.css(e,"border"+ne[a]+"Width",!0,i):s+=S.css(e,"border"+ne[a]+"Width",!0,i));return!r&&0<=o&&(u+=Math.max(0,Math.ceil(e["offset"+t[0].toUpperCase()+t.slice(1)]-o-u-s-.5))||0),u}function Ze(e,t,n){var r=Ie(e),i=(!y.boxSizingReliable()||n)&&"border-box"===S.css(e,"boxSizing",!1,r),o=i,a=Be(e,t,r),s="offset"+t[0].toUpperCase()+t.slice(1);if(Me.test(a)){if(!n)return a;a="auto"}return(!y.boxSizingReliable()&&i||!y.reliableTrDimensions()&&A(e,"tr")||"auto"===a||!parseFloat(a)&&"inline"===S.css(e,"display",!1,r))&&e.getClientRects().length&&(i="border-box"===S.css(e,"boxSizing",!1,r),(o=s in e)&&(a=e[s])),(a=parseFloat(a)||0)+Ke(e,t,n||(i?"border":"content"),o,r,a)+"px"}function et(e,t,n,r,i){return new et.prototype.init(e,t,n,r,i)}S.extend({cssHooks:{opacity:{get:function(e,t){if(t){var n=Be(e,"opacity");return""===n?"1":n}}}},cssNumber:{animationIterationCount:!0,columnCount:!0,fillOpacity:!0,flexGrow:!0,flexShrink:!0,fontWeight:!0,gridArea:!0,gridColumn:!0,gridColumnEnd:!0,gridColumnStart:!0,gridRow:!0,gridRowEnd:!0,gridRowStart:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,widows:!0,zIndex:!0,zoom:!0},cssProps:{},style:function(e,t,n,r){if(e&&3!==e.nodeType&&8!==e.nodeType&&e.style){var i,o,a,s=X(t),u=Ge.test(t),l=e.style;if(u||(t=Xe(s)),a=S.cssHooks[t]||S.cssHooks[s],void 0===n)return a&&"get"in a&&void 0!==(i=a.get(e,!1,r))?i:l[t];"string"===(o=typeof n)&&(i=te.exec(n))&&i[1]&&(n=se(e,t,i),o="number"),null!=n&&n==n&&("number"!==o||u||(n+=i&&i[3]||(S.cssNumber[s]?"":"px")),y.clearCloneStyle||""!==n||0!==t.indexOf("background")||(l[t]="inherit"),a&&"set"in a&&void 0===(n=a.set(e,n,r))||(u?l.setProperty(t,n):l[t]=n))}},css:function(e,t,n,r){var i,o,a,s=X(t);return Ge.test(t)||(t=Xe(s)),(a=S.cssHooks[t]||S.cssHooks[s])&&"get"in a&&(i=a.get(e,!0,n)),void 0===i&&(i=Be(e,t,r)),"normal"===i&&t in Qe&&(i=Qe[t]),""===n||n?(o=parseFloat(i),!0===n||isFinite(o)?o||0:i):i}}),S.each(["height","width"],function(e,u){S.cssHooks[u]={get:function(e,t,n){if(t)return!Ve.test(S.css(e,"display"))||e.getClientRects().length&&e.getBoundingClientRect().width?Ze(e,u,n):We(e,Ye,function(){return Ze(e,u,n)})},set:function(e,t,n){var r,i=Ie(e),o=!y.scrollboxSize()&&"absolute"===i.position,a=(o||n)&&"border-box"===S.css(e,"boxSizing",!1,i),s=n?Ke(e,u,n,a,i):0;return a&&o&&(s-=Math.ceil(e["offset"+u[0].toUpperCase()+u.slice(1)]-parseFloat(i[u])-Ke(e,u,"border",!1,i)-.5)),s&&(r=te.exec(t))&&"px"!==(r[3]||"px")&&(e.style[u]=t,t=S.css(e,u)),Je(0,t,s)}}}),S.cssHooks.marginLeft=$e(y.reliableMarginLeft,function(e,t){if(t)return(parseFloat(Be(e,"marginLeft"))||e.getBoundingClientRect().left-We(e,{marginLeft:0},function(){return e.getBoundingClientRect().left}))+"px"}),S.each({margin:"",padding:"",border:"Width"},function(i,o){S.cssHooks[i+o]={expand:function(e){for(var t=0,n={},r="string"==typeof e?e.split(" "):[e];t<4;t++)n[i+ne[t]+o]=r[t]||r[t-2]||r[0];return n}},"margin"!==i&&(S.cssHooks[i+o].set=Je)}),S.fn.extend({css:function(e,t){return $(this,function(e,t,n){var r,i,o={},a=0;if(Array.isArray(t)){for(r=Ie(e),i=t.length;a<i;a++)o[t[a]]=S.css(e,t[a],!1,r);return o}return void 0!==n?S.style(e,t,n):S.css(e,t)},e,t,1<arguments.length)}}),((S.Tween=et).prototype={constructor:et,init:function(e,t,n,r,i,o){this.elem=e,this.prop=n,this.easing=i||S.easing._default,this.options=t,this.start=this.now=this.cur(),this.end=r,this.unit=o||(S.cssNumber[n]?"":"px")},cur:function(){var e=et.propHooks[this.prop];return e&&e.get?e.get(this):et.propHooks._default.get(this)},run:function(e){var t,n=et.propHooks[this.prop];return this.options.duration?this.pos=t=S.easing[this.easing](e,this.options.duration*e,0,1,this.options.duration):this.pos=t=e,this.now=(this.end-this.start)*t+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),n&&n.set?n.set(this):et.propHooks._default.set(this),this}}).init.prototype=et.prototype,(et.propHooks={_default:{get:function(e){var t;return 1!==e.elem.nodeType||null!=e.elem[e.prop]&&null==e.elem.style[e.prop]?e.elem[e.prop]:(t=S.css(e.elem,e.prop,""))&&"auto"!==t?t:0},set:function(e){S.fx.step[e.prop]?S.fx.step[e.prop](e):1!==e.elem.nodeType||!S.cssHooks[e.prop]&&null==e.elem.style[Xe(e.prop)]?e.elem[e.prop]=e.now:S.style(e.elem,e.prop,e.now+e.unit)}}}).scrollTop=et.propHooks.scrollLeft={set:function(e){e.elem.nodeType&&e.elem.parentNode&&(e.elem[e.prop]=e.now)}},S.easing={linear:function(e){return e},swing:function(e){return.5-Math.cos(e*Math.PI)/2},_default:"swing"},S.fx=et.prototype.init,S.fx.step={};var tt,nt,rt,it,ot=/^(?:toggle|show|hide)$/,at=/queueHooks$/;function st(){nt&&(!1===E.hidden&&C.requestAnimationFrame?C.requestAnimationFrame(st):C.setTimeout(st,S.fx.interval),S.fx.tick())}function ut(){return C.setTimeout(function(){tt=void 0}),tt=Date.now()}function lt(e,t){var n,r=0,i={height:e};for(t=t?1:0;r<4;r+=2-t)i["margin"+(n=ne[r])]=i["padding"+n]=e;return t&&(i.opacity=i.width=e),i}function ct(e,t,n){for(var r,i=(ft.tweeners[t]||[]).concat(ft.tweeners["*"]),o=0,a=i.length;o<a;o++)if(r=i[o].call(n,t,e))return r}function ft(o,e,t){var n,a,r=0,i=ft.prefilters.length,s=S.Deferred().always(function(){delete u.elem}),u=function(){if(a)return!1;for(var e=tt||ut(),t=Math.max(0,l.startTime+l.duration-e),n=1-(t/l.duration||0),r=0,i=l.tweens.length;r<i;r++)l.tweens[r].run(n);return s.notifyWith(o,[l,n,t]),n<1&&i?t:(i||s.notifyWith(o,[l,1,0]),s.resolveWith(o,[l]),!1)},l=s.promise({elem:o,props:S.extend({},e),opts:S.extend(!0,{specialEasing:{},easing:S.easing._default},t),originalProperties:e,originalOptions:t,startTime:tt||ut(),duration:t.duration,tweens:[],createTween:function(e,t){var n=S.Tween(o,l.opts,e,t,l.opts.specialEasing[e]||l.opts.easing);return l.tweens.push(n),n},stop:function(e){var t=0,n=e?l.tweens.length:0;if(a)return this;for(a=!0;t<n;t++)l.tweens[t].run(1);return e?(s.notifyWith(o,[l,1,0]),s.resolveWith(o,[l,e])):s.rejectWith(o,[l,e]),this}}),c=l.props;for(!function(e,t){var n,r,i,o,a;for(n in e)if(i=t[r=X(n)],o=e[n],Array.isArray(o)&&(i=o[1],o=e[n]=o[0]),n!==r&&(e[r]=o,delete e[n]),(a=S.cssHooks[r])&&"expand"in a)for(n in o=a.expand(o),delete e[r],o)n in e||(e[n]=o[n],t[n]=i);else t[r]=i}(c,l.opts.specialEasing);r<i;r++)if(n=ft.prefilters[r].call(l,o,c,l.opts))return m(n.stop)&&(S._queueHooks(l.elem,l.opts.queue).stop=n.stop.bind(n)),n;return S.map(c,ct,l),m(l.opts.start)&&l.opts.start.call(o,l),l.progress(l.opts.progress).done(l.opts.done,l.opts.complete).fail(l.opts.fail).always(l.opts.always),S.fx.timer(S.extend(u,{elem:o,anim:l,queue:l.opts.queue})),l}S.Animation=S.extend(ft,{tweeners:{"*":[function(e,t){var n=this.createTween(e,t);return se(n.elem,e,te.exec(t),n),n}]},tweener:function(e,t){m(e)?(t=e,e=["*"]):e=e.match(P);for(var n,r=0,i=e.length;r<i;r++)n=e[r],ft.tweeners[n]=ft.tweeners[n]||[],ft.tweeners[n].unshift(t)},prefilters:[function(e,t,n){var r,i,o,a,s,u,l,c,f="width"in t||"height"in t,p=this,d={},h=e.style,g=e.nodeType&&ae(e),v=Y.get(e,"fxshow");for(r in n.queue||(null==(a=S._queueHooks(e,"fx")).unqueued&&(a.unqueued=0,s=a.empty.fire,a.empty.fire=function(){a.unqueued||s()}),a.unqueued++,p.always(function(){p.always(function(){a.unqueued--,S.queue(e,"fx").length||a.empty.fire()})})),t)if(i=t[r],ot.test(i)){if(delete t[r],o=o||"toggle"===i,i===(g?"hide":"show")){if("show"!==i||!v||void 0===v[r])continue;g=!0}d[r]=v&&v[r]||S.style(e,r)}if((u=!S.isEmptyObject(t))||!S.isEmptyObject(d))for(r in f&&1===e.nodeType&&(n.overflow=[h.overflow,h.overflowX,h.overflowY],null==(l=v&&v.display)&&(l=Y.get(e,"display")),"none"===(c=S.css(e,"display"))&&(l?c=l:(le([e],!0),l=e.style.display||l,c=S.css(e,"display"),le([e]))),("inline"===c||"inline-block"===c&&null!=l)&&"none"===S.css(e,"float")&&(u||(p.done(function(){h.display=l}),null==l&&(c=h.display,l="none"===c?"":c)),h.display="inline-block")),n.overflow&&(h.overflow="hidden",p.always(function(){h.overflow=n.overflow[0],h.overflowX=n.overflow[1],h.overflowY=n.overflow[2]})),u=!1,d)u||(v?"hidden"in v&&(g=v.hidden):v=Y.access(e,"fxshow",{display:l}),o&&(v.hidden=!g),g&&le([e],!0),p.done(function(){for(r in g||le([e]),Y.remove(e,"fxshow"),d)S.style(e,r,d[r])})),u=ct(g?v[r]:0,r,p),r in v||(v[r]=u.start,g&&(u.end=u.start,u.start=0))}],prefilter:function(e,t){t?ft.prefilters.unshift(e):ft.prefilters.push(e)}}),S.speed=function(e,t,n){var r=e&&"object"==typeof e?S.extend({},e):{complete:n||!n&&t||m(e)&&e,duration:e,easing:n&&t||t&&!m(t)&&t};return S.fx.off?r.duration=0:"number"!=typeof r.duration&&(r.duration in S.fx.speeds?r.duration=S.fx.speeds[r.duration]:r.duration=S.fx.speeds._default),null!=r.queue&&!0!==r.queue||(r.queue="fx"),r.old=r.complete,r.complete=function(){m(r.old)&&r.old.call(this),r.queue&&S.dequeue(this,r.queue)},r},S.fn.extend({fadeTo:function(e,t,n,r){return this.filter(ae).css("opacity",0).show().end().animate({opacity:t},e,n,r)},animate:function(t,e,n,r){var i=S.isEmptyObject(t),o=S.speed(e,n,r),a=function(){var e=ft(this,S.extend({},t),o);(i||Y.get(this,"finish"))&&e.stop(!0)};return a.finish=a,i||!1===o.queue?this.each(a):this.queue(o.queue,a)},stop:function(i,e,o){var a=function(e){var t=e.stop;delete e.stop,t(o)};return"string"!=typeof i&&(o=e,e=i,i=void 0),e&&this.queue(i||"fx",[]),this.each(function(){var e=!0,t=null!=i&&i+"queueHooks",n=S.timers,r=Y.get(this);if(t)r[t]&&r[t].stop&&a(r[t]);else for(t in r)r[t]&&r[t].stop&&at.test(t)&&a(r[t]);for(t=n.length;t--;)n[t].elem!==this||null!=i&&n[t].queue!==i||(n[t].anim.stop(o),e=!1,n.splice(t,1));!e&&o||S.dequeue(this,i)})},finish:function(a){return!1!==a&&(a=a||"fx"),this.each(function(){var e,t=Y.get(this),n=t[a+"queue"],r=t[a+"queueHooks"],i=S.timers,o=n?n.length:0;for(t.finish=!0,S.queue(this,a,[]),r&&r.stop&&r.stop.call(this,!0),e=i.length;e--;)i[e].elem===this&&i[e].queue===a&&(i[e].anim.stop(!0),i.splice(e,1));for(e=0;e<o;e++)n[e]&&n[e].finish&&n[e].finish.call(this);delete t.finish})}}),S.each(["toggle","show","hide"],function(e,r){var i=S.fn[r];S.fn[r]=function(e,t,n){return null==e||"boolean"==typeof e?i.apply(this,arguments):this.animate(lt(r,!0),e,t,n)}}),S.each({slideDown:lt("show"),slideUp:lt("hide"),slideToggle:lt("toggle"),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"},fadeToggle:{opacity:"toggle"}},function(e,r){S.fn[e]=function(e,t,n){return this.animate(r,e,t,n)}}),S.timers=[],S.fx.tick=function(){var e,t=0,n=S.timers;for(tt=Date.now();t<n.length;t++)(e=n[t])()||n[t]!==e||n.splice(t--,1);n.length||S.fx.stop(),tt=void 0},S.fx.timer=function(e){S.timers.push(e),S.fx.start()},S.fx.interval=13,S.fx.start=function(){nt||(nt=!0,st())},S.fx.stop=function(){nt=null},S.fx.speeds={slow:600,fast:200,_default:400},S.fn.delay=function(r,e){return r=S.fx&&S.fx.speeds[r]||r,e=e||"fx",this.queue(e,function(e,t){var n=C.setTimeout(e,r);t.stop=function(){C.clearTimeout(n)}})},rt=E.createElement("input"),it=E.createElement("select").appendChild(E.createElement("option")),rt.type="checkbox",y.checkOn=""!==rt.value,y.optSelected=it.selected,(rt=E.createElement("input")).value="t",rt.type="radio",y.radioValue="t"===rt.value;var pt,dt=S.expr.attrHandle;S.fn.extend({attr:function(e,t){return $(this,S.attr,e,t,1<arguments.length)},removeAttr:function(e){return this.each(function(){S.removeAttr(this,e)})}}),S.extend({attr:function(e,t,n){var r,i,o=e.nodeType;if(3!==o&&8!==o&&2!==o)return"undefined"==typeof e.getAttribute?S.prop(e,t,n):(1===o&&S.isXMLDoc(e)||(i=S.attrHooks[t.toLowerCase()]||(S.expr.match.bool.test(t)?pt:void 0)),void 0!==n?null===n?void S.removeAttr(e,t):i&&"set"in i&&void 0!==(r=i.set(e,n,t))?r:(e.setAttribute(t,n+""),n):i&&"get"in i&&null!==(r=i.get(e,t))?r:null==(r=S.find.attr(e,t))?void 0:r)},attrHooks:{type:{set:function(e,t){if(!y.radioValue&&"radio"===t&&A(e,"input")){var n=e.value;return e.setAttribute("type",t),n&&(e.value=n),t}}}},removeAttr:function(e,t){var n,r=0,i=t&&t.match(P);if(i&&1===e.nodeType)while(n=i[r++])e.removeAttribute(n)}}),pt={set:function(e,t,n){return!1===t?S.removeAttr(e,n):e.setAttribute(n,n),n}},S.each(S.expr.match.bool.source.match(/\w+/g),function(e,t){var a=dt[t]||S.find.attr;dt[t]=function(e,t,n){var r,i,o=t.toLowerCase();return n||(i=dt[o],dt[o]=r,r=null!=a(e,t,n)?o:null,dt[o]=i),r}});var ht=/^(?:input|select|textarea|button)$/i,gt=/^(?:a|area)$/i;function vt(e){return(e.match(P)||[]).join(" ")}function yt(e){return e.getAttribute&&e.getAttribute("class")||""}function mt(e){return Array.isArray(e)?e:"string"==typeof e&&e.match(P)||[]}S.fn.extend({prop:function(e,t){return $(this,S.prop,e,t,1<arguments.length)},removeProp:function(e){return this.each(function(){delete this[S.propFix[e]||e]})}}),S.extend({prop:function(e,t,n){var r,i,o=e.nodeType;if(3!==o&&8!==o&&2!==o)return 1===o&&S.isXMLDoc(e)||(t=S.propFix[t]||t,i=S.propHooks[t]),void 0!==n?i&&"set"in i&&void 0!==(r=i.set(e,n,t))?r:e[t]=n:i&&"get"in i&&null!==(r=i.get(e,t))?r:e[t]},propHooks:{tabIndex:{get:function(e){var t=S.find.attr(e,"tabindex");return t?parseInt(t,10):ht.test(e.nodeName)||gt.test(e.nodeName)&&e.href?0:-1}}},propFix:{"for":"htmlFor","class":"className"}}),y.optSelected||(S.propHooks.selected={get:function(e){var t=e.parentNode;return t&&t.parentNode&&t.parentNode.selectedIndex,null},set:function(e){var t=e.parentNode;t&&(t.selectedIndex,t.parentNode&&t.parentNode.selectedIndex)}}),S.each(["tabIndex","readOnly","maxLength","cellSpacing","cellPadding","rowSpan","colSpan","useMap","frameBorder","contentEditable"],function(){S.propFix[this.toLowerCase()]=this}),S.fn.extend({addClass:function(t){var e,n,r,i,o,a,s,u=0;if(m(t))return this.each(function(e){S(this).addClass(t.call(this,e,yt(this)))});if((e=mt(t)).length)while(n=this[u++])if(i=yt(n),r=1===n.nodeType&&" "+vt(i)+" "){a=0;while(o=e[a++])r.indexOf(" "+o+" ")<0&&(r+=o+" ");i!==(s=vt(r))&&n.setAttribute("class",s)}return this},removeClass:function(t){var e,n,r,i,o,a,s,u=0;if(m(t))return this.each(function(e){S(this).removeClass(t.call(this,e,yt(this)))});if(!arguments.length)return this.attr("class","");if((e=mt(t)).length)while(n=this[u++])if(i=yt(n),r=1===n.nodeType&&" "+vt(i)+" "){a=0;while(o=e[a++])while(-1<r.indexOf(" "+o+" "))r=r.replace(" "+o+" "," ");i!==(s=vt(r))&&n.setAttribute("class",s)}return this},toggleClass:function(i,t){var o=typeof i,a="string"===o||Array.isArray(i);return"boolean"==typeof t&&a?t?this.addClass(i):this.removeClass(i):m(i)?this.each(function(e){S(this).toggleClass(i.call(this,e,yt(this),t),t)}):this.each(function(){var e,t,n,r;if(a){t=0,n=S(this),r=mt(i);while(e=r[t++])n.hasClass(e)?n.removeClass(e):n.addClass(e)}else void 0!==i&&"boolean"!==o||((e=yt(this))&&Y.set(this,"__className__",e),this.setAttribute&&this.setAttribute("class",e||!1===i?"":Y.get(this,"__className__")||""))})},hasClass:function(e){var t,n,r=0;t=" "+e+" ";while(n=this[r++])if(1===n.nodeType&&-1<(" "+vt(yt(n))+" ").indexOf(t))return!0;return!1}});var xt=/\r/g;S.fn.extend({val:function(n){var r,e,i,t=this[0];return arguments.length?(i=m(n),this.each(function(e){var t;1===this.nodeType&&(null==(t=i?n.call(this,e,S(this).val()):n)?t="":"number"==typeof t?t+="":Array.isArray(t)&&(t=S.map(t,function(e){return null==e?"":e+""})),(r=S.valHooks[this.type]||S.valHooks[this.nodeName.toLowerCase()])&&"set"in r&&void 0!==r.set(this,t,"value")||(this.value=t))})):t?(r=S.valHooks[t.type]||S.valHooks[t.nodeName.toLowerCase()])&&"get"in r&&void 0!==(e=r.get(t,"value"))?e:"string"==typeof(e=t.value)?e.replace(xt,""):null==e?"":e:void 0}}),S.extend({valHooks:{option:{get:function(e){var t=S.find.attr(e,"value");return null!=t?t:vt(S.text(e))}},select:{get:function(e){var t,n,r,i=e.options,o=e.selectedIndex,a="select-one"===e.type,s=a?null:[],u=a?o+1:i.length;for(r=o<0?u:a?o:0;r<u;r++)if(((n=i[r]).selected||r===o)&&!n.disabled&&(!n.parentNode.disabled||!A(n.parentNode,"optgroup"))){if(t=S(n).val(),a)return t;s.push(t)}return s},set:function(e,t){var n,r,i=e.options,o=S.makeArray(t),a=i.length;while(a--)((r=i[a]).selected=-1<S.inArray(S.valHooks.option.get(r),o))&&(n=!0);return n||(e.selectedIndex=-1),o}}}}),S.each(["radio","checkbox"],function(){S.valHooks[this]={set:function(e,t){if(Array.isArray(t))return e.checked=-1<S.inArray(S(e).val(),t)}},y.checkOn||(S.valHooks[this].get=function(e){return null===e.getAttribute("value")?"on":e.value})}),y.focusin="onfocusin"in C;var bt=/^(?:focusinfocus|focusoutblur)$/,wt=function(e){e.stopPropagation()};S.extend(S.event,{trigger:function(e,t,n,r){var i,o,a,s,u,l,c,f,p=[n||E],d=v.call(e,"type")?e.type:e,h=v.call(e,"namespace")?e.namespace.split("."):[];if(o=f=a=n=n||E,3!==n.nodeType&&8!==n.nodeType&&!bt.test(d+S.event.triggered)&&(-1<d.indexOf(".")&&(d=(h=d.split(".")).shift(),h.sort()),u=d.indexOf(":")<0&&"on"+d,(e=e[S.expando]?e:new S.Event(d,"object"==typeof e&&e)).isTrigger=r?2:3,e.namespace=h.join("."),e.rnamespace=e.namespace?new RegExp("(^|\\.)"+h.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,e.result=void 0,e.target||(e.target=n),t=null==t?[e]:S.makeArray(t,[e]),c=S.event.special[d]||{},r||!c.trigger||!1!==c.trigger.apply(n,t))){if(!r&&!c.noBubble&&!x(n)){for(s=c.delegateType||d,bt.test(s+d)||(o=o.parentNode);o;o=o.parentNode)p.push(o),a=o;a===(n.ownerDocument||E)&&p.push(a.defaultView||a.parentWindow||C)}i=0;while((o=p[i++])&&!e.isPropagationStopped())f=o,e.type=1<i?s:c.bindType||d,(l=(Y.get(o,"events")||Object.create(null))[e.type]&&Y.get(o,"handle"))&&l.apply(o,t),(l=u&&o[u])&&l.apply&&V(o)&&(e.result=l.apply(o,t),!1===e.result&&e.preventDefault());return e.type=d,r||e.isDefaultPrevented()||c._default&&!1!==c._default.apply(p.pop(),t)||!V(n)||u&&m(n[d])&&!x(n)&&((a=n[u])&&(n[u]=null),S.event.triggered=d,e.isPropagationStopped()&&f.addEventListener(d,wt),n[d](),e.isPropagationStopped()&&f.removeEventListener(d,wt),S.event.triggered=void 0,a&&(n[u]=a)),e.result}},simulate:function(e,t,n){var r=S.extend(new S.Event,n,{type:e,isSimulated:!0});S.event.trigger(r,null,t)}}),S.fn.extend({trigger:function(e,t){return this.each(function(){S.event.trigger(e,t,this)})},triggerHandler:function(e,t){var n=this[0];if(n)return S.event.trigger(e,t,n,!0)}}),y.focusin||S.each({focus:"focusin",blur:"focusout"},function(n,r){var i=function(e){S.event.simulate(r,e.target,S.event.fix(e))};S.event.special[r]={setup:function(){var e=this.ownerDocument||this.document||this,t=Y.access(e,r);t||e.addEventListener(n,i,!0),Y.access(e,r,(t||0)+1)},teardown:function(){var e=this.ownerDocument||this.document||this,t=Y.access(e,r)-1;t?Y.access(e,r,t):(e.removeEventListener(n,i,!0),Y.remove(e,r))}}});var Tt=C.location,Ct={guid:Date.now()},Et=/\?/;S.parseXML=function(e){var t;if(!e||"string"!=typeof e)return null;try{t=(new C.DOMParser).parseFromString(e,"text/xml")}catch(e){t=void 0}return t&&!t.getElementsByTagName("parsererror").length||S.error("Invalid XML: "+e),t};var St=/\[\]$/,kt=/\r?\n/g,At=/^(?:submit|button|image|reset|file)$/i,Nt=/^(?:input|select|textarea|keygen)/i;function Dt(n,e,r,i){var t;if(Array.isArray(e))S.each(e,function(e,t){r||St.test(n)?i(n,t):Dt(n+"["+("object"==typeof t&&null!=t?e:"")+"]",t,r,i)});else if(r||"object"!==w(e))i(n,e);else for(t in e)Dt(n+"["+t+"]",e[t],r,i)}S.param=function(e,t){var n,r=[],i=function(e,t){var n=m(t)?t():t;r[r.length]=encodeURIComponent(e)+"="+encodeURIComponent(null==n?"":n)};if(null==e)return"";if(Array.isArray(e)||e.jquery&&!S.isPlainObject(e))S.each(e,function(){i(this.name,this.value)});else for(n in e)Dt(n,e[n],t,i);return r.join("&")},S.fn.extend({serialize:function(){return S.param(this.serializeArray())},serializeArray:function(){return this.map(function(){var e=S.prop(this,"elements");return e?S.makeArray(e):this}).filter(function(){var e=this.type;return this.name&&!S(this).is(":disabled")&&Nt.test(this.nodeName)&&!At.test(e)&&(this.checked||!pe.test(e))}).map(function(e,t){var n=S(this).val();return null==n?null:Array.isArray(n)?S.map(n,function(e){return{name:t.name,value:e.replace(kt,"\r\n")}}):{name:t.name,value:n.replace(kt,"\r\n")}}).get()}});var jt=/%20/g,qt=/#.*$/,Lt=/([?&])_=[^&]*/,Ht=/^(.*?):[ \t]*([^\r\n]*)$/gm,Ot=/^(?:GET|HEAD)$/,Pt=/^\/\//,Rt={},Mt={},It="*/".concat("*"),Wt=E.createElement("a");function Ft(o){return function(e,t){"string"!=typeof e&&(t=e,e="*");var n,r=0,i=e.toLowerCase().match(P)||[];if(m(t))while(n=i[r++])"+"===n[0]?(n=n.slice(1)||"*",(o[n]=o[n]||[]).unshift(t)):(o[n]=o[n]||[]).push(t)}}function Bt(t,i,o,a){var s={},u=t===Mt;function l(e){var r;return s[e]=!0,S.each(t[e]||[],function(e,t){var n=t(i,o,a);return"string"!=typeof n||u||s[n]?u?!(r=n):void 0:(i.dataTypes.unshift(n),l(n),!1)}),r}return l(i.dataTypes[0])||!s["*"]&&l("*")}function $t(e,t){var n,r,i=S.ajaxSettings.flatOptions||{};for(n in t)void 0!==t[n]&&((i[n]?e:r||(r={}))[n]=t[n]);return r&&S.extend(!0,e,r),e}Wt.href=Tt.href,S.extend({active:0,lastModified:{},etag:{},ajaxSettings:{url:Tt.href,type:"GET",isLocal:/^(?:about|app|app-storage|.+-extension|file|res|widget):$/.test(Tt.protocol),global:!0,processData:!0,async:!0,contentType:"application/x-www-form-urlencoded; charset=UTF-8",accepts:{"*":It,text:"text/plain",html:"text/html",xml:"application/xml, text/xml",json:"application/json, text/javascript"},contents:{xml:/\bxml\b/,html:/\bhtml/,json:/\bjson\b/},responseFields:{xml:"responseXML",text:"responseText",json:"responseJSON"},converters:{"* text":String,"text html":!0,"text json":JSON.parse,"text xml":S.parseXML},flatOptions:{url:!0,context:!0}},ajaxSetup:function(e,t){return t?$t($t(e,S.ajaxSettings),t):$t(S.ajaxSettings,e)},ajaxPrefilter:Ft(Rt),ajaxTransport:Ft(Mt),ajax:function(e,t){"object"==typeof e&&(t=e,e=void 0),t=t||{};var c,f,p,n,d,r,h,g,i,o,v=S.ajaxSetup({},t),y=v.context||v,m=v.context&&(y.nodeType||y.jquery)?S(y):S.event,x=S.Deferred(),b=S.Callbacks("once memory"),w=v.statusCode||{},a={},s={},u="canceled",T={readyState:0,getResponseHeader:function(e){var t;if(h){if(!n){n={};while(t=Ht.exec(p))n[t[1].toLowerCase()+" "]=(n[t[1].toLowerCase()+" "]||[]).concat(t[2])}t=n[e.toLowerCase()+" "]}return null==t?null:t.join(", ")},getAllResponseHeaders:function(){return h?p:null},setRequestHeader:function(e,t){return null==h&&(e=s[e.toLowerCase()]=s[e.toLowerCase()]||e,a[e]=t),this},overrideMimeType:function(e){return null==h&&(v.mimeType=e),this},statusCode:function(e){var t;if(e)if(h)T.always(e[T.status]);else for(t in e)w[t]=[w[t],e[t]];return this},abort:function(e){var t=e||u;return c&&c.abort(t),l(0,t),this}};if(x.promise(T),v.url=((e||v.url||Tt.href)+"").replace(Pt,Tt.protocol+"//"),v.type=t.method||t.type||v.method||v.type,v.dataTypes=(v.dataType||"*").toLowerCase().match(P)||[""],null==v.crossDomain){r=E.createElement("a");try{r.href=v.url,r.href=r.href,v.crossDomain=Wt.protocol+"//"+Wt.host!=r.protocol+"//"+r.host}catch(e){v.crossDomain=!0}}if(v.data&&v.processData&&"string"!=typeof v.data&&(v.data=S.param(v.data,v.traditional)),Bt(Rt,v,t,T),h)return T;for(i in(g=S.event&&v.global)&&0==S.active++&&S.event.trigger("ajaxStart"),v.type=v.type.toUpperCase(),v.hasContent=!Ot.test(v.type),f=v.url.replace(qt,""),v.hasContent?v.data&&v.processData&&0===(v.contentType||"").indexOf("application/x-www-form-urlencoded")&&(v.data=v.data.replace(jt,"+")):(o=v.url.slice(f.length),v.data&&(v.processData||"string"==typeof v.data)&&(f+=(Et.test(f)?"&":"?")+v.data,delete v.data),!1===v.cache&&(f=f.replace(Lt,"$1"),o=(Et.test(f)?"&":"?")+"_="+Ct.guid+++o),v.url=f+o),v.ifModified&&(S.lastModified[f]&&T.setRequestHeader("If-Modified-Since",S.lastModified[f]),S.etag[f]&&T.setRequestHeader("If-None-Match",S.etag[f])),(v.data&&v.hasContent&&!1!==v.contentType||t.contentType)&&T.setRequestHeader("Content-Type",v.contentType),T.setRequestHeader("Accept",v.dataTypes[0]&&v.accepts[v.dataTypes[0]]?v.accepts[v.dataTypes[0]]+("*"!==v.dataTypes[0]?", "+It+"; q=0.01":""):v.accepts["*"]),v.headers)T.setRequestHeader(i,v.headers[i]);if(v.beforeSend&&(!1===v.beforeSend.call(y,T,v)||h))return T.abort();if(u="abort",b.add(v.complete),T.done(v.success),T.fail(v.error),c=Bt(Mt,v,t,T)){if(T.readyState=1,g&&m.trigger("ajaxSend",[T,v]),h)return T;v.async&&0<v.timeout&&(d=C.setTimeout(function(){T.abort("timeout")},v.timeout));try{h=!1,c.send(a,l)}catch(e){if(h)throw e;l(-1,e)}}else l(-1,"No Transport");function l(e,t,n,r){var i,o,a,s,u,l=t;h||(h=!0,d&&C.clearTimeout(d),c=void 0,p=r||"",T.readyState=0<e?4:0,i=200<=e&&e<300||304===e,n&&(s=function(e,t,n){var r,i,o,a,s=e.contents,u=e.dataTypes;while("*"===u[0])u.shift(),void 0===r&&(r=e.mimeType||t.getResponseHeader("Content-Type"));if(r)for(i in s)if(s[i]&&s[i].test(r)){u.unshift(i);break}if(u[0]in n)o=u[0];else{for(i in n){if(!u[0]||e.converters[i+" "+u[0]]){o=i;break}a||(a=i)}o=o||a}if(o)return o!==u[0]&&u.unshift(o),n[o]}(v,T,n)),!i&&-1<S.inArray("script",v.dataTypes)&&(v.converters["text script"]=function(){}),s=function(e,t,n,r){var i,o,a,s,u,l={},c=e.dataTypes.slice();if(c[1])for(a in e.converters)l[a.toLowerCase()]=e.converters[a];o=c.shift();while(o)if(e.responseFields[o]&&(n[e.responseFields[o]]=t),!u&&r&&e.dataFilter&&(t=e.dataFilter(t,e.dataType)),u=o,o=c.shift())if("*"===o)o=u;else if("*"!==u&&u!==o){if(!(a=l[u+" "+o]||l["* "+o]))for(i in l)if((s=i.split(" "))[1]===o&&(a=l[u+" "+s[0]]||l["* "+s[0]])){!0===a?a=l[i]:!0!==l[i]&&(o=s[0],c.unshift(s[1]));break}if(!0!==a)if(a&&e["throws"])t=a(t);else try{t=a(t)}catch(e){return{state:"parsererror",error:a?e:"No conversion from "+u+" to "+o}}}return{state:"success",data:t}}(v,s,T,i),i?(v.ifModified&&((u=T.getResponseHeader("Last-Modified"))&&(S.lastModified[f]=u),(u=T.getResponseHeader("etag"))&&(S.etag[f]=u)),204===e||"HEAD"===v.type?l="nocontent":304===e?l="notmodified":(l=s.state,o=s.data,i=!(a=s.error))):(a=l,!e&&l||(l="error",e<0&&(e=0))),T.status=e,T.statusText=(t||l)+"",i?x.resolveWith(y,[o,l,T]):x.rejectWith(y,[T,l,a]),T.statusCode(w),w=void 0,g&&m.trigger(i?"ajaxSuccess":"ajaxError",[T,v,i?o:a]),b.fireWith(y,[T,l]),g&&(m.trigger("ajaxComplete",[T,v]),--S.active||S.event.trigger("ajaxStop")))}return T},getJSON:function(e,t,n){return S.get(e,t,n,"json")},getScript:function(e,t){return S.get(e,void 0,t,"script")}}),S.each(["get","post"],function(e,i){S[i]=function(e,t,n,r){return m(t)&&(r=r||n,n=t,t=void 0),S.ajax(S.extend({url:e,type:i,dataType:r,data:t,success:n},S.isPlainObject(e)&&e))}}),S.ajaxPrefilter(function(e){var t;for(t in e.headers)"content-type"===t.toLowerCase()&&(e.contentType=e.headers[t]||"")}),S._evalUrl=function(e,t,n){return S.ajax({url:e,type:"GET",dataType:"script",cache:!0,async:!1,global:!1,converters:{"text script":function(){}},dataFilter:function(e){S.globalEval(e,t,n)}})},S.fn.extend({wrapAll:function(e){var t;return this[0]&&(m(e)&&(e=e.call(this[0])),t=S(e,this[0].ownerDocument).eq(0).clone(!0),this[0].parentNode&&t.insertBefore(this[0]),t.map(function(){var e=this;while(e.firstElementChild)e=e.firstElementChild;return e}).append(this)),this},wrapInner:function(n){return m(n)?this.each(function(e){S(this).wrapInner(n.call(this,e))}):this.each(function(){var e=S(this),t=e.contents();t.length?t.wrapAll(n):e.append(n)})},wrap:function(t){var n=m(t);return this.each(function(e){S(this).wrapAll(n?t.call(this,e):t)})},unwrap:function(e){return this.parent(e).not("body").each(function(){S(this).replaceWith(this.childNodes)}),this}}),S.expr.pseudos.hidden=function(e){return!S.expr.pseudos.visible(e)},S.expr.pseudos.visible=function(e){return!!(e.offsetWidth||e.offsetHeight||e.getClientRects().length)},S.ajaxSettings.xhr=function(){try{return new C.XMLHttpRequest}catch(e){}};var _t={0:200,1223:204},zt=S.ajaxSettings.xhr();y.cors=!!zt&&"withCredentials"in zt,y.ajax=zt=!!zt,S.ajaxTransport(function(i){var o,a;if(y.cors||zt&&!i.crossDomain)return{send:function(e,t){var n,r=i.xhr();if(r.open(i.type,i.url,i.async,i.username,i.password),i.xhrFields)for(n in i.xhrFields)r[n]=i.xhrFields[n];for(n in i.mimeType&&r.overrideMimeType&&r.overrideMimeType(i.mimeType),i.crossDomain||e["X-Requested-With"]||(e["X-Requested-With"]="XMLHttpRequest"),e)r.setRequestHeader(n,e[n]);o=function(e){return function(){o&&(o=a=r.onload=r.onerror=r.onabort=r.ontimeout=r.onreadystatechange=null,"abort"===e?r.abort():"error"===e?"number"!=typeof r.status?t(0,"error"):t(r.status,r.statusText):t(_t[r.status]||r.status,r.statusText,"text"!==(r.responseType||"text")||"string"!=typeof r.responseText?{binary:r.response}:{text:r.responseText},r.getAllResponseHeaders()))}},r.onload=o(),a=r.onerror=r.ontimeout=o("error"),void 0!==r.onabort?r.onabort=a:r.onreadystatechange=function(){4===r.readyState&&C.setTimeout(function(){o&&a()})},o=o("abort");try{r.send(i.hasContent&&i.data||null)}catch(e){if(o)throw e}},abort:function(){o&&o()}}}),S.ajaxPrefilter(function(e){e.crossDomain&&(e.contents.script=!1)}),S.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/\b(?:java|ecma)script\b/},converters:{"text script":function(e){return S.globalEval(e),e}}}),S.ajaxPrefilter("script",function(e){void 0===e.cache&&(e.cache=!1),e.crossDomain&&(e.type="GET")}),S.ajaxTransport("script",function(n){var r,i;if(n.crossDomain||n.scriptAttrs)return{send:function(e,t){r=S("<script>").attr(n.scriptAttrs||{}).prop({charset:n.scriptCharset,src:n.url}).on("load error",i=function(e){r.remove(),i=null,e&&t("error"===e.type?404:200,e.type)}),E.head.appendChild(r[0])},abort:function(){i&&i()}}});var Ut,Xt=[],Vt=/(=)\?(?=&|$)|\?\?/;S.ajaxSetup({jsonp:"callback",jsonpCallback:function(){var e=Xt.pop()||S.expando+"_"+Ct.guid++;return this[e]=!0,e}}),S.ajaxPrefilter("json jsonp",function(e,t,n){var r,i,o,a=!1!==e.jsonp&&(Vt.test(e.url)?"url":"string"==typeof e.data&&0===(e.contentType||"").indexOf("application/x-www-form-urlencoded")&&Vt.test(e.data)&&"data");if(a||"jsonp"===e.dataTypes[0])return r=e.jsonpCallback=m(e.jsonpCallback)?e.jsonpCallback():e.jsonpCallback,a?e[a]=e[a].replace(Vt,"$1"+r):!1!==e.jsonp&&(e.url+=(Et.test(e.url)?"&":"?")+e.jsonp+"="+r),e.converters["script json"]=function(){return o||S.error(r+" was not called"),o[0]},e.dataTypes[0]="json",i=C[r],C[r]=function(){o=arguments},n.always(function(){void 0===i?S(C).removeProp(r):C[r]=i,e[r]&&(e.jsonpCallback=t.jsonpCallback,Xt.push(r)),o&&m(i)&&i(o[0]),o=i=void 0}),"script"}),y.createHTMLDocument=((Ut=E.implementation.createHTMLDocument("").body).innerHTML="<form></form><form></form>",2===Ut.childNodes.length),S.parseHTML=function(e,t,n){return"string"!=typeof e?[]:("boolean"==typeof t&&(n=t,t=!1),t||(y.createHTMLDocument?((r=(t=E.implementation.createHTMLDocument("")).createElement("base")).href=E.location.href,t.head.appendChild(r)):t=E),o=!n&&[],(i=N.exec(e))?[t.createElement(i[1])]:(i=xe([e],t,o),o&&o.length&&S(o).remove(),S.merge([],i.childNodes)));var r,i,o},S.fn.load=function(e,t,n){var r,i,o,a=this,s=e.indexOf(" ");return-1<s&&(r=vt(e.slice(s)),e=e.slice(0,s)),m(t)?(n=t,t=void 0):t&&"object"==typeof t&&(i="POST"),0<a.length&&S.ajax({url:e,type:i||"GET",dataType:"html",data:t}).done(function(e){o=arguments,a.html(r?S("<div>").append(S.parseHTML(e)).find(r):e)}).always(n&&function(e,t){a.each(function(){n.apply(this,o||[e.responseText,t,e])})}),this},S.expr.pseudos.animated=function(t){return S.grep(S.timers,function(e){return t===e.elem}).length},S.offset={setOffset:function(e,t,n){var r,i,o,a,s,u,l=S.css(e,"position"),c=S(e),f={};"static"===l&&(e.style.position="relative"),s=c.offset(),o=S.css(e,"top"),u=S.css(e,"left"),("absolute"===l||"fixed"===l)&&-1<(o+u).indexOf("auto")?(a=(r=c.position()).top,i=r.left):(a=parseFloat(o)||0,i=parseFloat(u)||0),m(t)&&(t=t.call(e,n,S.extend({},s))),null!=t.top&&(f.top=t.top-s.top+a),null!=t.left&&(f.left=t.left-s.left+i),"using"in t?t.using.call(e,f):("number"==typeof f.top&&(f.top+="px"),"number"==typeof f.left&&(f.left+="px"),c.css(f))}},S.fn.extend({offset:function(t){if(arguments.length)return void 0===t?this:this.each(function(e){S.offset.setOffset(this,t,e)});var e,n,r=this[0];return r?r.getClientRects().length?(e=r.getBoundingClientRect(),n=r.ownerDocument.defaultView,{top:e.top+n.pageYOffset,left:e.left+n.pageXOffset}):{top:0,left:0}:void 0},position:function(){if(this[0]){var e,t,n,r=this[0],i={top:0,left:0};if("fixed"===S.css(r,"position"))t=r.getBoundingClientRect();else{t=this.offset(),n=r.ownerDocument,e=r.offsetParent||n.documentElement;while(e&&(e===n.body||e===n.documentElement)&&"static"===S.css(e,"position"))e=e.parentNode;e&&e!==r&&1===e.nodeType&&((i=S(e).offset()).top+=S.css(e,"borderTopWidth",!0),i.left+=S.css(e,"borderLeftWidth",!0))}return{top:t.top-i.top-S.css(r,"marginTop",!0),left:t.left-i.left-S.css(r,"marginLeft",!0)}}},offsetParent:function(){return this.map(function(){var e=this.offsetParent;while(e&&"static"===S.css(e,"position"))e=e.offsetParent;return e||re})}}),S.each({scrollLeft:"pageXOffset",scrollTop:"pageYOffset"},function(t,i){var o="pageYOffset"===i;S.fn[t]=function(e){return $(this,function(e,t,n){var r;if(x(e)?r=e:9===e.nodeType&&(r=e.defaultView),void 0===n)return r?r[i]:e[t];r?r.scrollTo(o?r.pageXOffset:n,o?n:r.pageYOffset):e[t]=n},t,e,arguments.length)}}),S.each(["top","left"],function(e,n){S.cssHooks[n]=$e(y.pixelPosition,function(e,t){if(t)return t=Be(e,n),Me.test(t)?S(e).position()[n]+"px":t})}),S.each({Height:"height",Width:"width"},function(a,s){S.each({padding:"inner"+a,content:s,"":"outer"+a},function(r,o){S.fn[o]=function(e,t){var n=arguments.length&&(r||"boolean"!=typeof e),i=r||(!0===e||!0===t?"margin":"border");return $(this,function(e,t,n){var r;return x(e)?0===o.indexOf("outer")?e["inner"+a]:e.document.documentElement["client"+a]:9===e.nodeType?(r=e.documentElement,Math.max(e.body["scroll"+a],r["scroll"+a],e.body["offset"+a],r["offset"+a],r["client"+a])):void 0===n?S.css(e,t,i):S.style(e,t,n,i)},s,n?e:void 0,n)}})}),S.each(["ajaxStart","ajaxStop","ajaxComplete","ajaxError","ajaxSuccess","ajaxSend"],function(e,t){S.fn[t]=function(e){return this.on(t,e)}}),S.fn.extend({bind:function(e,t,n){return this.on(e,null,t,n)},unbind:function(e,t){return this.off(e,null,t)},delegate:function(e,t,n,r){return this.on(t,e,n,r)},undelegate:function(e,t,n){return 1===arguments.length?this.off(e,"**"):this.off(t,e||"**",n)},hover:function(e,t){return this.mouseenter(e).mouseleave(t||e)}}),S.each("blur focus focusin focusout resize scroll click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup contextmenu".split(" "),function(e,n){S.fn[n]=function(e,t){return 0<arguments.length?this.on(n,null,e,t):this.trigger(n)}});var Gt=/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g;S.proxy=function(e,t){var n,r,i;if("string"==typeof t&&(n=e[t],t=e,e=n),m(e))return r=s.call(arguments,2),(i=function(){return e.apply(t||this,r.concat(s.call(arguments)))}).guid=e.guid=e.guid||S.guid++,i},S.holdReady=function(e){e?S.readyWait++:S.ready(!0)},S.isArray=Array.isArray,S.parseJSON=JSON.parse,S.nodeName=A,S.isFunction=m,S.isWindow=x,S.camelCase=X,S.type=w,S.now=Date.now,S.isNumeric=function(e){var t=S.type(e);return("number"===t||"string"===t)&&!isNaN(e-parseFloat(e))},S.trim=function(e){return null==e?"":(e+"").replace(Gt,"")},"function"==typeof define&&define.amd&&define("jquery",[],function(){return S});var Yt=C.jQuery,Qt=C.$;return S.noConflict=function(e){return C.$===S&&(C.$=Qt),e&&C.jQuery===S&&(C.jQuery=Yt),S},"undefined"==typeof e&&(C.jQuery=C.$=S),S});
diff --git a/www/datatables/jquery.dataTables.yadcf.css b/www/datatables/jquery.dataTables.yadcf.css
new file mode 100644 (file)
index 0000000..67031cf
--- /dev/null
@@ -0,0 +1,123 @@
+.hide {
+       display: none;
+}
+
+.inuse, .ui-slider-range .inuse, .yadcf-filter-range-number-slider .inuse {
+       background: #8BBEF0;
+}
+
+.yadcf-filter-reset-button {
+       display: inline-block;
+}
+
+.yadcf-filter-reset-button.range-number-slider-reset-button{
+       position: relative;
+       top: -6px;      
+}
+
+.yadcf-filter {
+       padding-right: 4px;
+       padding-left: 4px;
+       padding-bottom: 3px;
+       padding-top: 3px;
+}
+
+.yadcf-filter > option{
+    background: white;
+}
+
+.ui-autocomplete .ui-menu-item { 
+       font-size:13px;
+}
+
+#ui-datepicker-div { 
+       font-size:13px;
+}
+.yadcf-filter-wrapper {
+       display: inline-block;
+       white-space: nowrap;
+       margin-left: 2px;
+}
+
+.yadcf-filter-range-number {
+       width: 40px;
+}
+
+.yadcf-filter-range-number-seperator {
+       margin-left: 10px;
+       margin-right: 10px;
+}
+
+.yadcf-filter-range-date {
+       width: 80px;
+}
+
+.yadcf-filter-range-date-seperator {
+       margin-left: 10px;
+       margin-right: 10px;
+}
+
+.yadcf-filter-wrapper-inner {
+       display: inline-block;
+       border: 1px solid #ABADB3;
+}
+
+.yadcf-number-slider-filter-wrapper-inner {
+       display: inline-block;
+       width: 200px;
+       margin-bottom: 7px;
+}
+
+.yadcf-filter-range-number-slider .ui-slider-handle {
+       width: 10px;
+       height: 10px;
+       margin-top: 1px;
+}
+
+.yadcf-filter-range-number-slider .ui-slider-range {
+       position: relative;
+       height: 5px;
+}
+
+.yadcf-filter-range-number-slider {
+       height: 5px;
+       margin-left: 6px;
+       margin-right: 6px;
+}
+
+.yadcf-filter-range-number-slider {
+    overflow: visible;
+}
+
+.yadcf-number-slider-filter-wrapper-inner .yadcf-filter-range-number-slider-min-tip {
+       font-size: 13px;
+       font-weight: normal;
+       position: absolute;
+       outline-style: none;
+}
+
+.yadcf-number-slider-filter-wrapper-inner .yadcf-filter-range-number-slider-max-tip {
+       font-size: 13px;
+       font-weight: normal;
+       position:absolute;
+       outline-style: none;
+}
+
+.yadcf-number-slider-filter-wrapper-inner .yadcf-filter-range-number-slider-min-tip-inner {
+       position:absolute;
+       top: 11px;
+}
+
+.yadcf-number-slider-filter-wrapper-inner .yadcf-filter-range-number-slider-max-tip-inner {
+       position:absolute;
+       top: 11px;
+}
+
+.yadcf-exclude-wrapper {
+       display: inline-block;
+       vertical-align: middle;
+       margin-right: 5px;
+}
+.yadcf-label.small {
+       font-size: 10px;
+}
diff --git a/www/datatables/jquery.dataTables.yadcf.js b/www/datatables/jquery.dataTables.yadcf.js
new file mode 100644 (file)
index 0000000..5fa8b5b
--- /dev/null
@@ -0,0 +1,4684 @@
+/*!
+* Yet Another DataTables Column Filter - (yadcf)
+*
+* File:        jquery.dataTables.yadcf.js
+* Version:     0.9.3
+*
+* Author:      Daniel Reznick
+* Info:        https://github.com/vedmack/yadcf
+* Contact:     vedmack@gmail.com
+* Twitter:     @danielreznick
+* Q&A          http://stackoverflow.com/questions/tagged/yadcf
+*
+* Copyright 2015 Daniel Reznick, all rights reserved.
+* Copyright 2015 Released under the MIT License
+*
+* This source file is distributed in the hope that it will be useful, but
+* WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY
+* or FITNESS FOR A PARTICULAR PURPOSE. See the license files for details.
+*/
+/*
+* Parameters:
+*
+*
+* -------------
+
+* column_number
+                Required:           true
+                Type:               int
+                Description:        The number of the column to which the filter will be applied
+
+* filter_type
+                Required:           false
+                Type:               String
+                Default value:      'select'
+                Possible values:    select / multi_select / auto_complete / text / date / range_number / range_number_slider / range_date / custom_func / multi_select_custom_func / date_custom_func
+                Description:        The type of the filter to be used in the column
+
+* custom_func
+                Required:           true (when filter_type is custom_func / multi_select_custom_func / date_custom_func)
+                Type:               function
+                Default value:      undefined
+                Description:        should be pointing to a function with the following signature myCustomFilterFunction(filterVal, columnVal, rowValues, stateVal) , where `filterVal` is the value from the select box,
+                                    `columnVal` is the value from the relevant row column, `rowValues` is an array that holds the values of the entire row and `stateVal` which holds the current state of the table row DOM
+                                    , stateVal is perfect to handle situations in which you placing radiobuttons / checkbox inside table column. This function should return true if the row matches your condition and the row should be displayed) and false otherwise
+                Note:               When using multi_select_custom_func as filter_type filterVal will hold an array of selected values from the multi select element
+
+* data
+                Required:           false
+                Type:               Array (of string or objects)
+                Description:        When the need of predefined data for filter is needed just use an array of strings ["value1","value2"....] (supported in select / multi_select / auto_complete filters) or
+                                    array of objects [{value: 'Some Data 1', label: 'One'}, {value: 'Some Data 3', label: 'Three'}] (supported in select / multi_select filters)
+                Note:               that when filter_type is custom_func / multi_select_custom_func this array will populate the custom filter select element
+
+* data_as_is
+                Required:           false
+                Type:               boolean
+                Default value:      false
+                Description:        When set to true, the value of the data attribute will be fed into the filter as is (without any modification/decoration).
+                                    Perfect to use when you want to define your own <option></option> for the filter
+                Note:               Currently supported by the select / multi_select filters
+
+* append_data_to_table_data
+                Required:           false
+                Type:               String
+                Default value:      undefined
+                Possible values:    before / sorted
+                Description:        Use 'before' to place your data array before the values that yadcf grabs from the table
+                                    use 'sorted' to place the data array sorted along with the values that yadcf grabs from the table
+                Note:               'sorted' option will have affect only if you data is an array of primitives (not objects)
+
+* column_data_type
+                Required:           false
+                Type:               String
+                Default value:      'text'
+                Possible values:    text / html / rendered_html
+                Description:        The type of data in column , use "html" when you have some html code in the column (support parsing of multiple elements per cell),
+                                    use rendered_html when you are using render function of columnDefs or similar, that produces a html code, note that both types rendered_html and html have a fallback for simple text parsing
+
+* text_data_delimiter
+                Required:           false
+                Type:               String
+                Description:        Delimiter that seperates text in table column, for example text_data_delimiter: ","
+
+* html_data_type
+                Required:           false
+                Type:               String
+                Default value:      'text'
+                Possible values:    text / value / id / selector
+                Description:        When using "html" for column_data_type argument you can choose how exactly to parse your html element/s in column , for example use "text" for the following <span class="someClass">Some text</span>
+                Special notes:      when using selector you must provide a valid selector string for the html_data_selector property
+
+* html_data_selector
+                Required:           false
+                Type:               String
+                Default value:      undefined
+                Possible values:    any valid selector string, for example 'li:eq(1)'
+                Description:        allows for advanced text value selection within the html located in the td element
+                Special notes:      know that the selector string "begin is search" from (and not outside) the first element of the html inside the td
+                                    (supported by range_number_slider / select / auto_complete)
+
+* html5_data
+                Required:           false
+                Type:               String
+                Default value:      undefined
+                Possible values:    data-filter / data-search / anything that is supported by datatables
+                Description:        Allows to filter based on data-filter / data-search attributes of the <td> element, read more: http://www.datatables.net/examples/advanced_init/html5-data-attributes.html
+
+* filter_container_id
+                Required:           false
+                Type:               String
+                Description:        In case that user don't want to place the filter in column header , he can pass an id of the desired container for the column filter
+
+* filter_container_selector
+                Required:           false
+                Type:               String
+                Description:        In case that user don't want to place the filter in column header , he can pass a (jquery) selector of the desired container for the column filter
+
+* filter_default_label
+                Required:           false
+                Type:               String / Array of string in case of range_number filter (first entry is for the first input and the second entry is for the second input
+                Default value:      'Select value'
+                Description:        The label that will appear in the select menu filter when no value is selected from the filter
+
+* omit_default_label
+                Required:           false
+                Type:               boolean
+                Default value:      false
+                Description:        Prevent yadcf from adding "default_label" (Select value / Select values)
+                Note                Currently supported in select / multi_select / custom_func / multi_select_custom_func
+
+* filter_reset_button_text
+                Required:           false
+                Type:               String / boolean
+                Default value:      'x'
+                Description:        The text that will appear inside the reset button next to the select drop down (set this to false (boolean) in order to hide it from that column filter)
+
+* enable_auto_complete (this attribute is deprecated , and will become obsolete in the future , so you better start using filter_type: "auto_complete")
+                Required:           false
+                Type:               boolean
+                Default value:      false
+                Description:        Turns the filter into an autocomplete input - make use of the jQuery UI Autocomplete widget (with some enhancements)
+
+* sort_as
+                Required:           false
+                Type:               String
+                Default value:      'alpha'
+                Possible values:    alpha / num / alphaNum / none
+                Description:        Defines how the values in the filter will be sorted, alphabetically / numerically / alphanumeric / custom / not sorted at all (none is useful to preserve
+                                    the order of the data attribute as is)
+                Note:               When custom value is set you must provide a custom sorting function for the sort_as_custom_func property
+
+* sort_as_custom_func
+                Required:           false
+                Type:               function
+                Default value:      undefined
+                Description:        Allows to provide a custom sorting function for the filter elements
+
+* sort_order
+                Required:           false
+                Type:               String
+                Default value:      'asc'
+                Possible values:    asc / desc
+                Description:        Defines the order in which the values in the filter will be sorted, ascending or descending
+
+* date_format
+                Required:           false
+                Type:               String
+                Default value:      'mm/dd/yyyy'
+                Possible values:    mm/dd/yyyy / dd/mm/yyyy / hh:mm (when using datepicker_type: 'bootstrap-datetimepicker')
+                Description:        Defines the format in which the date values are being parsed into Date object
+                Note:               You can replace the / separator with other one , for example mm-dd-yy
+
+* moment_date_format
+                Required:           false
+                Type:               String
+                Default value:      undefined
+                Possible values:    Any format accepted by momentjs
+                Description:        Defines the format in which the date values are being parsed into Date object by momentjs library
+                Note:               Currently relevant only when using datepicker_type: 'bootstrap-datetimepicker')
+
+* ignore_char
+                Required:           false
+                Type:               String
+                Description:        Tells the range_number and range_number_slide to ignore specific char while filtering (that char can used as number separator)
+                Note:               Use double escape for regex chars , e.g \\$ , also you can use multiple ignore chars with | , e.g '_|\\.|\\$'
+
+* filter_match_mode
+                Required:           false
+                Type:               String
+                Default value:      contains
+                Possible values:    contains / exact / startsWith / regex
+                Description:        Allows to control the matching mode of the filter (supported in select / auto_complete / text filters)
+
+* exclude
+                Required:           false
+                Type:               boolean
+                Default value:      undefined
+                Description:        Adds a checkbox next to the filter that allows to do a "not/exclude" filtering (acts the same  all filter_match_mode)
+                Note:               Currently available for the text filter
+
+* exclude_label
+                Required:           false
+                Type:               String
+                Default value:      'exclude'
+                Description:        The label that will appear above the exclude checkbox
+
+* select_type
+                Required:           false
+                Type:               String
+                Default value:      undefined
+                Possible values:    chosen / select2 / custom_select
+                Description:        Turns the simple select element into Chosen / Select2 (make use of the Chosen / Select2 select jQuery plugins)
+                Note:               When using custom_select , make sure to call the initSelectPluginCustomTriggers,
+                                    before calling yadcf constructor / init function
+
+* select_type_options
+                Required:           false
+                Type:               Object
+                Default value:      {}
+                Description:        This parameter will be passed "as is" to the Chosen/Select2 plugin constructor
+
+* filter_plugin_options
+                Required:           false
+                Type:               Object
+                Default value:      undefined
+                Description:        This parameter will be passed to the jQuery Autocomplete / jQuery Slider / Bootstrap Datetimepicker
+
+* case_insensitive
+                Required:           false
+                Type:               boolean
+                Default value:      true
+                Description:        Do case-insensitive filtering (supported in select / auto_complete / text filters)
+
+
+* filter_delay
+                Required:           false
+                Type:               integer
+                Default value:      undefined
+                Description:        Delay filter execution for a XXX milliseconds - filter will fire XXX milliseconds after the last keyup.
+                Special notes:      Currently supported in text / range_number / range_date filters / range_number_slider
+
+* datepicker_type
+                Required:           false
+                Type:               String
+                Default value:      'jquery-ui'
+                Possible values:    'jquery-ui' / 'bootstrap-datetimepicker' / bootstrap-datepicker
+                Description:        You can choose datapicker library from defined in special notes
+                Special notes:      Currently supported only jQueryUI datepicker (datepicker) and Bootstrap datepicker (eonasdan-bootstrap-datetimepicker)
+                                    Bootstrap datepicker depends moment library. This plugin depends moment too.
+
+* style_class
+                Required:           false
+                Type:               String
+                Description:        Allows adding additional class/classes to filter - available for the following filters:
+                                    select / multi_select / text / custom_func / multi_select_custom_func / range_number / range_number_slider / range_date
+
+* reset_button_style_class
+                Required:           false
+                Type:               String
+                Description:        Allows adding additional class/classes to filter reset button
+
+
+* Global Parameters (per table rather than per column)
+*
+* Usage example yadcf.init(oTable,[{column_number : 0}, {column_number: 3}],{cumulative_filtering: true});
+* -------------
+
+* externally_triggered
+                Required:           false
+                Type:               boolean
+                Default value:      false
+                Description:        Filters will filter only when yadcf.exFilterExternallyTriggered(table_arg) is called
+                Special notes:      Useful when you want to build some form with filters and you want to trigger the filter when that form
+                                    "submit" button is clicked (instead of filtering per filter input change)
+
+* cumulative_filtering
+                Required:           false
+                Type:               boolean
+                Default value:      false
+                Description:        Change the default behaviour of the filters so its options will be populated from the filtered rows (remaining
+                                    table data after filtering) only, unlike the normal behaviour in which the options of the filters are from all the table data
+
+
+* filters_position
+                Required:           false
+                Type:               String
+                Default value:      header
+                Possible values:    'header' / 'footer'
+                Description:        Filters can be placed in the header (thead) or in the footer (tfoot) of the table,
+                Note:               When 'footer' you must provide a valid tfoot elemet in your table
+
+
+* filters_tr_index
+                Required:           false
+                Type:               integer
+                Default value:      undefined
+                Description:        Allow to control the index of the <tr> inside the thead of the table, e.g when one <tr> is used for headers/sort and
+                                    another <tr> is used for filters
+
+
+* onInitComplete
+                Required:           false
+                Type:               function
+                Default value:      undefined
+                Description:        Calls the provided callback function in the end of the yadcf init function
+                               Note:               This callback function will run before datatables fires its event such as draw/xhr/etc., migth be usefull for call some
+                                                                       third parties init / loading code
+*
+*
+*
+*
+* External API functions:
+*
+*
+* -------------
+
+* exFilterColumn
+                Description:        Allows to trigger filter/s externally/programmatically (support ALL filter types!!!) , perfect for showing table with pre filtered columns
+                Arguments:          table_arg: (variable of the datatable),
+                                    array of pairs: column number String/Object with from and to, filter_value (the actual string value that we want to filter by)
+                Usage example:      yadcf.exFilterColumn(oTable, [[0, 'Some Data 2']]); //pre filter one column
+                                    yadcf.exFilterColumn(oTable, [[0, 'Some Data 1'], [1, {from: 111, to: 1110}], [2, {from: "", to: "11/25/2014"}]]); //pre filter several columns
+                                    yadcf.exFilterColumn(oTable, [[0, ['Some Data 1','Some Data 2']]]); // for pre filtering multi select filter you should use array with values (or an array with single value)
+
+* exGetColumnFilterVal
+                Description:        Allows to retrieve  column current filtered value (support ALL filter types!!!)
+                Arguments:          table_arg: (variable of the datatable),
+                                    column number:  column number from which we want the value
+                Usage example:      yadcf.exGetColumnFilterVal(oTable,1);
+                Return value:       String (for simple filter) / Object (for range filter) with from and to properties / Array of strings for multi_select filter
+
+
+* exResetAllFilters
+                Description:        Allows to reset all filters externally/programmatically (support ALL filter types!!!) , perfect for adding a "reset all" button to your page!
+                Arguments:          table_arg: (variable of the datatable)
+                                    noRedraw:   (boolean) , use it if you don't want your table to be reloaded after the filter reset,
+                                                for example if you planning to call exFilterColumn function right after the exResetAllFilters (to avoid two AJAX requests)
+                Usage example:      yadcf.exResetAllFilters(oTable);
+
+* exResetFilters
+                Description:        Allows to reset specific filters externally/programmatically (support ALL filter types!!!) , can be used for resetting one or more filters
+                Arguments:          table_arg: (variable of the datatable)
+                                    array with columns numbers
+                                    noRedraw:   (boolean) , use it if you don't want your table to be reloaded after the filter reset,
+                                                for example if you planning to call exFilterColumn function right after the exResetFilters (to avoid two AJAX requests)
+                Usage example:      yadcf.exResetAllFilters(oTable, [1,2]);
+
+* initSelectPluginCustomTriggers
+                Description:        Allows to set any select jquery plugin initialize and refresh functions. jQuery selector will be passed to the user defined function to initialize and refresh the plugin.
+                                    Great for integrating any jquey select plugin  (Selectize / MultiSelect / etc)
+                Arguments:          initFunc  : function which will initialize the plugin
+                                    refreshFunc : function that will refresh the plugin.
+                                    destroyFunc : function that will destroy the plugin (upon table destroy even trigger).
+                Usage example:      yadcf.initSelectPluginCustomTriggers(function ($filterSelector){$filterSelector.multiselect({});}, function ($filterSelector){$filterSelector.multiselect("refresh")}, , function ($filterSelector){$filterSelector.multiselect("destroy")});
+
+* exFilterExternallyTriggered
+                Description:        Triggers all the available filters, should be used only when the externally_triggered option used
+                Arguments:          table_arg: (variable of the datatable)
+                Usage example:      yadcf.exResetAllFilters(table_arg);
+*
+*
+*
+* Server-side processing API (see more on showcase):
+*
+* From server to client:
+* In order to populate the filters with data from server (select / auto_complete / range_number_slider (min and max values), you should add to your current json respond the following properties:
+* lets say for first column you add yadcf_data_0 filled with array of values, for column second column yadcf_data_1 and so on...
+*
+* From client to server:
+* Read the filtered value like this (for first column) req.getParameter("columns[0][search][value]"); <- java code , php/.Net/etc you just need to get it from the request
+* Range filter value will arrive delimited by  -yadcf_delim- , so just split it into an array or something like this: String[] minMax = sSearch_0.split("-yadcf_delim-");
+*
+*
+
+
+*
+*
+*
+* Working with filters for multiple tables:
+*
+*
+* -------------
+
+* initMultipleTables
+                Description:        Allows to create filter that will affect multiple tables / multiple column(s) in multiple tables
+                Arguments:          Array of tables,
+                                    Array of objects with properties for each filter
+                Usage example:      yadcf.initMultipleTables([oTable, oTable2], [{
+                                        column_number: [0, 1], filter_container_id: 'multi-table-filter-0', filter_default_label: 'Filter all tables columns 1 and 2!'
+                                    },
+                                    {
+                                        column_number: [2], filter_container_id: 'multi-table-filter-1', filter_default_label: 'Filter all tables column 3!'
+                                    }]);
+                Valid properties:   filter_type: 'text' (default) / 'select' / 'multi_select',
+                                    column_number: not required (in that case the filter will be global)
+                                                   can be either number(single column filter) or array of numbers(multiple columns filter)
+                                    filter_container_id: '' (required),
+                Note:               All the usual properties of yadcf should be supported in initMultipleTables too!
+
+* initMultipleColumns
+                Description:        Allows to create filter that will affect multiple column(s) in in a particular table
+                Arguments:          Table variable,
+                                    Array of objects with properties for each filter
+                Usage example:      yadcf.initMultipleColumns(oTable, [{
+                                        column_number: [0, 1], filter_container_id: 'multi-table-filter-0', filter_default_label: 'Filter columns 1 and 2!'
+                                    },
+                                    {
+                                        column_number: [2, 3], filter_container_id: 'multi-table-filter-1', filter_default_label: 'Filter column 3 and 4!'
+                                    }]);
+                Valid properties:   filter_type: 'text' (default) / 'select' / 'multi_select',
+                                    column_number: not required (in that case the filter will be global)
+                                                   can be either number(single column filter) or array of numbers(multiple columns filter)
+                                    filter_container_id: '' (required),
+                Note:               All the usual properties of yadcf should be supported in initMultipleColumns too!
+*/
+//Polyfills
+if (window.NodeList && !NodeList.prototype.forEach) {
+    NodeList.prototype.forEach = function (callback, thisArg) {
+        thisArg = thisArg || window;
+        for (var i = 0; i < this.length; i++) {
+            callback.call(thisArg, this[i], i, this);
+        }
+    };
+}
+if (!Object.entries) {
+  Object.entries = function(obj) {
+    var ownProps = Object.keys(obj),
+      i = ownProps.length,
+      resArray = new Array(i); // preallocate the Array
+    while (i--)
+      resArray[i] = [ownProps[i], obj[ownProps[i]]];
+
+    return resArray;
+  };
+}
+(function (factory) {
+  'use strict';
+
+  if (typeof define === 'function' && define.amd) {
+    // AMD
+    define(['jquery'], function ($) {
+      return factory($, window, document);
+    });
+  } else if (typeof module === 'object') {
+    // CommonJS
+    module.exports = function (root, $) {
+      if (!root) {
+        // CommonJS environments without a window global must pass a
+        // root. This will give an error otherwise
+        root = window;
+      }
+
+      if (!$) {
+        $ = typeof window !== 'undefined' ? // jQuery's factory checks for a global window
+          require('jquery') :
+          require('jquery')(root);
+      }
+
+      return factory($, root, root.document);
+    };
+  } else {
+    // Browser
+    factory(jQuery, window, document);
+  }
+}
+(function ($, window, document, undefined) {
+       var yadcf = (function () {
+               'use strict';
+
+               var tablesDT = {},
+                       oTables = {},
+                       oTablesIndex = {},
+                       options = {},
+                       plugins = {},
+                       exFilterColumnQueue = [],
+                       yadcfDelay,
+                       selectElementCustomInitFunc,
+                       selectElementCustomRefreshFunc,
+                       selectElementCustomDestroyFunc,
+                       placeholderLang = {
+                               select: 'Select value',
+                               select_multi: 'Select values',
+                               filter: 'Type to filter',
+                               range: ['From', 'To'],
+                               date: 'Select a date'
+                       },
+                       settingsMap = {};
+                       
+               let closeBootstrapDatepicker = false;
+               let     closeBootstrapDatepickerRange = false;
+               let     closeSelect2 = false;
+
+               //From ColReorder (SpryMedia Ltd (www.sprymedia.co.uk))
+               function getSettingsObjFromTable(dt) {
+                       var oDTSettings;
+                       if ($.fn.dataTable.Api) {
+                               oDTSettings = new $.fn.dataTable.Api(dt).settings()[0];
+                       } else if (dt.fnSettings) { // 1.9 compatibility
+                               // DataTables object, convert to the settings object
+                               oDTSettings = dt.fnSettings();
+                       } else if (typeof dt === 'string') { // jQuery selector
+                               if ($.fn.dataTable.fnIsDataTable($(dt)[0])) {
+                                       oDTSettings = $(dt).eq(0).dataTable().fnSettings();
+                               }
+                       } else if (dt.nodeName && dt.nodeName.toLowerCase() === 'table') {
+                               // Table node
+                               if ($.fn.dataTable.fnIsDataTable(dt.nodeName)) {
+                                       oDTSettings = $(dt.nodeName).dataTable().fnSettings();
+                               }
+                       } else if (dt instanceof jQuery) {
+                               // jQuery object
+                               if ($.fn.dataTable.fnIsDataTable(dt[0])) {
+                                       oDTSettings = dt.eq(0).dataTable().fnSettings();
+                               }
+                       } else {
+                               // DataTables settings object
+                               oDTSettings = dt;
+                       }
+                       return oDTSettings;
+               }
+
+               function arraySwapValueWithIndex(pArray) {
+                       var tmp = [],
+                               i;
+                       for (i = 0; i < pArray.length; i++) {
+                               tmp[pArray[i]] = i;
+                       }
+                       return tmp;
+               }
+
+               function arraySwapValueWithIndex2(pArray) {
+                       var tmp = [],
+                               i;
+                       for (i = 0; i < pArray.length; i++) {
+                               tmp[pArray[i]._ColReorder_iOrigCol] = i;
+                       }
+                       return tmp;
+               }
+
+               function initColReorder2(settingsDt, table_selector_jq_friendly) {
+                       if (settingsDt.oSavedState && settingsDt.oSavedState.ColReorder !== undefined) {
+                               if (plugins[table_selector_jq_friendly] === undefined) {
+                                       plugins[table_selector_jq_friendly] = {};
+                                       plugins[table_selector_jq_friendly].ColReorder = arraySwapValueWithIndex(settingsDt.oSavedState.ColReorder);
+                               }
+                       } else if (settingsDt.aoColumns[0]._ColReorder_iOrigCol !== undefined) {
+                               if (plugins[table_selector_jq_friendly] === undefined) {
+                                       plugins[table_selector_jq_friendly] = {};
+                                       plugins[table_selector_jq_friendly].ColReorder = arraySwapValueWithIndex2(settingsDt.aoColumns);
+                               }
+                       }
+               }
+
+               function initColReorderFromEvent(table_selector_jq_friendly) {
+                       plugins[table_selector_jq_friendly] = undefined;
+               }
+
+               function columnsArrayToString(column_number) {
+                       var column_number_obj = {};
+                       if (column_number !== undefined) {
+                               if (column_number instanceof Array) {
+                                       column_number_obj.column_number_str = column_number.join('_');
+                               } else {
+                                       column_number_obj.column_number_str = column_number;
+                                       column_number = [];
+                                       column_number.push(column_number_obj.column_number_str);
+                               }
+                       } else {
+                               column_number_obj.column_number_str = 'global';
+                       }
+                       column_number_obj.column_number = column_number;
+                       return column_number_obj;
+               }
+
+               function getOptions(selector) {
+                       return options[selector];
+               }
+
+               function getAllOptions() {
+                       return options;
+               }
+
+               function eventTargetFixUp(pEvent) {
+                       if (pEvent.target === undefined) {
+                               pEvent.target = pEvent.srcElement;
+                       }
+                       return pEvent;
+               }
+
+               function dot2obj(tmpObj, dot_refs) {
+                       var i = 0;
+                       dot_refs = dot_refs.split(".");
+                       for (i = 0; i < dot_refs.length; i++) {
+                               tmpObj = tmpObj[dot_refs[i]];
+                       }
+                       return tmpObj;
+               }
+
+               function setOptions(selector_arg, options_arg, params) {
+                       var tmpOptions = {},
+                               i,
+                               col_num_as_int,
+                               default_options = {
+                                       filter_type: "select",
+                                       enable_auto_complete: false,
+                                       sort_as: "alpha",
+                                       sort_order: "asc",
+                                       date_format: "mm/dd/yyyy",
+                                       ignore_char: undefined,
+                                       filter_match_mode: "contains",
+                                       select_type: undefined,
+                                       select_type_options: {},
+                                       case_insensitive: true,
+                                       column_data_type: 'text',
+                                       html_data_type: 'text',
+                                       exclude_label: 'exclude',
+                                       style_class: '',
+                                       reset_button_style_class: '',
+                                       datepicker_type: 'jquery-ui',
+                                       range_data_type: 'single',
+                                       range_data_type_delim: '-',
+                                       omit_default_label: false
+                               };
+                               //adaptContainerCssClassImpl = function (dummy) { return ''; };
+
+                       $.extend(true, default_options, params);
+
+                       if (options_arg.length === undefined) {
+                               options[selector_arg] = options_arg;
+                               return;
+                       }
+                       for (i = 0; i < options_arg.length; i++) {
+                               if (options_arg[i].date_format !== undefined && options_arg[i].moment_date_format === undefined) {
+                                       options_arg[i].moment_date_format = options_arg[i].date_format;
+                               }
+                               if (options_arg[i].select_type === 'select2') {
+                                       default_options.select_type_options = {
+                                               //adaptContainerCssClass: adaptContainerCssClassImpl
+                                       };
+                               }
+                               //no individual reset button for externally_triggered mode
+                               if (default_options.externally_triggered === true) {
+                                       options_arg[i].filter_reset_button_text = false;
+                               }
+                               //validate custom function required attributes
+                               if (options_arg[i].filter_type !== undefined && options_arg[i].filter_type.indexOf('custom_func') !== -1) {
+                                       if (options_arg[i].custom_func === undefined) {
+                                               console.log('Error: You are trying to use filter_type: "custom_func / multi_select_custom_func" for column ' + options_arg[i].column_number + ' but there is no such custom_func attribute provided (custom_func: \"function reference goes here...\")');
+                                               return;
+                                       }
+                               }
+                               col_num_as_int = +options_arg[i].column_number;
+                               if (isNaN(col_num_as_int)) {
+                                       tmpOptions[options_arg[i].column_number_str] = $.extend(true, {}, default_options, options_arg[i]);
+                               } else {
+                                       tmpOptions[col_num_as_int] = $.extend(true, {}, default_options, options_arg[i]);
+                               }
+                       }
+                       options[selector_arg] = tmpOptions;
+                       
+                       check3rdPPluginsNeededClose();
+               }
+
+               function check3rdPPluginsNeededClose() {
+                       Object.entries(getAllOptions()).forEach(function(tableEntry) {
+                               Object.entries(tableEntry[1]).forEach(function(columnEntry) {
+                                       if (columnEntry[1].datepicker_type === 'bootstrap-datepicker') {
+                                               if (columnEntry[1].filter_type === 'range_date') {
+                                                       closeBootstrapDatepickerRange = true;
+                                               } else {
+                                                       closeBootstrapDatepicker = true;        
+                                               }
+                                       } else if (columnEntry[1].select_type === 'select2') {
+                                               closeSelect2 = true;
+                                       }
+                               });
+                       });
+               }
+               
+               //taken and modified from DataTables 1.10.0-beta.2 source
+               function yadcfVersionCheck(version) {
+                       var aThis = $.fn.dataTable.ext.sVersion.split('.'),
+                               aThat = version.split('.'),
+                               iThis,
+                               iThat,
+                               i,
+                               iLen;
+
+                       for (i = 0, iLen = aThat.length; i < iLen; i++) {
+                               iThis = parseInt(aThis[i], 10) || 0;
+                               iThat = parseInt(aThat[i], 10) || 0;
+
+                               // Parts are the same, keep comparing
+                               if (iThis === iThat) {
+                                       continue;
+                               }
+
+                               // Parts are different, return immediately
+                               return iThis > iThat;
+                       }
+
+                       return true;
+               }
+
+               function resetIApiIndex() {
+                       $.fn.dataTableExt.iApiIndex = 0;
+
+               }
+
+               function escapeRegExp(string) {
+                       return string.replace(/([.*+?^=!:${}()|\[\]\/\\])/g, "\\$1");
+               }
+
+               function escapeRegExpInArray(arr) {
+                       var i;
+                       for (i = 0; i < arr.length; i++) {
+                               arr[i] = arr[i].replace(/([.*+?^=!:${}()|\[\]\/\\])/g, "\\$1");
+                       }
+                       return arr;
+               }
+
+               function replaceAll(string, find, replace) {
+                       return string.replace(new RegExp(escapeRegExp(find), 'g'), replace);
+               }
+
+               function getTableId(obj) {
+                       var tableId;
+                       if (obj.table !== undefined) {
+                               tableId = obj.table().node().id;
+                       } else {
+                               tableId = getSettingsObjFromTable(obj).sTableId;
+                       }
+                       return tableId;
+               }
+
+               function generateTableSelectorJQFriendly2(obj) {
+                       var tmpStr;
+                       if (obj.oInstance !== undefined && obj.oInstance.selector !== undefined) {
+                               tmpStr = obj.oInstance.selector;
+                       } else if (obj.selector !== undefined) {
+                               tmpStr = obj.selector;
+                       } else if (obj.table !== undefined) {
+                               tmpStr = obj.table().node().id;
+                       } else {
+                               return '';
+                       }
+                       tmpStr = replaceAll(tmpStr, ".", "-");
+                       tmpStr = replaceAll(tmpStr, ' ', '');
+                       return tmpStr.replace(":", "-").replace("(", "").replace(")", "").replace("#", "-");
+               }
+
+               function generateTableSelectorJQFriendlyNew(tmpStr) {
+                       tmpStr = replaceAll(tmpStr, ":", "-");
+                       tmpStr = replaceAll(tmpStr, "(", "");
+                       tmpStr = replaceAll(tmpStr, ")", "");
+                       tmpStr = replaceAll(tmpStr, ",", "");
+                       tmpStr = replaceAll(tmpStr, ".", "-");
+                       tmpStr = replaceAll(tmpStr, "#", "-");
+                       tmpStr = replaceAll(tmpStr, ' ', '');
+                       return tmpStr;
+               }
+
+               yadcfDelay = (function () {
+                       var timer = 0;
+                       return function (callback, ms, param) {
+                               clearTimeout(timer);
+                               timer = setTimeout(function () {
+                                       callback(param);
+                               }, ms);
+                               return timer;
+                       };
+               }());
+
+               function initializeSelectPlugin(selectType, $selectObject, select_type_options) {
+                       if (selectType === 'chosen') {
+                               $selectObject.chosen(select_type_options);
+                               $selectObject.next().attr("onclick", "yadcf.stopPropagation(event);").attr("onmousedown", "yadcf.stopPropagation(event);");
+                               refreshSelectPlugin({
+                                       select_type: selectType,
+                                       select_type_options: select_type_options
+                               }, $selectObject);
+                       } else if (selectType === 'select2') {
+                               if (!$selectObject.data('select2')) {
+                                       $selectObject.select2(select_type_options);
+                               }
+                               if ($selectObject.next().hasClass('select2-container')) {
+                                       $selectObject.next().attr("onclick", "yadcf.stopPropagation(event);").attr("onmousedown", "yadcf.stopPropagation(event);");
+                               }
+                       } else if (selectType === 'custom_select') {
+                               selectElementCustomInitFunc($selectObject);
+                               $selectObject.next().attr("onclick", "yadcf.stopPropagation(event);").attr("onmousedown", "yadcf.stopPropagation(event);");
+                       }
+               }
+
+               function refreshSelectPlugin(columnObj, $selectObject, val) {
+                       var selectType = columnObj.select_type,
+                               select_type_options = columnObj.select_type_options;
+                       if (selectType === 'chosen') {
+                               $selectObject.trigger("chosen:updated");
+                       } else if (selectType === 'select2') {
+                               if (!$selectObject.data('select2')) {
+                                       $selectObject.select2(select_type_options);
+                               }
+                               if (val !== undefined) {
+                                       $selectObject.val(val);
+                               }
+                               $selectObject.trigger('change');
+                       } else if (selectType === 'custom_select') {
+                               selectElementCustomRefreshFunc($selectObject);
+                       }
+               }
+
+               function initSelectPluginCustomTriggers(initFunc, refreshFunc, destroyFunc) {
+                       selectElementCustomInitFunc = initFunc;
+                       selectElementCustomRefreshFunc = refreshFunc;
+                       selectElementCustomDestroyFunc = destroyFunc;
+               }
+
+               //Used by exFilterColumn for translating readable search value into proper search string for datatables filtering
+               function yadcfMatchFilterString(table_arg, column_number, selected_value, filter_match_mode, multiple, exclude) {
+                       var case_insensitive = yadcf.getOptions(table_arg.selector)[column_number].case_insensitive,
+                               ret_val;
+
+                       if (!selected_value) {
+                               return '';
+                       }
+
+                       table_arg.fnSettings().aoPreSearchCols[column_number].bSmart = false;
+                       table_arg.fnSettings().aoPreSearchCols[column_number].bRegex = true;
+                       table_arg.fnSettings().aoPreSearchCols[column_number].bCaseInsensitive = case_insensitive;
+
+                       if (multiple === undefined || multiple === false) {
+                               if (exclude !== true) {
+                                       if (filter_match_mode === "contains") {
+                                               table_arg.fnSettings().aoPreSearchCols[column_number].bSmart = true;
+                                               table_arg.fnSettings().aoPreSearchCols[column_number].bRegex = false;
+                                               ret_val = selected_value;
+                                       } else if (filter_match_mode === "exact") {
+                                               ret_val = "^" + selected_value + "$";
+                                       } else if (filter_match_mode === "startsWith") {
+                                               ret_val = "^" + selected_value;
+                                       } else if (filter_match_mode === "regex") {
+                                               ret_val = selected_value;
+                                       }
+                               } else {
+                                       ret_val = "^((?!" + selected_value + ").)*$";
+                               }
+                       } else {
+                               if (filter_match_mode !== 'regex') {
+                                       if (!(selected_value instanceof Array)) {
+                                               selected_value = [selected_value];
+                                       }
+                                       selected_value = escapeRegExpInArray(selected_value);
+                               }
+                               if (filter_match_mode === "contains") {
+                                       ret_val = selected_value.join("|");
+                               } else if (filter_match_mode === "exact") {
+                                       ret_val = "^(" + selected_value.join("|") + ")$";
+                               } else if (filter_match_mode === "startsWith") {
+                                       ret_val = "^(" + selected_value.join("|") + ")";
+                               } else if (filter_match_mode === "regex") {
+                                       ret_val = selected_value;
+                               }
+                       }
+                       return ret_val;
+               }
+
+               function yadcfMatchFilter(oTable, selected_value, filter_match_mode, column_number, exclude, original_column_number) {
+                       var case_insensitive = yadcf.getOptions(oTable.selector)[original_column_number].case_insensitive;
+                       if (exclude !== true) {
+                               if (filter_match_mode === "contains") {
+                                       oTable.fnFilter(selected_value, column_number, false, true, true, case_insensitive);
+                               } else if (filter_match_mode === "exact") {
+                                       selected_value = escapeRegExp(selected_value);
+                                       oTable.fnFilter("^" + selected_value + "$", column_number, true, false, true, case_insensitive);
+                               } else if (filter_match_mode === "startsWith") {
+                                       selected_value = escapeRegExp(selected_value);
+                                       oTable.fnFilter("^" + selected_value, column_number, true, false, true, case_insensitive);
+                               } else if (filter_match_mode === "regex") {
+                                       try {
+                                               //validate regex, only call fnFilter if valid
+                                               new RegExp(selected_value);
+                                       } catch (error) {
+                                               return;
+                                       }
+                                       oTable.fnFilter(selected_value, column_number, true, false, true, case_insensitive);
+                               }
+                       } else {
+                               oTable.fnFilter("^((?!" + selected_value + ").)*$", column_number, true, false, true, case_insensitive);
+                       }
+               }
+               function yadcfParseMatchFilter(tmpStr, filter_match_mode) {
+                       var retVal;
+                       if (filter_match_mode === "contains") {
+                               retVal = tmpStr;
+                       } else if (filter_match_mode === "exact") {
+                               retVal = tmpStr.substring(1, tmpStr.length - 1);
+                               retVal = retVal.replace(/([\\])/g, '');
+                       } else if (filter_match_mode === "startsWith") {
+                               retVal = tmpStr.substring(1, tmpStr.length);
+                               retVal = retVal.replace(/([\\])/g, '');
+                       } else if (filter_match_mode === "regex") {
+                               retVal = tmpStr;
+                       }
+                       return retVal;
+               }
+
+               function doFilterCustomDateFunc(arg, table_selector_jq_friendly, column_number) {
+                       var oTable = oTables[table_selector_jq_friendly],
+                               yadcfState,
+                               columnObj = getOptions(oTable.selector)[column_number];
+
+                       if (arg === 'clear' && exGetColumnFilterVal(oTable, column_number) === '') {
+                               return;
+                       }
+
+                       if (arg.value !== undefined && arg.value !== "-1") {
+                               $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number).addClass("inuse");
+                       } else {
+                               //wehn arg === 'clear' or arg.value === '-1'
+                               $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number).val('-1').focus();
+                               $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number).removeClass("inuse");
+                               refreshSelectPlugin(columnObj, $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number), '-1');
+                       }
+
+                       if (!oTable.fnSettings().oLoadedState) {
+                               oTable.fnSettings().oLoadedState = {};
+                               oTable.fnSettings().oApi._fnSaveState(oTable.fnSettings());
+                       }
+                       if (oTable.fnSettings().oFeatures.bStateSave === true) {
+                               if (oTable.fnSettings().oLoadedState.yadcfState !== undefined && oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly] !== undefined) {
+                                       oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly][column_number] =
+                                               {
+                                                       from: arg.value
+                                               };
+                               } else {
+                                       yadcfState = {};
+                                       yadcfState[table_selector_jq_friendly] = [];
+                                       yadcfState[table_selector_jq_friendly][column_number] = {
+                                               from: arg.value
+                                       };
+                                       oTable.fnSettings().oLoadedState.yadcfState = yadcfState;
+                               }
+                               oTable.fnSettings().oApi._fnSaveState(oTable.fnSettings());
+                       }
+
+                       oTable.fnDraw();
+               }
+
+               function calcColumnNumberFilter(settingsDt, column_number, table_selector_jq_friendly) {
+                       var column_number_filter;
+                       if ((settingsDt.oSavedState && settingsDt.oSavedState.ColReorder !== undefined) ||
+                               settingsDt._colReorder ||
+                               (plugins[table_selector_jq_friendly] !== undefined && plugins[table_selector_jq_friendly].ColReorder !== undefined)) {
+                               initColReorder2(settingsDt, table_selector_jq_friendly);
+                               column_number_filter = plugins[table_selector_jq_friendly].ColReorder[column_number];
+                       } else {
+                               column_number_filter = column_number;
+                       }
+                       return column_number_filter;
+               }
+
+               function doFilter(arg, table_selector_jq_friendly, column_number, filter_match_mode) {
+                       $.fn.dataTableExt.iApiIndex = oTablesIndex[table_selector_jq_friendly];
+
+                       var oTable = oTables[table_selector_jq_friendly],
+                               selected_value,
+                               column_number_filter,
+                               columnObj,
+                               settingsDt = getSettingsObjFromTable(oTable);
+
+                       column_number_filter = calcColumnNumberFilter(settingsDt, column_number, table_selector_jq_friendly);
+
+                       columnObj = getOptions(oTable.selector)[column_number];
+                       if (arg === "clear") {
+                               if (exGetColumnFilterVal(oTable, column_number) === '') {
+                                       return;
+                               }
+                               $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number).val("-1").focus();
+                               $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number).removeClass("inuse");
+                               $(document).data("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number + "_val", "-1");
+                               oTable.fnFilter("", column_number_filter);
+                               resetIApiIndex();
+
+                               refreshSelectPlugin(columnObj, $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number), '-1');
+                               return;
+                       }
+
+                       $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number).addClass("inuse");
+
+                       $(document).data("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number + "_val", arg.value);
+
+                       selected_value = $.trim($(arg).find('option:selected').val());
+
+                       if (arg.value !== "-1") {
+                               yadcfMatchFilter(oTable, selected_value, filter_match_mode, column_number_filter, false, column_number);
+                       } else {
+                               oTable.fnFilter("", column_number_filter);
+                               $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number).removeClass("inuse");
+                       }
+                       resetIApiIndex();
+               }
+
+               function doFilterMultiSelect(arg, table_selector_jq_friendly, column_number, filter_match_mode) {
+                       $.fn.dataTableExt.iApiIndex = oTablesIndex[table_selector_jq_friendly];
+                       var oTable = oTables[table_selector_jq_friendly],
+                               selected_values = $(arg).val(),
+                               selected_values_trimmed = [],
+                               i,
+                               stringForSearch,
+                               column_number_filter,
+                               settingsDt = getSettingsObjFromTable(oTable);
+
+                       column_number_filter = calcColumnNumberFilter(settingsDt, column_number, table_selector_jq_friendly);
+                       $(document).data("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number + "_val", selected_values);
+
+                       if (selected_values !== null) {
+                               for (i = selected_values.length - 1; i >= 0; i--) {
+                                       if (selected_values[i] === "-1") {
+                                               selected_values.splice(i, 1);
+                                               break;
+                                       }
+                               }
+                               for (i = 0; i < selected_values.length; i++) {
+                                       selected_values_trimmed.push($.trim(selected_values[i]));
+                               }
+                               if (selected_values_trimmed.length !== 0) {
+                                       $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).addClass("inuse");
+                                       if (filter_match_mode !== "regex") {
+                                               stringForSearch = selected_values_trimmed.join('narutouzomaki');
+                                               stringForSearch = stringForSearch.replace(/([.*+?^=!:${}()|\[\]\/\\])/g, "\\$1");
+                                               stringForSearch = stringForSearch.split('narutouzomaki').join('|');
+                                               if (filter_match_mode === "contains") {
+                                                       oTable.fnFilter(stringForSearch, column_number_filter, true, false, true);
+                                               } else if (filter_match_mode === "exact") {
+                                                       oTable.fnFilter("^(" + stringForSearch + ")$", column_number_filter, true, false, true);
+                                               } else if (filter_match_mode === "startsWith") {
+                                                       oTable.fnFilter("^(" + stringForSearch + ")", column_number_filter, true, false, true);
+                                               }
+                                       } else {
+                                               stringForSearch = selected_values_trimmed.join('|');
+                                               oTable.fnFilter(stringForSearch, column_number_filter, true, false, true);
+                                       }
+                               } else {
+                                       $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).removeClass("inuse");
+                                       oTable.fnFilter("", column_number_filter);
+                               }
+                       } else {
+                               $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).removeClass("inuse");
+                               oTable.fnFilter("", column_number_filter);
+                       }
+                       resetIApiIndex();
+               }
+
+               function yadcfParseMatchFilterMultiSelect(tmpStr, filter_match_mode) {
+                       var retVal;
+                       if (filter_match_mode === "contains") {
+                               retVal = tmpStr;
+                       } else if (filter_match_mode === "exact") {
+                               retVal = tmpStr.substring(1, tmpStr.length - 1);
+                               retVal = retVal.substring(1, retVal.length - 1);
+                       } else if (filter_match_mode === "startsWith") {
+                               retVal = tmpStr.substring(1, tmpStr.length);
+                               retVal = retVal.substring(1, retVal.length - 1);
+                       } else if (filter_match_mode === "regex") {
+                               retVal = tmpStr;
+                       }
+                       return retVal;
+               }
+
+               function doFilterAutocomplete(arg, table_selector_jq_friendly, column_number, filter_match_mode) {
+                       $.fn.dataTableExt.iApiIndex = oTablesIndex[table_selector_jq_friendly];
+                       var oTable = oTables[table_selector_jq_friendly],
+                               column_number_filter,
+                               settingsDt = getSettingsObjFromTable(oTable);
+
+                       column_number_filter = calcColumnNumberFilter(settingsDt, column_number, table_selector_jq_friendly);
+
+                       if (arg === "clear") {
+                               if (exGetColumnFilterVal(oTable, column_number) === '') {
+                                       return;
+                               }
+                               $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number).val("").focus();
+                               $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number).removeClass("inuse");
+                               $(document).removeData("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number + "_val");
+                               oTable.fnFilter("", column_number_filter);
+                               resetIApiIndex();
+                               return;
+                       }
+
+                       $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number).addClass("inuse");
+
+                       $(document).data("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number + "_val", arg.value);
+
+                       yadcfMatchFilter(oTable, arg.value, filter_match_mode, column_number_filter, false, column_number);
+
+                       resetIApiIndex();
+               }
+
+               function autocompleteSelect(event, ui) {
+                       var table_column,
+                               dashIndex,
+                               table_selector_jq_friendly,
+                               col_num,
+                               filter_match_mode;
+
+                       event = eventTargetFixUp(event);
+                       table_column = event.target.id.replace("yadcf-filter-", "");
+                       dashIndex = table_column.lastIndexOf("-");
+                       table_selector_jq_friendly = table_column.substring(0, dashIndex);
+                       col_num = parseInt(table_column.substring(dashIndex + 1), 10);
+                       filter_match_mode = $(event.target).attr("filter_match_mode");
+
+                       doFilterAutocomplete(ui.item, table_selector_jq_friendly, col_num, filter_match_mode);
+               }
+
+               function sortNumAsc(a, b) {
+                       return a - b;
+               }
+
+               function sortNumDesc(a, b) {
+                       return b - a;
+               }
+
+               function findMinInArray(array, columnObj) {
+                       var narray = [], 
+                               i,
+                               num,
+                               min;
+                       for (i = 0; i < array.length; i++) {
+                               if (array[i] !== null) {
+                                       if (columnObj.ignore_char !== undefined) {
+                                               array[i] = array[i].toString().replace(columnObj.ignore_char, "");
+                                       }
+                                       if (columnObj.range_data_type === 'single') {
+                                               num = +array[i];
+                                       } else {
+                                               num = array[i].split(columnObj.range_data_type_delim);
+                                               num = num[0];
+                                       }
+                                       if (!isNaN(num)) {
+                                               narray.push(num);
+                                       }
+                               }
+                       }
+                       min = Math.min.apply(Math, narray);
+                       if (!isFinite(min)) {
+                               min = 0;
+                       } else if (min !== 0) {
+                               if (min > 0) {
+                                       min = Math.floor(min);
+                               } else {
+                                       min = -1 * Math.ceil(min * -1);
+                               }
+                       }
+                       
+                       return min;
+               }
+
+               function findMaxInArray(array, columnObj) {
+                       var narray = [],
+                               i,
+                               num,
+                               max;
+                       for (i = 0; i < array.length; i++) {
+                               if (array[i] !== null) {
+                                       if (columnObj.ignore_char !== undefined) {
+                                               array[i] = array[i].toString().replace(columnObj.ignore_char, "");
+                                       }
+                                       if (columnObj.range_data_type === 'single') {
+                                               num = +array[i];
+                                       } else {
+                                               num = array[i].split(columnObj.range_data_type_delim);
+                                               num = num[1];
+                                       }
+                                       if (!isNaN(num)) {
+                                               narray.push(num);
+                                       }
+                               }
+                       }
+                       max = Math.max.apply(Math, narray);
+                       if (!isFinite(max)) {
+                               max = 0;
+                       } else {
+                               max = Math.ceil(max);
+                       }
+                       return max;
+               }
+
+               function addRangeNumberAndSliderFilterCapability(table_selector_jq_friendly, fromId, toId, col_num, ignore_char, sliderMaxMin) {
+
+                       $.fn.dataTableExt.afnFiltering.push(
+                               function (settingsDt, aData, iDataIndex, rowData) {
+                                       var min,
+                                               max,
+                                               val,
+                                               retVal = false,
+                                               table_selector_jq_friendly_local = table_selector_jq_friendly,
+                                               current_table_selector_jq_friendly = yadcf.generateTableSelectorJQFriendly2(settingsDt),
+                                               ignore_char_local = ignore_char,
+                                               column_data_type,
+                                               html_data_type,
+                                               columnObj,
+                                               column_number_filter,
+                                               valFrom,
+                                               valTo;
+
+                                       if (table_selector_jq_friendly_local !== current_table_selector_jq_friendly) {
+                                               return true;
+                                       }
+                                       columnObj = getOptions(settingsDt.oInstance.selector)[col_num];
+                                       if (columnObj.filter_type === 'range_number_slider') {
+                                               min = $('#' + fromId).text();
+                                               max = $('#' + toId).text();
+                                       } else {
+                                               min = $('#' + fromId).val();
+                                               max = $('#' + toId).val();
+                                       }
+
+                                       column_number_filter = calcColumnNumberFilter(settingsDt, col_num, table_selector_jq_friendly);
+
+                                       if (rowData !== undefined) {
+                                               aData = rowData;
+                                               if (columnObj.column_number_data !== undefined) {
+                                                       column_number_filter = columnObj.column_number_data;
+                                                       val = dot2obj(aData, column_number_filter);
+                                               } else {
+                                                       val = aData[column_number_filter];
+                                               }
+                                       } else {
+                                               val = aData[column_number_filter];
+                                       }
+                                       if (!isFinite(min) || !isFinite(max)) {
+                                               return true;
+                                       }
+                                       column_data_type = columnObj.column_data_type;
+                                       html_data_type = columnObj.html_data_type;
+
+                                       if (column_data_type === "html" || column_data_type === "rendered_html") {
+                                               if (html_data_type === undefined) {
+                                                       html_data_type = "text";
+                                               }
+                                               if ($(val).length !== 0) {
+                                                       switch (html_data_type) {
+                                                       case "text":
+                                                               val = $(val).text();
+                                                               break;
+                                                       case "value":
+                                                               val = $(val).val();
+                                                               break;
+                                                       case "id":
+                                                               val = val.id;
+                                                               break;
+                                                       case "selector":
+                                                               val = $(val).find(columnObj.html_data_selector).text();
+                                                               break;
+                                                       }
+                                               }
+                                       } else {
+                                               if (typeof val === 'object') {
+                                                       if (columnObj.html5_data !== undefined) {
+                                                               val = val['@' + columnObj.html5_data];
+                                                       }
+                                               }
+                                       }
+                                       if (ignore_char_local !== undefined) {
+                                               min = min.replace(ignore_char_local, "");
+                                               max = max.replace(ignore_char_local, "");
+                                               if (val) {
+                                                       val = val.toString().replace(ignore_char_local, "");
+                                               } else {
+                                                       val = "";
+                                               }
+                                       }
+                                       //omit empty rows when filtering
+                                       if (columnObj.filter_type === 'range_number_slider') {
+                                               if (val === '' && ((+min) !== sliderMaxMin.min || (+max) !== sliderMaxMin.max)) {
+                                                       return false;
+                                               }
+                                       } else {
+                                               if (val === '' && (min !== '' || max !== '')) {
+                                                       return false;
+                                               }
+                                       }
+                                       min = (min !== "") ? (+min) : min;
+                                       max = (max !== "") ? (+max) : max;
+                                       if (columnObj.range_data_type === 'single') {
+                                               val = (val !== "") ? (+val) : val;
+                                               if (min === "" && max === "") {
+                                                       retVal = true;
+                                               } else if (min === "" && val <= max) {
+                                                       retVal = true;
+                                               } else if (min <= val && "" === max) {
+                                                       retVal = true;
+                                               } else if (min <= val && val <= max) {
+                                                       retVal = true;
+                                               } else if (val === '' || isNaN(val)) {
+                                                       retVal = true;
+                                               }
+                                       } else if (columnObj.range_data_type === 'range') {
+                                               val = val.split(columnObj.range_data_type_delim);
+                                               valFrom = (val[0] !== "") ? (+val[0]) : val[0];
+                                               valTo = (val[1] !== "") ? (+val[1]) : val[1];
+                                               if (min === "" && max === "") {
+                                                       retVal = true;
+                                               } else if (min === "" && valTo <= max) {
+                                                       retVal = true;
+                                               } else if (min <= valFrom && "" === max) {
+                                                       retVal = true;
+                                               } else if (min <= valFrom && valTo <= max) {
+                                                       retVal = true;
+                                               } else if ((valFrom === '' || isNaN(valFrom)) && (valTo === '' || isNaN(valTo))) {
+                                                       retVal = true;
+                                               }
+                                       }
+                                       return retVal;
+                               }
+                       );
+               }
+
+               function addCustomFunctionFilterCapability(table_selector_jq_friendly, filterId, col_num) {
+
+                       $.fn.dataTableExt.afnFiltering.push(
+                               function (settingsDt, aData, iDataIndex, stateVal) {
+                                       var filterVal = $('#' + filterId).val(),
+                                               columnVal,
+                                               retVal = false,
+                                               table_selector_jq_friendly_local = table_selector_jq_friendly,
+                                               current_table_selector_jq_friendly = yadcf.generateTableSelectorJQFriendly2(settingsDt),
+                                               custom_func,
+                                               column_number_filter;
+
+                                       if (table_selector_jq_friendly_local !== current_table_selector_jq_friendly || filterVal === '-1') {
+                                               return true;
+                                       }
+
+                                       column_number_filter = calcColumnNumberFilter(settingsDt, col_num, table_selector_jq_friendly);
+
+                                       columnVal = aData[column_number_filter] === "-" ? 0 : aData[column_number_filter];
+
+                                       custom_func = getOptions(settingsDt.oInstance.selector)[col_num].custom_func;
+
+                                       retVal = custom_func(filterVal, columnVal, aData, stateVal);
+
+                                       return retVal;
+                               }
+                       );
+               }
+               function addRangeDateFilterCapability(table_selector_jq_friendly, fromId, toId, col_num, date_format) {
+
+                       $.fn.dataTableExt.afnFiltering.push(
+                               function (settingsDt, aData, iDataIndex, rowData) {
+                                       var min = document.getElementById(fromId) !== null ? document.getElementById(fromId).value : "",
+                                               max = document.getElementById(toId) !== null ? document.getElementById(toId).value : "",
+                                               val,
+                                               retVal = false,
+                                               table_selector_jq_friendly_local = table_selector_jq_friendly,
+                                               current_table_selector_jq_friendly = yadcf.generateTableSelectorJQFriendly2(settingsDt),
+                                               column_data_type,
+                                               html_data_type,
+                                               columnObj,
+                                               column_number_filter,
+                                               min_time,
+                                               max_time,
+                                               dataRenderFunc,
+                                               dpg;
+
+                                       if (table_selector_jq_friendly_local !== current_table_selector_jq_friendly) {
+                                               return true;
+                                       }
+                                       columnObj = getOptions(settingsDt.oInstance.selector)[col_num];
+                                       if (columnObj.datepicker_type === 'bootstrap-datepicker') {
+                                               dpg = $.fn.datepicker.DPGlobal;
+                                       }
+                                       column_number_filter = calcColumnNumberFilter(settingsDt, col_num, table_selector_jq_friendly);
+                                       if (typeof columnObj.column_number_data === 'function' || typeof columnObj.column_number_render === 'function') {
+                                               dataRenderFunc = true;
+                                       }
+                                       if (rowData !== undefined && dataRenderFunc !== true) {
+                                               if (columnObj.column_number_data !== undefined) {
+                                                       column_number_filter = columnObj.column_number_data;
+                                                       val = dot2obj(rowData, column_number_filter);
+                                               } else {
+                                                       val = rowData[column_number_filter];
+                                               }
+                                       } else {
+                                               val = aData[column_number_filter];
+                                       }
+
+                                       column_data_type = columnObj.column_data_type;
+                                       html_data_type = columnObj.html_data_type;
+
+                                       if (column_data_type === "html" || column_data_type === "rendered_html") {
+                                               if (html_data_type === undefined) {
+                                                       html_data_type = "text";
+                                               }
+                                               if ($(val).length !== 0) {
+                                                       switch (html_data_type) {
+                                                       case "text":
+                                                               val = $(val).text();
+                                                               break;
+                                                       case "value":
+                                                               val = $(val).val();
+                                                               break;
+                                                       case "id":
+                                                               val = val.id;
+                                                               break;
+                                                       case "selector":
+                                                               val = $(val).find(columnObj.html_data_selector).text();
+                                                               break;
+                                                       }
+                                               }
+                                       } else if (typeof val === 'object') {
+                                               if (columnObj.html5_data !== undefined) {
+                                                       val = val['@' + columnObj.html5_data];
+                                               }
+                                       }
+                                       
+                                       //omit empty rows when filtering
+                                       if (val === '' && (min !== '' || max !== '')) {
+                                               return false;
+                                       }
+                                       try {
+                                               if (min.length === (date_format.length + 2) || columnObj.datepicker_type.indexOf('bootstrap') !== -1) {
+                                                       if (columnObj.datepicker_type === 'jquery-ui') {
+                                                               min = (min !== "") ? $.datepicker.parseDate(date_format, min) : min;
+                                                       } else if (columnObj.datepicker_type === 'bootstrap-datetimepicker') {
+                                                               min = (min !== "") ? moment(min, columnObj.moment_date_format).toDate() : min;
+                                                       } else if (columnObj.datepicker_type === 'bootstrap-datepicker') {
+                                                               min = (min !== "") ? dpg.parseDate(min, dpg.parseFormat(columnObj.date_format)) : min;
+                                                       }
+                                               }
+                                       } catch (err1) {}
+                                       try {
+                                               if (max.length === (date_format.length + 2) || columnObj.datepicker_type.indexOf('bootstrap') !== -1) {
+                                                       if (columnObj.datepicker_type === 'jquery-ui') {
+                                                               max = (max !== "") ? $.datepicker.parseDate(date_format, max) : max;
+                                                       } else if (columnObj.datepicker_type === 'bootstrap-datetimepicker') {
+                                                               max = (max !== "") ? moment(max, columnObj.moment_date_format).toDate() : max;
+                                                       } else if (columnObj.datepicker_type === 'bootstrap-datepicker') {
+                                                               max = (max !== "") ? dpg.parseDate(max, dpg.parseFormat(columnObj.date_format)) : max;
+                                                       }
+                                               }
+                                       } catch (err2) {}
+                                       try {
+                                               if (columnObj.datepicker_type === 'jquery-ui') {
+                                                       val = (val !== "") ? $.datepicker.parseDate(date_format, val) : val;
+                                               } else if (columnObj.datepicker_type === 'bootstrap-datetimepicker') {
+                                                       val = (val !== "") ? moment(val, columnObj.moment_date_format).toDate() : val;
+                                               } else if (columnObj.datepicker_type === 'bootstrap-datepicker') {
+                                                       val = (val !== "") ? dpg.parseDate(val, dpg.parseFormat(columnObj.date_format)) : val;
+                                               }
+                                       } catch (err3) {}
+
+                                       if (date_format.toLowerCase() !== 'hh:mm') {
+                                               if ((min === "" || !(min instanceof Date)) && (max === "" || !(max instanceof Date))) {
+                                                       retVal = true;
+                                               } else if (min === "" && val <= max) {
+                                                       retVal = true;
+                                               } else if (min <= val && "" === max) {
+                                                       retVal = true;
+                                               } else if (min <= val && val <= max) {
+                                                       retVal = true;
+                                               }
+                                       } else {
+                                               min_time = moment(min);
+                                               min_time = min_time.minutes() + min_time.hours() * 60;
+                                               if (isNaN(min_time)) {
+                                                       min_time = '';
+                                               }
+                                               max_time = moment(max);
+                                               max_time = max_time.minutes() + max_time.hours() * 60;
+                                               if (isNaN(max_time)) {
+                                                       max_time = '';
+                                               }
+                                               val = moment(val);
+                                               val = val.minutes() + val.hours() * 60;
+
+                                               if ((min === "" || !(moment(min, date_format).isValid())) && (max === "" || !(moment(max, date_format).isValid()))) {
+                                                       retVal = true;
+                                               } else if (min_time === "" && val <= max_time) {
+                                                       retVal = true;
+                                               } else if (min_time <= val && "" === max_time) {
+                                                       retVal = true;
+                                               } else if (min_time <= val && val <= max_time) {
+                                                       retVal = true;
+                                               }
+                                       }
+                                       return retVal;
+                               }
+                       );
+               }
+
+               function addRangeNumberFilter(filter_selector_string, table_selector_jq_friendly, column_number, filter_reset_button_text, filter_default_label, ignore_char) {
+                       var fromId = "yadcf-filter-" + table_selector_jq_friendly + "-from-" + column_number,
+                               toId = "yadcf-filter-" + table_selector_jq_friendly + "-to-" + column_number,
+                               filter_selector_string_tmp,
+                               filter_wrapper_id,
+                               oTable,
+                               columnObj,
+                               filterActionStr;
+
+                       filter_wrapper_id = "yadcf-filter-wrapper-" + table_selector_jq_friendly + "-" + column_number;
+
+                       if ($("#" + filter_wrapper_id).length > 0) {
+                               return;
+                       }
+                       $.fn.dataTableExt.iApiIndex = oTablesIndex[table_selector_jq_friendly];
+                       oTable = oTables[table_selector_jq_friendly];
+                       columnObj = getOptions(oTable.selector)[column_number];
+
+                       //add a wrapper to hold both filter and reset button
+                       $(filter_selector_string).append("<div onmousedown=\"yadcf.stopPropagation(event);\" onclick=\"yadcf.stopPropagation(event);\"  id=\"" + filter_wrapper_id + "\" class=\"yadcf-filter-wrapper " + columnObj.style_class + "\"></div>");
+                       filter_selector_string += " div.yadcf-filter-wrapper";
+                       filter_selector_string_tmp = filter_selector_string;
+
+                       $(filter_selector_string).append("<div id=\"yadcf-filter-wrapper-inner-" + table_selector_jq_friendly + "-" + column_number + "\" class=\"yadcf-filter-wrapper-inner" + " -" + table_selector_jq_friendly + "-" + column_number + "\"></div>");
+                       filter_selector_string += " div.yadcf-filter-wrapper-inner";
+
+                       filterActionStr = 'onkeyup="yadcf.rangeNumberKeyUP(\'' + table_selector_jq_friendly + '\',event);"';
+                       if (columnObj.externally_triggered === true) {
+                               filterActionStr = '';
+                       }
+
+                       $(filter_selector_string).append("<input onkeydown=\"yadcf.preventDefaultForEnter(event);\" placeholder=\"" + filter_default_label[0] + "\" id=\"" + fromId + "\" class=\"yadcf-filter-range-number yadcf-filter-range\" " + filterActionStr + "></input>");
+                       $(filter_selector_string).append("<span class=\"yadcf-filter-range-number-seperator\" >" +
+                               "</span>");
+                       $(filter_selector_string).append("<input onkeydown=\"yadcf.preventDefaultForEnter(event);\" placeholder=\"" + filter_default_label[1] + "\" id=\"" + toId + "\" class=\"yadcf-filter-range-number yadcf-filter-range\" " + filterActionStr + "></input>");
+
+                       if (filter_reset_button_text !== false) {
+                               $(filter_selector_string_tmp).append("<button type=\"button\" onmousedown=\"yadcf.stopPropagation(event);\" " +
+                                       "onclick=\"yadcf.stopPropagation(event);yadcf.rangeClear('" + table_selector_jq_friendly + "',event," + column_number + "); return false;\" class=\"yadcf-filter-reset-button " + columnObj.reset_button_style_class + "\">" + filter_reset_button_text + "</button>");
+                       }
+
+                       if (oTable.fnSettings().oFeatures.bStateSave === true && oTable.fnSettings().oLoadedState) {
+                               if (oTable.fnSettings().oLoadedState.yadcfState && oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly] && oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly][column_number]) {
+                                       $('#' + fromId).val(oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly][column_number].from);
+                                       if (oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly][column_number].from !== "") {
+                                               $('#' + fromId).addClass("inuse");
+                                       }
+                                       $('#' + toId).val(oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly][column_number].to);
+                                       if (oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly][column_number].to !== "") {
+                                               $('#' + toId).addClass("inuse");
+                                       }
+                               }
+                       }
+                       resetIApiIndex();
+
+                       if (oTable.fnSettings().oFeatures.bServerSide !== true) {
+                               addRangeNumberAndSliderFilterCapability(table_selector_jq_friendly, fromId, toId, column_number, ignore_char);
+                       }
+
+               }
+
+               function dateSelectSingle(pDate, pEvent, clear) {
+                       var oTable,
+                               date,
+                               event,
+                               column_number,
+                               dashIndex,
+                               table_selector_jq_friendly,
+                               column_number_filter,
+                               settingsDt,
+                               columnObj;
+
+                       if (pDate.type === 'dp') {
+                               event = pDate.target;
+                       } else if (pDate.type === 'changeDate') {
+                               event = pDate.currentTarget;
+                       } else {
+                               date = pDate;
+                               event = pEvent;
+                       }
+
+                       column_number = $(event).attr('id').replace('yadcf-filter-', '').replace('-date', '').replace('-reset', '');
+                       dashIndex = column_number.lastIndexOf("-");
+                       table_selector_jq_friendly = column_number.substring(0, dashIndex);
+
+                       column_number = column_number.substring(dashIndex + 1);
+                       $.fn.dataTableExt.iApiIndex = oTablesIndex[table_selector_jq_friendly];
+                       oTable = oTables[table_selector_jq_friendly];
+                       settingsDt = getSettingsObjFromTable(oTable);
+                       columnObj = getOptions(oTable.selector)[column_number];
+
+                       if (pDate.type === 'dp') {
+                               if (moment($(event).val(), columnObj.date_format).isValid()) {
+                                       date = $(event).val();
+                               } else {
+                                       clear = 'clear';
+                               }
+                               $(event).blur();
+                       } else if (columnObj.datepicker_type === 'bootstrap-datepicker') {
+                               if (pDate.dates) {
+                                       date = pDate.format(0, columnObj.date_format);
+                               }
+                       }
+
+                       column_number_filter = calcColumnNumberFilter(settingsDt, column_number, table_selector_jq_friendly);
+
+                       if (clear === undefined) {
+                               if (columnObj.filter_type !== 'date_custom_func') {
+                                       oTable.fnFilter(date, column_number_filter);
+                               } else {
+                                       doFilterCustomDateFunc({ value: date }, table_selector_jq_friendly, column_number);
+                               }
+                               $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).addClass("inuse");
+                       } else if (clear === 'clear') {
+                               if (exGetColumnFilterVal(oTable, column_number) === '') {
+                                       return;
+                               }
+                               if (columnObj.filter_type === 'date_custom_func') {
+                                       //handle state saving
+                                       if (oTable.fnSettings().oFeatures.bStateSave === true && oTable.fnSettings().oLoadedState) {
+                                               if (!oTable.fnSettings().oLoadedState) {
+                                                       oTable.fnSettings().oLoadedState = {};
+                                                       oTable.fnSettings().oApi._fnSaveState(oTable.fnSettings());
+                                               }
+                                               if (oTable.fnSettings().oFeatures.bStateSave === true) {
+                                                       if (oTable.fnSettings().oLoadedState.yadcfState !== undefined && oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly] !== undefined) {
+                                                               oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly][column_number] =
+                                                                       {
+                                                                               from: ""
+                                                                       };
+                                                       } else {
+                                                               yadcfState = {};
+                                                               yadcfState[table_selector_jq_friendly] = [];
+                                                               yadcfState[table_selector_jq_friendly][column_number] = {
+                                                                       from: ""
+                                                               };
+                                                               oTable.fnSettings().oLoadedState.yadcfState = yadcfState;
+                                                       }
+                                                       oTable.fnSettings().oApi._fnSaveState(oTable.fnSettings());
+                                               }
+                                       }
+                               }
+                               oTable.fnFilter('', column_number_filter);
+                               $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).val('').removeClass("inuse");
+                               if (columnObj.datepicker_type === 'bootstrap-datepicker') {
+                                       $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).datepicker('update');
+                               }
+                       }
+
+                       resetIApiIndex();
+               }
+
+               function dateSelect(pDate, pEvent) {
+                       var oTable,
+                               column_number,
+                               dashIndex,
+                               table_selector_jq_friendly,
+                               yadcfState,
+                               from,
+                               to,
+                               event,
+                               columnObj,
+                               column_number_filter,
+                               settingsDt;
+
+                       if (pDate.type === 'dp') {
+                               event = pDate.target;
+                       } else if (pDate.type === 'changeDate') {
+                               event = pDate.currentTarget;
+                       } else {
+                               event = pEvent;
+                       }
+
+                       column_number = $(event).attr("id").replace("yadcf-filter-", "").replace("-from-date", "").replace("-to-date", "");
+                       dashIndex = column_number.lastIndexOf("-");
+                       table_selector_jq_friendly = column_number.substring(0, dashIndex);
+
+                       column_number = column_number.substring(dashIndex + 1);
+
+
+                       oTable = oTables[table_selector_jq_friendly];
+                       settingsDt = getSettingsObjFromTable(oTable);
+                       column_number_filter = calcColumnNumberFilter(settingsDt, column_number, table_selector_jq_friendly);
+
+                       $.fn.dataTableExt.iApiIndex = oTablesIndex[table_selector_jq_friendly];
+
+                       columnObj = getOptions(oTable.selector)[column_number];
+
+                       if (pDate.type === 'dp') {
+                               event = pDate.target;
+                               if (pDate.date === false || !moment($(event).val(), columnObj.date_format).isValid()) {
+                                       $(event).removeClass("inuse");
+                                       $(event).data("DateTimePicker").minDate(false);
+                               } else {
+                                       $(event).addClass("inuse");
+                               }
+                               $(event).blur();
+                       } else if (pDate.type === 'changeDate') {
+                               if (pDate.date !== undefined) {
+                                       $(event).addClass("inuse");
+                               } else {
+                                       $(event).removeClass("inuse");
+                               }
+                       } else {
+                               $(event).addClass("inuse");
+                       }
+
+                       if ($(event).attr("id").indexOf("-from-") !== -1) {
+                               from = document.getElementById($(event).attr("id")).value;
+                               to = document.getElementById($(event).attr("id").replace("-from-", "-to-")).value;
+                       } else {
+                               to = document.getElementById($(event).attr("id")).value;
+                               from = document.getElementById($(event).attr("id").replace("-to-", "-from-")).value;
+                       }
+
+                       if (oTable.fnSettings().oFeatures.bServerSide !== true) {
+                               oTable.fnDraw();
+                       } else {
+                               oTable.fnFilter(from + '-yadcf_delim-' + to, column_number_filter);
+                       }
+
+                       if (!oTable.fnSettings().oLoadedState) {
+                               oTable.fnSettings().oLoadedState = {};
+                               oTable.fnSettings().oApi._fnSaveState(oTable.fnSettings());
+                       }
+                       if (oTable.fnSettings().oFeatures.bStateSave === true) {
+                               if (oTable.fnSettings().oLoadedState.yadcfState !== undefined && oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly] !== undefined) {
+                                       oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly][column_number] =
+                                               {
+                                                       from: from,
+                                                       to: to
+                                               };
+                               } else {
+                                       yadcfState = {};
+                                       yadcfState[table_selector_jq_friendly] = [];
+                                       yadcfState[table_selector_jq_friendly][column_number] = {
+                                               from: from,
+                                               to: to
+                                       };
+                                       oTable.fnSettings().oLoadedState.yadcfState = yadcfState;
+                               }
+                               oTable.fnSettings().oApi._fnSaveState(oTable.fnSettings());
+                       }
+
+                       resetIApiIndex();
+               }
+
+               function addRangeDateFilter(filter_selector_string, table_selector_jq_friendly, column_number, filter_reset_button_text, filter_default_label, date_format) {
+                       var fromId = "yadcf-filter-" + table_selector_jq_friendly + "-from-date-" + column_number,
+                               toId = "yadcf-filter-" + table_selector_jq_friendly + "-to-date-" + column_number,
+                               filter_selector_string_tmp,
+                               filter_wrapper_id,
+                               oTable,
+                               columnObj,
+                               datepickerObj = {},
+                               filterActionStr,
+                               $fromInput,
+                               $toInput,
+                               innerWrapperAdditionalClass = '';
+
+                       filter_wrapper_id = "yadcf-filter-wrapper-" + table_selector_jq_friendly + "-" + column_number;
+
+                       if ($("#" + filter_wrapper_id).length > 0) {
+                               return;
+                       }
+                       $.fn.dataTableExt.iApiIndex = oTablesIndex[table_selector_jq_friendly];
+                       oTable = oTables[table_selector_jq_friendly];
+                       columnObj = getOptions(oTable.selector)[column_number];
+                       if (columnObj.datepicker_type === 'bootstrap-datepicker') {
+                               innerWrapperAdditionalClass = 'input-daterange';
+                       }
+                       //add a wrapper to hold both filter and reset button
+                       $(filter_selector_string).append("<div onmousedown=\"yadcf.stopPropagation(event);\" onclick=\"yadcf.stopPropagation(event);\"  id=\"" + filter_wrapper_id + "\" class=\"yadcf-filter-wrapper " + columnObj.style_class + "\"></div>");
+                       filter_selector_string += " div.yadcf-filter-wrapper";
+                       filter_selector_string_tmp = filter_selector_string;
+
+                       $(filter_selector_string).append("<div id=\"yadcf-filter-wrapper-inner-" + table_selector_jq_friendly + "-" + column_number + "\" class=\"yadcf-filter-wrapper-inner " + innerWrapperAdditionalClass + "\"></div>");
+                       filter_selector_string += " div.yadcf-filter-wrapper-inner";
+
+                       filterActionStr = 'onkeyup="yadcf.rangeDateKeyUP(\'' + table_selector_jq_friendly + '\',\'' + date_format + '\',event);"';
+                       if (columnObj.externally_triggered === true) {
+                               filterActionStr = '';
+                       }
+
+                       $(filter_selector_string).append("<input onkeydown=\"yadcf.preventDefaultForEnter(event);\" placeholder=\"" + filter_default_label[0] + "\" id=\"" + fromId + "\" class=\"yadcf-filter-range-date yadcf-filter-range yadcf-filter-range-start\" " + filterActionStr + "></input>");
+                       $(filter_selector_string).append("<span class=\"yadcf-filter-range-date-seperator\" >" + "</span>");
+                       $(filter_selector_string).append("<input onkeydown=\"yadcf.preventDefaultForEnter(event);\" placeholder=\"" + filter_default_label[1] + "\" id=\"" + toId + "\" class=\"yadcf-filter-range-date yadcf-filter-range yadcf-filter-range-end\" " + filterActionStr + "></input>");
+
+                       $fromInput = $("#" + fromId);
+                       $toInput = $("#" + toId);
+
+                       if (filter_reset_button_text !== false) {
+                               $(filter_selector_string_tmp).append("<button type=\"button\" onmousedown=\"yadcf.stopPropagation(event);\" " +
+                                       "onclick=\"yadcf.stopPropagation(event);yadcf.rangeClear('" + table_selector_jq_friendly + "',event," + column_number + "); return false;\" class=\"yadcf-filter-reset-button " + columnObj.reset_button_style_class + "\">" + filter_reset_button_text + "</button>");
+                       }
+
+                       if (columnObj.datepicker_type === 'jquery-ui') {
+                               datepickerObj.dateFormat = date_format;
+                       } else if (columnObj.datepicker_type === 'bootstrap-datetimepicker') {
+                               datepickerObj.format = date_format;
+                       }
+
+                       if (columnObj.externally_triggered !== true) {
+                               if (columnObj.datepicker_type === 'jquery-ui') {
+                                       datepickerObj.onSelect = dateSelect;
+                               }
+                               // for 'bootstrap-datetimepicker' its implemented below...
+                       }
+
+                       datepickerObj = $.extend({}, datepickerObj, columnObj.filter_plugin_options);
+
+                       if (columnObj.datepicker_type === 'jquery-ui') {
+                               $fromInput.datepicker($.extend(datepickerObj, {onClose: function (selectedDate) {
+                                       $toInput.datepicker('option', 'minDate', selectedDate);
+                               }  }));
+                               $toInput.datepicker($.extend(datepickerObj, {onClose: function (selectedDate) {
+                                       $fromInput.datepicker('option', 'maxDate', selectedDate);
+                               }  }));
+
+                       } else if (columnObj.datepicker_type === 'bootstrap-datetimepicker') {
+                               datepickerObj.useCurrent = false;
+                               $fromInput.datetimepicker(datepickerObj);
+                               $toInput.datetimepicker(datepickerObj);
+                               if (columnObj.externally_triggered !== true) {
+                                       $fromInput.add($toInput).on('dp.hide', dateSelect);
+                               }
+                       } else if (columnObj.datepicker_type === 'bootstrap-datepicker') {
+                               if (date_format) {
+                                       $.extend(datepickerObj, { format: date_format });
+                               }
+                               $fromInput.datepicker(datepickerObj).on('changeDate', function (e) {
+                                       dateSelect(e);
+                                       $(this).datepicker('hide');
+                               });
+                               $toInput.datepicker(datepickerObj).on('changeDate', function (e) {
+                                       dateSelect(e);
+                                       $(this).datepicker('hide');
+                               });
+                       }
+
+                       if (oTable.fnSettings().oFeatures.bStateSave === true && oTable.fnSettings().oLoadedState) {
+                               if (oTable.fnSettings().oLoadedState.yadcfState && oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly] && oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly][column_number]) {
+                                       $('#' + fromId).val(oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly][column_number].from);
+                                       if (oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly][column_number].from !== "") {
+                                               $('#' + fromId).addClass("inuse");
+                                       }
+                                       $('#' + toId).val(oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly][column_number].to);
+                                       if (oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly][column_number].to !== "") {
+                                               $('#' + toId).addClass("inuse");
+                                       }
+                               }
+                       }
+
+                       if (oTable.fnSettings().oFeatures.bServerSide !== true) {
+                               addRangeDateFilterCapability(table_selector_jq_friendly, fromId, toId, column_number, date_format);
+                       }
+
+                       resetIApiIndex();
+               }
+
+               function addDateFilter(filter_selector_string, table_selector_jq_friendly, column_number, filter_reset_button_text, filter_default_label, date_format) {
+                       var dateId = "yadcf-filter-" + table_selector_jq_friendly + "-" + column_number,
+                               filter_selector_string_tmp,
+                               filter_wrapper_id,
+                               oTable,
+                               columnObj,
+                               datepickerObj = {},
+                               filterActionStr,
+                               settingsDt;
+
+                       filter_wrapper_id = "yadcf-filter-wrapper-" + table_selector_jq_friendly + "-" + column_number;
+
+                       if ($("#" + filter_wrapper_id).length > 0) {
+                               return;
+                       }
+                       $.fn.dataTableExt.iApiIndex = oTablesIndex[table_selector_jq_friendly];
+                       oTable = oTables[table_selector_jq_friendly];
+                       columnObj = getOptions(oTable.selector)[column_number];
+
+                       //add a wrapper to hold both filter and reset button
+                       $(filter_selector_string).append("<div onmousedown=\"yadcf.stopPropagation(event);\" onclick=\"yadcf.stopPropagation(event);\" id=\"" + filter_wrapper_id + "\" class=\"yadcf-filter-wrapper\"></div>");
+                       filter_selector_string += " div.yadcf-filter-wrapper";
+                       filter_selector_string_tmp = filter_selector_string;
+
+                       filterActionStr = 'onkeyup="yadcf.dateKeyUP(\'' + table_selector_jq_friendly + '\',\'' + date_format + '\',event);"';
+                       if (columnObj.externally_triggered === true) {
+                               filterActionStr = '';
+                       }
+
+                       $(filter_selector_string).append("<input onkeydown=\"yadcf.preventDefaultForEnter(event);\" placeholder=\"" + filter_default_label + "\" id=\"" + dateId + "\" class=\"yadcf-filter-date\" " + filterActionStr + "></input>");
+
+                       if (filter_reset_button_text !== false) {
+                               $(filter_selector_string_tmp).append('<button type="button" id="' + dateId + '-reset" ' + 'onmousedown="yadcf.stopPropagation(event);" ' +
+                                       'onclick="yadcf.stopPropagation(event);yadcf.dateSelectSingle(\'' + table_selector_jq_friendly + '\',yadcf.eventTargetFixUp(event).target, \'clear\'); return false;" class="yadcf-filter-reset-button ' + columnObj.reset_button_style_class + '">' + filter_reset_button_text + '</button>');
+                       }
+
+                       if (columnObj.datepicker_type === 'jquery-ui') {
+                               datepickerObj.dateFormat = date_format;
+                       } else if (columnObj.datepicker_type.indexOf('bootstrap') !== -1) {
+                               datepickerObj.format = date_format;
+                       }
+
+                       if (columnObj.externally_triggered !== true) {
+                               if (columnObj.datepicker_type === 'jquery-ui') {
+                                       datepickerObj.onSelect = dateSelectSingle;
+                               }
+                       }
+
+                       datepickerObj = $.extend({}, datepickerObj, columnObj.filter_plugin_options);
+
+                       if (columnObj.datepicker_type === 'jquery-ui') {
+                               $("#" + dateId).datepicker(datepickerObj);
+                       } else if (columnObj.datepicker_type === 'bootstrap-datetimepicker') {
+                               datepickerObj.useCurrent = false;
+                               $("#" + dateId).datetimepicker(datepickerObj);
+                               if (columnObj.externally_triggered !== true) {
+                                       if (datepickerObj.format.toLowerCase() !== 'hh:mm') {
+                                               $("#" + dateId).on('dp.change', dateSelectSingle);
+                                       } else {
+                                               $("#" + dateId).on('dp.hide', dateSelectSingle);
+                                       }
+                               }
+                       } else if (columnObj.datepicker_type === 'bootstrap-datepicker') {
+                               $("#" + dateId).datepicker(datepickerObj).on('changeDate', function (e) {
+                                       dateSelectSingle(e);
+                                       $(this).datepicker('hide');
+                               });
+                       }
+
+                       if (oTable.fnSettings().aoPreSearchCols[column_number].sSearch !== '') {
+                               $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).val(oTable.fnSettings().aoPreSearchCols[column_number].sSearch).addClass("inuse");
+                       }
+
+                       if (columnObj.filter_type === 'date_custom_func') {
+                               settingsDt = getSettingsObjFromTable(oTable);
+
+                               if (oTable.fnSettings().oFeatures.bStateSave === true && oTable.fnSettings().oLoadedState) {
+                                       if (oTable.fnSettings().oLoadedState.yadcfState && oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly] && oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly][column_number]) {
+                                               $('#' + dateId).val(oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly][column_number].from);
+                                               if (oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly][column_number].from !== "") {
+                                                       $('#' + dateId).addClass("inuse");
+                                               }
+                                       }
+                               }
+
+                               if (settingsDt.oFeatures.bServerSide !== true) {
+                                       addCustomFunctionFilterCapability(table_selector_jq_friendly, "yadcf-filter-" + table_selector_jq_friendly + "-" + column_number, column_number);
+                               }
+                       }
+
+                       resetIApiIndex();
+               }
+
+               function rangeNumberSldierDrawTips(min_tip_val, max_tip_val, min_tip_id, max_tip_id, table_selector_jq_friendly, column_number) {
+                       var first_handle = $(".yadcf-number-slider-filter-wrapper-inner.-" + table_selector_jq_friendly + "-" + column_number), // + " .ui-slider-handle:first"),
+                               last_handle = $(".yadcf-number-slider-filter-wrapper-inner.-" + table_selector_jq_friendly + "-" + column_number), // + " .ui-slider-handle:last"),
+                               min_tip_inner,
+                               max_tip_inner;
+
+                       min_tip_inner = "<div id=\"" + min_tip_id + "\" class=\"yadcf-filter-range-number-slider-min-tip-inner\">" + min_tip_val + "</div>";
+                       max_tip_inner = "<div id=\"" + max_tip_id + "\" class=\"yadcf-filter-range-number-slider-max-tip-inner\">" + max_tip_val + "</div>";
+
+                       if (first_handle.length === 1) {
+                               first_handle = $(".yadcf-number-slider-filter-wrapper-inner.-" + table_selector_jq_friendly + "-" + column_number + " .ui-slider-handle:first");
+                               $(first_handle).addClass("yadcf-filter-range-number-slider-min-tip").html(min_tip_inner);
+
+                               last_handle = $(".yadcf-number-slider-filter-wrapper-inner.-" + table_selector_jq_friendly + "-" + column_number + " .ui-slider-handle:last");
+                               $(last_handle).addClass("yadcf-filter-range-number-slider-max-tip").html(max_tip_inner);
+                       } else {
+                               //migth happen when scrollX is used or when filter row is being duplicated by DT
+                               $($(first_handle)[0]).find('.ui-slider-handle:first').addClass("yadcf-filter-range-number-slider-min-tip").html(min_tip_inner);
+                               $($(last_handle)[0]).find('.ui-slider-handle:last').addClass("yadcf-filter-range-number-slider-max-tip").html(max_tip_inner);
+
+                               $($(first_handle)[1]).find('.ui-slider-handle:first').addClass("yadcf-filter-range-number-slider-min-tip").html(min_tip_inner);
+                               $($(last_handle)[1]).find('.ui-slider-handle:last').addClass("yadcf-filter-range-number-slider-max-tip").html(max_tip_inner);
+                       }
+               }
+
+               function rangeNumberSliderChange(table_selector_jq_friendly, event, ui) {
+                       var oTable,
+                               min_val,
+                               max_val,
+                               slider_inuse,
+                               yadcfState,
+                               column_number,
+                               columnObj,
+                               keyUp,
+                               settingsDt,
+                               column_number_filter;
+
+                       event = eventTargetFixUp(event);
+                       column_number = $(event.target).attr('id').replace("yadcf-filter-", "").replace(table_selector_jq_friendly, "").replace("-slider-", "");
+
+                       oTable = oTables[table_selector_jq_friendly];
+                       settingsDt = getSettingsObjFromTable(oTable);
+                       column_number_filter = calcColumnNumberFilter(settingsDt, column_number, table_selector_jq_friendly);
+
+                       columnObj = getOptions(oTable.selector)[column_number];
+
+                       keyUp = function () {
+
+                               $.fn.dataTableExt.iApiIndex = oTablesIndex[table_selector_jq_friendly];
+
+                               if (oTable.fnSettings().oFeatures.bServerSide !== true) {
+                                       oTable.fnDraw();
+                               } else {
+                                       oTable.fnFilter(ui.values[0] + '-yadcf_delim-' + ui.values[1], column_number_filter);
+                               }
+                               min_val = +$($(event.target).parent().find(".yadcf-filter-range-number-slider-min-tip-hidden")).text();
+                               max_val = +$($(event.target).parent().find(".yadcf-filter-range-number-slider-max-tip-hidden")).text();
+
+                               if (min_val !== ui.values[0]) {
+                                       $($(event.target).find(".ui-slider-handle")[0]).addClass("inuse");
+                                       slider_inuse = true;
+                               } else {
+                                       $($(event.target).find(".ui-slider-handle")[0]).removeClass("inuse");
+                               }
+                               if (max_val !== ui.values[1]) {
+                                       $($(event.target).find(".ui-slider-handle")[1]).addClass("inuse");
+                                       slider_inuse = true;
+                               } else {
+                                       $($(event.target).find(".ui-slider-handle")[1]).removeClass("inuse");
+                               }
+
+                               if (slider_inuse === true) {
+                                       $(event.target).find(".ui-slider-range").addClass("inuse");
+                               } else {
+                                       $(event.target).find(".ui-slider-range").removeClass("inuse");
+                               }
+
+                               if (!oTable.fnSettings().oLoadedState) {
+                                       oTable.fnSettings().oLoadedState = {};
+                                       oTable.fnSettings().oApi._fnSaveState(oTable.fnSettings());
+                               }
+                               if (oTable.fnSettings().oFeatures.bStateSave === true) {
+                                       if (oTable.fnSettings().oLoadedState.yadcfState !== undefined && oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly] !== undefined) {
+                                               oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly][column_number] =
+                                                       {
+                                                               from: ui.values[0],
+                                                               to: ui.values[1]
+                                                       };
+                                       } else {
+                                               yadcfState = {};
+                                               yadcfState[table_selector_jq_friendly] = [];
+                                               yadcfState[table_selector_jq_friendly][column_number] = {
+                                                       from: ui.values[0],
+                                                       to: ui.values[1]
+                                               };
+                                               oTable.fnSettings().oLoadedState.yadcfState = yadcfState;
+                                       }
+                                       oTable.fnSettings().oApi._fnSaveState(oTable.fnSettings());
+                               }
+
+                               resetIApiIndex();
+                       };
+
+                       if (columnObj.filter_delay === undefined) {
+                               keyUp();
+                       } else {
+                               yadcfDelay(function () {
+                                       keyUp();
+                               }, columnObj.filter_delay);
+                       }
+               }
+
+               function addRangeNumberSliderFilter(filter_selector_string, table_selector_jq_friendly, column_number, filter_reset_button_text, min_val, max_val, ignore_char) {
+                       var sliderId = "yadcf-filter-" + table_selector_jq_friendly + "-slider-" + column_number,
+                               min_tip_id = "yadcf-filter-" + table_selector_jq_friendly + "-min_tip-" + column_number,
+                               max_tip_id = "yadcf-filter-" + table_selector_jq_friendly + "-max_tip-" + column_number,
+                               filter_selector_string_tmp,
+                               filter_wrapper_id,
+                               oTable,
+                               min_state_val = min_val,
+                               max_state_val = max_val,
+                               columnObj,
+                               slideFunc,
+                               changeFunc,
+                               sliderObj,
+                               sliderMaxMin = {
+                                       min: min_val,
+                                       max: max_val
+                               },
+                               settingsDt,
+                               currSliderMin = $("#" + sliderId).slider("option", "min"),
+                               currSliderMax = $("#" + sliderId).slider("option", "max"),
+                               redrawTable;
+
+                       filter_wrapper_id = "yadcf-filter-wrapper-" + table_selector_jq_friendly + "-" + column_number;
+
+                       if ($("#" + filter_wrapper_id).length > 0 && (currSliderMin === min_val && currSliderMax === max_val)) {
+                               return;
+                       }
+
+                       $.fn.dataTableExt.iApiIndex = oTablesIndex[table_selector_jq_friendly];
+                       oTable = oTables[table_selector_jq_friendly];
+                       settingsDt = settingsMap[generateTableSelectorJQFriendly2(oTable)];
+
+                       if ($("#" + filter_wrapper_id).length > 0) {
+                               $("#" + sliderId).slider("destroy");
+                               $("#" + filter_wrapper_id).remove();
+                               redrawTable = true;
+                       }
+
+                       columnObj = getOptions(oTable.selector)[column_number];
+
+                       if (settingsDt.oFeatures.bStateSave === true && settingsDt.oLoadedState) {
+                               if (settingsDt.oLoadedState.yadcfState && settingsDt.oLoadedState.yadcfState[table_selector_jq_friendly] && settingsDt.oLoadedState.yadcfState[table_selector_jq_friendly][column_number]) {
+                                       if (min_val !== settingsDt.oLoadedState.yadcfState[table_selector_jq_friendly][column_number].from) {
+                                               min_state_val = settingsDt.oLoadedState.yadcfState[table_selector_jq_friendly][column_number].from;
+                                       }
+                                       if (max_val !== settingsDt.oLoadedState.yadcfState[table_selector_jq_friendly][column_number].to) {
+                                               max_state_val = settingsDt.oLoadedState.yadcfState[table_selector_jq_friendly][column_number].to;
+                                       }
+                               }
+                       }
+
+                       if (isFinite(min_val) && isFinite(max_val) && isFinite(min_state_val) && isFinite(max_state_val)) {
+
+                               //add a wrapper to hold both filter and reset button
+                               $(filter_selector_string).append("<div onmousedown=\"yadcf.stopPropagation(event);\" onclick=\"yadcf.stopPropagation(event);\"  id=\"" + filter_wrapper_id + "\" class=\"yadcf-filter-wrapper " + columnObj.style_class + "\"></div>");
+                               filter_selector_string += " div.yadcf-filter-wrapper";
+                               filter_selector_string_tmp = filter_selector_string;
+
+                               $(filter_selector_string).append("<div id=\"yadcf-filter-wrapper-inner-" + table_selector_jq_friendly + "-" + column_number + "\" class=\"yadcf-number-slider-filter-wrapper-inner" + " -" + table_selector_jq_friendly + "-" + column_number + "\"></div>");
+                               filter_selector_string += " div.yadcf-number-slider-filter-wrapper-inner";
+
+                               $(filter_selector_string).append("<div id=\"" + sliderId + "\" class=\"yadcf-filter-range-number-slider\"></div>");
+                               filter_selector_string += " #" + sliderId;
+
+                               $(filter_selector_string).append("<span class=\"yadcf-filter-range-number-slider-min-tip-hidden hide\">" + min_val + "</span>");
+                               $(filter_selector_string).append("<span class=\"yadcf-filter-range-number-slider-max-tip-hidden hide\">" + max_val + "</span>");
+
+                               if (columnObj.externally_triggered !== true) {
+                                       slideFunc = function (event, ui) {
+                                               rangeNumberSldierDrawTips(ui.values[0], ui.values[1], min_tip_id, max_tip_id, table_selector_jq_friendly, column_number);
+                                               rangeNumberSliderChange(table_selector_jq_friendly, event, ui);
+                                       };
+                                       changeFunc = function (event, ui) {
+                                               rangeNumberSldierDrawTips(ui.values[0], ui.values[1], min_tip_id, max_tip_id, table_selector_jq_friendly, column_number);
+                                               if (event.originalEvent || $(event.target).slider("option", "yadcf-reset") === true) {
+                                                       $(event.target).slider("option", "yadcf-reset", false);
+                                                       rangeNumberSliderChange(table_selector_jq_friendly, event, ui);
+                                               }
+                                       };
+                               } else {
+                                       slideFunc = function (event, ui) {
+                                               rangeNumberSldierDrawTips(ui.values[0], ui.values[1], min_tip_id, max_tip_id, table_selector_jq_friendly, column_number);
+                                       };
+                                       changeFunc = function (event, ui) {
+                                               rangeNumberSldierDrawTips(ui.values[0], ui.values[1], min_tip_id, max_tip_id, table_selector_jq_friendly, column_number);
+                                       };
+                               }
+                               sliderObj = {
+                                       range: true,
+                                       min: min_val,
+                                       max: max_val,
+                                       values: [min_state_val, max_state_val],
+                                       create: function (event, ui) {
+                                               rangeNumberSldierDrawTips(min_state_val, max_state_val, min_tip_id, max_tip_id, table_selector_jq_friendly, column_number);
+                                       },
+                                       slide: slideFunc,
+                                       change: changeFunc
+                               };
+
+                               if (columnObj.filter_plugin_options !== undefined) {
+                                       $.extend(sliderObj, columnObj.filter_plugin_options);
+                               }
+
+                               $("#" + sliderId).slider(sliderObj);
+
+                               if (filter_reset_button_text !== false) {
+                                       $(filter_selector_string_tmp).append("<button type=\"button\" onmousedown=\"yadcf.stopPropagation(event);\" " +
+                                               "onclick=\"yadcf.stopPropagation(event);yadcf.rangeNumberSliderClear('" + table_selector_jq_friendly + "',event); return false;\" class=\"yadcf-filter-reset-button range-number-slider-reset-button " + columnObj.reset_button_style_class + "\">" + filter_reset_button_text + "</button>");
+                               }
+                       }
+
+                       $.fn.dataTableExt.iApiIndex = oTablesIndex[table_selector_jq_friendly];
+                       oTable = oTables[table_selector_jq_friendly];
+                       if (settingsDt.oFeatures.bStateSave === true && settingsDt.oLoadedState) {
+                               if (settingsDt.oLoadedState.yadcfState && settingsDt.oLoadedState.yadcfState[table_selector_jq_friendly] && settingsDt.oLoadedState.yadcfState[table_selector_jq_friendly][column_number]) {
+                                       if (isFinite(min_val) && min_val !== settingsDt.oLoadedState.yadcfState[table_selector_jq_friendly][column_number].from) {
+                                               $($(filter_selector_string).find(".ui-slider-handle")[0]).addClass("inuse");
+                                       }
+                                       if (isFinite(max_val) && max_val !== settingsDt.oLoadedState.yadcfState[table_selector_jq_friendly][column_number].to) {
+                                               $($(filter_selector_string).find(".ui-slider-handle")[1]).addClass("inuse");
+                                       }
+                                       if ((isFinite(min_val) && isFinite(max_val)) && (min_val !== settingsDt.oLoadedState.yadcfState[table_selector_jq_friendly][column_number].from || max_val !== settingsDt.oLoadedState.yadcfState[table_selector_jq_friendly][column_number].to)) {
+                                               $($(filter_selector_string).find(".ui-slider-range")).addClass("inuse");
+                                       }
+                               }
+                       }
+                       resetIApiIndex();
+
+                       if (settingsDt.oFeatures.bServerSide !== true) {
+                               addRangeNumberAndSliderFilterCapability(table_selector_jq_friendly, min_tip_id, max_tip_id, column_number, ignore_char, sliderMaxMin);
+                       }
+                       if (redrawTable === true) {
+                               oTable.fnDraw(false);
+                       }
+               }
+
+               function destroyThirdPartyPlugins(table_arg) {
+
+                       var tableOptions,
+                               table_selector_jq_friendly,
+                               columnObjKey,
+                               column_number,
+                               optionsObj,
+                               fromId,
+                               toId;
+
+                       //check if the table arg is from new datatables API (capital "D")
+                       if (table_arg.settings !== undefined) {
+                               table_arg = table_arg.settings()[0].oInstance;
+                       }
+                       tableOptions = getOptions(table_arg.selector);
+                       table_selector_jq_friendly = yadcf.generateTableSelectorJQFriendly2(table_arg);
+
+                       for (columnObjKey in tableOptions) {
+                               if (tableOptions.hasOwnProperty(columnObjKey)) {
+                                       optionsObj = tableOptions[columnObjKey];
+                                       column_number = optionsObj.column_number;
+
+                                       switch (optionsObj.filter_type) {
+                                       case 'multi_select':
+                                       case 'multi_select_custom_func':
+                                       case 'select':
+                                       case 'custom_func':
+                                               switch (optionsObj.select_type) {
+                                               case 'chosen':
+                                                       $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number).chosen('destroy');
+                                                       break;
+                                               case 'select2':
+                                                       $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number).select2('destroy');
+                                                       break;
+                                               case 'custom_select':
+                                                       if (selectElementCustomDestroyFunc !== undefined) {
+                                                               selectElementCustomDestroyFunc($("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number));
+                                                       }
+                                                       break;
+                                               }
+                                               break;
+                                       case 'auto_complete':
+                                               $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number).autocomplete("destroy");
+                                               break;
+                                       case 'date':
+                                               switch (optionsObj.select_type) {
+                                               case 'jquery-ui':
+                                                       $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number).datepicker("destroy");
+                                                       break;
+                                               case 'bootstrap-datetimepicker':
+                                                       $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number).destroy();
+                                                       break;
+                                               }
+                                               break;
+                                       case 'range_date':
+                                               fromId = "yadcf-filter-" + table_selector_jq_friendly + "-from-date-" + column_number;
+                                               toId = "yadcf-filter-" + table_selector_jq_friendly + "-to-date-" + column_number;
+                                               switch (optionsObj.select_type) {
+                                               case 'jquery-ui':
+                                                       $("#" + fromId).datepicker("destroy");
+                                                       $("#" + toId).datepicker("destroy");
+                                                       break;
+                                               case 'bootstrap-datetimepicker':
+                                                       $("#" + fromId).destroy();
+                                                       $("#" + toId).destroy();
+                                                       break;
+                                               }
+                                               break;
+                                       case 'range_number_slider':
+                                               $("#yadcf-filter-" + table_selector_jq_friendly + "-slider-" + column_number).slider("destroy");
+                                               break;
+                                       }
+                               }
+                       }
+               }
+
+               function removeFilters(oTable) {
+                       var tableId = getTableId(oTable);
+                       $('#' + tableId + ' .yadcf-filter-wrapper').remove();
+                       if (yadcfVersionCheck('1.10')) {
+                               $(document).off('draw.dt', oTable.selector);
+                               $(document).off('xhr.dt', oTable.selector);
+                               $(document).off('column-visibility.dt', oTable.selector);
+                               $(document).off('destroy.dt', oTable.selector);
+                       } else {
+                               $(document).off('draw', oTable.selector);
+                               $(document).off('destroy', oTable.selector);
+                       }
+                       destroyThirdPartyPlugins(oTable);
+               }
+
+               /* alphanum.js (C) Brian Huisman
+                  Based on the Alphanum Algorithm by David Koelle
+                  The Alphanum Algorithm is discussed at http://www.DaveKoelle.com
+               */
+               function sortAlphaNum(a, b) {
+                       function chunkify(t) {
+                               var tz = [];
+                               var x = 0, y = -1, n = 0, i, j;
+
+                               while (i = (j = t.charAt(x++)).charCodeAt(0)) {
+                                 var m = (i == 46 || (i >=48 && i <= 57));
+                                 if (m !== n) {
+                                       tz[++y] = "";
+                                       n = m;
+                                 }
+                                 tz[y] += j;
+                               }
+                               return tz;
+                       }
+
+                       if (typeof a === 'object' && typeof a.label === 'string') {
+                               a = a.label;
+                       }
+                       if (typeof b === 'object' && typeof b.label === 'string') {
+                               b = b.label;
+                       }
+
+                       var aa = chunkify(a.toLowerCase());
+                       var bb = chunkify(b.toLowerCase());
+
+                       for (var x = 0; aa[x] && bb[x]; x++) {
+                               if (aa[x] !== bb[x]) {
+                                       var c = Number(aa[x]), d = Number(bb[x]);
+                                       if (c == aa[x] && d == bb[x]) {
+                                       return c - d;
+                                       } else return (aa[x] > bb[x]) ? 1 : -1;
+                               }
+                       }
+                       return aa.length - bb.length;
+               }
+
+               function sortColumnData(column_data, columnObj) {
+                       if (columnObj.filter_type === "select" || columnObj.filter_type === "auto_complete" || columnObj.filter_type === "multi_select" || columnObj.filter_type === 'multi_select_custom_func' || columnObj.filter_type === "custom_func") {
+                               if (columnObj.sort_as === "alpha") {
+                                       if (columnObj.sort_order === "asc") {
+                                               column_data.sort();
+                                       } else if (columnObj.sort_order === "desc") {
+                                               column_data.sort();
+                                               column_data.reverse();
+                                       }
+                               } else if (columnObj.sort_as === "num") {
+                                       if (columnObj.sort_order === "asc") {
+                                               column_data.sort(sortNumAsc);
+                                       } else if (columnObj.sort_order === "desc") {
+                                               column_data.sort(sortNumDesc);
+                                       }
+                               } else if (columnObj.sort_as === "alphaNum") {
+                                       if (columnObj.sort_order === "asc") {
+                                               column_data.sort(sortAlphaNum);
+                                       } else if (columnObj.sort_order === "desc") {
+                                               column_data.sort(sortAlphaNum);
+                                               column_data.reverse();
+                                       }
+                               } else if (columnObj.sort_as === "custom") {
+                                       column_data.sort(columnObj.sort_as_custom_func);
+                               }
+                       }
+                       return column_data;
+               }
+               function getFilteredRows(table) {
+                       var dataTmp,
+                               data = [],
+                               i;
+                       if (yadcfVersionCheck('1.10')) {
+                               dataTmp = table._('tr', { filter: 'applied' });
+                       } else {
+                               dataTmp = table.rows({ filter: 'applied'}).data().toArray();
+                       }
+                       for (i = 0; i < dataTmp.length; i++) {
+                               data.push({
+                                       _aData: dataTmp[i]
+                               });
+                       }
+                       return data;
+               }
+
+               function parseTableColumn(pTable, columnObj, table_selector_jq_friendly, pSettings) {
+                       var col_inner_elements,
+                               col_inner_data,
+                               col_inner_data_helper,
+                               j,
+                               k,
+                               col_filter_array = {},
+                               column_data = [],
+                               data,
+                               data_length,
+                               settingsDt,
+                               column_number_filter;
+
+                       if (pSettings !== undefined) {
+                               settingsDt = pSettings;
+                       } else {
+                               settingsDt = getSettingsObjFromTable(pTable);
+                       }
+
+                       if (columnObj.cumulative_filtering !== true) {
+                               data = settingsDt.aoData;
+                               data_length = data.length;
+                       } else {
+                               data = getFilteredRows(pTable);
+                               data_length = data.length;
+                       }
+                       if (columnObj.col_filter_array !== undefined) {
+                               col_filter_array = columnObj.col_filter_array;
+                       }
+                       column_number_filter = calcColumnNumberFilter(settingsDt, columnObj.column_number, table_selector_jq_friendly);
+                       if (isNaN(settingsDt.aoColumns[column_number_filter].mData) && typeof settingsDt.aoColumns[column_number_filter].mData !== 'object') {
+                               columnObj.column_number_data = settingsDt.aoColumns[column_number_filter].mData;
+                       }
+                       if (isNaN(settingsDt.aoColumns[column_number_filter].mRender) && typeof settingsDt.aoColumns[column_number_filter].mRender !== 'object') {
+                               columnObj.column_number_render = settingsDt.aoColumns[column_number_filter].mRender;
+                       }
+
+                       for (j = 0; j < data_length; j++) {
+                               if (columnObj.column_data_type === "html") {
+                                       if (columnObj.column_number_data === undefined) {
+                                               col_inner_elements = $(data[j]._aData[column_number_filter]);
+                                       } else {
+                                               col_inner_elements = dot2obj(data[j]._aData, columnObj.column_number_data);
+                                               col_inner_elements = $(col_inner_elements);
+                                       }
+                                       if (col_inner_elements.length > 0) {
+                                               for (k = 0; k < col_inner_elements.length; k++) {
+                                                       col_inner_data = null;
+                                                       col_inner_data_helper = null;
+
+                                                       switch (columnObj.html_data_type) {
+                                                               case "text":
+                                                                       col_inner_data = $(col_inner_elements[k]).text();
+                                                                       break;
+                                                               case "value":
+                                                                       col_inner_data = $(col_inner_elements[k]).val();
+                                                                       break;
+                                                               case "id":
+                                                                       col_inner_data = col_inner_elements[k].id;
+                                                                       break;
+                                                               case "selector": {
+                                                                       const len = $(col_inner_elements[k]).find(columnObj.html_data_selector).length;
+                                                                       if (len === 1) {
+                                                                               col_inner_data = $(col_inner_elements[k]).find(columnObj.html_data_selector).text();
+                                                                       } else if (len > 1) {
+                                                                               col_inner_data_helper = $(col_inner_elements[k]).find(columnObj.html_data_selector);
+                                                                       }
+                                                                       break;
+                                                               }
+                                                       }
+
+                                                       if (col_inner_data || col_inner_data_helper) {
+                                                               if (!col_inner_data_helper) {
+                                                                       if ($.trim(col_inner_data) !== '' && !(col_filter_array.hasOwnProperty(col_inner_data))) {
+                                                                               col_filter_array[col_inner_data] = col_inner_data;
+                                                                               column_data.push(col_inner_data);
+                                                                       }
+                                                               } else {
+                                                                       col_inner_data = col_inner_data_helper;
+                                                                       col_inner_data_helper.each(function (index) {
+                                                                               var elm = $(col_inner_data[index]).text();
+                                                                               if ($.trim(elm) !== '' && !(col_filter_array.hasOwnProperty(elm))) {
+                                                                                       col_filter_array[elm] = elm;
+                                                                                       column_data.push(elm);
+                                                                               }
+                                                                       });
+                                                               }
+                                                       }
+                                               }
+                                       } else {
+                                               if (col_inner_elements.selector) {
+                                                       col_inner_data = col_inner_elements.selector;
+                                               } else {
+                                                       col_inner_data = data[j]._aData[column_number_filter];
+                                               }
+                                               if ($.trim(col_inner_data) !== '' && !(col_filter_array.hasOwnProperty(col_inner_data))) {
+                                                       col_filter_array[col_inner_data] = col_inner_data;
+                                                       column_data.push(col_inner_data);
+                                               }
+                                       }
+
+                               } else if (columnObj.column_data_type === "text") {
+                                       if (columnObj.text_data_delimiter !== undefined) {
+                                               if (columnObj.column_number_data === undefined) {
+                                                       col_inner_elements = data[j]._aData[column_number_filter].split(columnObj.text_data_delimiter);
+                                               } else {
+                                                       col_inner_elements = dot2obj(data[j]._aData, columnObj.column_number_data);
+                                                       col_inner_elements = (col_inner_elements + '').split(columnObj.text_data_delimiter);
+                                               }
+                                               for (k = 0; k < col_inner_elements.length; k++) {
+                                                       col_inner_data = col_inner_elements[k];
+                                                       if ($.trim(col_inner_data) !== '' && !(col_filter_array.hasOwnProperty(col_inner_data))) {
+                                                               col_filter_array[col_inner_data] = col_inner_data;
+                                                               column_data.push(col_inner_data);
+                                                       }
+                                               }
+                                       } else {
+                                               if (columnObj.column_number_data === undefined) {
+                                                       col_inner_data = data[j]._aData[column_number_filter];
+                                                       if (typeof col_inner_data === 'object') {
+                                                               if (columnObj.html5_data !== undefined) {
+                                                                       col_inner_data = col_inner_data['@' + columnObj.html5_data];
+                                                               } else if (col_inner_data && col_inner_data.display) {
+                                                                       col_inner_data = col_inner_data.display;
+                                                               } else {
+                                                                       console.log('Warning: Looks like you have forgot to define the html5_data attribute for the ' + columnObj.column_number + ' column');
+                                                                       return;
+                                                               }
+                                                       }
+                                               } else if (data[j]._aFilterData !== undefined && data[j]._aFilterData !== null) {
+                                                       col_inner_data = data[j]._aFilterData[column_number_filter];
+                                               } else {
+                                                       col_inner_data = dot2obj(data[j]._aData, columnObj.column_number_data);
+                                               }
+                                               if ($.trim(col_inner_data) !== '' && !(col_filter_array.hasOwnProperty(col_inner_data))) {
+                                                       col_filter_array[col_inner_data] = col_inner_data;
+                                                       column_data.push(col_inner_data);
+                                               }
+                                       }
+                               } else if (columnObj.column_data_type === "rendered_html") {
+                                       col_inner_elements = data[j]._aFilterData[column_number_filter];
+                                       if (typeof col_inner_elements !== 'string') {
+                                               col_inner_elements = $(col_inner_elements);
+                                               if (col_inner_elements.length > 0) {
+                                                       for (k = 0; k < col_inner_elements.length; k++) {
+                                                               switch (columnObj.html_data_type) {
+                                                               case "text":
+                                                                       col_inner_data = $(col_inner_elements[k]).text();
+                                                                       break;
+                                                               case "value":
+                                                                       col_inner_data = $(col_inner_elements[k]).val();
+                                                                       break;
+                                                               case "id":
+                                                                       col_inner_data = col_inner_elements[k].id;
+                                                                       break;
+                                                               case "selector":
+                                                                       col_inner_data = $(col_inner_elements[k]).find(columnObj.html_data_selector).text();
+                                                                       break;
+                                                               }
+                                                       }
+                                               } else {
+                                                       col_inner_data = col_inner_elements.selector;
+                                               }
+                                       } else {
+                                               col_inner_data = col_inner_elements;
+                                       }
+                                       if ($.trim(col_inner_data) !== '' && !(col_filter_array.hasOwnProperty(col_inner_data))) {
+                                               col_filter_array[col_inner_data] = col_inner_data;
+                                               column_data.push(col_inner_data);
+                                       }
+                               }
+                       }
+                       columnObj.col_filter_array = col_filter_array;
+                       return column_data;
+               }
+
+               function appendFilters(oTable, args, table_selector, pSettings) {
+                       var $filter_selector,
+                               filter_selector_string,
+                               data,
+                               filter_container_id,
+                               column_number_data,
+                               column_number,
+                               column_position,
+                               filter_default_label,
+                               filter_reset_button_text,
+                               enable_auto_complete,
+                               date_format,
+                               ignore_char,
+                               filter_match_mode,
+                               column_data,
+                               column_data_temp,
+                               options_tmp,
+                               ii,
+                               table_selector_jq_friendly,
+                               min_val,
+                               max_val,
+                               col_num_visible,
+                               col_num_visible_iter,
+                               tmpStr,
+                               columnObjKey,
+                               columnObj,
+                               filters_position,
+                               unique_th,
+                               settingsDt,
+                               filterActionStr,
+                               custom_func_filter_value_holder,
+                               exclude_str;
+
+                       if (pSettings === undefined) {
+                               settingsDt = getSettingsObjFromTable(oTable);
+                       } else {
+                               settingsDt = pSettings;
+                       }
+                       settingsMap[generateTableSelectorJQFriendly2(oTable)] = settingsDt;
+
+                       table_selector_jq_friendly = yadcf.generateTableSelectorJQFriendly2(oTable);
+
+                       initColReorder2(settingsDt, table_selector_jq_friendly);
+
+                       filters_position = $(document).data(table_selector + "_filters_position");
+                       if (settingsDt.oScroll.sX !== '' || settingsDt.oScroll.sY !== '') {
+                               table_selector = '.yadcf-datatables-table-' + table_selector_jq_friendly;
+                               if ($(table_selector).length === 0) {
+                                       scrollXYHandler(oTable, '#' + getTableId(oTable));
+                               }
+                       }
+                       if (settingsDt.oApi._fnGetUniqueThs !== undefined) {
+                               unique_th = settingsDt.oApi._fnGetUniqueThs(settingsDt);
+                       }
+                       for (columnObjKey in args) {
+                               if (args.hasOwnProperty(columnObjKey)) {
+                                       columnObj = args[columnObjKey];
+
+                                       options_tmp = '';
+                                       tmpStr = '';
+                                       data = columnObj.data;
+                                       column_data = [];
+                                       column_data_temp = [];
+                                       filter_container_id = columnObj.filter_container_id;
+                                       column_number = columnObj.column_number;
+                                       column_number = +column_number;
+                                       column_position = column_number;
+
+                                       if (plugins[table_selector_jq_friendly] !== undefined && (plugins[table_selector_jq_friendly] !== undefined && plugins[table_selector_jq_friendly].ColReorder !== undefined)) {
+                                               column_position = plugins[table_selector_jq_friendly].ColReorder[column_number];
+                                       }
+
+                                       columnObj.column_number = column_number;
+                                       column_number_data = undefined;
+                                       if (isNaN(settingsDt.aoColumns[column_position].mData) && typeof settingsDt.aoColumns[column_position].mData !== 'object') {
+                                               column_number_data = settingsDt.aoColumns[column_position].mData;
+                                               columnObj.column_number_data = column_number_data;
+                                       }
+                                       if (isNaN(settingsDt.aoColumns[column_position].mRender) && typeof settingsDt.aoColumns[column_position].mRender !== 'object') {
+                                               columnObj.column_number_render = settingsDt.aoColumns[column_position].mRender;
+                                       }
+                                       filter_default_label = columnObj.filter_default_label;
+                                       filter_reset_button_text = columnObj.filter_reset_button_text;
+                                       enable_auto_complete = columnObj.enable_auto_complete;
+                                       date_format = columnObj.date_format;
+                                       if (columnObj.datepicker_type === 'jquery-ui') {
+                                               date_format = date_format.replace("yyyy", "yy");
+                                       }
+                                       if (columnObj.datepicker_type === 'bootstrap-datetimepicker' && columnObj.filter_plugin_options !== undefined && columnObj.filter_plugin_options.format !== undefined) {
+                                               date_format = columnObj.filter_plugin_options.format;
+                                       }
+                                       columnObj.date_format = date_format;
+
+                                       if (columnObj.ignore_char !== undefined && !(columnObj.ignore_char instanceof RegExp)) {
+                                               ignore_char = new RegExp(columnObj.ignore_char, "g");
+                                               columnObj.ignore_char = ignore_char;
+                                       }
+                                       filter_match_mode = columnObj.filter_match_mode;
+
+                                       if (column_number === undefined) {
+                                               alert("You must specify column number");
+                                               return;
+                                       }
+
+                                       if (enable_auto_complete === true) {
+                                               columnObj.filter_type = "auto_complete";
+                                       }
+
+                                       if (filter_default_label === undefined) {
+                                               if (columnObj.filter_type === "select" || columnObj.filter_type === 'custom_func') {
+                                                       filter_default_label = placeholderLang.select;
+                                               } else if (columnObj.filter_type === "multi_select" || columnObj.filter_type === 'multi_select_custom_func') {
+                                                       filter_default_label = placeholderLang.select_multi;
+                                               } else if (columnObj.filter_type === "auto_complete" || columnObj.filter_type === "text") {
+                                                       filter_default_label = placeholderLang.filter;
+                                               } else if (columnObj.filter_type === "range_number" || columnObj.filter_type === "range_date") {
+                                                       filter_default_label = placeholderLang.range;
+                                               } else if (columnObj.filter_type === "date" || columnObj.filter_type === 'date_custom_func') {
+                                                       filter_default_label = placeholderLang.date;
+                                               }
+                                               columnObj.filter_default_label = filter_default_label;
+                                       }
+
+                                       if (filter_reset_button_text === undefined) {
+                                               filter_reset_button_text = "x";
+                                       }
+
+                                       if (data !== undefined) {
+                                               for (ii = 0; ii < data.length; ii++) {
+                                                       column_data.push(data[ii]);
+                                               }
+                                       }
+                                       if (data === undefined || columnObj.append_data_to_table_data !== undefined) {
+                                               columnObj.col_filter_array = undefined;
+                                               column_data_temp = parseTableColumn(oTable, columnObj, table_selector_jq_friendly, settingsDt);
+                                               if (columnObj.append_data_to_table_data !== 'before') {
+                                                       column_data = column_data.concat(column_data_temp);
+                                               } else {
+                                                       column_data_temp = sortColumnData(column_data_temp, columnObj);
+                                                       column_data = column_data.concat(column_data_temp);
+                                               }
+                                       }
+
+                                       if (columnObj.append_data_to_table_data === undefined || columnObj.append_data_to_table_data === 'sorted') {
+                                               column_data = sortColumnData(column_data, columnObj);
+                                       }
+
+                                       if (columnObj.filter_type === "range_number_slider") {
+                                               min_val = findMinInArray(column_data, columnObj);
+                                               max_val = findMaxInArray(column_data, columnObj);
+                                       }
+
+                                       if (filter_container_id === undefined && columnObj.filter_container_selector === undefined) {
+                                               //Can't show filter inside a column for a hidden one (place it outside using filter_container_id)
+                                               if (settingsDt.aoColumns[column_position].bVisible === false) {
+                                                       //console.log('Yadcf warning: Can\'t show filter inside a column N#' + column_number + ' for a hidden one (place it outside using filter_container_id)');
+                                                       continue;
+                                               }
+
+                                               if (filters_position !== 'thead') {
+                                                       if (unique_th === undefined) {
+                                                               //handle hidden columns
+                                                               col_num_visible = column_position;
+                                                               for (col_num_visible_iter = 0; col_num_visible_iter < settingsDt.aoColumns.length && col_num_visible_iter < column_position; col_num_visible_iter++) {
+                                                                       if (settingsDt.aoColumns[col_num_visible_iter].bVisible === false) {
+                                                                               col_num_visible--;
+                                                                       }
+                                                               }
+                                                               column_position = col_num_visible;
+                                                               filter_selector_string = table_selector + ' ' + filters_position + ' th:eq(' + column_position + ')';
+                                                       } else {
+                                                               filter_selector_string = table_selector + ' ' + filters_position + ' th:eq(' + $(unique_th[column_position]).index() + ')';
+                                                       }
+                                               } else {
+                                                       if (columnObj.filters_tr_index === undefined) {
+                                                               filter_selector_string = table_selector + ' ' + filters_position + ' tr:eq(' + $(unique_th[column_position]).parent().index() + ') th:eq(' + $(unique_th[column_position]).index() + ')';
+                                                       } else {
+                                                               filter_selector_string = table_selector + ' ' + filters_position + ' tr:eq(' + columnObj.filters_tr_index + ') th:eq(' + $(unique_th[column_position]).index() + ')';
+                                                       }
+                                               }
+                                               $filter_selector = $(filter_selector_string).find(".yadcf-filter");
+                                               if (columnObj.select_type === 'select2') {
+                                                       $filter_selector = $(filter_selector_string).find("select.yadcf-filter");
+                                               }
+                                       } else {
+                                               if (filter_container_id !== undefined) {
+                                                       columnObj.filter_container_selector = "#" + filter_container_id;
+                                               }
+                                               if ($(columnObj.filter_container_selector).length === 0) {
+                                                       console.log("ERROR: Filter container could not be found, columnObj.filter_container_selector: " + columnObj.filter_container_selector);
+                                                       continue;
+                                               }
+                                               filter_selector_string = columnObj.filter_container_selector;
+                                               $filter_selector = $(filter_selector_string).find(".yadcf-filter");
+                                       }
+
+                                       if (columnObj.filter_type === "select" || columnObj.filter_type === 'custom_func' || columnObj.filter_type === "multi_select" || columnObj.filter_type === 'multi_select_custom_func') {
+                                               if (columnObj.data_as_is !== true) {
+                                                       if (columnObj.omit_default_label !== true) {
+                                                               if (columnObj.filter_type === "select" || columnObj.filter_type === 'custom_func') {
+                                                                       options_tmp = "<option value=\"" + "-1" + "\">" + filter_default_label + "</option>";
+
+                                                                       if (columnObj.select_type === 'select2' && columnObj.select_type_options.placeholder !== undefined && columnObj.select_type_options.allowClear === true) {
+                                                                               options_tmp = "<option value=\"\"></option>";
+                                                                       }
+                                                               } else if (columnObj.filter_type === "multi_select" || columnObj.filter_type === 'multi_select_custom_func') {
+                                                                       if (columnObj.select_type === undefined) {
+                                                                               options_tmp = "<option data-placeholder=\"true\" value=\"" + "-1" + "\">" + filter_default_label + "</option>";
+                                                                       } else {
+                                                                               options_tmp = "";
+                                                                       }
+                                                               }
+                                                       }
+
+                                                       if (columnObj.append_data_to_table_data === undefined) {
+                                                               if (typeof column_data[0] === 'object') {
+                                                                       for (ii = 0; ii < column_data.length; ii++) {
+                                                                               options_tmp += "<option value=\"" + (column_data[ii].value + '').replace(/"/g, '&quot;') + "\">" + column_data[ii].label + "</option>";
+                                                                       }
+                                                               } else {
+                                                                       for (ii = 0; ii < column_data.length; ii++) {
+                                                                               options_tmp += "<option value=\"" + (column_data[ii] + '').replace(/"/g, '&quot;') + "\">" + column_data[ii] + "</option>";
+                                                                       }
+                                                               }
+                                                       } else {
+                                                               for (ii = 0; ii < column_data.length; ii++) {
+                                                                       if (typeof column_data[ii] === 'object') {
+                                                                               options_tmp += "<option value=\"" + (column_data[ii].value + '').replace(/"/g, '&quot;') + "\">" + column_data[ii].label + "</option>";
+                                                                       } else {
+                                                                               options_tmp += "<option value=\"" + (column_data[ii] + '').replace(/"/g, '&quot;') + "\">" + column_data[ii] + "</option>";
+                                                                       }
+                                                               }
+                                                       }
+                                               } else {
+                                                       options_tmp = columnObj.data;
+                                               }
+                                               column_data = options_tmp;
+                                       }
+                                       if ($filter_selector.length === 1) {
+                                               if (columnObj.filter_type === "select" || columnObj.filter_type === "multi_select" || columnObj.filter_type === 'custom_func' || columnObj.filter_type === 'multi_select_custom_func') {
+                                                       if (columnObj.filter_type === 'custom_func' || columnObj.filter_type === 'multi_select_custom_func') {
+                                                               custom_func_filter_value_holder = $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).val();
+                                                       }
+                                                       $filter_selector.empty();
+                                                       $filter_selector.append(column_data);
+                                                       if (settingsDt.aoPreSearchCols[column_position].sSearch !== '') {
+                                                               tmpStr = settingsDt.aoPreSearchCols[column_position].sSearch;
+                                                               if (columnObj.filter_type === "select") {
+                                                                       tmpStr = yadcfParseMatchFilter(tmpStr, getOptions(oTable.selector)[column_number].filter_match_mode);
+                                                                       $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).val(tmpStr).addClass("inuse");
+                                                               } else if (columnObj.filter_type === "multi_select") {
+                                                                       tmpStr = yadcfParseMatchFilterMultiSelect(tmpStr, getOptions(oTable.selector)[column_number].filter_match_mode);
+                                                                       tmpStr = tmpStr.replace(/\\/g, "");
+                                                                       tmpStr = tmpStr.split("|");
+                                                                       $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).val(tmpStr);
+                                                               }
+                                                       }
+                                                       if (columnObj.filter_type === 'custom_func' || columnObj.filter_type === 'multi_select_custom_func') {
+                                                               tmpStr = custom_func_filter_value_holder;
+                                                               if (tmpStr === '-1' || tmpStr === undefined) {
+                                                                       $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).val(tmpStr);
+                                                               } else {
+                                                                       $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).val(tmpStr).addClass("inuse");
+                                                               }
+                                                       }
+
+                                                       initializeSelectPlugin(columnObj.select_type, $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number), columnObj.select_type_options);
+                                                       if (columnObj.cumulative_filtering === true && columnObj.select_type === 'chosen') {
+                                                               refreshSelectPlugin(columnObj, $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number));
+                                                       }
+                                               } else if (columnObj.filter_type === "auto_complete") {
+                                                       $(document).data("yadcf-filter-" + table_selector_jq_friendly + "-" + column_number, column_data);
+                                               }
+                                       } else {
+                                               if (filter_container_id === undefined && columnObj.filter_container_selector === undefined) {
+                                                       if ($(filter_selector_string + " div.DataTables_sort_wrapper").length > 0) {
+                                                               $(filter_selector_string + " div.DataTables_sort_wrapper").css("display", "inline-block");
+                                                       }
+                                               } else {
+                                                       if (filter_container_id !== undefined) {
+                                                               columnObj.filter_container_selector = "#" + filter_container_id;
+                                                       }
+                                                       if ($("#yadcf-filter-wrapper-" + generateTableSelectorJQFriendlyNew(columnObj.filter_container_selector)).length === 0) {
+                                                               $(columnObj.filter_container_selector).append("<div id=\"yadcf-filter-wrapper-" + generateTableSelectorJQFriendlyNew(columnObj.filter_container_selector) + "\"></div>");
+                                                       }
+                                                       filter_selector_string = "#yadcf-filter-wrapper-" + generateTableSelectorJQFriendlyNew(columnObj.filter_container_selector);
+                                               }
+
+                                               if (columnObj.filter_type === "select" || columnObj.filter_type === 'custom_func') {
+
+                                                       //add a wrapper to hold both filter and reset button
+                                                       $(filter_selector_string).append("<div id=\"yadcf-filter-wrapper-" + table_selector_jq_friendly + "-" + column_number + "\" class=\"yadcf-filter-wrapper\"></div>");
+                                                       filter_selector_string += " div.yadcf-filter-wrapper";
+
+                                                       if (columnObj.filter_type === "select") {
+                                                               filterActionStr = 'onchange="yadcf.doFilter(this, \'' + table_selector_jq_friendly + '\', ' + column_number + ', \'' + filter_match_mode + '\');"';
+                                                               if (columnObj.externally_triggered === true) {
+                                                                       filterActionStr = '';
+                                                               }
+                                                               $(filter_selector_string).append("<select id=\"yadcf-filter-" + table_selector_jq_friendly + "-" + column_number + "\" class=\"yadcf-filter " + columnObj.style_class + "\" " +
+                                                                       filterActionStr + " onkeydown=\"yadcf.preventDefaultForEnter(event);\" onmousedown=\"yadcf.stopPropagation(event);\" onclick='yadcf.stopPropagation(event);'>" + column_data + "</select>");
+                                                               if (filter_reset_button_text !== false) {
+                                                                       $(filter_selector_string).find(".yadcf-filter").after("<button type=\"button\" " +
+                                                                               "id=\"yadcf-filter-" + table_selector_jq_friendly + "-" + column_number + "-reset\" onmousedown=\"yadcf.stopPropagation(event);\" onclick=\"yadcf.stopPropagation(event);yadcf.doFilter('clear', '" + table_selector_jq_friendly + "', " + column_number + "); return false;\" class=\"yadcf-filter-reset-button " + columnObj.reset_button_style_class + "\">" + filter_reset_button_text + "</button>");
+                                                               }
+                                                       } else {
+                                                               filterActionStr = 'onchange="yadcf.doFilterCustomDateFunc(this, \'' + table_selector_jq_friendly  + '\', ' +  column_number + ');"';
+                                                               if (columnObj.externally_triggered === true) {
+                                                                       filterActionStr = '';
+                                                               }
+                                                               $(filter_selector_string).append("<select id=\"yadcf-filter-" + table_selector_jq_friendly + "-" + column_number + "\" class=\"yadcf-filter " + columnObj.style_class + "\" " +
+                                                                       filterActionStr + " onkeydown=\"yadcf.preventDefaultForEnter(event);\" onmousedown=\"yadcf.stopPropagation(event);\" onclick='yadcf.stopPropagation(event);'>" + column_data + "</select>");
+                                                               if (filter_reset_button_text !== false) {
+                                                                       $(filter_selector_string).find(".yadcf-filter").after("<button type=\"button\" onmousedown=\"yadcf.stopPropagation(event);\" " +
+                                                                               "onclick=\"yadcf.stopPropagation(event);yadcf.doFilterCustomDateFunc('clear', '" + table_selector_jq_friendly + "', " + column_number + "); return false;\" class=\"yadcf-filter-reset-button " + columnObj.reset_button_style_class + "\">" + filter_reset_button_text + "</button>");
+                                                               }
+
+                                                               if (settingsDt.oFeatures.bStateSave === true && settingsDt.oLoadedState) {
+                                                                       if (settingsDt.oLoadedState.yadcfState && settingsDt.oLoadedState.yadcfState[table_selector_jq_friendly] && settingsDt.oLoadedState.yadcfState[table_selector_jq_friendly][column_number]) {
+                                                                               tmpStr = settingsDt.oLoadedState.yadcfState[table_selector_jq_friendly][column_number].from;
+                                                                               if (tmpStr === '-1' || tmpStr === undefined) {
+                                                                                       $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).val(tmpStr);
+                                                                               } else {
+                                                                                       $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).val(tmpStr).addClass("inuse");
+                                                                               }
+                                                                       }
+                                                               }
+                                                               if (settingsDt.oFeatures.bServerSide !== true) {
+                                                                       addCustomFunctionFilterCapability(table_selector_jq_friendly, "yadcf-filter-" + table_selector_jq_friendly + "-" + column_number, column_number);
+                                                               }
+                                                       }
+
+                                                       if (settingsDt.aoPreSearchCols[column_position].sSearch !== '') {
+                                                               tmpStr = settingsDt.aoPreSearchCols[column_position].sSearch;
+                                                               tmpStr = yadcfParseMatchFilter(tmpStr, getOptions(oTable.selector)[column_number].filter_match_mode);
+                                                               $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).val(tmpStr).addClass("inuse");
+                                                       }
+
+                                                       if (columnObj.select_type !== undefined) {
+                                                               initializeSelectPlugin(columnObj.select_type, $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number), columnObj.select_type_options);
+                                                               if (columnObj.cumulative_filtering === true && columnObj.select_type === 'chosen') {
+                                                                       refreshSelectPlugin(columnObj, $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number));
+                                                               }
+                                                       }
+                                               } else if (columnObj.filter_type === "multi_select" || columnObj.filter_type === 'multi_select_custom_func') {
+
+                                                       //add a wrapper to hold both filter and reset button
+                                                       $(filter_selector_string).append("<div id=\"yadcf-filter-wrapper-" + table_selector_jq_friendly + "-" + column_number + "\" class=\"yadcf-filter-wrapper\"></div>");
+                                                       filter_selector_string += " div.yadcf-filter-wrapper";
+
+                                                       if (columnObj.filter_type === "multi_select") {
+                                                               filterActionStr = 'onchange="yadcf.doFilterMultiSelect(this, \'' + table_selector_jq_friendly + '\', ' + column_number + ', \'' + filter_match_mode + '\');"';
+                                                               if (columnObj.externally_triggered === true) {
+                                                                       filterActionStr = '';
+                                                               }
+                                                               $(filter_selector_string).append("<select multiple data-placeholder=\"" + filter_default_label + "\" id=\"yadcf-filter-" + table_selector_jq_friendly + "-" + column_number + "\" class=\"yadcf-filter " + columnObj.style_class + "\" " +
+                                                                       filterActionStr + " onkeydown=\"yadcf.preventDefaultForEnter(event);\" onmousedown=\"yadcf.stopPropagation(event);\" onclick='yadcf.stopPropagation(event);'>" + column_data + "</select>");
+
+                                                               if (filter_reset_button_text !== false) {
+                                                                       $(filter_selector_string).find(".yadcf-filter").after("<button type=\"button\" onmousedown=\"yadcf.stopPropagation(event);\" " +
+                                                                               "onclick=\"yadcf.stopPropagation(event);yadcf.doFilter('clear', '" + table_selector_jq_friendly + "', " + column_number + "); return false;\" class=\"yadcf-filter-reset-button " + columnObj.reset_button_style_class + "\">" + filter_reset_button_text + "</button>");
+                                                               }
+
+                                                               if (settingsDt.aoPreSearchCols[column_position].sSearch !== '') {
+                                                                       tmpStr = settingsDt.aoPreSearchCols[column_position].sSearch;
+                                                                       tmpStr = yadcfParseMatchFilterMultiSelect(tmpStr, getOptions(oTable.selector)[column_number].filter_match_mode);
+                                                                       tmpStr = tmpStr.replace(/\\/g, "");
+                                                                       tmpStr = tmpStr.split("|");
+                                                                       $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).val(tmpStr);
+                                                               }
+                                                       } else {
+                                                               filterActionStr = 'onchange="yadcf.doFilterCustomDateFunc(this, \'' + table_selector_jq_friendly + '\', ' + column_number + ');"';
+                                                               if (columnObj.externally_triggered === true) {
+                                                                       filterActionStr = '';
+                                                               }
+                                                               $(filter_selector_string).append("<select multiple data-placeholder=\"" + filter_default_label + "\" id=\"yadcf-filter-" + table_selector_jq_friendly + "-" + column_number + "\" class=\"yadcf-filter " + columnObj.style_class + "\" " +
+                                                                       filterActionStr + " onkeydown=\"yadcf.preventDefaultForEnter(event);\" onmousedown=\"yadcf.stopPropagation(event);\" onclick='yadcf.stopPropagation(event);'>" + column_data + "</select>");
+
+                                                               if (filter_reset_button_text !== false) {
+                                                                       $(filter_selector_string).find(".yadcf-filter").after("<button type=\"button\" onmousedown=\"yadcf.stopPropagation(event);\" " +
+                                                                               "onclick=\"yadcf.stopPropagation(event);yadcf.doFilterCustomDateFunc('clear', '" + table_selector_jq_friendly + "', " + column_number + "); return false;\" class=\"yadcf-filter-reset-button " + columnObj.reset_button_style_class + "\">" + filter_reset_button_text + "</button>");
+                                                               }
+
+                                                               if (settingsDt.oFeatures.bStateSave === true && settingsDt.oLoadedState) {
+                                                                       if (settingsDt.oLoadedState.yadcfState && settingsDt.oLoadedState.yadcfState[table_selector_jq_friendly] && settingsDt.oLoadedState.yadcfState[table_selector_jq_friendly][column_number]) {
+                                                                               tmpStr = settingsDt.oLoadedState.yadcfState[table_selector_jq_friendly][column_number].from;
+                                                                               if (tmpStr === '-1' || tmpStr === undefined) {
+                                                                                       $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).val(tmpStr);
+                                                                               } else {
+                                                                                       $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).val(tmpStr).addClass("inuse");
+                                                                               }
+                                                                       }
+                                                               }
+                                                               if (settingsDt.oFeatures.bServerSide !== true) {
+                                                                       addCustomFunctionFilterCapability(table_selector_jq_friendly, "yadcf-filter-" + table_selector_jq_friendly + "-" + column_number, column_number);
+                                                               }
+                                                       }
+
+                                                       if (columnObj.filter_container_selector === undefined && columnObj.select_type_options.width === undefined) {
+                                                               columnObj.select_type_options = $.extend(columnObj.select_type_options, {width: $(filter_selector_string).closest("th").width() + "px"});
+                                                       }
+                                                       if (columnObj.filter_container_selector !== undefined && columnObj.select_type_options.width === undefined) {
+                                                               columnObj.select_type_options = $.extend(columnObj.select_type_options, {width: $(filter_selector_string).closest(columnObj.filter_container_selector).width() + "px"});
+                                                       }
+
+                                                       if (columnObj.select_type !== undefined) {
+                                                               initializeSelectPlugin(columnObj.select_type, $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number), columnObj.select_type_options);
+                                                               if (columnObj.cumulative_filtering === true && columnObj.select_type === 'chosen') {
+                                                                       refreshSelectPlugin(columnObj, $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number));
+                                                               }
+                                                       }
+                                               } else if (columnObj.filter_type === "auto_complete") {
+
+                                                       //add a wrapper to hold both filter and reset button
+                                                       $(filter_selector_string).append("<div id=\"yadcf-filter-wrapper-" + table_selector_jq_friendly + "-" + column_number + "\" class=\"yadcf-filter-wrapper\"></div>");
+                                                       filter_selector_string += " div.yadcf-filter-wrapper";
+
+                                                       filterActionStr = 'onkeyup="yadcf.autocompleteKeyUP(\'' + table_selector_jq_friendly + '\',event);"';
+                                                       if (columnObj.externally_triggered === true) {
+                                                               filterActionStr = '';
+                                                       }
+                                                       $(filter_selector_string).append("<input onkeydown=\"yadcf.preventDefaultForEnter(event);\" id=\"yadcf-filter-" + table_selector_jq_friendly + "-" + column_number + "\" class=\"yadcf-filter\" onmousedown=\"yadcf.stopPropagation(event);\" onclick='yadcf.stopPropagation(event);" +
+                                                       "' placeholder='" + filter_default_label + "'" + " filter_match_mode='" + filter_match_mode + "' " + filterActionStr + "></input>");
+                                                       $(document).data("yadcf-filter-" + table_selector_jq_friendly + "-" + column_number, column_data);
+
+                                                       if (filter_reset_button_text !== false) {
+                                                               $(filter_selector_string).find(".yadcf-filter").after("<button type=\"button\" onmousedown=\"yadcf.stopPropagation(event);\" " +
+                                                                       "onclick=\"yadcf.stopPropagation(event);yadcf.doFilterAutocomplete('clear', '" + table_selector_jq_friendly + "', " + column_number + "); return false;\" class=\"yadcf-filter-reset-button " + columnObj.reset_button_style_class + "\">" + filter_reset_button_text + "</button>");
+                                                       }
+                                               } else if (columnObj.filter_type === "text") {
+
+                                                       //add a wrapper to hold both filter and reset button
+                                                       $(filter_selector_string).append("<div id=\"yadcf-filter-wrapper-" + table_selector_jq_friendly + "-" + column_number + "\" class=\"yadcf-filter-wrapper\"></div>");
+                                                       filter_selector_string += " div.yadcf-filter-wrapper";
+
+                                                       filterActionStr = 'onkeyup="yadcf.textKeyUP(event,\'' + table_selector_jq_friendly + '\', ' + column_number + ');"';
+                                                       if (columnObj.externally_triggered === true) {
+                                                               filterActionStr = '';
+                                                       }
+
+                                                       exclude_str = '';
+                                                       if (columnObj.exclude === true) {
+                                                               if (columnObj.externally_triggered !== true) {
+                                                                       exclude_str = '<span class="yadcf-exclude-wrapper" onmousedown="yadcf.stopPropagation(event);" onclick="yadcf.stopPropagation(event);">' +
+                                                                               '<div class="yadcf-label small">' + columnObj.exclude_label + '</div><input type="checkbox" title="' + columnObj.exclude_label + '" onclick="yadcf.stopPropagation(event);yadcf.textKeyUP(event,\'' + table_selector_jq_friendly + '\',' + column_number + ');"></span>';
+                                                               } else {
+                                                                       exclude_str = '<span class="yadcf-exclude-wrapper" onmousedown="yadcf.stopPropagation(event);" onclick="yadcf.stopPropagation(event);">' +
+                                                                               '<div class="yadcf-label small">' + columnObj.exclude_label + '</div><input type="checkbox" title="' + columnObj.exclude_label + '" onclick="yadcf.stopPropagation(event);"></span>';
+                                                               }
+                                                       }
+
+                                                       $(filter_selector_string).append(exclude_str + "<input type=\"text\" onkeydown=\"yadcf.preventDefaultForEnter(event);\" id=\"yadcf-filter-" + table_selector_jq_friendly + "-" + column_number + "\" class=\"yadcf-filter " + columnObj.style_class + "\" onmousedown=\"yadcf.stopPropagation(event);\" onclick='yadcf.stopPropagation(event);" +
+                                                       "' placeholder='" + filter_default_label + "'" + " filter_match_mode='" + filter_match_mode + "' " + filterActionStr + "></input>");
+
+                                                       if (filter_reset_button_text !== false) {
+                                                               $(filter_selector_string).find(".yadcf-filter").after("<button type=\"button\" " + " id=\"yadcf-filter-" + table_selector_jq_friendly + "-" + column_number + "-reset\" onmousedown=\"yadcf.stopPropagation(event);\" " +
+                                                                       "onclick=\"yadcf.stopPropagation(event);yadcf.textKeyUP(event,'" + table_selector_jq_friendly + "', '" + column_number + "', 'clear'); return false;\" class=\"yadcf-filter-reset-button " + columnObj.reset_button_style_class + "\">" + filter_reset_button_text + "</button>");
+                                                       }
+
+                                                       if (settingsDt.aoPreSearchCols[column_position].sSearch !== '') {
+                                                               tmpStr = settingsDt.aoPreSearchCols[column_position].sSearch;
+                                                               if (columnObj.exclude === true) {
+                                                                       if (tmpStr.indexOf('^((?!') !== -1) {
+                                                                               $('#yadcf-filter-wrapper-' + table_selector_jq_friendly + '-' + column_number).find(':checkbox').prop('checked', true);
+                                                                       }
+                                                                       tmpStr = tmpStr.substring(5, tmpStr.indexOf(').)'));
+                                                               }
+                                                               tmpStr = yadcfParseMatchFilter(tmpStr, getOptions(oTable.selector)[column_number].filter_match_mode);
+                                                               $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).val(tmpStr).addClass("inuse");
+                                                       }
+
+                                               } else if (columnObj.filter_type === "date" || columnObj.filter_type === 'date_custom_func') {
+
+                                                       addDateFilter(filter_selector_string, table_selector_jq_friendly, column_number, filter_reset_button_text, filter_default_label, date_format);
+
+                                               } else if (columnObj.filter_type === "range_number") {
+
+                                                       addRangeNumberFilter(filter_selector_string, table_selector_jq_friendly, column_number, filter_reset_button_text, filter_default_label, ignore_char);
+
+                                               } else if (columnObj.filter_type === "range_number_slider") {
+
+                                                       addRangeNumberSliderFilter(filter_selector_string, table_selector_jq_friendly, column_number, filter_reset_button_text, min_val, max_val, ignore_char);
+
+                                               } else if (columnObj.filter_type === "range_date") {
+
+                                                       addRangeDateFilter(filter_selector_string, table_selector_jq_friendly, column_number, filter_reset_button_text, filter_default_label, date_format);
+
+                                               }
+                                       }
+
+                                       if ($(document).data("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number + "_val") !== undefined && $(document).data("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number + "_val") !== "-1") {
+                                               $(filter_selector_string).find(".yadcf-filter").val($(document).data("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number + "_val"));
+                                       }
+                                       if (columnObj.filter_type === "auto_complete") {
+                                               columnObj.filter_plugin_options = {
+                                                       source: $(document).data("yadcf-filter-" + table_selector_jq_friendly + "-" + column_number),
+                                                       select: autocompleteSelect
+                                               };
+                                               if (columnObj.externally_triggered === true) {
+                                                       delete columnObj.filter_plugin_options.select;
+                                               }
+                                               $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number).autocomplete(columnObj.filter_plugin_options);
+                                               if (settingsDt.aoPreSearchCols[column_position].sSearch !== '') {
+                                                       tmpStr = settingsDt.aoPreSearchCols[column_position].sSearch;
+                                                       tmpStr = yadcfParseMatchFilter(tmpStr, getOptions(oTable.selector)[column_number].filter_match_mode);
+                                                       $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).val(tmpStr).addClass("inuse");
+                                               }
+                                       }
+                               }
+                       }
+                       if (exFilterColumnQueue.length > 0) {
+                               (exFilterColumnQueue.shift())();
+                       }
+               }
+
+               function rangeClear(table_selector_jq_friendly, event, column_number) {
+                       var oTable = oTables[table_selector_jq_friendly],
+                               yadcfState,
+                               settingsDt,
+                               column_number_filter,
+                               currentFilterValues,
+                               columnObj,
+                               fromId = "yadcf-filter-" + table_selector_jq_friendly + "-from-date-" + column_number,
+                               toId = "yadcf-filter-" + table_selector_jq_friendly + "-to-date-" + column_number,
+                               $fromInput,
+                               $toInput;
+
+                       $.fn.dataTableExt.iApiIndex = oTablesIndex[table_selector_jq_friendly];
+                       event = eventTargetFixUp(event);
+                       settingsDt = getSettingsObjFromTable(oTable);
+
+                       column_number_filter = calcColumnNumberFilter(settingsDt, column_number, table_selector_jq_friendly);
+
+                       currentFilterValues = exGetColumnFilterVal(oTable, column_number);
+                       if (currentFilterValues.from === '' && currentFilterValues.to === '') {
+                               return;
+                       }
+
+                       columnObj = getOptions(oTable.selector)[column_number];
+
+                       $(event.target).parent().find(".yadcf-filter-range").val("");
+                       if ($(event.target).parent().find(".yadcf-filter-range-number").length > 0) {
+                               $($(event.target).parent().find(".yadcf-filter-range")[0]).focus();
+                       }
+
+                       if (oTable.fnSettings().oFeatures.bServerSide !== true) {
+                               saveStateSave(oTable, column_number, table_selector_jq_friendly, '', '');
+                               oTable.fnDraw();
+                       } else {
+                               oTable.fnFilter('', column_number_filter);
+                       }
+
+                       if (!oTable.fnSettings().oLoadedState) {
+                               oTable.fnSettings().oLoadedState = {};
+                               oTable.fnSettings().oApi._fnSaveState(oTable.fnSettings());
+                       }
+                       if (oTable.fnSettings().oFeatures.bStateSave === true) {
+                               if (oTable.fnSettings().oLoadedState.yadcfState !== undefined && oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly] !== undefined) {
+                                       oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly][column_number] =
+                                               {
+                                                       from: '',
+                                                       to: ''
+                                               };
+                               } else {
+                                       yadcfState = {};
+                                       yadcfState[table_selector_jq_friendly] = [];
+                                       yadcfState[table_selector_jq_friendly][column_number] = {
+                                               from: '',
+                                               to: ''
+                                       };
+                                       oTable.fnSettings().oLoadedState.yadcfState = yadcfState;
+                               }
+                               oTable.fnSettings().oApi._fnSaveState(oTable.fnSettings());
+                       }
+                       resetIApiIndex();
+
+                       $(event.target).parent().find(".yadcf-filter-range").removeClass("inuse");
+                       if (columnObj.datepicker_type === 'bootstrap-datepicker') {
+                               $fromInput = $("#" + fromId);
+                               $toInput = $("#" + toId);
+                               $fromInput.datepicker('update');
+                               $toInput.datepicker('update');
+                       }
+
+                       return;
+               }
+
+               function rangeNumberSliderClear(table_selector_jq_friendly, event) {
+                       var oTable = oTables[table_selector_jq_friendly],
+                               min_val,
+                               max_val,
+                               currentFilterValues,
+                               column_number;
+
+                       event = eventTargetFixUp(event);
+                       $.fn.dataTableExt.iApiIndex = oTablesIndex[table_selector_jq_friendly];
+
+                       column_number = parseInt($(event.target).prev().find(".yadcf-filter-range-number-slider").attr("id").replace("yadcf-filter-" + table_selector_jq_friendly + "-slider-", ""), 10);
+
+                       min_val = +$($(event.target).parent().find(".yadcf-filter-range-number-slider-min-tip-hidden")).text();
+                       max_val = +$($(event.target).parent().find(".yadcf-filter-range-number-slider-max-tip-hidden")).text();
+
+                       currentFilterValues = exGetColumnFilterVal(oTable, column_number);
+                       if (+currentFilterValues.from === min_val && +currentFilterValues.to === max_val) {
+                               return;
+                       }
+
+                       $(event.target).prev().find(".yadcf-filter-range-number-slider").slider("option", "yadcf-reset", true);
+                       $(event.target).prev().find(".yadcf-filter-range-number-slider").slider("option", "values", [min_val, max_val]);
+
+                       $($(event.target).prev().find(".ui-slider-handle")[0]).attr("tabindex", -1).focus();
+
+                       $($(event.target).prev().find(".ui-slider-handle")[0]).removeClass("inuse");
+                       $($(event.target).prev().find(".ui-slider-handle")[1]).removeClass("inuse");
+                       $(event.target).prev().find(".ui-slider-range").removeClass("inuse");
+
+                       oTable.fnDraw();
+                       resetIApiIndex();
+
+                       return;
+               }
+
+               function dateKeyUP(table_selector_jq_friendly, date_format, event) {
+                       var oTable,
+                               date,
+                               dateId,
+                               column_number,
+                               columnObj;
+
+                       event = eventTargetFixUp(event);
+
+                       dateId = event.target.id;
+                       date = document.getElementById(dateId).value;
+
+                       $.fn.dataTableExt.iApiIndex = oTablesIndex[table_selector_jq_friendly];
+                       oTable = oTables[table_selector_jq_friendly];
+                       column_number = parseInt(dateId.replace("yadcf-filter-" + table_selector_jq_friendly + "-", ""), 10);
+                       columnObj = getOptions(oTable.selector)[column_number];
+
+                       try {
+                               if (columnObj.datepicker_type === 'jquery-ui') {
+                                       if (date.length === (date_format.length + 2)) {
+                                               date = (date !== "") ? $.datepicker.parseDate(date_format, date) : date;
+                                       }
+                               }
+                       } catch (err1) {}
+
+                       if (date instanceof Date || moment(date, columnObj.date_format).isValid()) {
+                               $("#" + dateId).addClass('inuse');
+                               if (columnObj.filter_type !== 'date_custom_func') {
+                                       oTable.fnFilter(document.getElementById(dateId).value, column_number);
+                                       resetIApiIndex();
+                               } else {
+                                       doFilterCustomDateFunc({ value: date }, table_selector_jq_friendly, column_number);
+                               }
+                       } else if (date === "" || $.trim(event.target.value) === '') {
+                               $("#" + dateId).removeClass('inuse');
+                               $('#' + event.target.id).removeClass('inuse');
+                               oTable.fnFilter('', column_number);
+                               resetIApiIndex();
+                       }
+               }
+
+               function rangeDateKeyUP(table_selector_jq_friendly, date_format, event) {
+                       var oTable,
+                               min,
+                               max,
+                               fromId,
+                               toId,
+                               column_number,
+                               columnObj,
+                               keyUp,
+                               settingsDt,
+                               column_number_filter,
+                               dpg,
+                               minTmp,
+                               maxTmp;
+
+                       event = eventTargetFixUp(event);
+                       $.fn.dataTableExt.iApiIndex = oTablesIndex[table_selector_jq_friendly];
+
+                       oTable = oTables[table_selector_jq_friendly];
+
+                       column_number = parseInt($(event.target).attr("id").replace('-from-date-', '').replace('-to-date-', '').replace('yadcf-filter-' + table_selector_jq_friendly, ''), 10);
+                       columnObj = getOptions(oTable.selector)[column_number];
+                       settingsDt = getSettingsObjFromTable(oTable);
+                       column_number_filter = calcColumnNumberFilter(settingsDt, column_number, table_selector_jq_friendly);
+
+                       if (columnObj.datepicker_type === 'bootstrap-datepicker') {
+                               dpg = $.fn.datepicker.DPGlobal;
+                       }
+
+                       keyUp = function () {
+                               if (event.target.id.indexOf("-from-") !== -1) {
+                                       fromId = event.target.id;
+                                       toId = event.target.id.replace("-from-", "-to-");
+                               } else {
+                                       toId = event.target.id;
+                                       fromId = event.target.id.replace("-to-", "-from-");
+                               }
+
+                               min = document.getElementById(fromId).value;
+                               max = document.getElementById(toId).value;
+                                       
+                               if (columnObj.datepicker_type === 'jquery-ui') {
+                                       try {
+                                               if (min.length === (date_format.length + 2)) {
+                                                       min = (min !== "") ? $.datepicker.parseDate(date_format, min) : min;
+                                               }
+                                       } catch (err) {}
+                                       try {
+                                               if (max.length === (date_format.length + 2)) {
+                                                       max = (max !== "") ? $.datepicker.parseDate(date_format, max) : max;
+                                               }
+                                       } catch (err) {}
+                               } else if (columnObj.datepicker_type === 'bootstrap-datetimepicker') {
+                                       try {
+                                               min = moment(min, columnObj.moment_date_format).toDate();
+                                               if (isNaN(min.getTime())) {
+                                                       min = '';
+                                               }
+                                       } catch (err) {}
+                                       try {
+                                               max = moment(max, columnObj.moment_date_format).toDate();
+                                               if (isNaN(max.getTime())) {
+                                                       max = '';
+                                               }
+                                       } catch (err) {}
+                               } else if (columnObj.datepicker_type === 'bootstrap-datepicker') {
+                                       try {
+                                               min = dpg.parseDate(min, dpg.parseFormat(columnObj.date_format));
+                                               if (isNaN(min.getTime())) {
+                                                       min = '';
+                                               }
+                                       } catch (err) {}
+                                       try {
+                                               max = dpg.parseDate(max, dpg.parseFormat(columnObj.date_format));
+                                               if (isNaN(max.getTime())) {
+                                                       max = '';
+                                               }
+                                       } catch (err) {}
+                               }
+
+                               if (((max instanceof Date) && (min instanceof Date) && (max >= min)) || !min || !max) {
+
+                                       if (oTable.fnSettings().oFeatures.bServerSide !== true) {
+                                               minTmp = document.getElementById(fromId).value;
+                                               maxTmp = document.getElementById(toId).value;
+                                               saveStateSave(oTable, column_number, table_selector_jq_friendly, !min ? '' : minTmp , !max ? '' : maxTmp);
+                                               oTable.fnDraw();
+                                       } else {
+                                               oTable.fnFilter(document.getElementById(fromId).value + '-yadcf_delim-' + document.getElementById(toId).value, column_number_filter);
+                                       }
+
+                                       if (min instanceof Date) {
+                                               $("#" + fromId).addClass("inuse");
+                                       } else {
+                                               $("#" + fromId).removeClass("inuse");
+                                       }
+                                       if (max instanceof Date) {
+                                               $("#" + toId).addClass("inuse");
+                                       } else {
+                                               $("#" + toId).removeClass("inuse");
+                                       }
+
+                                       if ($.trim(event.target.value) === "" && $(event.target).hasClass("inuse")) {
+                                               $("#" + event.target.id).removeClass("inuse");
+                                       }
+
+                               }
+                               resetIApiIndex();
+                       };
+
+                       if (columnObj.filter_delay === undefined) {
+                               keyUp(table_selector_jq_friendly, event);
+                       } else {
+                               yadcfDelay(function () {
+                                       keyUp(table_selector_jq_friendly, event);
+                               }, columnObj.filter_delay);
+                       }
+               }
+
+               function rangeNumberKeyUP(table_selector_jq_friendly, event) {
+                       var oTable = oTables[table_selector_jq_friendly],
+                               min,
+                               max,
+                               fromId,
+                               toId,
+                               yadcfState,
+                               column_number,
+                               columnObj,
+                               keyUp,
+                               settingsDt,
+                               column_number_filter;
+
+                       event = eventTargetFixUp(event);
+                       $.fn.dataTableExt.iApiIndex = oTablesIndex[table_selector_jq_friendly];
+
+                       column_number = parseInt($(event.target).attr("id").replace('-from-', '').replace('-to-', '').replace('yadcf-filter-' + table_selector_jq_friendly, ''), 10);
+                       columnObj = getOptions(oTable.selector)[column_number];
+                       settingsDt = getSettingsObjFromTable(oTable);
+                       column_number_filter = calcColumnNumberFilter(settingsDt, column_number, table_selector_jq_friendly);
+
+                       keyUp = function () {
+                               if (event.target.id.indexOf("-from-") !== -1) {
+                                       fromId = event.target.id;
+                                       toId = event.target.id.replace("-from-", "-to-");
+
+                                       min = document.getElementById(fromId).value;
+                                       max = document.getElementById(toId).value;
+                               } else {
+                                       toId = event.target.id;
+                                       fromId = event.target.id.replace("-to-", "-from-");
+
+                                       max = document.getElementById(toId).value;
+                                       min = document.getElementById(fromId).value;
+                               }
+
+                               min = (min !== "") ? (+min) : min;
+                               max = (max !== "") ? (+max) : max;
+
+                               if ((!isNaN(max) && !isNaN(min) && (max >= min)) || min === "" || max === "") {
+
+                                       if (oTable.fnSettings().oFeatures.bServerSide !== true) {
+                                               oTable.fnDraw();
+                                       } else {
+                                               oTable.fnFilter(min + '-yadcf_delim-' + max, column_number_filter);
+                                       }
+                                       if (document.getElementById(fromId).value !== "") {
+                                               $("#" + fromId).addClass("inuse");
+                                       }
+                                       if (document.getElementById(toId).value !== "") {
+                                               $("#" + toId).addClass("inuse");
+                                       }
+
+                                       if ($.trim(event.target.value) === "" && $(event.target).hasClass("inuse")) {
+                                               $("#" + event.target.id).removeClass("inuse");
+                                       }
+                                       if (!oTable.fnSettings().oLoadedState) {
+                                               oTable.fnSettings().oLoadedState = {};
+                                               oTable.fnSettings().oApi._fnSaveState(oTable.fnSettings());
+                                       }
+                                       if (oTable.fnSettings().oFeatures.bStateSave === true) {
+                                               if (oTable.fnSettings().oLoadedState.yadcfState !== undefined && oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly] !== undefined) {
+                                                       oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly][column_number] =
+                                                               {
+                                                                       from: min,
+                                                                       to: max
+                                                               };
+                                               } else {
+                                                       yadcfState = {};
+                                                       yadcfState[table_selector_jq_friendly] = [];
+                                                       yadcfState[table_selector_jq_friendly][column_number] = {
+                                                               from: min,
+                                                               to: max
+                                                       };
+                                                       oTable.fnSettings().oLoadedState.yadcfState = yadcfState;
+                                               }
+                                               oTable.fnSettings().oApi._fnSaveState(oTable.fnSettings());
+                                       }
+                               }
+                               resetIApiIndex();
+                       };
+
+                       if (columnObj.filter_delay === undefined) {
+                               keyUp();
+                       } else {
+                               yadcfDelay(function () {
+                                       keyUp();
+                               }, columnObj.filter_delay);
+                       }
+               }
+
+               function doFilterMultiTablesMultiSelect(tablesSelectors, event, column_number_str, clear) {
+
+                       var columnsObj = getOptions(tablesSelectors + '_' + column_number_str)[column_number_str],
+                               regex = false,
+                               smart = true,
+                               caseInsen = true,
+                               tablesAsOne,
+                               tablesArray = oTables[tablesSelectors],
+                               selected_values = $(event.target).val(),
+                               i;
+
+                       event = eventTargetFixUp(event);
+                       tablesAsOne = new $.fn.dataTable.Api(tablesArray);
+
+                       if (clear !== undefined || !selected_values || selected_values.length === 0) {
+                               if (clear !== undefined) {
+                                       $(event.target).parent().find('select').val('-1').focus();
+                                       $(event.target).parent().find('selectn ').removeClass("inuse");
+                               }
+                               if (columnsObj.column_number instanceof Array) {
+                                       tablesAsOne.columns(columnsObj.column_number).search('').draw();
+                               } else {
+                                       tablesAsOne.search('').draw();
+                               }
+
+                               refreshSelectPlugin(columnsObj, $('#' + columnsObj.filter_container_id + ' select'), '-1');
+                               return;
+                       }
+
+                       $(event.target).addClass("inuse");
+
+                       regex = true;
+                       smart = false;
+                       caseInsen = columnsObj.case_insensitive;
+
+                       if (selected_values !== null) {
+                               for (i = selected_values.length - 1; i >= 0; i--) {
+                                       if (selected_values[i] === "-1") {
+                                               selected_values.splice(i, 1);
+                                               break;
+                                       }
+                               }
+                               if (selected_values.length !== 0) {
+                                       selected_values = selected_values.join('narutouzomaki');
+                                       selected_values = selected_values.replace(/([.*+?^=!:${}()|\[\]\/\\])/g, "\\$1");
+                                       selected_values = selected_values.split('narutouzomaki').join('|');
+                               }
+                       }
+                       if (columnsObj.filter_match_mode === "exact") {
+                               selected_values = "^" + selected_values + "$";
+                       } else if (columnsObj.filter_match_mode === "startsWith") {
+                               selected_values = "^" + selected_values;
+                       }
+                       if (columnsObj.column_number instanceof Array) {
+                               tablesAsOne.columns(columnsObj.column_number).search(selected_values, regex, smart, caseInsen).draw();
+                       } else {
+                               tablesAsOne.search(selected_values, regex, smart, caseInsen).draw();
+                       }
+               }
+
+               function doFilterMultiTables(tablesSelectors, event, column_number_str, clear) {
+
+                       var columnsObj = getOptions(tablesSelectors + '_' + column_number_str)[column_number_str],
+                               regex = false,
+                               smart = true,
+                               caseInsen = true,
+                               serachVal,
+                               tablesAsOne,
+                               tablesArray = oTables[tablesSelectors];
+
+                       event = eventTargetFixUp(event);
+                       tablesAsOne = new $.fn.dataTable.Api(tablesArray);
+
+                       if (clear !== undefined || event.target.value === '-1') {
+                               if (clear !== undefined) {
+                                       $(event.target).parent().find('select').val('-1').focus();
+                                       $(event.target).parent().find('select').removeClass("inuse");
+                               }
+                               if (columnsObj.column_number instanceof Array) {
+                                       tablesAsOne.columns(columnsObj.column_number).search('').draw();
+                               } else {
+                                       tablesAsOne.search('').draw();
+                               }
+
+                               refreshSelectPlugin(columnsObj, $('#' + columnsObj.filter_container_id + ' select'), '-1');
+
+                               return;
+                       }
+
+                       $(event.target).addClass("inuse");
+
+                       serachVal = event.target.value;
+                       smart = false;
+                       caseInsen = columnsObj.case_insensitive;
+       /*
+                       if (columnsObj.filter_match_mode === "contains") {
+                               regex = false;
+                       } else if (columnsObj.filter_match_mode === "exact") {
+                               regex = true;
+                               serachVal = "^" + serachVal + "$";
+                       } else if (columnsObj.filter_match_mode === "startsWith") {
+                               regex = true;
+                               serachVal = "^" + serachVal;
+                       }*/
+                       if (columnsObj.column_number instanceof Array) {
+                               tablesAsOne.columns(columnsObj.column_number).search(serachVal, regex, smart, caseInsen).draw();
+                       } else {
+                               tablesAsOne.search(serachVal, regex, smart, caseInsen).draw();
+                       }
+               }
+
+               function textKeyUpMultiTables(tablesSelectors, event, column_number_str, clear) {
+
+                       var keyUp,
+                               columnsObj = getOptions(tablesSelectors + '_' + column_number_str)[column_number_str],
+                               regex = false,
+                               smart = true,
+                               caseInsen = true,
+                               serachVal,
+                               tablesAsOne,
+                               tablesArray = oTables[tablesSelectors];
+
+                       event = eventTargetFixUp(event);
+                       tablesAsOne = new $.fn.dataTable.Api(tablesArray);
+
+                       keyUp = function (tablesAsOne, event, clear) {
+
+                               if (clear !== undefined || event.target.value === '') {
+                                       if (clear !== undefined) {
+                                               $(event.target).prev().val("").focus();
+                                               $(event.target).prev().removeClass("inuse");
+                                       } else {
+                                               $(event.target).val("").focus();
+                                               $(event.target).removeClass("inuse");
+                                       }
+                                       if (columnsObj.column_number instanceof Array) {
+                                               tablesAsOne.columns(columnsObj.column_number).search('').draw();
+                                       } else {
+                                               tablesAsOne.search('').draw();
+                                       }
+                                       return;
+                               }
+
+                               $(event.target).addClass("inuse");
+
+                               serachVal = event.target.value;
+                               smart = false;
+                               caseInsen = columnsObj.case_insensitive;
+       /*
+                               if (columnsObj.filter_match_mode === "contains") {
+                                       regex = false;
+                               } else if (columnsObj.filter_match_mode === "exact") {
+                                       regex = true;
+                                       serachVal = "^" + serachVal + "$";
+                               } else if (columnsObj.filter_match_mode === "startsWith") {
+                                       regex = true;
+                                       serachVal = "^" + serachVal;
+                               }
+       */
+                               if (columnsObj.column_number instanceof Array) {
+                                       tablesAsOne.columns(columnsObj.column_number).search(serachVal, regex, smart, caseInsen).draw();
+                               } else {
+                                       tablesAsOne.search(serachVal, regex, smart, caseInsen).draw();
+                               }
+
+                       };
+
+                       if (columnsObj.filter_delay === undefined) {
+                               keyUp(tablesAsOne, event, clear);
+                       } else {
+                               yadcfDelay(function () {
+                                       keyUp(tablesAsOne, event, clear);
+                               }, columnsObj.filter_delay);
+                       }
+               }
+
+               function textKeyUP(ev, table_selector_jq_friendly, column_number, clear) {
+                       var column_number_filter,
+                               oTable = oTables[table_selector_jq_friendly],
+                               keyUp,
+                               columnObj,
+                               settingsDt = getSettingsObjFromTable(oTable),
+                               exclude,
+                               keyCodes = [37, 38, 39, 40];
+
+                       if (keyCodes.indexOf(ev.keyCode) !== -1) {
+                               return;
+                       }
+                       column_number_filter = calcColumnNumberFilter(settingsDt, column_number, table_selector_jq_friendly);
+
+                       columnObj = getOptions(oTable.selector)[column_number];
+
+                       keyUp = function (table_selector_jq_friendly, column_number, clear) {
+                               var fixedPrefix = '';
+                               if (settingsDt._fixedHeader !== undefined && $('.fixedHeader-floating').is(":visible")) {
+                                       fixedPrefix = '.fixedHeader-floating ';
+                               }
+                               if (columnObj.filters_position === 'tfoot' && settingsDt.nScrollFoot) {
+                                       fixedPrefix = '.' + settingsDt.nScrollFoot.className + ' ';
+                               }
+                               $.fn.dataTableExt.iApiIndex = oTablesIndex[table_selector_jq_friendly];
+
+                               if (clear === 'clear' || $(fixedPrefix + "#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number).val() === '') {
+                                       if (clear === 'clear' && exGetColumnFilterVal(oTable, column_number) === '') {
+                                               return;
+                                       }
+
+                                       $(fixedPrefix + "#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number).val("").focus();
+                                       $(fixedPrefix + "#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number).removeClass("inuse");
+                                       oTable.fnFilter("", column_number_filter);
+                                       resetIApiIndex();
+                                       return;
+                               }
+
+                               if (columnObj.exclude === true) {
+                                       exclude = $(fixedPrefix + "#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number).closest('.yadcf-filter-wrapper').find('.yadcf-exclude-wrapper :checkbox').prop('checked');
+                               }
+                               $(fixedPrefix + "#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number).addClass("inuse");
+
+                               yadcfMatchFilter(oTable, $(fixedPrefix + "#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number).val(), columnObj.filter_match_mode, column_number_filter, exclude, column_number);
+
+                               resetIApiIndex();
+                       };
+
+                       if (columnObj.filter_delay === undefined) {
+                               keyUp(table_selector_jq_friendly, column_number, clear);
+                       } else {
+                               yadcfDelay(function () {
+                                       keyUp(table_selector_jq_friendly, column_number, clear);
+                               }, columnObj.filter_delay);
+                       }
+               }
+
+               function autocompleteKeyUP(table_selector_jq_friendly, event) {
+                       var oTable,
+                               column_number,
+                               keyCodes = [37, 38, 39, 40];
+
+                       event = eventTargetFixUp(event);
+
+                       if (keyCodes.indexOf(event.keyCode) !== -1) {
+                               return;
+                       }
+
+                       if (event.target.value === "" && event.keyCode === 8 && $(event.target).hasClass("inuse")) {
+                               $.fn.dataTableExt.iApiIndex = oTablesIndex[table_selector_jq_friendly];
+                               oTable = oTables[table_selector_jq_friendly];
+                               column_number = parseInt($(event.target).attr("id").replace("yadcf-filter-" + table_selector_jq_friendly + "-", ""), 10);
+
+                               $("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number).removeClass("inuse");
+                               $(document).removeData("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number + "_val");
+                               oTable.fnFilter("", column_number);
+                               resetIApiIndex();
+                       }
+               }
+
+               function isDOMSource(tableVar) {
+                       var settingsDt;
+                       settingsDt = getSettingsObjFromTable(tableVar);
+                       if (!settingsDt.sAjaxSource && !settingsDt.ajax && settingsDt.oFeatures.bServerSide !== true) {
+                               return true;
+                       }
+                       return false;
+               }
+
+               function scrollXYHandler(oTable, table_selector) {
+                       var $tmpSelector,
+                               filters_position = $(document).data(table_selector + "_filters_position"),
+                               table_selector_jq_friendly = yadcf.generateTableSelectorJQFriendly2(oTable);
+
+                       if (filters_position === 'thead') {
+                               filters_position = '.dataTables_scrollHead';
+                       } else {
+                               filters_position = '.dataTables_scrollFoot';
+                       }
+                       if (oTable.fnSettings().oScroll.sX !== '' || oTable.fnSettings().oScroll.sY !== '') {
+                               $tmpSelector = $(table_selector).closest('.dataTables_scroll').find(filters_position + ' table');
+                               $tmpSelector.addClass('yadcf-datatables-table-' + table_selector_jq_friendly);
+                       }
+               }
+
+               function firstFromObject(obj) {
+                       var key;
+                       for (key in obj) {
+                               if (obj.hasOwnProperty(key)) {
+                                       return key;
+                               }
+                       }
+               }
+
+               function initAndBindTable(oTable, table_selector, index, pTableDT) {
+
+                       var table_selector_jq_friendly = yadcf.generateTableSelectorJQFriendly2(oTable),
+                               table_selector_tmp;
+                       oTables[table_selector_jq_friendly] = oTable;
+                       tablesDT[table_selector_jq_friendly] = pTableDT;
+                       oTablesIndex[table_selector_jq_friendly] = index;
+
+                       scrollXYHandler(oTable, table_selector);
+
+                       if (isDOMSource(oTable)) {
+                               table_selector_tmp = table_selector;
+                               if (table_selector.indexOf(":eq") !== -1) {
+                                       table_selector_tmp = table_selector.substring(0, table_selector.lastIndexOf(":eq"));
+                               }
+                               appendFilters(oTable, getOptions(table_selector_tmp), table_selector);
+                               if (getOptions(table_selector_tmp)[firstFromObject(getOptions(table_selector_tmp))].cumulative_filtering === true) {
+                                       //when filters should be populated only from visible rows (non filtered)
+                                       $(document).off('search.dt', oTable.selector).on('search.dt', oTable.selector, function (e, settings, json) {
+                                               var table_selector_tmp = oTable.selector;
+                                               if (table_selector.indexOf(":eq") !== -1) {
+                                                       table_selector_tmp = table_selector.substring(0, table_selector.lastIndexOf(":eq"));
+                                               }
+                                               appendFilters(oTable, getOptions(table_selector_tmp), oTable.selector, settings);
+                                       });
+                               }
+                       } else {
+                               appendFilters(oTable, getOptions(table_selector), table_selector);
+                               if (yadcfVersionCheck('1.10')) {
+                                       $(document).off('xhr.dt', oTable.selector).on('xhr.dt', oTable.selector, function (e, settings, json) {
+                                               var col_num,
+                                                       column_number_filter,
+                                                       table_selector_jq_friendly = generateTableSelectorJQFriendly2(oTable);
+                                               if (!json) {
+                                                       console.log('datatables xhr.dt event came back with null as data (nothing for yadcf to do with it).');
+                                                       return;
+                                               }
+                                               if (settings.oSavedState !== null) {
+                                                       initColReorder2(settings, table_selector_jq_friendly);
+                                               }
+                                               for (col_num in yadcf.getOptions(settings.oInstance.selector)) {
+                                                       if (yadcf.getOptions(settings.oInstance.selector).hasOwnProperty(col_num)) {
+                                                               if (json['yadcf_data_' + col_num] !== undefined) {
+                                                                       column_number_filter = col_num;
+                                                                       if (settings.oSavedState !== null && plugins[table_selector_jq_friendly] !== undefined) {
+                                                                               column_number_filter = plugins[table_selector_jq_friendly].ColReorder[col_num];
+                                                                       }
+                                                                       yadcf.getOptions(settings.oInstance.selector)[col_num].data = json['yadcf_data_' + column_number_filter];
+                                                               }
+                                                       }
+                                               }
+                                       });
+                               }
+                       }
+                       //events that affects both DOM and Ajax
+                       if (yadcfVersionCheck('1.10')) {
+                               $(document).off('draw.dt', oTable.selector).on('draw.dt', oTable.selector, function (event, settings) {
+                                       appendFilters(oTable, yadcf.getOptions(settings.oInstance.selector), settings.oInstance.selector, settings);
+                               });
+                               $(document).off('column-visibility.dt', oTable.selector).on('column-visibility.dt', oTable.selector, function (e, settings, col_num, state) {
+                                       var obj = {},
+                                               columnsObj = getOptions(settings.oInstance.selector);
+                                       if (state === true && settings._oFixedColumns === undefined) {
+                                               if ((plugins[table_selector_jq_friendly] !== undefined && plugins[table_selector_jq_friendly].ColReorder !== undefined)) {
+                                                       col_num = plugins[table_selector_jq_friendly].ColReorder[col_num];
+                                               } else if (settings.oSavedState && settings.oSavedState.ColReorder !== undefined) {
+                                                       col_num = settings.oSavedState.ColReorder[col_num];
+                                               }
+                                               obj[col_num] = yadcf.getOptions(settings.oInstance.selector)[col_num];
+                                               if (obj[col_num] !== undefined) {
+                                                       obj[col_num].column_number = col_num;
+                                                       if (obj[col_num] !== undefined) {
+                                                               appendFilters(oTables[yadcf.generateTableSelectorJQFriendly2(settings)],
+                                                                       obj,
+                                                                       settings.oInstance.selector, settings);
+                                                       }
+                                               }
+                                       } else if (settings._oFixedColumns !== undefined) {
+                                               appendFilters(oTables[yadcf.generateTableSelectorJQFriendly2(settings)],
+                                                       columnsObj,
+                                                       settings.oInstance.selector, settings);
+                                       }
+                               });
+                               $(document).off('column-reorder.dt', oTable.selector).on('column-reorder.dt', oTable.selector, function (e, settings, json) {
+                                       var table_selector_jq_friendly = generateTableSelectorJQFriendly2(oTable);
+                                       initColReorderFromEvent(table_selector_jq_friendly);
+                               });
+                               $(document).off('destroy.dt', oTable.selector).on('destroy.dt', oTable.selector, function (event, ui) {
+                                       removeFilters(oTable, yadcf.getOptions(ui.oInstance.selector), ui.oInstance.selector);
+                               });
+                       } else {
+                               $(document).off('draw', oTable.selector).on('draw', oTable.selector, function (event, settings) {
+                                       appendFilters(oTable, yadcf.getOptions(settings.oInstance.selector), settings.oInstance.selector, settings);
+                               });
+                               $(document).off('destroy', oTable.selector).on('destroy', oTable.selector, function (event, ui) {
+                                       removeFilters(oTable, yadcf.getOptions(ui.oInstance.selector), ui.oInstance.selector);
+                               });
+                       }
+                       if (oTable.fnSettings().oFeatures.bStateSave === true) {
+                               if (yadcfVersionCheck('1.10')) {
+                                       $(oTable.selector).off('stateSaveParams.dt').on('stateSaveParams.dt', function (e, settings, data) {
+                                               if (settings.oLoadedState && settings.oLoadedState.yadcfState !== undefined) {
+                                                       data.yadcfState = settings.oLoadedState.yadcfState;
+                                               } else {
+                                                       data.naruto = 'kurama';
+                                               }
+                                       });
+                               } else {
+                                       $(oTable.selector).off('stateSaveParams').on('stateSaveParams', function (e, settings, data) {
+                                               if (settings.oLoadedState && settings.oLoadedState.yadcfState !== undefined) {
+                                                       data.yadcfState = settings.oLoadedState.yadcfState;
+                                               } else {
+                                                       data.naruto = 'kurama';
+                                               }
+                                       });
+                               }
+                               //when using DOM source
+                               if (isDOMSource(oTable)) {
+                                       //we need to make sure that the yadcf state will be saved after page reload
+                                       oTable.fnSettings().oApi._fnSaveState(oTable.fnSettings());
+                                       //redraw the table in order to apply the filters
+                                       oTable.fnDraw(false);
+                               }
+                       }
+               }
+
+               $.fn.yadcf = function (options_arg, params) {
+
+                       var tmpParams,
+                               i = 0,
+                               selector,
+                               tableSelector = '#' + this.fnSettings().sTableId;
+
+                       //in case that instance.selector will be undefined (jQuery 3)
+                       if (this.selector === undefined) {
+                               this.selector = tableSelector;
+                       }
+
+                       if (params === undefined) {
+                               params = {};
+                       }
+
+                       if (typeof params === 'string') {
+                               tmpParams = params;
+                               params = {};
+                               params.filters_position = tmpParams;
+                       }
+                       if (params.filters_position === undefined || params.filters_position === 'header') {
+                               params.filters_position = 'thead';
+                       } else {
+                               params.filters_position = 'tfoot';
+                       }
+                       if (params.language !== undefined) {
+                               for (tmpParams in placeholderLang) {
+                                       if (placeholderLang.hasOwnProperty(tmpParams)) {
+                                               if (params.language[tmpParams] !== undefined) {
+                                                       placeholderLang[tmpParams] = params.language[tmpParams];
+                                               }
+                                       }
+                               }
+                       }
+                       $(document).data(this.selector + "_filters_position", params.filters_position);
+
+                       if ($(this.selector).length === 1) {
+                               setOptions(this.selector, options_arg, params);
+                               initAndBindTable(this, this.selector, 0);
+                       } else {
+                               for (i; i < $(this.selector).length; i++) {
+                                       $.fn.dataTableExt.iApiIndex = i;
+                                       selector = this.selector + ":eq(" + i + ")";
+                                       setOptions(this.selector, options_arg, params);
+                                       initAndBindTable(this, selector, i);
+                               }
+                               $.fn.dataTableExt.iApiIndex = 0;
+                       }
+
+                       if (params !== undefined && params.onInitComplete !== undefined) {
+                               params.onInitComplete();
+                       }
+                       return this;
+               };
+
+               function init(oTable, options_arg, params) {
+                       var instance = oTable.settings()[0].oInstance,
+                               i = 0,
+                               selector,
+                               tmpParams,
+                               tableSelector = '#' + oTable.table().node().id;
+
+                       //in case that instance.selector will be undefined (jQuery 3)
+                       if (!instance.selector) {
+                               instance.selector = tableSelector;
+                       }
+
+                       if (params === undefined) {
+                               params = {};
+                       }
+
+                       if (typeof params === 'string') {
+                               tmpParams = params;
+                               params = {};
+                               params.filters_position = tmpParams;
+                       }
+                       if (params.filters_position === undefined || params.filters_position === 'header') {
+                               params.filters_position = 'thead';
+                       } else {
+                               params.filters_position = 'tfoot';
+                       }
+                       if (params.language !== undefined) {
+                               for (tmpParams in placeholderLang) {
+                                       if (placeholderLang.hasOwnProperty(tmpParams)) {
+                                               if (params.language[tmpParams] !== undefined) {
+                                                       placeholderLang[tmpParams] = params.language[tmpParams];
+                                               }
+                                       }
+                               }
+                       }
+                       $(document).data(instance.selector + "_filters_position", params.filters_position);
+
+                       if ($(instance.selector).length === 1) {
+                               setOptions(instance.selector, options_arg, params);
+                               initAndBindTable(instance, instance.selector, 0, oTable);
+                       } else {
+                               for (i; i < $(instance.selector).length; i++) {
+                                       $.fn.dataTableExt.iApiIndex = i;
+                                       selector = instance.selector + ":eq(" + i + ")";
+                                       setOptions(instance.selector, options_arg, params);
+                                       initAndBindTable(instance, selector, i, oTable);
+                               }
+                               $.fn.dataTableExt.iApiIndex = 0;
+                       }
+
+                       if (params !== undefined && params.onInitComplete !== undefined) {
+                               params.onInitComplete();
+                       }
+               }
+
+               function appendFiltersMultipleTables(tablesArray, tablesSelectors, colObjDummy) {
+                       var filter_selector_string = "#" + colObjDummy.filter_container_id,
+                               table_selector_jq_friendly = yadcf.generateTableSelectorJQFriendlyNew(tablesSelectors),
+                               options_tmp,
+                               ii,
+                               column_number_str = columnsArrayToString(colObjDummy.column_number).column_number_str,
+                               tableTmp,
+                               tableTmpArr,
+                               tableTmpArrIndex,
+                               filterOptions = getOptions(tablesSelectors + '_' + column_number_str)[column_number_str],
+                               column_number_index,
+                               columnsTmpArr,
+                               settingsDt,
+                               tmpStr,
+                               columnForStateSaving;
+
+                       //add a wrapper to hold both filter and reset button
+                       $(filter_selector_string).append("<div id=\"yadcf-filter-wrapper-" + table_selector_jq_friendly + '-' + column_number_str + "\" class=\"yadcf-filter-wrapper\"></div>");
+                       filter_selector_string += " div.yadcf-filter-wrapper";
+                       if (column_number_str.indexOf('_') !== -1) {
+                               columnForStateSaving = column_number_str.split('_')[0];
+                       } else {
+                               columnForStateSaving = column_number_str;
+                       }
+
+                       switch (filterOptions.filter_type) {
+                       case 'text':
+                               $(filter_selector_string).append("<input type=\"text\" id=\"yadcf-filter-" + table_selector_jq_friendly + '-' + column_number_str + "\" class=\"yadcf-filter\" onmousedown=\"yadcf.stopPropagation(event);\" onclick='yadcf.stopPropagation(event);" +
+                               "' placeholder='" + filterOptions.filter_default_label + "'" + " onkeyup=\"yadcf.textKeyUpMultiTables('" + tablesSelectors + "',event,'" + column_number_str + "');\"></input>");
+                               if (filterOptions.filter_reset_button_text !== false) {
+                                       $(filter_selector_string).find(".yadcf-filter").after("<button type=\"button\" " + " id=\"yadcf-filter-" + table_selector_jq_friendly + '-' + column_number_str + "-reset\" onmousedown=\"yadcf.stopPropagation(event);\" " +
+                                               "onclick=\"yadcf.stopPropagation(event);yadcf.textKeyUpMultiTables('" + tablesSelectors + "', event,'" + column_number_str + "','clear'); return false;\" class=\"yadcf-filter-reset-button " + filterOptions.reset_button_style_class + "\">" + filterOptions.filter_reset_button_text + "</button>");
+                               }
+                               if (tablesArray[0].table !== undefined) {
+                                       tableTmp = $('#' + tablesArray[0].table().node().id).dataTable();
+                               } else {
+                                       tableTmp = tablesArray[0];
+                               }
+                               settingsDt = getSettingsObjFromTable(tableTmp);
+                               if (settingsDt.aoPreSearchCols[columnForStateSaving].sSearch !== '') {
+                                       tmpStr = settingsDt.aoPreSearchCols[columnForStateSaving].sSearch;
+                                       tmpStr = yadcfParseMatchFilter(tmpStr, filterOptions.filter_match_mode);
+                                       $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number_str).val(tmpStr).addClass("inuse");
+                               }
+                               break;
+                       case 'select':
+                       case 'multi_select':
+                               if (filterOptions.select_type === undefined) {
+                                       options_tmp = "<option data-placeholder=\"true\" value=\"" + "-1" + "\">" + filterOptions.filter_default_label + "</option>";
+                               } else {
+                                       options_tmp = "";
+                               }
+                               if (filterOptions.select_type === 'select2' && filterOptions.select_type_options.placeholder !== undefined && filterOptions.select_type_options.allowClear === true) {
+                                       options_tmp = "<option value=\"\"></option>";
+                               }
+                               if (filterOptions.data === undefined) {
+                                       filterOptions.data = [];
+                                       tableTmpArr = tablesSelectors.split(',');
+                                       for (tableTmpArrIndex = 0; tableTmpArrIndex < tableTmpArr.length; tableTmpArrIndex++) {
+                                               if (tablesArray[tableTmpArrIndex].table !== undefined) {
+                                                       tableTmp = $('#' + tablesArray[tableTmpArrIndex].table().node().id).dataTable();
+                                               } else {
+                                                       tableTmp = tablesArray[tableTmpArrIndex];
+                                               }
+                                               if (isDOMSource(tableTmp)) {
+                                                       //check if ajax source, if so, listen for dt.draw
+                                                       columnsTmpArr = filterOptions.column_number;
+                                                       for (column_number_index = 0; column_number_index < columnsTmpArr.length; column_number_index++) {
+                                                               filterOptions.column_number = columnsTmpArr[column_number_index];
+                                                               filterOptions.data = filterOptions.data.concat(parseTableColumn(tableTmp, filterOptions, table_selector_jq_friendly));
+                                                       }
+                                                       filterOptions.column_number = columnsTmpArr;
+                                               } else {
+                                                       $(document).off('draw.dt', '#' + tablesArray[tableTmpArrIndex].table().node().id).on('draw.dt', '#' + tablesArray[tableTmpArrIndex].table().node().id, function (event, ui) {
+                                                               var options_tmp = '',
+                                                                       ii;
+                                                               columnsTmpArr = filterOptions.column_number;
+                                                               for (column_number_index = 0; column_number_index < columnsTmpArr.length; column_number_index++) {
+                                                                       filterOptions.column_number = columnsTmpArr[column_number_index];
+                                                                       filterOptions.data = filterOptions.data.concat(parseTableColumn(tableTmp, filterOptions, table_selector_jq_friendly, ui));
+                                                               }
+                                                               filterOptions.column_number = columnsTmpArr;
+                                                               filterOptions.data = sortColumnData(filterOptions.data, filterOptions);
+                                                               for (ii = 0; ii < filterOptions.data.length; ii++) {
+                                                                       options_tmp += "<option value=\"" + filterOptions.data[ii] + "\">" + filterOptions.data[ii] + "</option>";
+                                                               }
+                                                               $('#' + filterOptions.filter_container_id + ' select').empty().append(options_tmp);
+
+                                                               if (filterOptions.select_type !== undefined) {
+                                                                       initializeSelectPlugin(filterOptions.select_type, $('#' + filterOptions.filter_container_id + ' select'), filterOptions.select_type_options);
+                                                                       if (filterOptions.cumulative_filtering === true && filterOptions.select_type === 'chosen') {
+                                                                               refreshSelectPlugin(filterOptions, $('#' + filterOptions.filter_container_id + ' select'));
+                                                                       }
+                                                               }
+                                                       });
+                                               }
+                                       }
+                               }
+
+                               filterOptions.data = sortColumnData(filterOptions.data, filterOptions);
+
+                               if (tablesArray[0].table !== undefined) {
+                                       tableTmp = $('#' + tablesArray[0].table().node().id).dataTable();
+                               } else {
+                                       tableTmp = tablesArray[0];
+                               }
+                               settingsDt = getSettingsObjFromTable(tableTmp);
+
+                               if (typeof filterOptions.data[0] === 'object') {
+                                       for (ii = 0; ii < filterOptions.data.length; ii++) {
+                                               options_tmp += "<option value=\"" + filterOptions.data[ii].value + "\">" + filterOptions.data[ii].label + "</option>";
+                                       }
+                               } else {
+                                       for (ii = 0; ii < filterOptions.data.length; ii++) {
+                                               options_tmp += "<option value=\"" + filterOptions.data[ii] + "\">" + filterOptions.data[ii] + "</option>";
+                                       }
+                               }
+                               if (filterOptions.filter_type === 'select') {
+                                       $(filter_selector_string).append("<select id=\"yadcf-filter-" + table_selector_jq_friendly + '-' + column_number_str + "\" class=\"yadcf-filter\" " +
+                                               "onchange=\"yadcf.doFilterMultiTables('" + tablesSelectors + "',event,'" + column_number_str + "')\" onmousedown=\"yadcf.stopPropagation(event);\" onclick='yadcf.stopPropagation(event);'>" + options_tmp + "</select>");
+                                       if (settingsDt.aoPreSearchCols[columnForStateSaving].sSearch !== '') {
+                                               tmpStr = settingsDt.aoPreSearchCols[columnForStateSaving].sSearch;
+                                               tmpStr = yadcfParseMatchFilter(tmpStr, filterOptions.filter_match_mode);
+                                               $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number_str).val(tmpStr).addClass("inuse");
+                                       }
+                               } else if (filterOptions.filter_type === 'multi_select') {
+                                       $(filter_selector_string).append("<select multiple data-placeholder=\"" + filterOptions.filter_default_label + "\" id=\"yadcf-filter-" + table_selector_jq_friendly + '-' + column_number_str + "\" class=\"yadcf-filter\" " +
+                                               "onchange=\"yadcf.doFilterMultiTablesMultiSelect('" + tablesSelectors + "',event,'" + column_number_str + "')\" onmousedown=\"yadcf.stopPropagation(event);\" onclick='yadcf.stopPropagation(event);'>" + options_tmp + "</select>");
+                                       if (settingsDt.aoPreSearchCols[columnForStateSaving].sSearch !== '') {
+                                               tmpStr = settingsDt.aoPreSearchCols[columnForStateSaving].sSearch;
+                                               tmpStr = yadcfParseMatchFilterMultiSelect(tmpStr, filterOptions.filter_match_mode);
+                                               tmpStr = tmpStr.replace(/\\/g, "");
+                                               tmpStr = tmpStr.split("|");
+                                               $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number_str).val(tmpStr);
+                                       }
+                               }
+                               if (filterOptions.filter_type === 'select') {
+                                       if (filterOptions.filter_reset_button_text !== false) {
+                                               $(filter_selector_string).find(".yadcf-filter").after("<button type=\"button\" " + " id=\"yadcf-filter-" + table_selector_jq_friendly  + '-' + column_number_str + "-reset\" onmousedown=\"yadcf.stopPropagation(event);\" " +
+                                                       "onclick=\"yadcf.stopPropagation(event);yadcf.doFilterMultiTables('" + tablesSelectors + "', event,'" + column_number_str + "','clear'); return false;\" class=\"yadcf-filter-reset-button " + filterOptions.reset_button_style_class + "\">" + filterOptions.filter_reset_button_text + "</button>");
+                                       }
+                               } else if (filterOptions.filter_type === 'multi_select') {
+                                       if (filterOptions.filter_reset_button_text !== false) {
+                                               $(filter_selector_string).find(".yadcf-filter").after("<button type=\"button\" " + " id=\"yadcf-filter-" + table_selector_jq_friendly + '-' + column_number_str + "-reset\" onmousedown=\"yadcf.stopPropagation(event);\" " +
+                                                       "onclick=\"yadcf.stopPropagation(event);yadcf.doFilterMultiTablesMultiSelect('" + tablesSelectors + "', event,'" + column_number_str + "','clear'); return false;\" class=\"yadcf-filter-reset-button " + filterOptions.reset_button_style_class + "\">" + filterOptions.filter_reset_button_text + "</button>");
+                                       }
+                               }
+
+                               if (filterOptions.select_type !== undefined) {
+                                       initializeSelectPlugin(filterOptions.select_type, $("#yadcf-filter-" + table_selector_jq_friendly + '-' + column_number_str), filterOptions.select_type_options);
+                                       if (filterOptions.cumulative_filtering === true && filterOptions.select_type === 'chosen') {
+                                               refreshSelectPlugin(filterOptions, $("#yadcf-filter-" + table_selector_jq_friendly + '-' + column_number_str));
+                                       }
+                               }
+                               break;
+                       default:
+                               alert('Filters Multiple Tables does not support ' + filterOptions.filter_type);
+                       }
+               }
+
+               function initMultipleTables(tablesArray, filtersOptions) {
+                       var i,
+                               tablesSelectors = '',
+                               default_options = {
+                                       filter_type: "text",
+                                       filter_container_id: '',
+                                       filter_reset_button_text: 'x',
+                                       case_insensitive: true
+                               },
+                               columnsObjKey,
+                               columnsObj,
+                               columnsArrIndex,
+                               column_number_str,
+                               dummyArr;
+
+                       for (columnsArrIndex = 0; columnsArrIndex < filtersOptions.length; columnsArrIndex++) {
+                               dummyArr = [];
+                               columnsObj = filtersOptions[columnsArrIndex];
+                               if (columnsObj.filter_default_label === undefined) {
+                                       if (columnsObj.filter_type === "select" || columnsObj.filter_type === 'custom_func') {
+                                               columnsObj.filter_default_label = "Select value";
+                                       } else if (columnsObj.filter_type === "multi_select" || columnsObj.filter_type === 'multi_select_custom_func') {
+                                               columnsObj.filter_default_label = "Select values";
+                                       } else if (columnsObj.filter_type === "auto_complete" || columnsObj.filter_type === "text") {
+                                               columnsObj.filter_default_label = 'Type to filter';
+                                       } else if (columnsObj.filter_type === "range_number" || columnsObj.filter_type === "range_date") {
+                                               columnsObj.filter_default_label = ["from", "to"];
+                                       } else if (columnsObj.filter_type === "date") {
+                                               columnsObj.filter_default_label = "Select a date";
+                                       }
+                               }
+                               columnsObj = $.extend({}, default_options, columnsObj);
+
+                               column_number_str = columnsArrayToString(columnsObj.column_number).column_number_str;
+                               columnsObj.column_number_str = column_number_str;
+
+                               dummyArr.push(columnsObj);
+                               tablesSelectors = '';
+                               for (i = 0; i < tablesArray.length; i++) {
+                                       if (tablesArray[i].table !== undefined) {
+                                               tablesSelectors += tablesArray[i].table().node().id + ',';
+                                       } else {
+                                               tablesSelectors += getSettingsObjFromTable(tablesArray[i]).sTableId;
+                                       }
+                               }
+                               tablesSelectors = tablesSelectors.substring(0, tablesSelectors.length - 1);
+
+                               setOptions(tablesSelectors + '_' + column_number_str, dummyArr);
+                               oTables[tablesSelectors] = tablesArray;
+                               appendFiltersMultipleTables(tablesArray, tablesSelectors, columnsObj);
+                       }
+               }
+
+               function initMultipleColumns(table, filtersOptions) {
+                       var tablesArray = [];
+                       tablesArray.push(table);
+                       initMultipleTables(tablesArray, filtersOptions);
+               }
+
+               function close3rdPPluginsNeededClose(evt) {
+                       if (closeBootstrapDatepickerRange) {
+                               $('.yadcf-filter-range-date').not($(evt.target)).datepicker('hide');
+                       }
+                       if (closeBootstrapDatepicker) {
+                               $('.yadcf-filter-date').not($(evt.target)).datepicker('hide');
+                       }
+                       if (closeSelect2) {
+                               let currentSelect2;
+                               if (evt.target.className.indexOf('yadcf-filter-reset-button') !== -1) {
+                                       $('select.yadcf-filter').select2('close');
+                               } else {
+                                       currentSelect2 = $($(evt.target).closest('.yadcf-filter-wrapper').find('select'));
+                                       $('select.yadcf-filter').not(currentSelect2).select2('close');
+                               }
+                       }
+               }
+               
+               function stopPropagation(evt) {
+                       close3rdPPluginsNeededClose(evt);
+                       if (evt.stopPropagation !== undefined) {
+                               evt.stopPropagation();
+                       } else {
+                               evt.cancelBubble = true;
+                       }
+               }
+
+               function preventDefaultForEnter(evt) {
+                       if (evt.keyCode === 13) {
+                               if (evt.preventDefault) {
+                                       evt.preventDefault();
+                               } else {
+                                       evt.returnValue = false;
+                               }
+                       }
+               }
+
+               //--------------------------------------------------------
+               function exInternalFilterColumnAJAXQueue(table_arg, col_filter_arr) {
+                       return function () {
+                               exFilterColumn(table_arg, col_filter_arr, true);
+                       };
+               }
+
+               function exFilterColumn(table_arg, col_filter_arr, ajaxSource) {
+                       var table_selector_jq_friendly,
+                               j,
+                               tmpStr,
+                               column_number,
+                               column_position,
+                               filter_value,
+                               fromId,
+                               toId,
+                               sliderId,
+                               optionsObj,
+                               min,
+                               max,
+                               exclude = false;
+                       //check if the table arg is from new datatables API (capital "D")
+                       if (table_arg.settings !== undefined) {
+                               table_arg = table_arg.settings()[0].oInstance;
+                       }
+                       table_selector_jq_friendly = yadcf.generateTableSelectorJQFriendly2(table_arg);
+                       if (isDOMSource(table_arg) || ajaxSource === true) {
+                               for (j = 0; j < col_filter_arr.length; j++) {
+                                       column_number = col_filter_arr[j][0];
+                                       column_position = column_number;
+                                       exclude = false;
+                                       if (plugins[table_selector_jq_friendly] !== undefined && (plugins[table_selector_jq_friendly] !== undefined && plugins[table_selector_jq_friendly].ColReorder !== undefined)) {
+                                               column_position = plugins[table_selector_jq_friendly].ColReorder[column_number];
+                                       }
+                                       optionsObj = getOptions(table_arg.selector)[column_number];
+                                       filter_value = col_filter_arr[j][1];
+
+                                       switch (optionsObj.filter_type) {
+                                       case 'auto_complete':
+                                       case 'text':
+                                       case 'date':
+                                               if (filter_value !== undefined && filter_value.indexOf('_exclude_') !== -1) {
+                                                       exclude = true;
+                                                       filter_value = filter_value.replace('_exclude_', '');
+                                               }
+                                               $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).val(filter_value);
+                                               if (filter_value !== '') {
+                                                       $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).addClass('inuse');
+                                               } else {
+                                                       $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).removeClass('inuse');
+                                               }
+                                               tmpStr = yadcfMatchFilterString(table_arg, column_position, filter_value, optionsObj.filter_match_mode, false, exclude);
+                                               table_arg.fnSettings().aoPreSearchCols[column_position].sSearch = tmpStr;
+                                               break;
+                                       case 'select':
+                                               $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).val(filter_value);
+                                               if (filter_value !== '') {
+                                                       $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).addClass('inuse');
+                                               } else {
+                                                       $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).removeClass('inuse');
+                                               }
+                                               tmpStr = yadcfMatchFilterString(table_arg, column_position, filter_value, optionsObj.filter_match_mode, false);
+                                               table_arg.fnSettings().aoPreSearchCols[column_position].sSearch = tmpStr;
+                                               if (optionsObj.select_type !== undefined) {
+                                                       refreshSelectPlugin(optionsObj, $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number));
+                                               }
+                                               break;
+                                       case 'multi_select':
+                                               $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).val(filter_value);
+                                               tmpStr = yadcfMatchFilterString(table_arg, column_position, filter_value, optionsObj.filter_match_mode, true);
+                                               table_arg.fnSettings().aoPreSearchCols[column_position].sSearch = tmpStr;
+                                               if (optionsObj.select_type !== undefined) {
+                                                       refreshSelectPlugin(optionsObj, $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number));
+                                               }
+                                               break;
+                                       case 'range_date':
+                                               fromId = 'yadcf-filter-' + table_selector_jq_friendly + '-from-date-' + column_number;
+                                               toId = 'yadcf-filter-' + table_selector_jq_friendly + '-to-date-' + column_number;
+                                               $('#' + fromId).val(filter_value.from);
+                                               if (filter_value.from !== '') {
+                                                       $('#' + fromId).addClass('inuse');
+                                               } else {
+                                                       $('#' + fromId).removeClass('inuse');
+                                               }
+                                               $('#' + toId).val(filter_value.to);
+                                               if (filter_value.to !== '') {
+                                                       $('#' + toId).addClass('inuse');
+                                               } else {
+                                                       $('#' + toId).removeClass('inuse');
+                                               }
+                                               if (table_arg.fnSettings().oFeatures.bServerSide === true) {
+                                                       min = filter_value.from;
+                                                       max = filter_value.to;
+                                                       table_arg.fnSettings().aoPreSearchCols[column_position].sSearch = min + '-yadcf_delim-' + max;
+                                               }
+                                               saveStateSave(table_arg, column_number, table_selector_jq_friendly, filter_value.from, filter_value.to);
+                                               break;
+                                       case 'range_number':
+                                               fromId = 'yadcf-filter-' + table_selector_jq_friendly + '-from-' + column_number;
+                                               toId = 'yadcf-filter-' + table_selector_jq_friendly + '-to-' + column_number;
+                                               $('#' + fromId).val(filter_value.from);
+                                               if (filter_value.from !== '') {
+                                                       $('#' + fromId).addClass('inuse');
+                                               } else {
+                                                       $('#' + fromId).removeClass('inuse');
+                                               }
+                                               $('#' + toId).val(filter_value.to);
+                                               if (filter_value.to !== '') {
+                                                       $('#' + toId).addClass('inuse');
+                                               } else {
+                                                       $('#' + toId).removeClass('inuse');
+                                               }
+                                               if (table_arg.fnSettings().oFeatures.bServerSide === true) {
+                                                       table_arg.fnSettings().aoPreSearchCols[column_position].sSearch = filter_value.from + '-yadcf_delim-' + filter_value.to;
+                                               }
+                                               saveStateSave(table_arg, column_number, table_selector_jq_friendly, filter_value.from, filter_value.to);
+                                               break;
+                                       case 'range_number_slider':
+                                               sliderId = 'yadcf-filter-' + table_selector_jq_friendly + '-slider-' + column_number;
+                                               fromId = 'yadcf-filter-' + table_selector_jq_friendly + '-min_tip-' + column_number;
+                                               toId = 'yadcf-filter-' + table_selector_jq_friendly + '-max_tip-' + column_number;
+                                               if (filter_value.from !== '') {
+                                                       min = $('#' + fromId).closest('.yadcf-filter-range-number-slider').find(".yadcf-filter-range-number-slider-min-tip-hidden").text();
+                                                       max = $('#' + fromId).closest('.yadcf-filter-range-number-slider').find(".yadcf-filter-range-number-slider-max-tip-hidden").text();
+                                                       $('#' + fromId).text(filter_value.from);
+                                                       if (min !== filter_value.from) {
+                                                               $('#' + fromId).parent().addClass('inuse');
+                                                               $('#' + fromId).parent().parent().find('ui-slider-range').addClass('inuse');
+                                                       } else {
+                                                               $('#' + fromId).parent().removeClass('inuse');
+                                                               $('#' + fromId).parent().parent().find('ui-slider-range').removeClass('inuse');
+                                                       }
+                                                       $('#' + sliderId).slider('values', 0, filter_value.from);
+                                               }
+                                               if (filter_value.to !== '') {
+                                                       $('#' + toId).text(filter_value.to);
+                                                       if (max !== filter_value.to) {
+                                                               $('#' + toId).parent().addClass('inuse');
+                                                               $('#' + toId).parent().parent().find('.ui-slider-range').addClass('inuse');
+                                                       } else {
+                                                               $('#' + toId).parent().removeClass('inuse');
+                                                               $('#' + toId).parent().parent().find('.ui-slider-range').removeClass('inuse');
+                                                       }
+                                                       $('#' + sliderId).slider('values', 1, filter_value.to);
+                                               }
+                                               if (table_arg.fnSettings().oFeatures.bServerSide === true) {
+                                                       table_arg.fnSettings().aoPreSearchCols[column_position].sSearch = filter_value.from + '-yadcf_delim-' + filter_value.to;
+                                               }
+                                               saveStateSave(table_arg, column_number, table_selector_jq_friendly, filter_value.from, filter_value.to);
+                                               break;
+                                       case 'custom_func':
+                                       case 'multi_select_custom_func':
+                                               $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).val(filter_value);
+                                               if (filter_value !== '') {
+                                                       $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).addClass('inuse');
+                                               } else {
+                                                       $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number).removeClass('inuse');
+                                               }
+                                               if (table_arg.fnSettings().oFeatures.bServerSide === true) {
+                                                       table_arg.fnSettings().aoPreSearchCols[column_position].sSearch = filter_value;
+                                               }
+                                               if (optionsObj.select_type !== undefined) {
+                                                       refreshSelectPlugin(optionsObj, $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number), filter_value);
+                                               }
+                                               saveStateSave(table_arg, column_number, table_selector_jq_friendly, filter_value, '');
+                                               break;
+                                       }
+                               }
+                               if (table_arg.fnSettings().oFeatures.bServerSide !== true) {
+                                       table_arg.fnDraw();
+                               } else {
+                                       setTimeout(function () {
+                                               table_arg.fnDraw();
+                                       }, 10);
+                               }
+                       } else {
+                               exFilterColumnQueue.push(exInternalFilterColumnAJAXQueue(table_arg, col_filter_arr));
+                       }
+               }
+
+               function exGetColumnFilterVal(table_arg, column_number) {
+                       var retVal,
+                               fromId,
+                               toId,
+                               table_selector_jq_friendly,
+                               optionsObj,
+                               $filterElement;
+
+                       //check if the table arg is from new datatables API (capital "D")
+                       if (table_arg.settings !== undefined) {
+                               table_arg = table_arg.settings()[0].oInstance;
+                       }
+
+                       optionsObj = getOptions(table_arg.selector)[column_number];
+                       table_selector_jq_friendly = yadcf.generateTableSelectorJQFriendly2(table_arg);
+
+                       $filterElement = $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number);
+                       switch (optionsObj.filter_type) {
+                       case 'select':
+                       case 'custom_func':
+                               retVal = $filterElement.val();
+                               if (retVal === '-1') {
+                                       retVal = '';
+                               }
+                               break;
+                       case 'auto_complete':
+                       case 'text':
+                       case 'date':
+                       case 'date_custom_func':
+                               retVal = $filterElement.val();
+                               if ($filterElement.prev().hasClass('yadcf-exclude-wrapper') && $filterElement.prev().find('input').prop('checked') === true) {
+                                       retVal = '_exclude_' + retVal;
+                               }
+                               break;
+                       case 'multi_select':
+                               retVal = $filterElement.val();
+                               if (retVal === null) {
+                                       retVal = '';
+                               }
+                               break;
+                       case 'range_date':
+                               retVal = {};
+                               fromId = 'yadcf-filter-' + table_selector_jq_friendly + '-from-date-' + column_number;
+                               toId = 'yadcf-filter-' + table_selector_jq_friendly + '-to-date-' + column_number;
+
+                               retVal.from = $('#' + fromId).val();
+                               retVal.to = $('#' + toId).val();
+                               break;
+                       case 'range_number':
+                               retVal = {};
+                               fromId = 'yadcf-filter-' + table_selector_jq_friendly + '-from-' + column_number;
+                               toId = 'yadcf-filter-' + table_selector_jq_friendly + '-to-' + column_number;
+
+                               retVal.from = $('#' + fromId).val();
+                               retVal.to = $('#' + toId).val();
+                               break;
+                       case 'range_number_slider':
+                               retVal = {};
+                               fromId = 'yadcf-filter-' + table_selector_jq_friendly + '-min_tip-' + column_number;
+                               toId = 'yadcf-filter-' + table_selector_jq_friendly + '-max_tip-' + column_number;
+
+                               retVal.from = $('#' + fromId).text();
+                               retVal.to = $('#' + toId).text();
+
+                               break;
+                       default:
+                               console.log('exGetColumnFilterVal error: no such filter_type: ' + optionsObj.filter_type);
+                       }
+                       return retVal;
+               }
+
+               function clearStateSave(oTable, column_number, table_selector_jq_friendly) {
+                       var yadcfState;
+                       if (oTable.fnSettings().oFeatures.bStateSave === true) {
+                               if (!oTable.fnSettings().oLoadedState) {
+                                       oTable.fnSettings().oLoadedState = {};
+                                       oTable.fnSettings().oApi._fnSaveState(oTable.fnSettings());
+                               }
+                               if (oTable.fnSettings().oLoadedState.yadcfState !== undefined && oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly] !== undefined) {
+                                       oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly][column_number] = undefined;
+                               } else {
+                                       yadcfState = {};
+                                       yadcfState[table_selector_jq_friendly] = [];
+                                       yadcfState[table_selector_jq_friendly][column_number] = undefined;
+                                       oTable.fnSettings().oLoadedState.yadcfState = yadcfState;
+                               }
+                               oTable.fnSettings().oApi._fnSaveState(oTable.fnSettings());
+                       }
+               }
+
+               function saveStateSave(oTable, column_number, table_selector_jq_friendly, from, to) {
+                       var yadcfState;
+                       if (oTable.fnSettings().oFeatures.bStateSave === true) {
+                               if (!oTable.fnSettings().oLoadedState) {
+                                       oTable.fnSettings().oLoadedState = {};
+                               }
+                               if (oTable.fnSettings().oLoadedState.yadcfState !== undefined && oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly] !== undefined) {
+                                       oTable.fnSettings().oLoadedState.yadcfState[table_selector_jq_friendly][column_number] = {
+                                               from: from,
+                                               to: to
+                                       };
+                               } else {
+                                       yadcfState = {};
+                                       yadcfState[table_selector_jq_friendly] = [];
+                                       yadcfState[table_selector_jq_friendly][column_number] = {
+                                               from: from,
+                                               to: to
+                                       };
+                                       oTable.fnSettings().oLoadedState.yadcfState = yadcfState;
+                               }
+                               oTable.fnSettings().oApi._fnSaveState(oTable.fnSettings());
+                       }
+               }
+
+               function exResetAllFilters(table_arg, noRedraw, columns) {
+                       var table_selector_jq_friendly,
+                               column_number,
+                               fromId,
+                               toId,
+                               sliderId,
+                               tableOptions,
+                               optionsObj,
+                               columnObjKey,
+                               settingsDt = getSettingsObjFromTable(table_arg),
+                               i,
+                               $filterElement;
+
+                       //check if the table arg is from new datatables API (capital "D")
+                       if (table_arg.settings !== undefined) {
+                               table_arg = table_arg.settings()[0].oInstance;
+                       }
+                       tableOptions = getOptions(table_arg.selector);
+                       table_selector_jq_friendly = yadcf.generateTableSelectorJQFriendly2(table_arg);
+                       settingsDt = getSettingsObjFromTable(table_arg);
+
+                       for (columnObjKey in tableOptions) {
+                               if (tableOptions.hasOwnProperty(columnObjKey)) {
+                                       optionsObj = tableOptions[columnObjKey];
+                                       column_number = optionsObj.column_number;
+
+                                       if (columns !== undefined && $.inArray(column_number, columns) === -1) {
+                                               continue;
+                                       }
+                                       $(document).removeData("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number + "_val");
+
+                                       $filterElement = $('#yadcf-filter-' + table_selector_jq_friendly + '-' + column_number);
+
+                                       switch (optionsObj.filter_type) {
+                                       case 'select':
+                                       case 'custom_func':
+                                               $filterElement.val('-1').removeClass('inuse');
+                                               table_arg.fnSettings().aoPreSearchCols[column_number].sSearch = '';
+                                               if (optionsObj.select_type !== undefined) {
+                                                       refreshSelectPlugin(optionsObj, $filterElement, '-1');
+                                               }
+                                               break;
+                                       case 'auto_complete':
+                                       case 'text':
+                                       case 'date':
+                                               $filterElement.val('').removeClass('inuse');
+                                               table_arg.fnSettings().aoPreSearchCols[column_number].sSearch = '';
+                                               if ($filterElement.prev().hasClass('yadcf-exclude-wrapper')) {
+                                                       $filterElement.prev().find('input').prop('checked', false);
+                                               }
+                                               break;
+                                       case 'multi_select':
+                                       case 'multi_select_custom_func':
+                                               $filterElement.val('-1');
+                                               $(document).data("#yadcf-filter-" + table_selector_jq_friendly + "-" + column_number + "_val", undefined);
+                                               table_arg.fnSettings().aoPreSearchCols[column_number].sSearch = '';
+                                               if (optionsObj.select_type !== undefined) {
+                                                       refreshSelectPlugin(optionsObj, $filterElement, '-1');
+                                               }
+                                               break;
+                                       case 'range_date':
+                                               fromId = 'yadcf-filter-' + table_selector_jq_friendly + '-from-date-' + column_number;
+                                               toId = 'yadcf-filter-' + table_selector_jq_friendly + '-to-date-' + column_number;
+                                               $('#' + fromId).val('');
+                                               $('#' + fromId).removeClass('inuse');
+                                               $('#' + toId).val('');
+                                               $('#' + toId).removeClass('inuse');
+                                               if (table_arg.fnSettings().oFeatures.bServerSide === true) {
+                                                       table_arg.fnSettings().aoPreSearchCols[column_number].sSearch = '';
+                                               }
+                                               clearStateSave(table_arg, column_number, table_selector_jq_friendly);
+                                               break;
+                                       case 'range_number':
+                                               fromId = 'yadcf-filter-' + table_selector_jq_friendly + '-from-' + column_number;
+                                               toId = 'yadcf-filter-' + table_selector_jq_friendly + '-to-' + column_number;
+                                               $('#' + fromId).val('');
+                                               $('#' + fromId).removeClass('inuse');
+                                               $('#' + toId).val('');
+                                               $('#' + toId).removeClass('inuse');
+                                               if (table_arg.fnSettings().oFeatures.bServerSide === true) {
+                                                       table_arg.fnSettings().aoPreSearchCols[column_number].sSearch = '';
+                                               }
+                                               clearStateSave(table_arg, column_number, table_selector_jq_friendly);
+                                               break;
+                                       case 'range_number_slider':
+                                               sliderId = 'yadcf-filter-' + table_selector_jq_friendly + '-slider-' + column_number;
+                                               fromId = 'yadcf-filter-' + table_selector_jq_friendly + '-min_tip-' + column_number;
+                                               toId = 'yadcf-filter-' + table_selector_jq_friendly + '-max_tip-' + column_number;
+                                               $('#' + fromId).text('');
+                                               $('#' + fromId).parent().removeClass('inuse');
+                                               $('#' + fromId).parent().parent().find('ui-slider-range').removeClass('inuse');
+                                               $('#' + toId).text('');
+                                               $('#' + toId).parent().removeClass('inuse');
+                                               $('#' + toId).parent().parent().find('.ui-slider-range').removeClass('inuse');
+                                               $('#' + sliderId).slider("option", "values", [$('#' + fromId).parent().parent().find('.yadcf-filter-range-number-slider-min-tip-hidden').text(), $('#' + fromId).parent().parent().find('.yadcf-filter-range-number-slider-max-tip-hidden').text()]);
+                                               if (table_arg.fnSettings().oFeatures.bServerSide === true) {
+                                                       table_arg.fnSettings().aoPreSearchCols[column_number].sSearch = '';
+                                               }
+                                               clearStateSave(table_arg, column_number, table_selector_jq_friendly);
+                                               break;
+                                       }
+
+                               }
+                       }
+                       if (noRedraw !== true) {
+                               //clear global filter
+                               settingsDt.oPreviousSearch.sSearch = '';
+                               if (settingsDt.aanFeatures.f !== undefined) {
+                                       for (i = 0; i < settingsDt.aanFeatures.f.length; i++) {
+                                               $('input', settingsDt.aanFeatures.f[i]).val('');
+                                       }
+                               }
+                               //end of clear global filter
+                               table_arg.fnDraw(settingsDt);
+                       }
+               }
+
+               function exResetFilters(table_arg, columns, noRedraw) {
+                       exResetAllFilters(table_arg, noRedraw, columns);
+               }
+
+               function exFilterExternallyTriggered(table_arg) {
+                       var columnsObj,
+                               columnObjKey,
+                               columnObj,
+                               filterValue,
+                               filtersValuesSingleElem,
+                               filtersValuesArr = [];
+
+                       //check if the table arg is from new datatables API (capital "D")
+                       if (table_arg.settings !== undefined) {
+                               table_arg = table_arg.settings()[0].oInstance;
+                       }
+                       columnsObj = getOptions(table_arg.selector);
+
+                       for (columnObjKey in columnsObj) {
+                               if (columnsObj.hasOwnProperty(columnObjKey)) {
+                                       columnObj = columnsObj[columnObjKey];
+                                       filterValue = exGetColumnFilterVal(table_arg, columnObj.column_number);
+                                       filtersValuesSingleElem = [];
+                                       filtersValuesSingleElem.push(columnObj.column_number);
+                                       filtersValuesSingleElem.push(filterValue);
+                                       filtersValuesArr.push(filtersValuesSingleElem);
+                               }
+                       }
+                       exFilterColumn(table_arg, filtersValuesArr, true);
+               }
+
+               return {
+                       init: init,
+                       doFilter: doFilter,
+                       doFilterMultiSelect: doFilterMultiSelect,
+                       doFilterAutocomplete: doFilterAutocomplete,
+                       autocompleteKeyUP: autocompleteKeyUP,
+                       getOptions: getOptions,
+                       rangeNumberKeyUP: rangeNumberKeyUP,
+                       rangeDateKeyUP: rangeDateKeyUP,
+                       rangeClear: rangeClear,
+                       rangeNumberSliderClear: rangeNumberSliderClear,
+                       stopPropagation: stopPropagation,
+                       exFilterColumn: exFilterColumn,
+                       exGetColumnFilterVal: exGetColumnFilterVal,
+                       exResetAllFilters: exResetAllFilters,
+                       dateKeyUP: dateKeyUP,
+                       dateSelectSingle: dateSelectSingle,
+                       textKeyUP: textKeyUP,
+                       doFilterCustomDateFunc: doFilterCustomDateFunc,
+                       eventTargetFixUp: eventTargetFixUp,
+                       initMultipleTables: initMultipleTables,
+                       initMultipleColumns: initMultipleColumns,
+                       textKeyUpMultiTables: textKeyUpMultiTables,
+                       doFilterMultiTables: doFilterMultiTables,
+                       doFilterMultiTablesMultiSelect: doFilterMultiTablesMultiSelect,
+                       generateTableSelectorJQFriendlyNew: generateTableSelectorJQFriendlyNew,
+                       exFilterExternallyTriggered: exFilterExternallyTriggered,
+                       exResetFilters: exResetFilters,
+                       initSelectPluginCustomTriggers: initSelectPluginCustomTriggers,
+                       preventDefaultForEnter: preventDefaultForEnter,
+                       generateTableSelectorJQFriendly2: generateTableSelectorJQFriendly2
+               };
+
+       }());
+       if (window) {
+               window.yadcf = yadcf;
+       }
+       return yadcf;
+}));
diff --git a/www/ouya-allgames.css b/www/ouya-allgames.css
new file mode 100644 (file)
index 0000000..c2810df
--- /dev/null
@@ -0,0 +1,115 @@
+* {
+    box-sizing: border-box;
+}
+html {
+    height: 100%;
+}
+body {
+    min-height: 100%;
+    background-color: #333;
+    background-image: url("bg_details.jpg");
+    background-size: cover;
+    background-attachment: fixed;
+    color: #CCC;
+    font-family: sans;
+    margin: 0;
+    padding: 0;
+    padding-top: 10ex;
+    padding-left: 0ex;
+}
+
+header {
+    position: fixed;
+    top: 0;
+    left: 0;
+    display: block;
+    width: 100%;
+    height: 6rem;
+    padding-left: 3ex;
+    background-color: #333;
+    background-image: url("bg_details.jpg");
+    background-size: cover;
+    background-attachment: fixed;
+}
+.ouyalogo {
+    height: 3rem;
+    width: auto;
+    position: fixed;
+    top: 2ex;
+    right: 6vw;
+}
+
+a {
+    color: #CCC;
+}
+
+nav {
+    margin-top: 5ex;
+    text-align: center;
+}
+nav a {
+    color: white;
+    margin-left: 1ex;
+    margin-right: 1ex;
+}
+
+thead th {
+    text-align: left;
+    /*position: sticky;*/
+    top: 4rem;
+    background-color: rgba(0, 0, 0, .6);
+    padding: 0.5ex;
+    vertical-align: top;
+}
+
+table.dataTable.display tbody tr,
+table.dataTable.display tbody tr.odd
+{
+    background-color: transparent;
+}
+
+table.dataTable.display tbody tr > .sorting_1,
+table.dataTable.order-column.stripe tbody tr > .sorting_1,
+table.dataTable.display tbody tr.odd > .sorting_1,
+table.dataTable.order-column.stripe tbody tr.odd > .sorting_1,
+table.dataTable.display tbody tr.even > .sorting_1,
+table.dataTable.order-column.stripe tbody tr.even > .sorting_1
+{
+    background-color: rgba(0, 0, 0, .4);
+}
+
+table.dataTable.display tbody tr:hover,
+table.dataTable.display tbody tr.odd:hover,
+table.dataTable.display tbody tr.even:hover
+{
+    background-color: rgba(255, 255, 255, .2);
+}
+
+.dataTables_info,
+.dataTables_filter
+{
+    color: inherit !important;
+}
+
+#allouyagames_filter {
+    display: none;
+}
+
+.dataTable.fixedHeader-floating {
+    background-color: #333;
+    background-image: url("bg_details.jpg");
+    background-size: cover;
+    background-attachment: fixed;
+}
+
+.yadcf-filter-wrapper {
+    display: block;
+    margin-top: 1ex;
+}
+.yadcf-filter,
+.yadcf-filter-reset-button
+{
+    background-color: transparent;
+    color: inherit;
+    height: 4ex;
+}