-->

2011-12-06

node.js, express, ejsのインストール

参考URL。
http://d.hatena.ne.jp/t_43z/20110503/1304421488
http://d.hatena.ne.jp/sasaplus1/20110104/1294076643
http://d.hatena.ne.jp/tek_koc+programing/20110430/1304174401
http://nodejs.org/
http://nodejs.jp/
http://nodejs.jp/nodejs.org_ja/api/index.html
http://hideyukisaito.github.com/expressjs-doc_ja/
http://hideyukisaito.github.com/expressjs-doc_ja/guide/#template-engines

node.js, express, ejsのインストール。

ユーザー作成。
#$ sudo userdel nodejs -r
$ sudo useradd -m nodejs
$ sudo su - nodejs
$ pwd
/home/nodejs
$ whoami
nodejs

naveをインストール。
$ git clone https://github.com/isaacs/nave.git ~/.nave
$ ~/.nave/nave.sh use latest
...(長い)
$ ~/.nave/nave.sh use latest
already using 0.6.5
$ alias nave=$(realpath ~/.nave/nave.sh)
$ echo alias nave=$(realpath ~/.nave/nave.sh) >> .bashrc
$ tail -n2 .bashrc
# Put your fun stuff here.
alias nave=/home/nodejs/.nave/nave.sh
$ nave use latest
already using 0.6.5

npmをインストール。(nave use latestが成功していればすぐ終わる)
$ curl http://npmjs.org/install.sh | sh

モジュールをインストール。
$ npm install express@latest
$ npm install ejs@latest
$ npm ls
/home/nodejs
├── ejs@0.5.0
└─┬ express@2.5.1
  ├─┬ connect@1.8.2
  │ └── formidable@1.0.8
  ├── mime@1.2.4
  ├── mkdirp@0.0.7
  └── qs@0.4.0

別のユーザーで実行。(ejs-test001.jsは参考サイトのserver.jsのrequire.paths.pushをコメントアウトしたもの)
$ NODE_PATH=/home/nodejs/node_modules/ /home/nodejs/.nave/installed/0.6.5/bin/node ejs-test001.js

別のユーザーで実行。
$ w3m http://127.0.0.1:8124/
hello world!

<p>hello world!</p>

大丈夫そうであればnodeコマンドを検索パスに入れるなど。
$ cat /usr/local/bin/node
#!/bin/sh
NODE_PATH=/home/nodejs/node_modules/ /home/nodejs/.nave/installed/0.6.5/bin/node $@

再確認。
$ node ejs-test001.js
$ w3m http://127.0.0.1:8124/

npmのalias。
$ alias npm=$(realpath ./.nave/installed/0.6.5/bin/npm)
$ echo alias npm=$(realpath ./.nave/installed/0.6.5/bin/npm) >> .bashrc
$ tail -n3 .bashrc
# Put your fun stuff here.
alias nave=/home/nodejs/.nave/nave.sh
alias npm=/home/nodejs/.nave/installed/0.6.5/lib/node_modules/npm/bin/npm-cli.js

2011-11-30

node.jsのtest

var
http = require("http"),
querystring = require("querystring"),
convertDate = function(date){
  return ("0" + date.getHours()).slice(-2) + ":" +
    ("0" + date.getMinutes()).slice(-2) + ":" +
    ("0" + date.getSeconds()).slice(-2);
},
htmlEscape = (function(){
  var pattern = /([&<>\"])/g,
  escapeChars = {"&":"&amp;", "<":"&lt;", ">":"&gt;", "\"":"&quot;"},
  urlPattern = /(^|[^-_.!~*\'()a-zA-Z0-9;\/?:@&=+$,%#])(https?:\/\/[-_.!~*\'()a-zA-Z0-9;\/?:@&=+$,%#]{5,63})($|[^-_.!~*\'()a-zA-Z0-9;\/?:@&=+$,%#])/;
  return function(str){
    return String(str).replace(pattern, function(){
      return escapeChars[arguments[1]];
    }).replace(urlPattern, "$1<a href=\"$2\">$2</a>$3");
  };
})(),
appUrl = "http://192.168.0.100/nodejs/",
readCount = 0,
writeCount = 0,
bbsLog = [];
http.createServer(function (request, response) {
  var
  postMessage = function(){
    var body = "";
    request.on("data", function(data){
      body += data;
    });
    request.on("end", function(){
      var $_POST =  querystring.parse(body), writeDate;
      if (typeof $_POST["message"] == "string" && $_POST["message"] !== "")
      {
        writeDate = new Date;
        bbsLog.unshift({"date":writeDate, "message":$_POST["message"]});
        while (bbsLog.length > 10)
        {
          bbsLog.pop();
        }
        writeCount++;
        console.log(writeDate, "postMessage", readCount, writeCount, $_POST);
      }
      response.writeHead(302, {"Location": appUrl});
      response.end();
    });
  },
  getMessage = function(){
    var
    bbsLogToHtml = function(){
      var i, buf = "";
      for (i = 0; i < bbsLog.length; i++)
      {
        buf += convertDate(bbsLog[i].date);
        buf += " : ";
        buf += htmlEscape(bbsLog[i].message);
        buf += "<br/>";
      }
      return buf;
    };
    readCount++;
    response.writeHead(200, {"Content-Type": "text/html; charset=UTF-8"});
    response.end(
      "<html>" +
        "<head>" +
        "<style>" +
        "*{" +
        "font-family: monospace, sans-serif;" +
        "}" +
        "</style>" +
        "</head>" +
        "<body>" +
        "<h1>Sample BBS</h1>" +
        "readCount : " + readCount + "<br/>" +
        "writeCount : " + writeCount + "<br/>" +
        "<form action=\"" + appUrl + "\" method=\"post\">" +
        "<input type=\"text\" name=\"message\" value=\"Hello World\" size=\"63\"/>" +
        "<input type=\"submit\"/>" +
        "&nbsp;<a href=\"" + appUrl + "\">Reload</a>" +
        "</form>" +
        bbsLogToHtml() +
        "</body></html>");
    console.log(new Date, "getMessage", readCount, writeCount);
  };
  if (request.method == "POST")
  {
    postMessage();
  }
  else
  {
    getMessage();
  }
}).listen(8124);
console.log("Server running at http://127.0.0.1:8124/");

node.jsのマニュアルの最初の方にあるサンプル+postデータの取得のサンプルです。
普通は express, ejs などのフレームワークやテンプレートエンジンを使うらしいのでそっちが良いです。
ab2でベンチマーク(getMessage()を連続で実行)を取った所-c5000~10000ぐらいまでは性能が低下せずに-c20000では処理量が半分まで落ちた。
サンプルの処理内容は単純だがメモリの利用量が少ないことやシングルタスク(Phenom(tm) 9350e)でRequests per secondが2500前後になることを見ると、実用性があるように思う。
エラーが不親切な気もするが設定があるのかもしれない。
// インストール(gentooの場合)
$ sudo ACCEPT_KEYWORDS="~*" emerge --oneshot -avt =net-libs/nodejs-0.6.2
// 実行
$ node example.js > /tmp/nodejs.example.js.log 2>&1 &
// テスト
$ ab2 -n1000 -c100 http://127.0.0.1:8124/ 2>&1|grep "^Requests per second"
Requests per second:    2621.41 [#/sec] (mean)

参考URL。
http://nodejs.jp/nodejs.org_ja/api/synopsis.html
http://onlineconsultant.jp/pukiwiki/?node.js%20GET%20POST%E3%83%91%E3%83%A9%E3%83%A1%E3%83%BC%E3%82%BF%E3%83%BC%E3%82%92%E5%8F%96%E5%BE%97%E3%81%99%E3%82%8B
http://snippets.dzone.com/posts/show/13311

2011-11-24

javascriptのtry{...}catch(e){...}の変数eのスコープ

ブラウザによってcatch(e)のeの参照できる範囲が違うので、
finallyなどで代用できる場合はそうしたほうが良いかもしれない。

もしくはeのスコープが限定的になるように無名関数で囲む。
(function(){
  var e;
  try
  {
    ...;
  }
  catch(e)
  {
    ...;
  }
})();

もしくは"e"を予約語として扱う。
"for","if"のように変数名に使えないものとして扱う。
try,catchが入れ子になっていたら困るかもしれない。

Mozilla/5.0 AppleWebKit/537.36 (KHTML, like Gecko; compatible; ClaudeBot/1.0; +claudebot@anthropic.com)
number : 1
number : 1
string : throw
number : 1
number : 2
number : 2

Firefox8の場合。catch(e){var e; ...} っぽい感じ。
Mozilla/5.0 (Windows NT 5.1; rv:8.0) Gecko/20100101 Firefox/8.0
number : 1
number : 1
string : throw
number : 1
number : 2
number : 2 

IE8の場合。var e; catch(e){...} っぽい感じ。
Mozilla/4.0 (compatible; MSIE 8.0; Windows NT 5.1; Trident/4.0; .NET CLR 2.0.50727; .NET CLR 1.1.4322; .NET CLR 3.0.4506.2152; .NET CLR 3.5.30729)
number : 1
undefined : undefined
string : throw
string : throw
number : 2
number : 1

ソース。
//<![CDATA[<!--
(function(){
var a=1, b=2;
document.write("<br>"+navigator.userAgent);
document.write("<br>"+typeof a+" : "+a);
(function(){
document.write("<br>"+typeof a+" : "+a);
try
{
throw "throw";
}
catch(a)
{
document.write("<br>"+typeof a+" : "+a);
}
document.write("<br>"+typeof a+" : "+a);
a=b;
document.write("<br>"+typeof a+" : "+a);
})();
document.write("<br>"+typeof a+" : "+a);
})();
//-->]]>

2011-11-22

convertCsvToTable.js

名前種類値段カロリー塩分
1ラーメン5508002
2サンマ定食定食6506001
3かき揚げ丼丼物8008001
4ざる蕎麦8005001
5唐揚げ定食定食7508501
6カレーライス定食6509002
7親子丼丼物6507001
8イクラ丼丼物9507501
9トンカツ定食定食8008001
10日替わり定食定食150015015

設置の例。
<!--
無い場合設置して有効にする
http://jquery.com/
http://code.google.com/p/jquery-json/
-->
<!--
<script type="text/javascript" src="jquery-1.7.min.js"></script>
<script type="text/javascript" src="jquery.json-2.3.js"></script>
-->
<!--
<script type="text/javascript" src="convertCsvToTable.js"></script>
<script type="text/javascript">
$(document).ready(function(){
convertCsvToTable(
// テーブルを設置する要素
$("#csv-test-002"),
// csvの文字列
$("#csv-test-001").html(),
/*$.ajax({url:"test.csv",type:"GET",dataType:"text",async:false}).responseText,*/
// save-jsonの文字列
"",
/*$.ajax({url:"test.json",type:"GET",dataType:"text",async:false}).responseText,*/
// クリック時の背景色の変更 on/off
true,
// 文字
"#181818",
// 背景
"#FFFFFF",
// メニューなどの背景
"#BCDEFF",
// 枠線
"#676767",
// メニューのリンク
"#304FAC",
// メニューのリンク押せない場合
"#676767",
// クリック時の背景色3種類
"#FFEDCB", "#EEEEFF", "#FFEDCB",
// メニュー表示 on/off
true,
// mail, html表示 on/off
true,
// save-json,load-json表示 on/off
true,
// 最大行数
255,
// 最大列数
31,
// 最大文字数
63,
// 最大ソート用文字数
31);
});
</script>
-->

<!-- ここまで<head> ... </head> -->

<textarea id="csv-test-001" style="display:none;">名前,種類,値段,カロリー,塩分
ラーメン,麺,550,800,2
サンマ定食,定食,650,600,1
かき揚げ丼,丼物,800,800,1
ざる蕎麦,麺,800,500,1
唐揚げ定食,定食,750,850,1
カレーライス,定食,650,900,2
親子丼,丼物,650,700,1
イクラ丼,丼物,950,750,1
トンカツ定食,定食,800,800,1
日替わり定食,定食,1500,150,15
</textarea>

<div id="csv-test-002" style="font-size: 15px;"></div>

ダウンロード。
https://docs.google.com/open?id=0BwK7sPpG0c5ZYjJmZjMxYTItZGU4ZS00N2IyLThlNGItZDFiYmM3MjVmYjlm

説明。
mail
メールソフトを開きます。
下書きなどで保存します。
内容はcsv固定です。
html
htmlのソースを表示します。
メモ帳などにコピーアンドペーストします。
htmlファイルに保存してブラウザで表示してもjavascriptの機能はありません。
save
csvを表示します。
メモ帳などにコピーアンドペーストします。
load
csvをペーストします。
成功すると表示が更新されます。
reset
初期表示に戻します。
成功すると表示が更新されます。
save-json
json(javascriptの配列データ)を表示します。
メモ帳などにコピーアンドペーストします。
必要ない場合は関数の引数の該当部分をfalseにしてjquery.json-2.3.jsのタグを削除して下さい。
load-json
jsonをペーストします。
成功すると表示が更新されます。
必要ない場合は関数の引数の該当部分をfalseにしてjquery.json-2.3.jsのタグを削除して下さい。
csvの1行目
列のタイトルがあるものとして処理します。
固定です。
列のタイトルをクリック
データをソートします。
もう1度クリックすると逆順にソートします。
ソートの種類
種類は1種類で固定です。
列全体が数字に似ているデータの場合、表示が右寄せになる場合があります。
そうなると数値的にソートしますのでご注意下さい。
文字列の場合ひらがなとカタカナやアルファベットの大文字小文字などを無視してソートします。
問題がある場合、別のデータを追加してソートして下さい。
データ部分をクリック
背景色を変更します。
もう1度クリックすると戻ります。
tableの1列目
行番号を表示します。
行番号をクリック
行全体の背景色を変更します。
データ部分のクリックを無効化します。
もう1度クリックすると戻ります。
/*$.ajax({url:"test.csv" ... */とは?
javascriptのコメントです。
1つ上の行をコメントアウトして、この行を有効にすると動的にcsvファイルをロードします。
外部ドメインや、もしくは同一ドメインであっても自身の管理外のファイルを指定してはいけません。
エラー時などの処理がありません。手動で追加して下さい。下記は公式サイトのマニュアルです。
http://api.jquery.com/jQuery.ajax/
対応ブラウザ
確認したブラウザは以下の通りです。
windows xp professional の IE8
windows xp professional の IETester v0.4.11 の IE6,IE7,IE8
windows xp professional の Opera 11.52
windows xp professional の Google Chrome 11.0.696.68
windows xp professional の Safari 5.0.5
windows xp professional の Firefox 8.0
gentoo linux の www-client/opera 11.52.1100
gentoo linux の www-client/chromium 15.0.874.120
gentoo linux の www-client/firefox 7.0.1-r1
似た環境のOS/ブラウザで動作する可能性が高いです。
その他
データに半角のダブルクォーテーションやバックスラッシュがある場合、利用者ごとの期待した結果にならない場合があります。
フォーマットの変更やデータの追加、変更、削除はできないです。excel, open office, libre officeなどで対応して下さい。
エラーやバグや不具合や使いにく点がある場合このページのコメントなどでご報告頂けるとありがたいです。

2011-11-18

javascriptのinclude

テスト用のinclude関数です。
実際にローカル以外で使用すると非同期ではないので、
読み込みごとに停止しているのが目立つようになりますので使えません。
var include = function(){
  var hostnamePattern = new RegExp(
    "^https?://" +
      location.hostname.replace(
        new RegExp("[.\\\\+*?\\[\\^\\]$(){}=!<>|:\\-]", "g"),
        "\\$&") +
      "/"),
  protocolPattern = new RegExp("^[A-Za-z]+://"),
  statusOkPattern = new RegExp("^[^23]"),
  getErrorFunc = function(jqXHR, textStatus, errorThrown){
    var status = String(jqXHR.status);
    if (status.match(statusOkPattern))
    {
      jqXHR.responseText = "";
      throw textStatus + " " + status + " " + errorThrown + ".";
    }
  };
  return function(path){
    var ret = "";
    if (path.match(hostnamePattern) || !path.match(protocolPattern))
    {
      ret = $.ajax({
        type: "GET",
        url: path,
        dataType: "text",
        async: false,
        error: getErrorFunc
      }).responseText;
    }
    else
    {
      throw "other site url. \"" + path + "\"";
    }
    return ret;
  };
}();

例。
...
eval(include("mb_convert_kana.js"));
...

非同期で読み込むがファイルに依存性がある場合RequireJSなどがあるようです。
http://requirejs.org/docs/api.html
http://zudolab.net/blog/?p=451

もしくは2回目以降のアクセスは304になることを期待して1つのファイルにまとめて<head>に書くというのもありだと思います。
非同期でも同期でも100ファイル読み込んだら200か304を100回webサーバーから受け取るということに変わりないと思うので。
$ echo "var a=1;" > 00_a.js
$ echo "var b=a+1;" > 01_b.js
$ ls -1 *.js | grep -v ^all.js$ | while read -r f; do cat $f; done > all.js
$ cat all.js
var a=1;
var b=a+1;

メールが届かない(clamdが起動していない)

メールが届いていない。
$ sudo tail -n1 /var/log/mail.err
Nov 18 03:37:59 amdgentoo dovecot: master: Error: service(imap-login): command startup failed, throttling

$ sudo tail -n4500 /var/log/mail.log | lv
...
Nov 18 06:10:17 amdgentoo postfix/pickup[4409]: warning: 7D08E16D908: message has been queued for 1 days
Nov 18 06:10:17 amdgentoo postfix/pickup[4409]: 7D08E16D908: uid=0 from=<root>
Nov 18 06:10:17 amdgentoo postfix/cleanup[18504]: 7D08E16D908: message-id=<20111117211017.7D08E16D908@amdgentoo.localnet>
Nov 18 06:10:17 amdgentoo postfix/cleanup[18504]: 7D08E16D908: milter-reject: END-OF-MESSAGE from localhost[127.0.0.1]: 4.7.1
Service unavailable - try again later; from=<root@amdgentoo.localnet> to=<root@amdgentoo.localnet>
...

大量に下記のエラーが発生している。書き込めなくなっている。
$ sudo tail -f /var/log/clamav/clamav-milter.log
...
ERROR: Failed to initiate streaming/fdpassing
WARNING: No clamd server appears to be available
...

最大値を増やす。
$ rcsdiff /etc/config-archive/etc/clamav-milter.conf,v /etc/clamav-milter.conf
===================================================================
RCS file: /etc/config-archive/etc/clamav-milter.conf,v
retrieving revision 1.7
diff -r1.7 /etc/clamav-milter.conf
231c231
< #LogFileMaxSize 2M
---
> LogFileMaxSize 20M

clamav-milter.logのローテーションの設定は無い。
$ qlist clamav|grep /etc/logrotate.d/
/etc/logrotate.d/clamav

サイズを増やすと同じエラーが書き込まれる。
$ ll -h /var/log/clamav/clamav-milter.log
-rw-r----- 1 clamav clamav 1.4M 2011-11-18 06:10:26 /var/log/clamav/clamav-milter.log

/etc/conf.d/clamdがいつのまにか下記のようになっている。
MILTER_NICELEVEL=19
START_MILTER=yes

戻した。
$ diff -u -U16 /usr/portage/app-antivirus/clamav/files/clamd.conf /etc/conf.d/clamd
--- /usr/portage/app-antivirus/clamav/files/clamd.conf  2008-03-01 08:46:46.000000000 +0900
+++ /etc/conf.d/clamd   2011-11-18 06:22:12.601252509 +0900
@@ -1,9 +1,11 @@
 # Config file for /etc/init.d/clamd

 # NOTICE: Since clamav-0.85-r1, only START_CLAMD and START_FRESHCLAM settings
 #        are used, other are silently ignored

 START_CLAMD=yes
 START_FRESHCLAM=yes
 CLAMD_NICELEVEL=3
 FRESHCLAM_NICELEVEL=19
+MILTER_NICELEVEL=19
+START_MILTER=yes

デフォルト値はyesが無いとclamdなどは起動しない。
$ grep START_CLAMD /etc/init.d/clamd
        if [ "${START_CLAMD}" = "yes" ]; then
        if [ "${START_CLAMD}" = "yes" ]; then
        if [ "${START_CLAMD}" = "yes" ]; then

メールが送れない状態。
$ pstree clamav
clamav-milter───2*[{clamav-milter}]

メールが送れる状態。
$ pstree clamav
clamav-milter───2*[{clamav-milter}]

clamd───{clamd}

freshclam

システム更新時に起動時のデフォルト値が変わりそれに合わせて設定を更新したが、
しかし起動時のデフォルト値は戻った、といった原因かもしれない。
もしくは何かの都合で/etc/conf.d/clamdの設定を手動で減らしたのかもしれない。

2011-11-13

mb_convert_kana.js

テスト
回数オプション
00.000 
option元の文字列文字数変換後変換後
RABC123(6)ABC123(6)
NABC123(6)ABC123(6)
AABC123(6)ABC123(6)
rABC123(6)ABC123(6)
nABC123(6)ABC123(6)
aABC123(6)ABC123(6)
hあいうえお(5)アイウエオ(5)
Cあいうえお(5)アイウエオ(5)
kアイウエオ(5)アイウエオ(5)
cアイウエオ(5)あいうえお(5)
Kアイウエオ(5)アイウエオ(5)
Hアイウエオ(5)あいうえお(5)
KVアイウエオ(5)アイウエオ(5)
HVアイウエオ(5)あいうえお(5)
kヴバパ(3)ヴバパ(6)
cヴバパ(3)ヴばぱ(3)
Kヴバパ(6)ウ゛ハ゛ハ゜(6)
Hヴバパ(6)う゛は゛は゜(6)
KVヴバパ(6)ヴバパ(3)
HVヴバパ(6)う゛ばぱ(4)
A@ #(3)@ #(3)
S@ #(3)@ #(3)
a@ #(3)@ #(3)
s@ #(3)@ #(3)

ダウンローはこちらから。
https://docs.google.com/open?id=0BwK7sPpG0c5ZYWRiNDcyZWYtODY2Ni00MmRkLWIwMjMtYTcwNWExZTgwMzZm

説明。
http://php.net/manual/ja/function.mb-convert-kana.php

2011-11-10

jquery-1.7.min.jsの短くなりそうな点 part2

//<![CDATA[<!--
/*! jQuery v1.7 jquery.com | jquery.org/license */
(function(i,j,D,x,E,y,a$,a0,av,c){var aw="client",a9="pageXOffset",ax="scroll",ba="position",ay="static",Y="fxshow",F="toggle",az=":hidden",G="hide",Z="olddisplay",C="show",aA="marginLeft",aB="marginTop",bb="X-Requested-With",bc="success",bd="application/x-www-form-urlencoded",be="marginRight",bf="inline-block",bg="cssFloat",$="opacity",bh="replaceWith",bi="<$1></$2>",bj="<table>",aC="nextSibling",N="id",ae="previousSibling",aD="parentNode",bk="[object Array]",bl="lastToggle",bm="focusout",bn="focusin",bo="(\\.|$)",bp="\\.(?:.*\\.)?",bq="(^|\\.)",af="auto",H="height",br="htmlFor",I="button",ag="set",aE="value",O="get",bs="__className__",ah=".run",aF="inprogress",q="fx",bt="parsedAttrs",ai="events",aG="relative",aj="fixed",aH="inline",aI="absolute",_="hidden",aJ="checked",ak="type",bu="onclick",aK="form",P="on",aa="href",aL="className",r="div",s="number",bv="parsererror",J="function",bw="onreadystatechange",bx="DOMContentLoaded",by="complete",ab="once memory",ac="boolean",Q="body",aM="false",R="mark",ad="queue",al="tbody",o=".",aN="option",z="radio",K="checkbox",n="undefined",m="input",t="script",u="px",aO="Width",aP="margin",am="padding",an="border",A="width",b=null,l="object",f=" ",k="*",g="string",bz="CSS1Compat",v="none",S="display";function aQ(b){return a.isWindow(b)?b:b.nodeType===9?b.defaultView||b.parentWindow:!1}function bA(b){if(!aZ[b]){var h=d.body,c=a("<"+b+">").appendTo(h),e=c.css(S);c.remove();if(e===v||e===""){w||(w=d.createElement("iframe"),w.frameBorder=w.width=w.height=0),h.appendChild(w);if(!X||!w.createElement)X=(w.contentWindow||w.contentDocument).document,X.write((d.compatMode===bz?"<!doctype html>":"")+"<html><body>"),X.close();c=X.createElement(b),X.body.appendChild(c),e=a.css(c,S),h.removeChild(w)}aZ[b]=e}return aZ[b]}function T(r,s){var l={};a.each(cj.concat.apply([],cj.slice(0,s)),function(){l[this]=r});return l}function cl(){au=c}function bB(){D(cl,0);return au=a.now()}function cm(){try{return new i.ActiveXObject("Microsoft.XMLHTTP")}catch(x){}}function bC(){try{return new i.XMLHttpRequest}catch(x){}}function cn(i,j){i.dataFilter&&(j=i.dataFilter(j,i.dataType));var q=i.dataTypes,l={},n,o,s=q.length,p,b=q[0],m,r,d,e,h;for(n=1;n<s;n++){if(n===1)for(o in i.converters)typeof o==g&&(l[o.toLowerCase()]=i.converters[o]);m=b,b=q[n];if(b===k)b=m;else if(m!==k&&m!==b){r=m+f+b,d=l[r]||l["* "+b];if(!d){h=c;for(e in l){p=e.split(f);if(p[0]===m||p[0]===k){h=l[p[1]+f+b];if(h){e=l[e],e===!0?d=h:h===!0&&(d=e);break}}}}!d&&!h&&a.error("No conversion from "+r.replace(f," to ")),d!==!0&&(j=d?d(j):h(e(j)))}}return j}function co(e,l,g){var i=e.contents,b=e.dataTypes,m=e.responseFields,h,a,d,j;for(a in m)a in g&&(l[m[a]]=g[a]);while(b[0]===k)b.shift(),h===c&&(h=e.mimeType||l.getResponseHeader("content-type"));if(h)for(a in i)if(i[a]&&i[a].test(h)){b.unshift(a);break}if(b[0]in g)d=b[0];else{for(a in g){if(!b[0]||e.converters[a+f+b[0]]){d=a;break}j||(j=a)}d=d||j}if(d){d!==b[0]&&b.unshift(d);return g[d]}}function aR(d,c,e,f){if(a.isArray(c))a.each(c,function(r,g){e||da.test(d)?f(d,g):aR(d+"["+(typeof g==l||a.isArray(g)?r:"")+"]",g,e,f)});else if(!e&&c!=b&&typeof c==l)for(var m in c)aR(d+"["+m+"]",c[m],e,f);else f(d,c)}function bD(l,h){var b,e,r=a.ajaxSettings.flatOptions||{};for(b in h)h[b]!==c&&((r[b]?l:e||(e={}))[b]=h[b]);e&&a.extend(!0,l,e)}function ao(e,d,h,i,f,b){f=f||d.dataTypes[0],b=b||{},b[f]=!0;var j=e[f],l=0,r=j?j.length:0,m=e===aX,a;for(;l<r&&(m||!a);l++)a=j[l](d,h,i),typeof a==g&&(!m||b[a]?a=c:(d.dataTypes.unshift(a),a=ao(e,d,h,i,a,b)));(m||!a)&&!b[k]&&(a=ao(e,d,h,i,k,b));return a}function bE(l){return function(e,h){typeof e!=g&&(h=e,e=k);if(a.isFunction(h)){var m=e.toLowerCase().split(ce),i=0,r=m.length,b,n,j;for(;i<r;i++)b=m[i],j=/^\+/.test(b),j&&(b=b.substr(1)||k),n=l[b]=l[b]||[],n[j?"unshift":"push"](h)}}}function bF(d,f,e){var c=f===A?d.offsetWidth:d.offsetHeight,l=f===A?c$:c0;if(c>0){e!==an&&a.each(l,function(){e||(c-=j(a.css(d,am+this))||0),e===aP?c+=j(a.css(d,e+this))||0:c-=j(a.css(d,an+this+aO))||0});return c+u}c=V(d,f,f);if(c<0||c==b)c=d.style[f]||0;c=j(c)||0,e&&a.each(l,function(){c+=j(a.css(d,am+this))||0,e!==am&&(c+=j(a.css(d,an+this+aO))||0),e===aP&&(c+=j(a.css(d,e+this))||0)});return c+u}function cp(x,b){b.src?a.ajax({url:b.src,async:!1,dataType:t}):a.globalEval((b.text||b.textContent||b.innerHTML||"").replace(cT,"/*$0*/")),b.parentNode&&b.parentNode.removeChild(b)}function bG(e){var l=(e.nodeName||"").toLowerCase();l===m?bH(e):l!==t&&typeof e.getElementsByTagName!=n&&a.grep(e.getElementsByTagName(m),bH)}function bH(a){if(a.type===K||a.type===z)a.defaultChecked=a.checked}function ap(a){return typeof a.getElementsByTagName!=n?a.getElementsByTagName(k):typeof a.querySelectorAll!=n?a.querySelectorAll(k):[]}function bI(c,b){var d;if(b.nodeType===1){b.clearAttributes&&b.clearAttributes(),b.mergeAttributes&&b.mergeAttributes(c),d=b.nodeName.toLowerCase();if(d===l)b.outerHTML=c.outerHTML;else if(d!==m||c.type!==K&&c.type!==z){if(d===aN)b.selected=c.defaultSelected;else if(d===m||d==="textarea")b.defaultValue=c.defaultValue}else c.checked&&(b.defaultChecked=b.checked=c.checked),b.value!==c.value&&(b.value=c.value);b.removeAttribute(a.expando)}}function bJ(l,h){if(h.nodeType===1&&!!a.hasData(l)){var b,c,m,n=a._data(l),e=a._data(h,n),d=n.events;if(d){delete e.handle,e.events={};for(b in d)for(c=0,m=d[b].length;c<m;c++)a.event.add(h,b+(d[b][c].namespace?o:"")+d[b][c].namespace,d[b][c],d[b][c].data)}e.data&&(e.data=a.extend({},e.data))}}function cq(c,x){return a.nodeName(c,"table")?c.getElementsByTagName(al)[0]||c.appendChild(c.ownerDocument.createElement(al)):c}function bK(r){var l=bY.split(f),h=r.createDocumentFragment();if(h.createElement)while(l.length)h.createElement(l.pop());return h}function bL(e,b,f){b=b||0;if(a.isFunction(b))return a.grep(e,function(l,r){var s=!!b.call(l,r,l);return s===f});if(b.nodeType)return a.grep(e,function(r,x){return r===b===f});if(typeof b==g){var l=a.grep(e,function(r){return r.nodeType===1});if(cJ.test(b))return a.filter(b,l,!f);b=a.filter(b,l)}return a.grep(e,function(r,x){return a.inArray(r,b)>=0===f})}function bM(h){return!h||!h.parentNode||h.parentNode.nodeType===11}function aq(){return!0}function U(){return!1}function bN(b,h,l){var m=h+"defer",n=h+ad,o=h+R,p=a._data(b,m);p&&(l===ad||!a._data(b,n))&&(l===R||!a._data(b,o))&&D(function(){!a._data(b,n)&&!a._data(b,o)&&(a.removeData(b,m,!0),p.fire())},0)}function aS(l){for(var h in l){if(h==="data"&&a.isEmptyObject(l[h]))continue;if(h!=="toJSON")return!1}return!0}function bO(h,l,d){if(d===c&&h.nodeType===1){var r="data-"+l.replace(cv,"-$1").toLowerCase();d=h.getAttribute(r);if(typeof d==g){try{d=d==="true"?!0:d===aM?!1:d==="null"?b:a.isNumeric(d)?j(d):cu.test(d)?a.parseJSON(d):d}catch(x){}a.data(h,l,d)}else d=c}return d}function cr(a){var l=bP[a]={},e,m;a=a.split(/\s+/);for(e=0,m=a.length;e<m;e++)l[a[e]]=!0;return l}var d=i.document,cs=i.navigator,ct=i.location,a=function(){function r(){if(!a.isReady){try{d.documentElement.doScroll("left")}catch(x){D(r,1);return}a.ready()}}var a=function(r,s){return new a.fn.init(r,s,t)},C=i.jQuery,E=i.$,t,F=/^(?:[^#<]*(<[\w\W]+>)[^>]*$|#([\w\-]*)$)/,u=/\S/,v=/^\s+/,w=/\s+$/,G=/\d/,H=/^<(\w+)\s*\/?>(?:<\/\1>)?$/,I=/^[\],:{}\s]*$/,K=/\\(?:["\\\/bfnrt]|u[0-9a-fA-F]{4})/g,L=/"[^"\\\n\r]*"|true|false|null|-?\d+(?:\.\d*)?(?:[eE][+\-]?\d+)?/g,M=/(?:^|:|,)(?:\s*\[)+/g,N=/(webkit)[ \/]([\w.]+)/,O=/(opera)(?:.*version)?[ \/]([\w.]+)/,P=/(msie) ([\w.]+)/,R=/(mozilla)(?:.*? rv:([\w.]+))?/,S=/-([a-z]|[0-9])/gi,T=/^-ms-/,U=function(x,r){return(r+"").toUpperCase()},V=cs.userAgent,m,n,j,W=av.prototype.toString,p=av.prototype.hasOwnProperty,q=x.prototype.push,k=x.prototype.slice,z=String.prototype.trim,A=x.prototype.indexOf,B={};a.fn=a.prototype={constructor:a,init:function(e,f,k){var h,j,i,l;if(!e)return this;if(e.nodeType){this.context=this[0]=e,this.length=1;return this}if(e===Q&&!f&&d.body){this.context=d,this[0]=d.body,this.selector=e,this.length=1;return this}if(typeof e==g){e.charAt(0)!=="<"||e.charAt(e.length-1)!==">"||e.length<3?h=F.exec(e):h=[b,e,b];if(h&&(h[1]||!f)){if(h[1]){f=f instanceof a?f[0]:f,l=f?f.ownerDocument||f:d,i=H.exec(e),i?a.isPlainObject(f)?(e=[d.createElement(i[1])],a.fn.attr.call(e,f,!0)):e=[l.createElement(i[1])]:(i=a.buildFragment([h[1]],[l]),e=(i.cacheable?a.clone(i.fragment):i.fragment).childNodes);return a.merge(this,e)}j=d.getElementById(h[2]);if(j&&j.parentNode){if(j.id!==h[2])return k.find(e);this.length=1,this[0]=j}this.context=d,this.selector=e;return this}return!f||f.jquery?(f||k).find(e):this.constructor(f).find(e)}if(a.isFunction(e))return k.ready(e);e.selector!==c&&(this.selector=e.selector,this.context=e.context);return a.makeArray(e,this)},selector:"",jquery:"1.7",length:0,size:function(){return this.length},toArray:function(){return k.call(this,0)},get:function(a){return a==b?this.toArray():a<0?this[this.length+a]:this[a]},pushStack:function(h,i,l){var b=this.constructor();a.isArray(h)?q.apply(b,h):a.merge(b,h),b.prevObject=this,b.context=this.context,i==="find"?b.selector=this.selector+(this.selector?f:"")+l:i&&(b.selector=this.selector+o+i+"("+l+")");return b},each:function(r,s){return a.each(this,r,s)},ready:function(r){a.bindReady(),n.add(r);return this},eq:function(a){return a===-1?this.slice(a):this.slice(a,+a+1)},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},slice:function(){return this.pushStack(k.apply(this,arguments),"slice",k.call(arguments).join(","))},map:function(r){return this.pushStack(a.map(this,function(m,s){return r.call(m,s,m)}))},end:function(){return this.prevObject||this.constructor(b)},push:q,sort:[].sort,splice:[].splice},a.fn.init.prototype=a.fn,a.extend=a.fn.extend=function(){var i,h,f,e,j,k,d=arguments[0]||{},g=1,n=arguments.length,m=!1;typeof d==ac&&(m=d,d=arguments[1]||{},g=2),typeof d!=l&&!a.isFunction(d)&&(d={}),n===g&&(d=this,--g);for(;g<n;g++)if((i=arguments[g])!=b)for(h in i){f=d[h],e=i[h];if(d===e)continue;m&&e&&(a.isPlainObject(e)||(j=a.isArray(e)))?(j?(j=!1,k=f&&a.isArray(f)?f:[]):k=f&&a.isPlainObject(f)?f:{},d[h]=a.extend(m,k,e)):e!==c&&(d[h]=e)}return d},a.extend({noConflict:function(r){i.$===a&&(i.$=E),r&&i.jQuery===a&&(i.jQuery=C);return a},isReady:!1,readyWait:1,holdReady:function(r){r?a.readyWait++:a.ready(!0)},ready:function(h){if(h===!0&&!--a.readyWait||h!==!0&&!a.isReady){if(!d.body)return D(a.ready,1);a.isReady=!0;if(h!==!0&&--a.readyWait>0)return;n.fireWith(d,[a]),a.fn.trigger&&a(d).trigger("ready").unbind("ready")}},bindReady:function(){if(!n){n=a.Callbacks(ab);if(d.readyState===by)return D(a.ready,1);if(d.addEventListener)d.addEventListener(bx,j,!1),i.addEventListener("load",a.ready,!1);else if(d.attachEvent){d.attachEvent(bw,j),i.attachEvent("onload",a.ready);var m=!1;try{m=i.frameElement==b}catch(x){}d.documentElement.doScroll&&m&&r()}}},isFunction:function(s){return a.type(s)===J},isArray:x.isArray||function(s){return a.type(s)==="array"},isWindow:function(i){return i&&typeof i==l&&"setInterval"in i},isNumeric:function(i){return i!=b&&G.test(i)&&!isNaN(i)},type:function(i){return i==b?String(i):B[W.call(i)]||l},isPlainObject:function(b){if(!b||a.type(b)!==l||b.nodeType||a.isWindow(b))return!1;try{if(b.constructor&&!p.call(b,"constructor")&&!p.call(b.constructor.prototype,"isPrototypeOf"))return!1}catch(x){return!1}var i;for(i in b);return i===c||p.call(b,i)},isEmptyObject:function(s){for(var y in s)return!1;return!0},error:function(s){throw s},parseJSON:function(c){if(typeof c!=g||!c)return b;c=a.trim(c);if(i.JSON&&i.JSON.parse)return i.JSON.parse(c);if(I.test(c.replace(K,"@").replace(L,"]").replace(M,"")))return(new Function("return "+c))();a.error("Invalid JSON: "+c)},parseXML:function(j){var b,m;try{i.DOMParser?(m=new DOMParser,b=m.parseFromString(j,"text/xml")):(b=new ActiveXObject("Microsoft.XMLDOM"),b.async=aM,b.loadXML(j))}catch(y){b=c}(!b||!b.documentElement||b.getElementsByTagName(bv).length)&&a.error("Invalid XML: "+j);return b},noop:function(){},globalEval:function(j){j&&u.test(j)&&(i.execScript||function(s){i.eval.call(i,s)})(j)},camelCase:function(s){return s.replace(T,"ms-").replace(S,U)},nodeName:function(m,s){return m.nodeName&&m.nodeName.toUpperCase()===s.toUpperCase()},each:function(b,f,i){var d,e=0,j=b.length,m=j===c||a.isFunction(b);if(i){if(m){for(d in b)if(f.apply(b[d],i)===!1)break}else for(;e<j;)if(f.apply(b[e++],i)===!1)break}else if(m){for(d in b)if(f.call(b[d],d,b[d])===!1)break}else for(;e<j;)if(f.call(b[e],e,b[e++])===!1)break;return b},trim:z?function(m){return m==b?"":z.call(m)}:function(m){return m==b?"":(m+"").replace(v,"").replace(w,"")},makeArray:function(c,s){var i=s||[];if(c!=b){var j=a.type(c);c.length==b||j===g||j===J||j==="regexp"||a.isWindow(c)?q.call(i,c):a.merge(i,c)}return i},inArray:function(m,c,a){var i;if(c){if(A)return A.call(c,m,a);i=c.length,a=a?a<0?y.max(0,i+a):a:0;for(;a<i;a++)if(a in c&&c[a]===m)return a}return-1},merge:function(a,d){var i=a.length,e=0;if(typeof d.length==s)for(var t=d.length;e<t;e++)a[i++]=d[e];else while(d[e]!==c)a[i++]=d[e++];a.length=i;return a},grep:function(i,s,j){var m=[],n;j=!!j;for(var a=0,t=i.length;a<t;a++)n=!!s(i[a],a),j!==n&&m.push(i[a]);return m},map:function(d,m,n){var e,i,f=[],h=0,g=d.length,t=d instanceof a||g!==c&&typeof g==s&&(g>0&&d[0]&&d[g-1]||g===0||a.isArray(d));if(t)for(;h<g;h++)e=m(d[h],h,n),e!=b&&(f[f.length]=e);else for(i in d)e=m(d[i],i,n),e!=b&&(f[f.length]=e);return f.concat.apply([],f)},guid:1,proxy:function(b,f){if(typeof f==g){var s=b[f];f=b,b=s}if(!a.isFunction(b))return c;var t=k.call(arguments,2),i=function(){return b.apply(f,t.concat(k.call(arguments)))};i.guid=b.guid=b.guid||i.guid||a.guid++;return i},access:function(b,d,f,g,h,m){var n=b.length;if(typeof d==l){for(var o in d)a.access(b,o,d[o],g,h,f);return b}if(f!==c){g=!m&&g&&a.isFunction(f);for(var e=0;e<n;e++)h(b[e],d,g?f.call(b[e],e,h(b[e],d)):f,m);return b}return n?h(b[0],d):c},now:function(){return(new Date).getTime()},uaMatch:function(a){a=a.toLowerCase();var m=N.exec(a)||O.exec(a)||P.exec(a)||a.indexOf("compatible")<0&&R.exec(a)||[];return{browser:m[1]||"",version:m[2]||"0"}},sub:function(){function b(s,t){return new b.fn.init(s,t)}a.extend(!0,b,this),b.superclass=this,b.fn=b.prototype=this(),b.fn.constructor=b,b.sub=this.sub,b.fn.init=function(t,c){c&&c instanceof a&&!(c instanceof b)&&(c=b(c));return a.fn.init.call(this,t,c,s)},b.fn.init.prototype=b.fn;var s=b(d);return b},browser:{}}),a.each("Boolean Number String Function Array Date RegExp Object".split(f),function(y,m){B["[object "+m+"]"]=m.toLowerCase()}),m=a.uaMatch(V),m.browser&&(a.browser[m.browser]=!0,a.browser.version=m.version),a.browser.webkit&&(a.browser.safari=!0),u.test("\xa0")&&(v=/^[\s\xa0]+/,w=/[\s\xa0]+$/),t=a(d),d.addEventListener?j=function(){d.removeEventListener(bx,j,!1),a.ready()}:d.attachEvent&&(j=function(){d.readyState===by&&(d.detachEvent(bw,j),a.ready())}),typeof define==J&&define.amd&&define.amd.jQuery&&define("jquery",[],function(){return a});return a}(),bP={};a.Callbacks=function(e){e=e?bP[e]||cr(e):{};var b=[],f=[],d,i,k,j,g,m=function(n){var f,o,c,i;for(f=0,o=n.length;f<o;f++)c=n[f],i=a.type(c),i==="array"?m(c):i===J&&(!e.unique||!h.has(c))&&b.push(c)},n=function(m,a){a=a||[],d=!e.memory||[m,a],i=!0,g=k||0,k=0,j=b.length;for(;b&&g<j;g++)if(b[g].apply(m,a)===!1&&e.stopOnFalse){d=!0;break}i=!1,b&&(e.once?d===!0?h.disable():b=[]:f&&f.length&&(d=f.shift(),h.fireWith(d[0],d[1])))},h={add:function(){if(b){var s=b.length;m(arguments),i?j=b.length:d&&d!==!0&&(k=s,n(d[0],d[1]))}return this},remove:function(){if(b){var m=arguments,k=0,s=m.length;for(;k<s;k++)for(var a=0;a<b.length;a++)if(m[k]===b[a]){i&&a<=j&&(j--,a<=g&&g--),b.splice(a--,1);if(e.unique)break}}return this},has:function(s){if(b){var i=0,t=b.length;for(;i<t;i++)if(s===b[i])return!0}return!1},empty:function(){b=[];return this},disable:function(){b=f=d=c;return this},disabled:function(){return!b},lock:function(){f=c,(!d||d===!0)&&h.disable();return this},locked:function(){return!f},fireWith:function(m,o){f&&(i?e.once||f.push([m,o]):(!e.once||!d)&&n(m,o));return this},fire:function(){h.fireWith(this,arguments);return this},fired:function(){return!!d}};return h};var aT=[].slice;a.extend({Deferred:function(m){var f=a.Callbacks(ab),g=a.Callbacks(ab),h=a.Callbacks("memory"),j="pending",k={resolve:f,reject:g,notify:h},i={done:f.add,fail:g.add,progress:h.add,state:function(){return j},isResolved:f.fired,isRejected:g.fired,then:function(s,t,u){c.done(s).fail(t).progress(u);return this},always:function(){return c.done.apply(c,arguments).fail.apply(c,arguments)},pipe:function(s,t,u){return a.Deferred(function(b){a.each({done:[s,"resolve"],fail:[t,"reject"],progress:[u,"notify"]},function(m,n){var o=n[0],p=n[1],d;a.isFunction(o)?c[m](function(){d=o.apply(this,arguments),d&&a.isFunction(d.promise)?d.promise().then(b.resolve,b.reject,b.notify):b[p+"With"](this===c?b:this,[d])}):c[m](b[p])})}).promise()},promise:function(a){if(a==b)a=i;else for(var m in i)a[m]=i[m];return a}},c=i.promise({}),d;for(d in k)c[d]=k[d].fire,c[d+"With"]=k[d].fireWith;c.done(function(){j="resolved"},g.disable,h.lock).fail(function(){j="rejected"},f.disable,h.lock),m&&m.call(c,c);return c},when:function(f){function s(s){return function(t){m[s]=arguments.length>1?aT.call(arguments,0):t,b.notifyWith(n,m)}}function t(s){return function(t){c[s]=arguments.length>1?aT.call(arguments,0):t,--i||b.resolveWith(b,c)}}var c=aT.call(arguments,0),d=0,e=c.length,m=x(e),i=e,b=e<=1&&f&&a.isFunction(f.promise)?f:a.Deferred(),n=b.promise();if(e>1){for(;d<e;d++)c[d]&&c[d].promise&&a.isFunction(c[d].promise)?c[d].promise().then(t(d),b.reject,s(d)):--i;i||b.resolveWith(b,c)}else b!==f&&b.resolveWith(b,e?[f]:[]);return n}}),a.support=function(){var c=d.createElement(r),A=d.documentElement,y,i,p,q,g,j,e,s,h,t,f,w,o,x,l,n;c.setAttribute(aL,"t"),c.innerHTML=" <link/><table></table><a href='/a' style='top:1px;float:left;opacity:.55;'>a</a><input type='checkbox'/><nav></nav>",y=c.getElementsByTagName(k),i=c.getElementsByTagName("a")[0];if(!y||!y.length||!i)return{};p=d.createElement("select"),q=p.appendChild(d.createElement(aN)),g=c.getElementsByTagName(m)[0],e={leadingWhitespace:c.firstChild.nodeType===3,tbody:!c.getElementsByTagName(al).length,htmlSerialize:!!c.getElementsByTagName("link").length,style:/top/.test(i.getAttribute("style")),hrefNormalized:i.getAttribute(aa)==="/a",opacity:/^0.55/.test(i.style.opacity),cssFloat:!!i.style.cssFloat,unknownElems:!!c.getElementsByTagName("nav").length,checkOn:g.value===P,optSelected:q.selected,getSetAttribute:c.className!=="t",enctype:!!d.createElement(aK).enctype,submitBubbles:!0,changeBubbles:!0,focusinBubbles:!1,deleteExpando:!0,noCloneEvent:!0,inlineBlockNeedsLayout:!1,shrinkWrapBlocks:!1,reliableMarginRight:!0},g.checked=!0,e.noCloneChecked=g.cloneNode(!0).checked,p.disabled=!0,e.optDisabled=!q.disabled;try{delete c.test}catch(y){e.deleteExpando=!1}!c.addEventListener&&c.attachEvent&&c.fireEvent&&(c.attachEvent(bu,function(){e.noCloneEvent=!1}),c.cloneNode(!0).fireEvent(bu)),g=d.createElement(m),g.value="t",g.setAttribute(ak,z),e.radioValue=g.value==="t",g.setAttribute(aJ,aJ),c.appendChild(g),s=d.createDocumentFragment(),s.appendChild(c.lastChild),e.checkClone=s.cloneNode(!0).cloneNode(!0).lastChild.checked,c.innerHTML="",c.style.width=c.style.paddingLeft="1px",h=d.getElementsByTagName(Q)[0],f=d.createElement(h?r:Q),w={visibility:_,width:0,height:0,border:0,margin:0,background:v},h&&a.extend(w,{position:aI,left:"-999px",top:"-999px"});for(l in w)f.style[l]=w[l];f.appendChild(c),t=h||A,t.insertBefore(f,t.firstChild),e.appendChecked=g.checked,e.boxModel=c.offsetWidth===2,"zoom"in c.style&&(c.style.display=aH,c.style.zoom=1,e.inlineBlockNeedsLayout=c.offsetWidth===2,c.style.display="",c.innerHTML="<div style='width:4px;'></div>",e.shrinkWrapBlocks=c.offsetWidth!==2),c.innerHTML="<table><tr><td style='padding:0;border:0;display:none'></td><td>t</td></tr></table>",o=c.getElementsByTagName("td"),n=o[0].offsetHeight===0,o[0].style.display="",o[1].style.display=v,e.reliableHiddenOffsets=n&&o[0].offsetHeight===0,c.innerHTML="",d.defaultView&&d.defaultView.getComputedStyle&&(j=d.createElement(r),j.style.width="0",j.style.marginRight="0",c.appendChild(j),e.reliableMarginRight=(parseInt((d.defaultView.getComputedStyle(j,b)||{marginRight:0}).marginRight,10)||0)===0);if(c.attachEvent)for(l in{submit:1,change:1,focusin:1})x=P+l,n=x in c,n||(c.setAttribute(x,"return;"),n=typeof c[x]==J),e[l+"Bubbles"]=n;a(function(){var g,i,c,m,j,n=1,o="position:absolute;top:0;left:0;width:1px;height:1px;margin:0;",p="visibility:hidden;border:0;",q="style='"+o+"border:5px solid #000;padding:0;'",s="<div "+q+"><div></div></div>"+"<table "+q+" cellpadding='0' cellspacing='0'>"+"<tr><td></td></tr></table>";h=d.getElementsByTagName(Q)[0];!h||(g=d.createElement(r),g.style.cssText=p+"width:0;height:0;position:static;top:0;margin-top:"+n+u,h.insertBefore(g,h.firstChild),f=d.createElement(r),f.style.cssText=o+p,f.innerHTML=s,g.appendChild(f),i=f.firstChild,c=i.firstChild,m=i.nextSibling.firstChild.firstChild,j={doesNotAddBorder:c.offsetTop!==5,doesAddBorderForTableAndCells:m.offsetTop===5},c.style.position=aj,c.style.top="20px",j.fixedPosition=c.offsetTop===20||c.offsetTop===15,c.style.position=c.style.top="",i.style.overflow=_,i.style.position=aG,j.subtractsBorderForOverflowNotVisible=c.offsetTop===-5,j.doesNotIncludeMarginInBodyOffset=h.offsetTop!==n,h.removeChild(g),f=g=b,a.extend(e,j))}),f.innerHTML="",t.removeChild(f),f=s=p=q=h=j=c=g=b;return e}(),a.boxModel=a.support.boxModel;var cu=/^(?:\{.*\}|\[.*\])$/,cv=/([A-Z])/g;a.extend({cache:{},uuid:0,expando:"jQuery"+(a.fn.jquery+y.random()).replace(/\D/g,""),noData:{embed:!0,object:"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000",applet:!0},hasData:function(b){b=b.nodeType?a.cache[b[a.expando]]:b[a.expando];return!!b&&!aS(b)},data:function(i,e,m,n){if(!!a.acceptData(i)){var o,f,j,p=typeof e==g,k=i.nodeType,h=k?a.cache:i,d=k?i[a.expando]:i[a.expando]&&a.expando,q=e===ai;if((!d||!h[d]||!q&&!n&&!h[d].data)&&p&&m===c)return;d||(k?i[a.expando]=d=++a.uuid:d=a.expando),h[d]||(h[d]={},k||(h[d].toJSON=a.noop));if(typeof e==l||typeof e==J)n?h[d]=a.extend(h[d],e):h[d].data=a.extend(h[d].data,e);o=f=h[d],n||(f.data||(f.data={}),f=f.data),m!==c&&(f[a.camelCase(e)]=m);if(q&&!f[e])return o.events;p?(j=f[e],j==b&&(j=f[a.camelCase(e)])):j=f;return j}},removeData:function(d,c,j){if(!!a.acceptData(d)){var h,i,m,k=d.nodeType,e=k?a.cache:d,g=k?d[a.expando]:a.expando;if(!e[g])return;if(c){h=j?e[g]:e[g].data;if(h){a.isArray(c)?c=c:c in h?c=[c]:(c=a.camelCase(c),c in h?c=[c]:c=c.split(f));for(i=0,m=c.length;i<m;i++)delete h[c[i]];if(!(j?aS:a.isEmptyObject)(h))return}}if(!j){delete e[g].data;if(!aS(e[g]))return}a.support.deleteExpando||!e.setInterval?delete e[g]:e[g]=b,k&&(a.support.deleteExpando?delete d[a.expando]:d.removeAttribute?d.removeAttribute(a.expando):d[a.expando]=b)}},_data:function(s,t,u){return a.data(s,t,u,!0)},acceptData:function(i){if(i.nodeName){var j=a.noData[i.nodeName.toLowerCase()];if(j)return j!==!0&&i.getAttribute("classid")===j}return!0}}),a.fn.extend({data:function(f,i){var d,j,g,e=b;if(typeof f==n){if(this.length){e=a.data(this[0]);if(this[0].nodeType===1&&!a._data(this[0],bt)){j=this[0].attributes;for(var k=0,s=j.length;k<s;k++)g=j[k].name,g.indexOf("data-")===0&&(g=a.camelCase(g.substring(5)),bO(this[0],g,e[g]));a._data(this[0],bt,!0)}}return e}if(typeof f==l)return this.each(function(){a.data(this,f)});d=f.split(o),d[1]=d[1]?o+d[1]:"";if(i===c){e=this.triggerHandler("getData"+d[1]+"!",[d[0]]),e===c&&this.length&&(e=a.data(this[0],f),e=bO(this[0],f,e));return e===c&&d[1]?this.data(d[0]):e}return this.each(function(){var m=a(this),n=[d[0],i];m.triggerHandler("setData"+d[1]+"!",n),a.data(this,f,i),m.triggerHandler("changeData"+d[1]+"!",n)})},removeData:function(s){return this.each(function(){a.removeData(this,s)})}}),a.extend({_mark:function(i,f){i&&(f=(f||q)+R,a._data(i,f,(a._data(i,f)||0)+1))},_unmark:function(f,b,c){f!==!0&&(c=b,b=f,f=!1);if(b){c=c||q;var i=c+R,m=f?0:(a._data(b,i)||1)-1;m?a._data(b,i,m):(a.removeData(b,i,!0),bN(b,c,R))}},queue:function(i,f,g){var c;if(i){f=(f||q)+ad,c=a._data(i,f),g&&(!c||a.isArray(g)?c=a._data(i,f,a.makeArray(g)):c.push(g));return c||[]}},dequeue:function(c,b){b=b||q;var f=a.queue(c,b),g=f.shift(),m={};g===aF&&(g=f.shift()),g&&(b===q&&f.unshift(aF),a._data(c,b+ah,m),g.call(c,function(){a.dequeue(c,b)},m)),f.length||(a.removeData(c,b+"queue "+b+ah,!0),bN(c,b,ad))}}),a.fn.extend({queue:function(b,i){typeof b!=g&&(i=b,b=q);if(i===c)return a.queue(this[0],b);return this.each(function(){var s=a.queue(this,b,i);b===q&&s[0]!==aF&&a.dequeue(this,b)})},dequeue:function(s){return this.each(function(){a.dequeue(this,s)})},delay:function(c,i){c=a.fx?a.fx.speeds[c]||c:c,i=i||q;return this.queue(i,function(s,t){var u=D(s,c);t.stop=function(){a0(u)}})},clearQueue:function(s){return this.queue(s||q,[])},promise:function(b,s){function m(){--o||n.resolveWith(d,[d])}typeof b!=g&&(s=b,b=c),b=b||q;var n=a.Deferred(),d=this,e=d.length,o=1,p=b+"defer",t=b+ad,u=b+R,r;while(e--)if(r=a.data(d[e],p,c,!0)||(a.data(d[e],t,c,!0)||a.data(d[e],u,c,!0))&&a.data(d[e],p,a.Callbacks(ab),!0))o++,r.add(m);m();return n.promise()}});var bQ=/[\n\t\r]/g,ar=/\s+/,cw=/\r/g,cx=/^(?:button|input)$/i,cy=/^(?:button|input|object|select|textarea)$/i,cz=/^a(?:rea)?$/i,bR=/^(?:autofocus|autoplay|async|checked|controls|defer|disabled|hidden|loop|multiple|open|readonly|required|scoped|selected)$/i,bS=a.support.getSetAttribute,B,bT,bU;a.fn.extend({attr:function(s,t){return a.access(this,s,t,!0,a.attr)},removeAttr:function(s){return this.each(function(){a.removeAttr(this,s)})},prop:function(s,t){return a.access(this,s,t,!0,a.prop)},removeProp:function(d){d=a.propFix[d]||d;return this.each(function(){try{this[d]=c,delete this[d]}catch(y){}})},addClass:function(b){var d,h,n,c,i,e,o;if(a.isFunction(b))return this.each(function(s){a(this).addClass(b.call(this,s,this.className))});if(b&&typeof b==g){d=b.split(ar);for(h=0,n=this.length;h<n;h++){c=this[h];if(c.nodeType===1)if(!c.className&&d.length===1)c.className=b;else{i=f+c.className+f;for(e=0,o=d.length;e<o;e++)~i.indexOf(f+d[e]+f)||(i+=d[e]+f);c.className=a.trim(i)}}}return this},removeClass:function(b){var k,h,n,d,i,j,o;if(a.isFunction(b))return this.each(function(s){a(this).removeClass(b.call(this,s,this.className))});if(b&&typeof b==g||b===c){k=(b||"").split(ar);for(h=0,n=this.length;h<n;h++){d=this[h];if(d.nodeType===1&&d.className)if(b){i=(f+d.className+f).replace(bQ,f);for(j=0,o=k.length;j<o;j++)i=i.replace(f+k[j]+f,f);d.className=a.trim(i)}else d.className=""}}return this},toggleClass:function(c,f){var i=typeof c,s=typeof f==ac;if(a.isFunction(c))return this.each(function(s){a(this).toggleClass(c.call(this,s,this.className,f),f)});return this.each(function(){if(i===g){var j,t=0,o=a(this),k=f,u=c.split(ar);while(j=u[t++])k=s?k:!o.hasClass(j),o[k?"addClass":"removeClass"](j)}else if(i===n||i===ac)this.className&&a._data(this,bs,this.className),this.className=this.className||c===!1?"":a._data(this,bs)||""})},hasClass:function(s){var t=f+s+f,a=0,u=this.length;for(;a<u;a++)if(this[a].nodeType===1&&(f+this[a].className+f).replace(bQ,f).indexOf(t)>-1)return!0;return!1},val:function(i){var e,f,n,h=this[0];if(!arguments.length){if(h){e=a.valHooks[h.nodeName.toLowerCase()]||a.valHooks[h.type];if(e&&O in e&&(f=e.get(h,aE))!==c)return f;f=h.value;return typeof f==g?f.replace(cw,""):f==b?"":f}return c}n=a.isFunction(i);return this.each(function(t){var u=a(this),d;if(this.nodeType===1){n?d=i.call(this,t,u.val()):d=i,d==b?d="":typeof d==s?d+="":a.isArray(d)&&(d=a.map(d,function(n){return n==b?"":n+""})),e=a.valHooks[this.nodeName.toLowerCase()]||a.valHooks[this.type];if(!e||!(ag in e)||e.set(this,d,aE)===c)this.value=d}})}}),a.extend({valHooks:{option:{get:function(i){var n=i.attributes.value;return!n||n.specified?i.value:i.text}},select:{get:function(j){var k,f,n,c,g=j.selectedIndex,l=[],h=j.options,i=j.type==="select-one";if(g<0)return b;f=i?g:0,n=i?g+1:h.length;for(;f<n;f++){c=h[f];if(c.selected&&(a.support.optDisabled?!c.disabled:c.getAttribute("disabled")===b)&&(!c.parentNode.disabled||!a.nodeName(c.parentNode,"optgroup"))){k=a(c).val();if(i)return k;l.push(k)}}if(i&&!l.length&&h.length)return a(h[g]).val();return l},set:function(n,s){var i=a.makeArray(s);a(n).find(aN).each(function(){this.selected=a.inArray(a(this).val(),i)>=0}),i.length||(n.selectedIndex=-1);return i}}},attrFn:{val:!0,css:!0,html:!0,text:!0,data:!0,width:!0,height:!0,offset:!0},attr:function(e,d,f,t){var g,h,i,j=e.nodeType;if(!e||j===3||j===8||j===2)return c;if(t&&d in a.attrFn)return a(e)[d](f);if(!("getAttribute"in e))return a.prop(e,d,f);i=j!==1||!a.isXMLDoc(e),i&&(d=d.toLowerCase(),h=a.attrHooks[d]||(bR.test(d)?bT:B));if(f!==c){if(f===b){a.removeAttr(e,d);return c}if(h&&ag in h&&i&&(g=h.set(e,f,d))!==c)return g;e.setAttribute(d,""+f);return f}if(h&&O in h&&i&&(g=h.get(e,d))!==b)return g;g=e.getAttribute(d);return g===b?c:g},removeAttr:function(c,t){var f,i,b,n,j=0;if(c.nodeType===1){i=(t||"").split(ar),n=i.length;for(;j<n;j++)b=i[j].toLowerCase(),f=a.propFix[b]||b,a.attr(c,b,""),c.removeAttribute(bS?b:f),bR.test(b)&&f in c&&(c[f]=!1)}},attrHooks:{type:{set:function(b,j){if(cx.test(b.nodeName)&&b.parentNode)a.error("type property can't be changed");else if(!a.support.radioValue&&j===z&&a.nodeName(b,m)){var n=b.value;b.setAttribute(ak,j),n&&(b.value=n);return j}}},value:{get:function(f,n){if(B&&a.nodeName(f,I))return B.get(f,n);return n in f?f.value:b},set:function(j,n,t){if(B&&a.nodeName(j,I))return B.set(j,n,t);j.value=n}}},propFix:{tabindex:"tabIndex",readonly:"readOnly","for":br,"class":aL,maxlength:"maxLength",cellspacing:"cellSpacing",cellpadding:"cellPadding",rowspan:"rowSpan",colspan:"colSpan",usemap:"useMap",frameborder:"frameBorder",contenteditable:"contentEditable"},prop:function(e,d,j){var g,f,n,h=e.nodeType;if(!e||h===3||h===8||h===2)return c;n=h!==1||!a.isXMLDoc(e),n&&(d=a.propFix[d]||d,f=a.propHooks[d]);return j!==c?f&&ag in f&&(g=f.set(e,j,d))!==c?g:e[d]=j:f&&O in f&&(g=f.get(e,d))!==b?g:e[d]},propHooks:{tabIndex:{get:function(a){var j=a.getAttributeNode("tabindex");return j&&j.specified?parseInt(j.value,10):cy.test(a.nodeName)||cz.test(a.nodeName)&&a.href?0:c}}}}),a.attrHooks.tabindex=a.propHooks.tabIndex,bT={get:function(n,j){var o,p=a.prop(n,j);return p===!0||typeof p!=ac&&(o=n.getAttributeNode(j))&&o.nodeValue!==!1?j.toLowerCase():c},set:function(f,t,b){var j;t===!1?a.removeAttr(f,b):(j=a.propFix[b]||b,j in f&&(f[j]=!0),f.setAttribute(b,b.toLowerCase()));return b}},bS||(bU={name:!0,id:!0},B=a.valHooks.button={get:function(t,n){var a;a=t.getAttributeNode(n);return a&&(bU[n]?a.nodeValue!=="":a.specified)?a.nodeValue:c},set:function(n,t,o){var a=n.getAttributeNode(o);a||(a=d.createAttribute(o),n.setAttributeNode(a));return a.nodeValue=t+""}},a.attrHooks.tabindex.set=B.set,a.each([A,H],function(y,j){a.attrHooks[j]=a.extend(a.attrHooks[j],{set:function(t,n){if(n===""){t.setAttribute(j,af);return n}}})}),a.attrHooks.contenteditable={get:B.get,set:function(t,j,u){j===""&&(j=aM),B.set(t,j,u)}}),a.support.hrefNormalized||a.each([aa,"src",A,H],function(y,j){a.attrHooks[j]=a.extend(a.attrHooks[j],{get:function(t){var n=t.getAttribute(j,2);return n===b?c:n}})}),a.support.style||(a.attrHooks.style={get:function(t){return t.style.cssText.toLowerCase()||c},set:function(t,u){return t.style.cssText=""+u}}),a.support.optSelected||(a.propHooks.selected=a.extend(a.propHooks.selected,{get:function(t){var a=t.parentNode;a&&(a.selectedIndex,a.parentNode&&a.parentNode.selectedIndex);return b}})),a.support.enctype||(a.propFix.enctype="encoding"),a.support.checkOn||a.each([z,K],function(){a.valHooks[this]={get:function(n){return n.getAttribute(aE)===b?P:n.value}}}),a.each([z,K],function(){a.valHooks[this]=a.extend(a.valHooks[this],{set:function(n,o){if(a.isArray(o))return n.checked=a.inArray(a(n).val(),o)>=0}})});var aU=/^(?:textarea|input|select)$/i,bV=/^([^\.]*)?(?:\.(.+))?$/,cA=/\bhover(\.\S+)?/,cB=/^key/,cC=/^(?:mouse|contextmenu)|click/,cD=/^(\w*)(?:#([\w\-]+))?(?:\.([\w\-]+))?$/,cE=function(t){var a=cD.exec(t);a&&(a[1]=(a[1]||"").toLowerCase(),a[3]=a[3]&&new E("(?:^|\\s)"+a[3]+"(?:\\s|$)"));return a},cF=function(j,a){return(!a[1]||j.nodeName.toLowerCase()===a[1])&&(!a[2]||j.id===a[2])&&(!a[3]||a[3].test(j.className))},bW=function(n){return a.event.special.hover?n:n.replace(cA,"mouseenter$1 mouseleave$1")};a.event={add:function(d,m,g,v,l){var p,i,q,r,s,e,t,h,u,k,j;if(!(d.nodeType===3||d.nodeType===8||!m||!g||!(p=a._data(d)))){g.handler&&(u=g,g=u.handler),g.guid||(g.guid=a.guid++),q=p.events,q||(p.events=q={}),i=p.handle,i||(p.handle=i=function(o){return typeof a!=n&&(!o||a.event.triggered!==o.type)?a.event.dispatch.apply(i.elem,arguments):c},i.elem=d),m=bW(m).split(f);for(r=0;r<m.length;r++){s=bV.exec(m[r])||[],e=s[1],t=(s[2]||"").split(o).sort(),j=a.event.special[e]||{},e=(l?j.delegateType:j.bindType)||e,j=a.event.special[e]||{},h=a.extend({type:e,origType:s[1],data:v,handler:g,guid:g.guid,selector:l,namespace:t.join(o)},u),l&&(h.quick=cE(l),!h.quick&&a.expr.match.POS.test(l)&&(h.isPositional=!0)),k=q[e];if(!k){k=q[e]=[],k.delegateCount=0;if(!j.setup||j.setup.call(d,v,t,i)===!1)d.addEventListener?d.addEventListener(e,i,!1):d.attachEvent&&d.attachEvent(P+e,i)}j.add&&(j.add.call(d,h),h.handler.guid||(h.handler.guid=g.guid)),l?k.splice(k.delegateCount++,0,h):k.push(h),a.event.global[e]=!0}d=b}},global:{},remove:function(h,m,n,k){var p=a.hasData(h)&&a._data(h),q,r,e,c,t,i,l,g,s,d,j;if(!!p&&!!(l=p.events)){m=bW(m||"").split(f);for(q=0;q<m.length;q++){r=bV.exec(m[q])||[],e=r[1],c=r[2];if(!e){c=c?o+c:"";for(i in l)a.event.remove(h,i+c,n,k);return}g=a.event.special[e]||{},e=(k?g.delegateType:g.bindType)||e,d=l[e]||[],t=d.length,c=c?new E(bq+c.split(o).sort().join(bp)+bo):b;if(n||c||k||g.remove)for(i=0;i<d.length;i++){j=d[i];if(!n||n.guid===j.guid)if(!c||c.test(j.namespace))if(!k||k===j.selector||k==="**"&&j.selector)d.splice(i--,1),j.selector&&d.delegateCount--,g.remove&&g.remove.call(h,j)}else d.length=0;d.length===0&&t!==d.length&&((!g.teardown||g.teardown.call(h,c)===!1)&&a.removeEvent(h,e,p.handle),delete l[e])}a.isEmptyObject(l)&&(s=p.handle,s&&(s.elem=b),a.removeData(h,[ai,"handle"],!0))}},customEvent:{getData:!0,setData:!0,changeData:!0},trigger:function(d,j,f,u){if(!f||f.nodeType!==3&&f.nodeType!==8){var e=d.type||d,r=[],s,v,k,g,h,n,m,p,q,t;e.indexOf("!")>=0&&(e=e.slice(0,-1),v=!0),e.indexOf(o)>=0&&(r=e.split(o),e=r.shift(),r.sort());if((!f||a.event.customEvent[e])&&!a.event.global[e])return;d=typeof d==l?d[a.expando]?d:new a.Event(e,d):new a.Event(e),d.type=e,d.isTrigger=!0,d.exclusive=v,d.namespace=r.join(o),d.namespace_re=d.namespace?new E(bq+r.join(bp)+bo):b,n=e.indexOf(":")<0?P+e:"",(u||!f)&&d.preventDefault();if(!f){s=a.cache;for(k in s)s[k].events&&s[k].events[e]&&a.event.trigger(d,j,s[k].handle.elem,!0);return}d.result=c,d.target||(d.target=f),j=j!=b?a.makeArray(j):[],j.unshift(d),m=a.event.special[e]||{};if(m.trigger&&m.trigger.apply(f,j)===!1)return;q=[[f,m.bindType||e]];if(!u&&!m.noBubble&&!a.isWindow(f)){t=m.delegateType||e,h=b;for(g=f.parentNode;g;g=g.parentNode)q.push([g,t]),h=g;h&&h===f.ownerDocument&&q.push([h.defaultView||h.parentWindow||i,t])}for(k=0;k<q.length;k++){g=q[k][0],d.type=q[k][1],p=(a._data(g,ai)||{})[d.type]&&a._data(g,"handle"),p&&p.apply(g,j),p=n&&g[n],p&&a.acceptData(g)&&p.apply(g,j);if(d.isPropagationStopped())break}d.type=e,d.isDefaultPrevented()||(!m._default||m._default.apply(f.ownerDocument,j)===!1)&&(e!=="click"||!a.nodeName(f,"a"))&&a.acceptData(f)&&n&&f[e]&&(e!=="focus"&&e!=="blur"||d.target.offsetWidth!==0)&&!a.isWindow(f)&&(h=f[n],h&&(f[n]=b),a.event.triggered=e,f[e](),a.event.triggered=c,h&&(f[n]=h));return d.result}},dispatch:function(b){b=a.event.fix(b||i.event);var k=(a._data(this,ai)||{})[b.type]||[],l=k.delegateCount,r=[].slice.call(arguments,0),t=!b.exclusive&&!b.namespace,u=(a.event.special[b.type]||{}).handle,m=[],e,n,f,o,p,j,q,d,g,h;r[0]=b,b.delegateTarget=this;if(l&&!b.target.disabled&&(!b.button||b.type!=="click"))for(f=b.target;f!=this;f=f.parentNode||this){p={},q=[];for(e=0;e<l;e++)d=k[e],g=d.selector,h=p[g],d.isPositional?h=(h||(p[g]=a(g))).index(f)>=0:h===c&&(h=p[g]=d.quick?cF(f,d.quick):a(f).is(g)),h&&q.push(d);q.length&&m.push({elem:f,matches:q})}k.length>l&&m.push({elem:this,matches:k.slice(l)});for(e=0;e<m.length&&!b.isPropagationStopped();e++){j=m[e],b.currentTarget=j.elem;for(n=0;n<j.matches.length&&!b.isImmediatePropagationStopped();n++){d=j.matches[n];if(t||!b.namespace&&!d.namespace||b.namespace_re&&b.namespace_re.test(d.namespace))b.data=d.data,b.handleObj=d,o=(u||d.handler).apply(j.elem,r),o!==c&&(b.result=o,o===!1&&(b.preventDefault(),b.stopPropagation()))}}return b.result},props:"attrChange attrName relatedNode srcElement altKey bubbles cancelable ctrlKey currentTarget eventPhase metaKey relatedTarget shiftKey target timeStamp view which".split(f),fixHooks:{},keyHooks:{props:"char charCode key keyCode".split(f),filter:function(j,k){j.which==b&&(j.which=k.charCode!=b?k.charCode:k.keyCode);return j}},mouseHooks:{props:"button buttons clientX clientY fromElement offsetX offsetY pageX pageY screenX screenY toElement wheelDelta".split(f),filter:function(a,g){var j,e,f,h=g.button,k=g.fromElement;a.pageX==b&&g.clientX!=b&&(j=a.target.ownerDocument||d,e=j.documentElement,f=j.body,a.pageX=g.clientX+(e&&e.scrollLeft||f&&f.scrollLeft||0)-(e&&e.clientLeft||f&&f.clientLeft||0),a.pageY=g.clientY+(e&&e.scrollTop||f&&f.scrollTop||0)-(e&&e.clientTop||f&&f.clientTop||0)),!a.relatedTarget&&k&&(a.relatedTarget=k===a.target?g.toElement:k),!a.which&&h!==c&&(a.which=h&1?1:h&2?3:h&4?2:0);return a}},fix:function(b){if(b[a.expando])return b;var j,k,f=b,g=a.event.fixHooks[b.type]||{},n=g.props?this.props.concat(g.props):this.props;b=a.Event(f);for(j=n.length;j;)k=n[--j],b[k]=f[k];b.target||(b.target=f.srcElement||d),b.target.nodeType===3&&(b.target=b.target.parentNode),b.metaKey===c&&(b.metaKey=b.ctrlKey);return g.filter?g.filter(b,f):b},special:{ready:{setup:a.bindReady},focus:{delegateType:bn,noBubble:!0},blur:{delegateType:bm,noBubble:!0},beforeunload:{setup:function(y,z,t){a.isWindow(this)&&(this.onbeforeunload=t)},teardown:function(y,t){this.onbeforeunload===t&&(this.onbeforeunload=b)}}},simulate:function(t,n,o,u){var j=a.extend(new a.Event,o,{type:t,isSimulated:!0,originalEvent:{}});u?a.event.trigger(j,b,n):a.event.dispatch.call(n,j),j.isDefaultPrevented()&&o.preventDefault()}},a.event.handle=a.event.dispatch,a.removeEvent=d.removeEventListener?function(n,t,u){n.removeEventListener&&n.removeEventListener(t,u,!1)}:function(n,t,u){n.detachEvent&&n.detachEvent(P+t,u)},a.Event=function(b,j){if(!(this instanceof a.Event))return new a.Event(b,j);b&&b.type?(this.originalEvent=b,this.type=b.type,this.isDefaultPrevented=b.defaultPrevented||b.returnValue===!1||b.getPreventDefault&&b.getPreventDefault()?aq:U):this.type=b,j&&a.extend(this,j),this.timeStamp=b&&b.timeStamp||a.now(),this[a.expando]=!0},a.Event.prototype={preventDefault:function(){this.isDefaultPrevented=aq;var a=this.originalEvent;!a||(a.preventDefault?a.preventDefault():a.returnValue=!1)},stopPropagation:function(){this.isPropagationStopped=aq;var f=this.originalEvent;!f||(f.stopPropagation&&f.stopPropagation(),f.cancelBubble=!0)},stopImmediatePropagation:function(){this.isImmediatePropagationStopped=aq,this.stopPropagation()},isDefaultPrevented:U,isPropagationStopped:U,isImmediatePropagationStopped:U},a.each({mouseenter:"mouseover",mouseleave:"mouseout"},function(t,j){a.event.special[t]=a.event.special[j]={delegateType:j,bindType:j,handle:function(b){var n=this,j=b.relatedTarget,k=b.handleObj,o,p;if(!j||k.origType===b.type||j!==n&&!a.contains(n,j))o=b.type,b.type=k.origType,p=k.handler.apply(this,arguments),b.type=o;return p}}}),a.support.submitBubbles||(a.event.special.submit={setup:function(){if(a.nodeName(this,aK))return!1;a.event.add(this,"click._submit keypress._submit",function(t){var j=t.target,f=a.nodeName(j,m)||a.nodeName(j,I)?j.form:c;f&&!f._submit_attached&&(a.event.add(f,"submit._submit",function(t){this.parentNode&&a.event.simulate("submit",this.parentNode,t,!0)}),f._submit_attached=!0)})},teardown:function(){if(a.nodeName(this,aK))return!1;a.event.remove(this,"._submit")}}),a.support.changeBubbles||(a.event.special.change={setup:function(){if(aU.test(this.nodeName)){if(this.type===K||this.type===z)a.event.add(this,"propertychange._change",function(t){t.originalEvent.propertyName===aJ&&(this._just_changed=!0)}),a.event.add(this,"click._change",function(t){this._just_changed&&(this._just_changed=!1,a.event.simulate("change",this,t,!0))});return!1}a.event.add(this,"beforeactivate._change",function(t){var f=t.target;aU.test(f.nodeName)&&!f._change_attached&&(a.event.add(f,"change._change",function(n){this.parentNode&&!n.isSimulated&&a.event.simulate("change",this.parentNode,n,!0)}),f._change_attached=!0)})},handle:function(f){var j=f.target;if(this!==j||f.isSimulated||f.isTrigger||j.type!==z&&j.type!==K)return f.handleObj.handler.apply(this,arguments)},teardown:function(){a.event.remove(this,"._change");return aU.test(this.nodeName)}}),a.support.focusinBubbles||a.each({focus:bn,blur:bm},function(n,o){var p=0,q=function(n){a.event.simulate(o,n.target,a.event.fix(n),!0)};a.event.special[o]={setup:function(){p++===0&&d.addEventListener(n,q,!0)},teardown:function(){--p===0&&d.removeEventListener(n,q,!0)}}}),a.fn.extend({on:function(h,e,f,d,n){var i,j;if(typeof h==l){typeof e!=g&&(f=e,e=c);for(j in h)this.on(j,e,f,h[j],n);return this}f==b&&d==b?(d=e,f=e=c):d==b&&(typeof e==g?(d=f,f=c):(d=f,f=e,e=c));if(d===!1)d=U;else if(!d)return this;n===1&&(i=d,d=function(t){a().off(t);return i.apply(this,arguments)},d.guid=i.guid||(i.guid=a.guid++));return this.each(function(){a.event.add(this,h,d,f,e)})},one:function(t,u,v,w){return this.on.call(this,t,u,v,w,1)},off:function(b,d,f){if(b&&b.preventDefault&&b.handleObj){var e=b.handleObj;a(b.delegateTarget).off(e.namespace?e.type+o+e.namespace:e.type,e.selector,e.handler);return this}if(typeof b==l){for(var n in b)this.off(n,d,b[n]);return this}if(d===!1||typeof d==J)f=d,d=c;f===!1&&(f=U);return this.each(function(){a.event.remove(this,b,f,d)})},bind:function(t,u,v){return this.on(t,b,u,v)},unbind:function(t,u){return this.off(t,b,u)},live:function(t,u,v){a(this.context).on(t,this.selector,u,v);return this},die:function(t,u){a(this.context).off(t,this.selector||"**",u);return this},delegate:function(t,u,v,w){return this.on(u,t,v,w)},undelegate:function(n,u,v){return arguments.length==1?this.off(n,"**"):this.off(u,n,v)},trigger:function(u,v){return this.each(function(){a.event.trigger(u,v,this)})},triggerHandler:function(u,v){if(this[0])return a.event.trigger(u,v,this[0],!0)},toggle:function(j){var k=arguments,n=j.guid||a.guid++,l=0,o=function(u){var o=(a._data(this,bl+j.guid)||0)%l;a._data(this,bl+j.guid,o+1),u.preventDefault();return k[o].apply(this,arguments)||!1};o.guid=n;while(l<k.length)k[l++].guid=n;return this.click(o)},hover:function(o,u){return this.mouseenter(o).mouseleave(u||o)}}),a.each("blur focus focusin focusout load resize scroll unload click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup error contextmenu".split(f),function(y,c){a.fn[c]=function(j,k){k==b&&(k=j,j=b);return arguments.length>0?this.bind(c,j,k):this.trigger(c)},a.attrFn&&(a.attrFn[c]=!0),cB.test(c)&&(a.event.fixHooks[c]=a.event.keyHooks),cC.test(c)&&(a.event.fixHooks[c]=a.event.mouseHooks)}),function(){function G(o,j,q,f,y,u){for(var c=0,v=f.length;c<v;c++){var a=f[c];if(a){var h=!1;a=a[o];while(a){if(a[p]===q){h=f[a.sizset];break}if(a.nodeType===1){u||(a[p]=q,a.sizset=c);if(typeof j!=g){if(a===j){h=!0;break}}else if(e.filter(j,[a]).length>0){h=a;break}}a=a[o]}f[c]=h}}}function H(o,u,q,f,y,v){for(var c=0,w=f.length;c<w;c++){var a=f[c];if(a){var j=!1;a=a[o];while(a){if(a[p]===q){j=f[a.sizset];break}a.nodeType===1&&!v&&(a[p]=q,a.sizset=c);if(a.nodeName.toLowerCase()===u){j=a;break}a=a[o]}f[c]=j}}}var C=/((?:\((?:\([^()]+\)|[^()]+)+\)|\[(?:\[[^\[\]]*\]|['"][^'"]*['"]|[^\[\]'"]+)+\]|\\.|[^ >+~,(\[\\]+)+|[>+~])(\s*,\s*)?((?:.|\r|\n)*)/g,p="sizcache"+(y.random()+"").replace(o,""),D=0,J=av.prototype.toString,v=!1,L=!0,q=/\\/g,O=/\r\n/g,w=/\W/;[0,0].sort(function(){L=!1;return 0});var e=function(m,c,k,p){k=k||[],c=c||d;var w=c;if(c.nodeType!==1&&c.nodeType!==9)return[];if(!m||typeof m!=g)return k;var o,n,f,t,l,q,r,i,u=!0,s=e.isXML(c),a=[],v=m;do{C.exec(""),o=C.exec(v);if(o){v=o[3],a.push(o[1]);if(o[2]){t=o[3];break}}}while(o);if(a.length>1&&P.exec(m))if(a.length===2&&h.relative[a[0]])n=M(a[0]+a[1],c,p);else{n=h.relative[a[0]]?[c]:e(a.shift(),c);while(a.length)m=a.shift(),h.relative[m]&&(m+=a.shift()),n=M(m,n,p)}else{!p&&a.length>1&&c.nodeType===9&&!s&&h.match.ID.test(a[0])&&!h.match.ID.test(a[a.length-1])&&(l=e.find(a.shift(),c,s),c=l.expr?e.filter(l.expr,l.set)[0]:l.set[0]);if(c){l=p?{expr:a.pop(),set:j(p)}:e.find(a.pop(),a.length===1&&(a[0]==="~"||a[0]==="+")&&c.parentNode?c.parentNode:c,s),n=l.expr?e.filter(l.expr,l.set):l.set,a.length>0?f=j(n):u=!1;while(a.length)q=a.pop(),r=q,h.relative[q]?r=a.pop():q="",r==b&&(r=c),h.relative[q](f,r,s)}else f=a=[]}f||(f=n),f||e.error(q||m);if(J.call(f)===bk)if(!u)k.push.apply(k,f);else if(c&&c.nodeType===1)for(i=0;f[i]!=b;i++)f[i]&&(f[i]===!0||f[i].nodeType===1&&e.contains(c,f[i]))&&k.push(n[i]);else for(i=0;f[i]!=b;i++)f[i]&&f[i].nodeType===1&&k.push(n[i]);else j(f,k);t&&(e(t,w,k,p),e.uniqueSort(k));return k};e.uniqueSort=function(a){if(B){v=L,a.sort(B);if(v)for(var c=1;c<a.length;c++)a[c]===a[c-1]&&a.splice(c--,1)}return a},e.matches=function(u,v){return e(u,b,b,v)},e.matchesSelector=function(u,v){return e(v,b,b,[u]).length>0},e.find=function(c,l,u){var d,f,o,a,g,m;if(!c)return[];for(f=0,o=h.order.length;f<o;f++){g=h.order[f];if(a=h.leftMatch[g].exec(c)){m=a[1],a.splice(1,1);if(m.substr(m.length-1)!=="\\"){a[1]=(a[1]||"").replace(q,""),d=h.find[g](a,l,u);if(d!=b){c=c.replace(h.match[g],"");break}}}}d||(d=typeof l.getElementsByTagName!=n?l.getElementsByTagName(k):[]);return{set:d,expr:c}},e.filter=function(d,j,o,r){var a,g,i,k,n,s,p,l,q,t=d,m=[],f=j,u=j&&j[0]&&e.isXML(j[0]);while(d&&j.length){for(i in h.filter)if((a=h.leftMatch[i].exec(d))!=b&&a[2]){s=h.filter[i],p=a[1],g=!1,a.splice(1,1);if(p.substr(p.length-1)==="\\")continue;f===m&&(m=[]);if(h.preFilter[i]){a=h.preFilter[i](a,f,o,m,r,u);if(!a)g=k=!0;else if(a===!0)continue}if(a)for(l=0;(n=f[l])!=b;l++)n&&(k=s(n,a,l,f),q=r^k,o&&k!=b?q?g=!0:f[l]=!1:q&&(m.push(n),g=!0));if(k!==c){o||(f=m),d=d.replace(h.match[i],"");if(!g)return[];break}}if(d===t)if(g==b)e.error(d);else break;t=d}return f},e.error=function(u){throw"Syntax error, unrecognized expression: "+u};var F=e.getText=function(a){var k,l,f=a.nodeType,m="";if(f){if(f===1){if(typeof a.textContent==g)return a.textContent;if(typeof a.innerText==g)return a.innerText.replace(O,"");for(a=a.firstChild;a;a=a.nextSibling)m+=F(a)}else if(f===3||f===4)return a.nodeValue}else for(k=0;l=a[k];k++)l.nodeType!==8&&(m+=F(l));return m},h=e.selectors={order:["ID","NAME","TAG"],match:{ID:/#((?:[\w\xc0-\uffff\-]|\\.)+)/,CLASS:/\.((?:[\w\xc0-\uffff\-]|\\.)+)/,NAME:/\[name=['"]*((?:[\w\xc0-\uffff\-]|\\.)+)['"]*\]/,ATTR:/\[\s*((?:[\w\xc0-\uffff\-]|\\.)+)\s*(?:(\S?=)\s*(?:(['"])(.*?)\3|(#?(?:[\w\xc0-\uffff\-]|\\.)*)|)|)\s*\]/,TAG:/^((?:[\w\xc0-\uffff\*\-]|\\.)+)/,CHILD:/:(only|nth|last|first)-child(?:\(\s*(even|odd|(?:[+\-]?\d+|(?:[+\-]?\d*)?n\s*(?:[+\-]\s*\d+)?))\s*\))?/,POS:/:(nth|eq|gt|lt|first|last|even|odd)(?:\((\d*)\))?(?=[^\-]|$)/,PSEUDO:/:((?:[\w\xc0-\uffff\-]|\\.)+)(?:\((['"]?)((?:\([^\)]+\)|[^\(\)]*)+)\2\))?/},leftMatch:{},attrMap:{"class":aL,"for":br},attrHandle:{href:function(u){return u.getAttribute(aa)},type:function(u){return u.getAttribute(ak)}},relative:{"+":function(f,b){var o=typeof b==g,p=o&&!w.test(b),q=o&&!p;p&&(b=b.toLowerCase());for(var h=0,u=f.length,a;h<u;h++)if(a=f[h]){while((a=a.previousSibling)&&a.nodeType!==1);f[h]=q||a&&a.nodeName.toLowerCase()===b?a||!1:a===b}q&&e.filter(b,f,!0)},">":function(d,b){var c,k=typeof b==g,a=0,o=d.length;if(k&&!w.test(b)){b=b.toLowerCase();for(;a<o;a++){c=d[a];if(c){var p=c.parentNode;d[a]=p.nodeName.toLowerCase()===b?p:!1}}}else{for(;a<o;a++)c=d[a],c&&(d[a]=k?c.parentNode:c.parentNode===b);k&&e.filter(b,d,!0)}},"":function(u,a,v){var o,x=D++,p=G;typeof a==g&&!w.test(a)&&(a=a.toLowerCase(),o=a,p=H),p(aD,a,x,u,o,v)},"~":function(u,a,v){var o,x=D++,p=G;typeof a==g&&!w.test(a)&&(a=a.toLowerCase(),o=a,p=H),p(ae,a,x,u,o,v)}},find:{ID:function(u,o,v){if(typeof o.getElementById!=n&&!v){var k=o.getElementById(u[1]);return k&&k.parentNode?[k]:[]}},NAME:function(o,p){if(typeof p.getElementsByName!=n){var k=[],l=p.getElementsByName(o[1]);for(var f=0,u=l.length;f<u;f++)l[f].getAttribute("name")===o[1]&&k.push(l[f]);return k.length===0?b:k}},TAG:function(u,o){if(typeof o.getElementsByTagName!=n)return o.getElementsByTagName(u[1])}},preFilter:{CLASS:function(g,o,p,u,v,w){g=f+g[1].replace(q,"")+f;if(w)return g;for(var k=0,a;(a=o[k])!=b;k++)a&&(v^(a.className&&(f+a.className+f).replace(/[\t\n\r]/g,f).indexOf(g)>=0)?p||u.push(a):p&&(o[k]=!1));return!1},ID:function(u){return u[1].replace(q,"")},TAG:function(u,y){return u[1].replace(q,"").toLowerCase()},CHILD:function(a){if(a[1]==="nth"){a[2]||e.error(a[0]),a[2]=a[2].replace(/^\+|\s*/g,"");var k=/(-?)(\d*)(?:n([+\-]?\d*))?/.exec(a[2]==="even"&&"2n"||a[2]==="odd"&&"2n+1"||!/\D/.test(a[2])&&"0n+"+a[2]||a[2]);a[2]=k[1]+(k[2]||1)-0,a[3]=k[3]-0}else a[2]&&e.error(a[0]);a[0]=D++;return a},ATTR:function(a,y,z,A,B,u){var o=a[1]=a[1].replace(q,"");!u&&h.attrMap[o]&&(a[1]=h.attrMap[o]),a[4]=(a[4]||a[5]||"").replace(q,""),a[2]==="~="&&(a[4]=f+a[4]+f);return a},PSEUDO:function(a,o,p,q,u){if(a[1]==="not")if((C.exec(a[3])||"").length>1||/^\w/.test(a[3]))a[3]=e(a[3],b,b,o);else{var v=e.filter(a[3],o,p,!0^u);p||q.push.apply(q,v);return!1}else if(h.match.POS.test(a[0])||h.match.CHILD.test(a[0]))return!0;return a},POS:function(o){o.unshift(!0);return o}},filters:{enabled:function(o){return o.disabled===!1&&o.type!==_},disabled:function(u){return u.disabled===!0},checked:function(u){return u.checked===!0},selected:function(k){k.parentNode&&k.parentNode.selectedIndex;return k.selected===!0},parent:function(u){return!!u.firstChild},empty:function(u){return!u.firstChild},has:function(u,y,v){return!!e(v[3],u).length},header:function(u){return/h\d/i.test(u.nodeName)},text:function(k){var o=k.getAttribute(ak),p=k.type;return k.nodeName.toLowerCase()===m&&"text"===p&&(o===p||o===b)},radio:function(o){return o.nodeName.toLowerCase()===m&&z===o.type},checkbox:function(o){return o.nodeName.toLowerCase()===m&&K===o.type},file:function(o){return o.nodeName.toLowerCase()===m&&"file"===o.type},password:function(o){return o.nodeName.toLowerCase()===m&&"password"===o.type},submit:function(o){var p=o.nodeName.toLowerCase();return(p===m||p===I)&&"submit"===o.type},image:function(o){return o.nodeName.toLowerCase()===m&&"image"===o.type},reset:function(o){var p=o.nodeName.toLowerCase();return(p===m||p===I)&&"reset"===o.type},button:function(o){var p=o.nodeName.toLowerCase();return p===m&&I===o.type||p===I},input:function(u){return/input|select|textarea|button/i.test(u.nodeName)},focus:function(o){return o===o.ownerDocument.activeElement}},setFilters:{first:function(y,u){return u===0},last:function(y,u,z,v){return u===v.length-1},even:function(y,u){return u%2===0},odd:function(y,v){return v%2===1},lt:function(y,v,w){return v<w[3]-0},gt:function(y,v,w){return v>w[3]-0},nth:function(y,v,w){return w[3]-0===v},eq:function(y,v,w){return w[3]-0===v}},filter:{PSEUDO:function(a,f,v,w){var g=f[1],o=h.filters[g];if(o)return o(a,v,f,w);if(g==="contains")return(a.textContent||a.innerText||F([a])||"").indexOf(f[3])>=0;if(g==="not"){var p=f[3];for(var k=0,x=p.length;k<x;k++)if(p[k]===a)return!1;return!0}e.error(g)},CHILD:function(c,g){var d,k,l,e,o,h,q=g[1],a=c;switch(q){case"only":case"first":while(a=a.previousSibling)if(a.nodeType===1)return!1;if(q==="first")return!0;a=c;case"last":while(a=a.nextSibling)if(a.nodeType===1)return!1;return!0;case"nth":d=g[2],k=g[3];if(d===1&&k===0)return!0;l=g[0],e=c.parentNode;if(e&&(e[p]!==l||!c.nodeIndex)){o=0;for(a=e.firstChild;a;a=a.nextSibling)a.nodeType===1&&(a.nodeIndex=++o);e[p]=l}h=c.nodeIndex-k;return d===0?h===0:h%d===0&&h/d>=0}},ID:function(o,v){return o.nodeType===1&&o.getAttribute(N)===v},TAG:function(l,o){return o===k&&l.nodeType===1||!!l.nodeName&&l.nodeName.toLowerCase()===o},CLASS:function(o,v){return(f+(o.className||o.getAttribute("class"))+f).indexOf(v)>-1},ATTR:function(i,k){var g=k[1],j=e.attr?e.attr(i,g):h.attrHandle[g]?h.attrHandle[g](i):i[g]!=b?i[g]:i.getAttribute(g),c=j+"",d=k[2],a=k[4];return j==b?d==="!=":!d&&e.attr?j!=b:d==="="?c===a:d==="*="?c.indexOf(a)>=0:d==="~="?(f+c+f).indexOf(a)>=0:a?d==="!="?c!==a:d==="^="?c.indexOf(a)===0:d==="$="?c.substr(c.length-a.length)===a:d==="|="?c===a||c.substr(0,a.length+1)===a+"-":!1:c&&j!==!1},POS:function(v,o,w,x){var y=o[2],p=h.setFilters[y];if(p)return p(v,w,o,x)}}},P=h.match.POS,R=function(y,v){return"\\"+(v-0+1)};for(var A in h.match)h.match[A]=new E(h.match[A].source+/(?![^\[]*\])(?![^\(]*\))/.source),h.leftMatch[A]=new E(/(^(?:.|\r|\n)*?)/.source+h.match[A].source.replace(/\\(\d+)/g,R));var j=function(g,h){g=x.prototype.slice.call(g,0);if(h){h.push.apply(h,g);return h}return g};try{x.prototype.slice.call(d.documentElement.childNodes,0)[0].nodeType}catch(y){j=function(a,v){var b=0,g=v||[];if(J.call(a)===bk)x.prototype.push.apply(g,a);else if(typeof a.length==s)for(var w=a.length;b<w;b++)g.push(a[b]);else for(;a[b];b++)g.push(a[b]);return g}}var B,u;d.documentElement.compareDocumentPosition?B=function(g,k){if(g===k){v=!0;return 0}if(!g.compareDocumentPosition||!k.compareDocumentPosition)return g.compareDocumentPosition?-1:1;return g.compareDocumentPosition(k)&4?-1:1}:(B=function(c,d){if(c===d){v=!0;return 0}if(c.sourceIndex&&d.sourceIndex)return c.sourceIndex-d.sourceIndex;var k,o,e=[],f=[],l=c.parentNode,m=d.parentNode,b=l;if(l===m)return u(c,d);if(!l)return-1;if(!m)return 1;while(b)e.unshift(b),b=b.parentNode;b=m;while(b)f.unshift(b),b=b.parentNode;k=e.length,o=f.length;for(var a=0;a<k&&a<o;a++)if(e[a]!==f[a])return u(e[a],f[a]);return a===k?u(c,f[a],-1):u(e[a],d,1)},u=function(o,p,v){if(o===p)return v;var g=o.nextSibling;while(g){if(g===p)return-1;g=g.nextSibling}return 1}),function(){var g=d.createElement(r),p=t+(new Date).getTime(),i=d.documentElement;g.innerHTML="<a name='"+p+"'/>",i.insertBefore(g,i.firstChild),d.getElementById(p)&&(h.find.ID=function(k,p,v){if(typeof p.getElementById!=n&&!v){var a=p.getElementById(k[1]);return a?a.id===k[1]||typeof a.getAttributeNode!=n&&a.getAttributeNode(N).nodeValue===k[1]?[a]:c:[]}},h.filter.ID=function(k,v){var p=typeof k.getAttributeNode!=n&&k.getAttributeNode(N);return k.nodeType===1&&p&&p.nodeValue===v}),i.removeChild(g),i=g=b}(),function(){var a=d.createElement(r);a.appendChild(d.createComment("")),a.getElementsByTagName(k).length>0&&(h.find.TAG=function(p,v){var a=v.getElementsByTagName(p[1]);if(p[1]===k){var q=[];for(var g=0;a[g];g++)a[g].nodeType===1&&q.push(a[g]);a=q}return a}),a.innerHTML="<a href='#'></a>",a.firstChild&&typeof a.firstChild.getAttribute!=n&&a.firstChild.getAttribute(aa)!=="#"&&(h.attrHandle.href=function(v){return v.getAttribute(aa,2)}),a=b}(),d.querySelectorAll&&function(){var k=e,g=d.createElement(r),v="__sizzle__";g.innerHTML="<p class='TEST'></p>";if(!g.querySelectorAll||g.querySelectorAll(".TEST").length!==0){e=function(f,a,b,p){a=a||d;if(!p&&!e.isXML(a)){var c=/^(\w+$)|^\.([\w\-]+$)|^#([\w\-]+$)/.exec(f);if(c&&(a.nodeType===1||a.nodeType===9)){if(c[1])return j(a.getElementsByTagName(f),b);if(c[2]&&h.find.CLASS&&a.getElementsByClassName)return j(a.getElementsByClassName(c[2]),b)}if(a.nodeType===9){if(f===Q&&a.body)return j([a.body],b);if(c&&c[3]){var g=a.getElementById(c[3]);if(!g||!g.parentNode)return j([],b);if(g.id===c[3])return j([g],b)}try{return j(a.querySelectorAll(f),b)}catch(y){}}else if(a.nodeType===1&&a.nodeName.toLowerCase()!==l){var w=a,m=a.getAttribute(N),i=m||v,q=a.parentNode,r=/^\s*[+~]/.test(f);m?i=i.replace(/'/g,"\\$&"):a.setAttribute(N,i),r&&q&&(a=a.parentNode);try{if(!r||q)return j(a.querySelectorAll("[id='"+i+"'] "+f),b)}catch(y){}finally{m||w.removeAttribute(N)}}}return k(f,a,b,p)};for(var p in k)e[p]=k[p];g=b}}(),function(){var g=d.documentElement,i=g.matchesSelector||g.mozMatchesSelector||g.webkitMatchesSelector||g.msMatchesSelector;if(i){var v=!i.call(d.createElement(r),r),p=!1;try{i.call(d.documentElement,"[test!='']:sizzle")}catch(y){p=!0}e.matchesSelector=function(c,a){a=a.replace(/\=\s*([^'"\]]*)\s*\]/g,"='$1']");if(!e.isXML(c))try{if(p||!h.match.PSEUDO.test(a)&&!/!=/.test(a)){var q=i.call(c,a);if(q||!v||c.document&&c.document.nodeType!==11)return q}}catch(y){}return e(a,b,b,[c]).length>0}}}(),function(){var a=d.createElement(r);a.innerHTML="<div class='test e'></div><div class='test'></div>";if(!!a.getElementsByClassName&&a.getElementsByClassName("e").length!==0){a.lastChild.className="e";if(a.getElementsByClassName("e").length===1)return;h.order.splice(1,0,"CLASS"),h.find.CLASS=function(v,p,w){if(typeof p.getElementsByClassName!=n&&!w)return p.getElementsByClassName(v[1])},a=b}}(),d.documentElement.contains?e.contains=function(k,p){return k!==p&&(k.contains?k.contains(p):!0)}:d.documentElement.compareDocumentPosition?e.contains=function(v,w){return!!(v.compareDocumentPosition(w)&16)}:e.contains=function(){return!1},e.isXML=function(k){var p=(k?k.ownerDocument||k:0).documentElement;return p?p.nodeName!=="HTML":!1};var M=function(a,l,v){var p,q=[],r="",s=l.nodeType?[l]:l;while(p=h.match.PSEUDO.exec(a))r+=p[0],a=a.replace(h.match.PSEUDO,"");a=h.relative[a]?a+k:a;for(var m=0,w=s.length;m<w;m++)e(a,s[m],q,v);return e.filter(r,q)};e.attr=a.attr,e.selectors.attrMap={},a.find=e,a.expr=e.selectors,a.expr[":"]=a.expr.filters,a.unique=e.uniqueSort,a.text=e.getText,a.isXMLDoc=e.isXML,a.contains=e.contains}();var cG=/Until$/,cH=/^(?:parents|prevUntil|prevAll)/,cI=/,/,cJ=/^.[^:#\[\.,]*$/,cK=x.prototype.slice,bX=a.expr.match.POS,cL={children:!0,contents:!0,next:!0,prev:!0};a.fn.extend({find:function(h){var p=this,b,i;if(typeof h!=g)return a(h).filter(function(){for(b=0,i=p.length;b<i;b++)if(a.contains(p[b],this))return!0});var c=this.pushStack("","find",h),k,d,j;for(b=0,i=this.length;b<i;b++){k=c.length,a.find(h,this[b],c);if(b>0)for(d=k;d<c.length;d++)for(j=0;j<k;j++)if(c[j]===c[d]){c.splice(d--,1);break}}return c},has:function(v){var p=a(v);return this.filter(function(){for(var k=0,v=p.length;k<v;k++)if(a.contains(this,p[k]))return!0})},not:function(p){return this.pushStack(bL(this,p,!1),"not",p)},filter:function(p){return this.pushStack(bL(this,p,!0),"filter",p)},is:function(b){return!!b&&(typeof b==g?bX.test(b)?a(b,this.context).index(this[0])>=0:a.filter(b,this).length>0:this.filter(b).length>0)},closest:function(c,k){var e=[],d,p,b=this[0];if(a.isArray(c)){var q=1;while(b&&b.ownerDocument&&b!==k){for(d=0;d<c.length;d++)a(b).is(c[d])&&e.push({selector:c[d],elem:b,level:q});b=b.parentNode,q++}return e}var r=bX.test(c)||typeof c!=g?a(c,k||this.context):0;for(d=0,p=this.length;d<p;d++){b=this[d];while(b){if(r?r.index(b)>-1:a.find.matchesSelector(b,c)){e.push(b);break}b=b.parentNode;if(!b||!b.ownerDocument||b===k||b.nodeType===11)break}}e=e.length>1?a.unique(e):e;return this.pushStack(e,"closest",c)},index:function(b){if(!b)return this[0]&&this[0].parentNode?this.prevAll().length:-1;if(typeof b==g)return a.inArray(this[0],a(b));return a.inArray(b.jquery?b[0]:b,this)},add:function(b,v){var p=typeof b==g?a(b,v):a.makeArray(b&&b.nodeType?[b]:b),k=a.merge(this.get(),p);return this.pushStack(bM(p[0])||bM(k[0])?k:a.unique(k))},andSelf:function(){return this.add(this.prevObject)}}),a.each({parent:function(v){var k=v.parentNode;return k&&k.nodeType!==11?k:b},parents:function(v){return a.dir(v,aD)},parentsUntil:function(v,y,w){return a.dir(v,aD,w)},next:function(v){return a.nth(v,2,aC)},prev:function(v){return a.nth(v,2,ae)},nextAll:function(v){return a.dir(v,aC)},prevAll:function(v){return a.dir(v,ae)},nextUntil:function(v,y,w){return a.dir(v,aC,w)},prevUntil:function(v,y,w){return a.dir(v,ae,w)},siblings:function(p){return a.sibling(p.parentNode.firstChild,p)},children:function(v){return a.sibling(v.firstChild)},contents:function(g){return a.nodeName(g,"iframe")?g.contentDocument||g.contentWindow.document:a.makeArray(g.childNodes)}},function(c,v){a.fn[c]=function(p,d){var b=a.map(this,v,p),w=cK.call(arguments);cG.test(c)||(d=p),d&&typeof d==g&&(b=a.filter(d,b)),b=this.length>1&&!cL[c]?a.unique(b):b,(this.length>1||cI.test(d))&&cH.test(c)&&(b=b.reverse());return this.pushStack(b,c,w.join(","))}}),a.extend({filter:function(g,h,v){v&&(g=":not("+g+")");return h.length===1?a.find.matchesSelector(h[0],g)?[h[0]]:[]:a.find.matches(g,h)},dir:function(w,p,q){var r=[],b=w[p];while(b&&b.nodeType!==9&&(q===c||b.nodeType!==1||!a(b).is(q)))b.nodeType===1&&r.push(b),b=b[p];return r},nth:function(a,k,w,y){k=k||1;var x=0;for(;a;a=a[w])if(a.nodeType===1&&++x===k)break;return a},sibling:function(a,w){var p=[];for(;a;a=a.nextSibling)a.nodeType===1&&a!==w&&p.push(a);return p}});var bY="abbr article aside audio canvas datalist details figcaption figure footer header hgroup mark meter nav output progress section summary time video",cM=/ jQuery\d+="(?:\d+|null)"/g,aV=/^\s+/,bZ=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/gi,b$=/<([\w:]+)/,cN=/<tbody/i,cO=/<|&#?\w+;/,cP=/<(?:script|style)/i,cQ=/<(?:script|object|embed|option|style)/i,cR=new E("<(?:"+bY.replace(f,"|")+")","i"),b0=/checked\s*(?:[^=]|=\s*.checked.)/i,cS=/\/(java|ecma)script/i,cT=/^\s*<!(?:\[CDATA\[|\-\-)/,p={option:[1,"<select multiple='multiple'>","</select>"],legend:[1,"<fieldset>","</fieldset>"],thead:[1,bj,"</table>"],tr:[2,"<table><tbody>","</tbody></table>"],td:[3,"<table><tbody><tr>","</tr></tbody></table>"],col:[2,"<table><tbody></tbody><colgroup>","</colgroup></table>"],area:[1,"<map>","</map>"],_default:[0,"",""]},cU=bK(d);p.optgroup=p.option,p.tbody=p.tfoot=p.colgroup=p.caption=p.thead,p.th=p.td,a.support.htmlSerialize||(p._default=[1,"div<div>","</div>"]),a.fn.extend({text:function(e){if(a.isFunction(e))return this.each(function(w){var p=a(this);p.text(e.call(this,w,p.text()))});if(typeof e!=l&&e!==c)return this.empty().append((this[0]&&this[0].ownerDocument||d).createTextNode(e));return a.text(this)},wrapAll:function(k){if(a.isFunction(k))return this.each(function(w){a(this).wrapAll(k.call(this,w))});if(this[0]){var p=a(k,this[0].ownerDocument).eq(0).clone(!0);this[0].parentNode&&p.insertBefore(this[0]),p.map(function(){var a=this;while(a.firstChild&&a.firstChild.nodeType===1)a=a.firstChild;return a}).append(this)}return this},wrapInner:function(g){if(a.isFunction(g))return this.each(function(w){a(this).wrapInner(g.call(this,w))});return this.each(function(){var p=a(this),q=p.contents();q.length?q.wrapAll(g):p.append(g)})},wrap:function(w){return this.each(function(){a(this).wrapAll(w)})},unwrap:function(){return this.parent().each(function(){a.nodeName(this,Q)||a(this).replaceWith(this.childNodes)}).end()},append:function(){return this.domManip(arguments,!0,function(w){this.nodeType===1&&this.appendChild(w)})},prepend:function(){return this.domManip(arguments,!0,function(w){this.nodeType===1&&this.insertBefore(w,this.firstChild)})},before:function(){if(this[0]&&this[0].parentNode)return this.domManip(arguments,!1,function(w){this.parentNode.insertBefore(w,this)});if(arguments.length){var k=a(arguments[0]);k.push.apply(k,this.toArray());return this.pushStack(k,"before",arguments)}},after:function(){if(this[0]&&this[0].parentNode)return this.domManip(arguments,!1,function(w){this.parentNode.insertBefore(w,this.nextSibling)});if(arguments.length){var k=this.pushStack(this,"after",arguments);k.push.apply(k,a(arguments[0]).toArray());return k}},remove:function(p,w){for(var q=0,c;(c=this[q])!=b;q++)if(!p||a.filter(p,[c]).length)!w&&c.nodeType===1&&(a.cleanData(c.getElementsByTagName(k)),a.cleanData([c])),c.parentNode&&c.parentNode.removeChild(c);return this},empty:function(){for(var p=0,c;(c=this[p])!=b;p++){c.nodeType===1&&a.cleanData(c.getElementsByTagName(k));while(c.firstChild)c.removeChild(c.firstChild)}return this},clone:function(c,g){c=c==b?!1:c,g=g==b?c:g;return this.map(function(){return a.clone(this,c,g)})},html:function(d){if(d===c)return this[0]&&this[0].nodeType===1?this[0].innerHTML.replace(cM,""):b;if(typeof d==g&&!cP.test(d)&&(a.support.leadingWhitespace||!aV.test(d))&&!p[(b$.exec(d)||["",""])[1].toLowerCase()]){d=d.replace(bZ,bi);try{for(var e=0,w=this.length;e<w;e++)this[e].nodeType===1&&(a.cleanData(this[e].getElementsByTagName(k)),this[e].innerHTML=d)}catch(y){this.empty().append(d)}}else a.isFunction(d)?this.each(function(w){var p=a(this);p.html(d.call(this,w,p.html()))}):this.empty().append(d);return this},replaceWith:function(b){if(this[0]&&this[0].parentNode){if(a.isFunction(b))return this.each(function(w){var q=a(this),x=q.html();q.replaceWith(b.call(this,w,x))});typeof b!=g&&(b=a(b).detach());return this.each(function(){var q=this.nextSibling,w=this.parentNode;a(this).remove(),q?a(q).before(b):a(w).append(b)})}return this.length?this.pushStack(a(a.isFunction(b)?b():b),bh,b):this},detach:function(w){return this.remove(w,!0)},domManip:function(f,d,l){var k,h,b,i,e=f[0],m=[];if(!a.support.checkClone&&arguments.length===3&&typeof e==g&&b0.test(e))return this.each(function(){a(this).domManip(f,d,l,!0)});if(a.isFunction(e))return this.each(function(w){var q=a(this);f[0]=e.call(this,w,d?q.html():c),q.domManip(f,d,l)});if(this[0]){i=e&&e.parentNode,a.support.parentNode&&i&&i.nodeType===11&&i.childNodes.length===this.length?k={fragment:i}:k=a.buildFragment(f,this,m),b=k.fragment,b.childNodes.length===1?h=b=b.firstChild:h=b.firstChild;if(h){d=d&&a.nodeName(h,"tr");for(var j=0,n=this.length,w=n-1;j<n;j++)l.call(d?cq(this[j],h):this[j],k.cacheable||n>1&&j<w?a.clone(b,!0,!0):b)}m.length&&a.each(m,cp)}return this}}),a.buildFragment=function(k,h,w){var c,l,f,e,b=k[0];h&&h[0]&&(e=h[0].ownerDocument||h[0]),e.createDocumentFragment||(e=d),k.length===1&&typeof b==g&&b.length<512&&e===d&&b.charAt(0)==="<"&&!cQ.test(b)&&(a.support.checkClone||!b0.test(b))&&!a.support.unknownElems&&cR.test(b)&&(l=!0,f=a.fragments[b],f&&f!==1&&(c=f)),c||(c=e.createDocumentFragment(),a.clean(k,e,c,w)),l&&(a.fragments[b]=f?c:1);return{fragment:c,cacheable:l}},a.fragments={},a.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:bh},function(q,r){a.fn[q]=function(w){var k=[],c=a(w),l=this.length===1&&this[0].parentNode;if(l&&l.nodeType===11&&l.childNodes.length===1&&c.length===1){c[r](this[0]);return this}for(var g=0,x=c.length;g<x;g++){var s=(g>0?this.clone(!0):this).get();a(c[g])[r](s),k=k.concat(s)}return this.pushStack(k,q,c.selector)}}),a.extend({clone:function(d,w,x){var g=d.cloneNode(!0),e,f,c;if((!a.support.noCloneEvent||!a.support.noCloneChecked)&&(d.nodeType===1||d.nodeType===11)&&!a.isXMLDoc(d)){bI(d,g),e=ap(d),f=ap(g);for(c=0;e[c];++c)f[c]&&bI(e[c],f[c])}if(w){bJ(d,g);if(x){e=ap(d),f=ap(g);for(c=0;e[c];++c)bJ(e[c],f[c])}}e=f=b;return g},clean:function(z,h,q,u){var v;h=h||d,typeof h.createElement==n&&(h=h.ownerDocument||h[0]&&h[0].ownerDocument||d);var e=[],i;for(var f=0,c;(c=z[f])!=b;f++){typeof c==s&&(c+="");if(!c)continue;if(typeof c==g)if(!cO.test(c))c=h.createTextNode(c);else{c=c.replace(bZ,bi);var w=(b$.exec(c)||["",""])[1].toLowerCase(),l=p[w]||p._default,A=l[0],j=h.createElement(r);h===d?cU.appendChild(j):bK(h).appendChild(j),j.innerHTML=l[1]+c+l[2];while(A--)j=j.lastChild;if(!a.support.tbody){var x=cN.test(c),k=w==="table"&&!x?j.firstChild&&j.firstChild.childNodes:l[1]===bj&&!x?j.childNodes:[];for(i=k.length-1;i>=0;--i)a.nodeName(k[i],al)&&!k[i].childNodes.length&&k[i].parentNode.removeChild(k[i])}!a.support.leadingWhitespace&&aV.test(c)&&j.insertBefore(h.createTextNode(aV.exec(c)[0]),j.firstChild),c=j.childNodes}var y;if(!a.support.appendChecked)if(c[0]&&typeof(y=c.length)==s)for(i=0;i<y;i++)bG(c[i]);else bG(c);c.nodeType?e.push(c):e=a.merge(e,c)}if(q){v=function(q){return!q.type||cS.test(q.type)};for(f=0;e[f];f++)if(u&&a.nodeName(e[f],t)&&(!e[f].type||e[f].type.toLowerCase()==="text/javascript"))u.push(e[f].parentNode?e[f].parentNode.removeChild(e[f]):e[f]);else{if(e[f].nodeType===1){var B=a.grep(e[f].getElementsByTagName(t),v);e.splice.apply(e,[f+1,0].concat(B))}q.appendChild(e[f])}}return e},cleanData:function(w){var d,g,q=a.cache,x=a.event.special,y=a.support.deleteExpando;for(var r=0,c;(c=w[r])!=b;r++){if(c.nodeName&&a.noData[c.nodeName.toLowerCase()])continue;g=c[a.expando];if(g){d=q[g];if(d&&d.events){for(var k in d.events)x[k]?a.event.remove(c,k):a.removeEvent(c,k,d.handle);d.handle&&(d.handle.elem=b)}y?delete c[a.expando]:c.removeAttribute&&c.removeAttribute(a.expando),delete q[g]}}}});var aW=/alpha\([^)]*\)/i,cV=/opacity=([^)]*)/,cW=/([A-Z]|^ms)/g,b9=/^-?\d+(?:px)?$/i,cX=/^-?\d/,cY=/^([\-+])=([\-+.\de]+)/,cZ={position:aI,visibility:_,display:"block"},c$=["Left","Right"],c0=["Top","Bottom"],V,ca,cb;a.fn.css=function(w,q){if(arguments.length===2&&q===c)return this;return a.access(this,w,q,!0,function(q,r,s){return s!==c?a.style(q,r,s):a.css(q,r)})},a.extend({cssHooks:{opacity:{get:function(q,w){if(w){var r=V(q,$,$);return r===""?"1":r}return q.style.opacity}}},cssNumber:{fillOpacity:!0,fontWeight:!0,lineHeight:!0,opacity:!0,orphans:!0,widows:!0,zIndex:!0,zoom:!0},cssProps:{"float":a.support.cssFloat?bg:"styleFloat"},style:function(e,h,d,w){if(!!e&&e.nodeType!==3&&e.nodeType!==8&&!!e.style){var i,k,l=a.camelCase(h),q=e.style,f=a.cssHooks[l];h=a.cssProps[l]||l;if(d===c){if(f&&O in f&&(i=f.get(e,!1,w))!==c)return i;return q[h]}k=typeof d,k===g&&(i=cY.exec(d))&&(d=+(i[1]+1)*+i[2]+j(a.css(e,h)),k=s);if(d==b||k===s&&isNaN(d))return;k===s&&!a.cssNumber[l]&&(d+=u);if(!f||!(ag in f)||(d=f.set(e,d))!==c)try{q[h]=d}catch(y){}}},css:function(q,b,w){var r,g;b=a.camelCase(b),g=a.cssHooks[b],b=a.cssProps[b]||b,b===bg&&(b="float");if(g&&O in g&&(r=g.get(q,!0,w))!==c)return r;if(V)return V(q,b)},swap:function(g,k,w){var q={};for(var a in k)q[a]=g.style[a],g.style[a]=k[a];w.call(g);for(a in k)g.style[a]=q[a]}}),a.curCSS=a.css,a.each([H,A],function(y,k){a.cssHooks[k]={get:function(g,w,q){var r;if(w){if(g.offsetWidth!==0)return bF(g,k,q);a.swap(g,cZ,function(){r=bF(g,k,q)});return r}},set:function(y,a){if(!b9.test(a))return a;a=j(a);if(a>=0)return a+u}}}),a.support.opacity||(a.cssHooks.opacity={get:function(l,q){return cV.test((q&&l.currentStyle?l.currentStyle.filter:l.style.filter)||"")?j(E.$1)/100+"":q?"1":""},set:function(q,l){var g=q.style,h=q.currentStyle,r=a.isNumeric(l)?"alpha(opacity="+l*100+")":"",i=h&&h.filter||g.filter||"";g.zoom=1;if(l>=1&&a.trim(i.replace(aW,""))===""){g.removeAttribute("filter");if(h&&!h.filter)return}g.filter=aW.test(i)?i.replace(aW,r):i+f+r}}),a(function(){a.support.reliableMarginRight||(a.cssHooks.marginRight={get:function(l,w){var m;a.swap(l,{display:bf},function(){w?m=V(l,"margin-right",be):m=l.style.marginRight});return m}})}),d.defaultView&&d.defaultView.getComputedStyle&&(ca=function(e,g){var h,q,r;g=g.replace(cW,"-$1").toLowerCase();if(!(q=e.ownerDocument.defaultView))return c;if(r=q.getComputedStyle(e,b))h=r.getPropertyValue(g),h===""&&!a.contains(e.ownerDocument.documentElement,e)&&(h=a.style(e,g));return h}),d.documentElement.currentStyle&&(cb=function(a,l){var q,g,r,c=a.currentStyle&&a.currentStyle[l],d=a.style;c===b&&d&&(r=d[l])&&(c=r),!b9.test(c)&&cX.test(c)&&(q=d.left,g=a.runtimeStyle&&a.runtimeStyle.left,g&&(a.runtimeStyle.left=a.currentStyle.left),d.left=l==="fontSize"?"1em":c||0,c=d.pixelLeft+u,d.left=q,g&&(a.runtimeStyle.left=g));return c===""?af:c}),V=ca||cb,a.expr&&a.expr.filters&&(a.expr.filters.hidden=function(c){var w=c.offsetWidth,x=c.offsetHeight;return w===0&&x===0||!a.support.reliableHiddenOffsets&&(c.style&&c.style.display||a.css(c,S))===v},a.expr.filters.visible=function(w){return!a.expr.filters.hidden(w)});var c9=/%20/g,da=/\[\]$/,cc=/\r?\n/g,db=/#.*$/,dc=/^(.*?):[ \t]*([^\r\n]*)\r?$/gm,dd=/^(?:color|date|datetime|datetime-local|email|hidden|month|number|password|range|search|tel|text|time|url|week)$/i,de=/^(?:about|app|app\-storage|.+\-extension|file|res|widget):$/,df=/^(?:GET|HEAD)$/,dg=/^\/\//,cd=/\?/,dh=/<script\b[^<]*(?:(?!<\/script>)<[^<]*)*<\/script>/gi,di=/^(?:select|textarea)/i,ce=/\s+/,dj=/([?&])_=[^&]*/,cf=/^([\w\+\.\-]+:)(?:\/\/([^\/?#:]*)(?::(\d+))?)?/,cg=a.fn.load,aX={},ch={},L,M,ci=["*/"]+[k];try{L=ct.href}catch(y){L=d.createElement("a"),L.href="",L=L.href}M=cf.exec(L.toLowerCase())||[],a.fn.extend({load:function(d,b,m){if(typeof d!=g&&cg)return cg.apply(this,arguments);if(!this.length)return this;var n=d.indexOf(f);if(n>=0){var q=d.slice(n,d.length);d=d.slice(0,n)}var r="GET";b&&(a.isFunction(b)?(m=b,b=c):typeof b==l&&(b=a.param(b,a.ajaxSettings.traditional),r="POST"));var s=this;a.ajax({url:d,type:r,dataType:"html",data:b,complete:function(g,w,c){c=g.responseText,g.isResolved()&&(g.done(function(w){c=w}),s.html(q?a("<div>").append(c.replace(dh,"")).find(q):c)),m&&s.each(m,[c,w,g])}});return this},serialize:function(){return a.param(this.serializeArray())},serializeArray:function(){return this.map(function(){return this.elements?a.makeArray(this.elements):this}).filter(function(){return this.name&&!this.disabled&&(this.checked||di.test(this.nodeName)||dd.test(this.type))}).map(function(y,q){var g=a(this).val();return g==b?b:a.isArray(g)?a.map(g,function(w,y){return{name:q.name,value:w.replace(cc,"\r\n")}}):{name:q.name,value:g.replace(cc,"\r\n")}}).get()}}),a.each("ajaxStart ajaxStop ajaxComplete ajaxError ajaxSuccess ajaxSend".split(f),function(y,q){a.fn[q]=function(w){return this.bind(q,w)}}),a.each([O,"post"],function(y,q){a[q]=function(w,g,l,m){a.isFunction(g)&&(m=m||l,l=g,g=c);return a.ajax({type:q,url:w,data:g,success:l,dataType:m})}}),a.extend({getScript:function(x,y){return a.get(x,c,y,t)},getJSON:function(x,y,z){return a.get(x,y,z,"json")},ajaxSetup:function(c,l){l?bD(c,a.ajaxSettings):(l=c,c=a.ajaxSettings),bD(c,l);return c},ajaxSettings:{url:L,isLocal:de.test(M[1]),global:!0,type:"GET",contentType:bd,processData:!0,async:!0,accepts:{xml:"application/xml, text/xml",html:"text/html",text:"text/plain",json:"application/json, text/javascript","*":ci},contents:{xml:/xml/,html:/html/,json:/json/},responseFields:{xml:"responseXML",text:"responseText"},converters:{"* text":i.String,"text html":!0,"text json":a.parseJSON,"text xml":a.parseXML},flatOptions:{context:!0,url:!0}},ajaxPrefilter:bE(aX),ajaxTransport:bE(ch),ajax:function(q,j){function r(g,q,r,A){if(f!==2){f=2,x&&a0(x),m=c,w=A||"",e.readyState=g>0?4:0;var j,l,k,b=q,B=r?co(d,e,r):c,t,z;if(g>=200&&g<300||g===304){if(d.ifModified){if(t=e.getResponseHeader("Last-Modified"))a.lastModified[h]=t;if(z=e.getResponseHeader("Etag"))a.etag[h]=z}if(g===304)b="notmodified",j=!0;else try{l=cn(d,B),b=bc,j=!0}catch(x){b=bv,k=x}}else{k=b;if(!b||g)b="error",g<0&&(g=0)}e.status=g,e.statusText=""+(q||b),j?v.resolveWith(i,[l,b,e]):v.rejectWith(i,[e,b,k]),e.statusCode(s),s=c,p&&u.trigger("ajax"+(j?"Success":"Error"),[e,d,j?l:k]),y.fireWith(i,[e,b]),p&&(u.trigger("ajaxComplete",[e,d]),--a.active||a.event.trigger("ajaxStop"))}}typeof q==l&&(j=q,q=c),j=j||{};var d=a.ajaxSetup({},j),i=d.context||d,u=i!==d&&(i.nodeType||i instanceof a)?a(i):a.event,v=a.Deferred(),y=a.Callbacks(ab),s=d.statusCode||{},h,z={},A={},w,t,m,x,n,f=0,p,o,e={readyState:0,setRequestHeader:function(g,x){if(!f){var q=g.toLowerCase();g=A[q]=A[q]||g,z[g]=x}return this},getAllResponseHeaders:function(){return f===2?w:b},getResponseHeader:function(x){var a;if(f===2){if(!t){t={};while(a=dc.exec(w))t[a[1].toLowerCase()]=a[2]}a=t[x.toLowerCase()]}return a===c?b:a},overrideMimeType:function(x){f||(d.mimeType=x);return this},abort:function(g){g=g||"abort",m&&m.abort(g),r(0,g);return this}};v.promise(e),e.success=e.done,e.error=e.fail,e.complete=y.add,e.statusCode=function(g){if(g){var a;if(f<2)for(a in g)s[a]=[s[a],g[a]];else a=g[e.status],e.then(a,a)}return this},d.url=((q||d.url)+"").replace(db,"").replace(dg,M[1]+"//"),d.dataTypes=a.trim(d.dataType||k).toLowerCase().split(ce),d.crossDomain==b&&(n=cf.exec(d.url.toLowerCase()),d.crossDomain=!(!n||n[1]==M[1]&&n[2]==M[2]&&(n[3]||(n[1]==="http:"?80:443))==(M[3]||(M[1]==="http:"?80:443)))),d.data&&d.processData&&typeof d.data!=g&&(d.data=a.param(d.data,d.traditional)),ao(aX,d,j,e);if(f===2)return!1;p=d.global,d.type=d.type.toUpperCase(),d.hasContent=!df.test(d.type),p&&a.active++===0&&a.event.trigger("ajaxStart");if(!d.hasContent){d.data&&(d.url+=(cd.test(d.url)?"&":"?")+d.data,delete d.data),h=d.url;if(d.cache===!1){var B=a.now(),C=d.url.replace(dj,"$1_="+B);d.url=C+(C===d.url?(cd.test(d.url)?"&":"?")+"_="+B:"")}}(d.data&&d.hasContent&&d.contentType!==!1||j.contentType)&&e.setRequestHeader("Content-Type",d.contentType),d.ifModified&&(h=h||d.url,a.lastModified[h]&&e.setRequestHeader("If-Modified-Since",a.lastModified[h]),a.etag[h]&&e.setRequestHeader("If-None-Match",a.etag[h])),e.setRequestHeader("Accept",d.dataTypes[0]&&d.accepts[d.dataTypes[0]]?d.accepts[d.dataTypes[0]]+(d.dataTypes[0]!==k?", "+ci+"; q=0.01":""):d.accepts[k]);for(o in d.headers)e.setRequestHeader(o,d.headers[o]);if(d.beforeSend&&(d.beforeSend.call(i,e,d)===!1||f===2)){e.abort();return!1}for(o in{success:1,error:1,complete:1})e[o](d[o]);m=ao(ch,d,j,e);if(!m)r(-1,"No Transport");else{e.readyState=1,p&&u.trigger("ajaxSend",[e,d]),d.async&&d.timeout>0&&(x=D(function(){e.abort("timeout")},d.timeout));try{f=1,m.send(z,r)}catch(q){f<2?r(-1,q):a.error(q)}}return e},param:function(b,l){var m=[],q=function(x,c){c=a.isFunction(c)?c():c,m[m.length]=a$(x)+"="+a$(c)};l===c&&(l=a.ajaxSettings.traditional);if(a.isArray(b)||b.jquery&&!a.isPlainObject(b))a.each(b,function(){q(this.name,this.value)});else for(var r in b)aR(r,b[r],l,q);return m.join("&").replace(c9,"+")}}),a.extend({active:0,lastModified:{},etag:{}});var dk=a.now(),as=/(\=)\?(&|$)|\?\?/i;a.ajaxSetup({jsonp:"callback",jsonpCallback:function(){return a.expando+"_"+dk++}}),a.ajaxPrefilter("json jsonp",function(b,z,x){var q=b.contentType===bd&&typeof b.data==g;if(b.dataTypes[0]==="jsonp"||b.jsonp!==!1&&(as.test(b.url)||q&&as.test(b.data))){var e,c=b.jsonpCallback=a.isFunction(b.jsonpCallback)?b.jsonpCallback():b.jsonpCallback,r=i[c],d=b.url,h=b.data,s="$1"+c+"$2";b.jsonp!==!1&&(d=d.replace(as,s),b.url===d&&(q&&(h=h.replace(as,s)),b.data===h&&(d+=(/\?/.test(d)?"&":"?")+b.jsonp+"="+c))),b.url=d,b.data=h,i[c]=function(x){e=[x]},x.always(function(){i[c]=r,e&&a.isFunction(r)&&i[c](e[0])}),b.converters["script json"]=function(){e||a.error(c+" was not called");return e[0]},b.dataTypes[0]="json";return t}}),a.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/javascript|ecmascript/},converters:{"text script":function(q){a.globalEval(q);return q}}}),a.ajaxPrefilter(t,function(a){a.cache===c&&(a.cache=!1),a.crossDomain&&(a.type="GET",a.global=!1)}),a.ajaxTransport(t,function(g){if(g.crossDomain){var a,h=d.head||d.getElementsByTagName("head")[0]||d.documentElement;return{send:function(z,x){a=d.createElement(t),a.async="async",g.scriptCharset&&(a.charset=g.scriptCharset),a.src=g.url,a.onload=a.onreadystatechange=function(z,q){if(q||!a.readyState||/loaded|complete/.test(a.readyState))a.onload=a.onreadystatechange=b,h&&a.parentNode&&h.removeChild(a),a=c,q||x(200,bc)},h.insertBefore(a,h.firstChild)},abort:function(){a&&a.onload(0,1)}}}});var aY=i.ActiveXObject?function(){for(var x in W)W[x](0,1)}:!1,dl=0,W;a.ajaxSettings.xhr=i.ActiveXObject?function(){return!this.isLocal&&bC()||cm()}:bC,function(l){a.extend(a.support,{ajax:!!l,cors:!!l&&"withCredentials"in l})}(a.ajaxSettings.xhr()),a.support.ajax&&a.ajaxTransport(function(d){if(!d.crossDomain||a.support.cors){var f;return{send:function(h,q){var e=d.xhr(),j,g;d.username?e.open(d.type,d.url,d.async,d.username,d.password):e.open(d.type,d.url,d.async);if(d.xhrFields)for(g in d.xhrFields)e[g]=d.xhrFields[g];d.mimeType&&e.overrideMimeType&&e.overrideMimeType(d.mimeType),!d.crossDomain&&!h[bb]&&(h[bb]="XMLHttpRequest");try{for(g in h)e.setRequestHeader(g,h[g])}catch(z){}e.send(d.hasContent&&d.data||b),f=function(z,l){var b,m,r,g,h;try{if(f&&(l||e.readyState===4)){f=c,j&&(e.onreadystatechange=a.noop,aY&&delete W[j]);if(l)e.readyState!==4&&e.abort();else{b=e.status,r=e.getAllResponseHeaders(),g={},h=e.responseXML,h&&h.documentElement&&(g.xml=h),g.text=e.responseText;try{m=e.statusText}catch(z){m=""}!b&&d.isLocal&&!d.crossDomain?b=g.text?200:404:b===1223&&(b=204)}}}catch(x){l||q(-1,x)}g&&q(b,m,g,r)},!d.async||e.readyState===4?f():(j=++dl,aY&&(W||(W={},a(i).unload(aY)),W[j]=f),e.onreadystatechange=f)},abort:function(){f&&f(0,1)}}}});var aZ={},w,X,dm=/^(?:toggle|show|hide)$/,dn=/^([+\-]=)?([\d+.\-]+)([a-z%]*)$/i,at,cj=[[H,aB,"marginBottom","paddingTop","paddingBottom"],[A,aA,be,"paddingLeft","paddingRight"],[$]],au;a.fn.extend({show:function(l,x,y){var b,c;if(l||l===0)return this.animate(T(C,3),l,x,y);for(var d=0,q=this.length;d<q;d++)b=this[d],b.style&&(c=b.style.display,!a._data(b,Z)&&c===v&&(c=b.style.display=""),c===""&&a.css(b,S)===v&&a._data(b,Z,bA(b.nodeName)));for(d=0;d<q;d++){b=this[d];if(b.style){c=b.style.display;if(c===""||c===v)b.style.display=a._data(b,Z)||""}}return this},hide:function(l,x,y){if(l||l===0)return this.animate(T(G,3),l,x,y);var e,m,b=0,q=this.length;for(;b<q;b++)e=this[b],e.style&&(m=a.css(e,S),m!==v&&!a._data(e,Z)&&a._data(e,Z,m));for(b=0;b<q;b++)this[b].style&&(this[b].style.display=v);return this},_toggle:a.fn.toggle,toggle:function(e,q,x){var r=typeof e==ac;a.isFunction(e)&&a.isFunction(q)?this._toggle.apply(this,arguments):e==b||r?this.each(function(){var x=r?e:a(this).is(az);a(this)[x?C:G]()}):this.animate(T(F,3),e,q,x);return this},fadeTo:function(x,y,z,A){return this.filter(az).css($,0).show().end().animate({opacity:y},x,z,A)},animate:function(e,x,y,z){function q(){m.queue===!1&&a._mark(this);var f=a.extend({},m),r=this.nodeType===1,p=r&&a(this).is(az),g,c,d,h,k,i,l,n,o;f.animatedProperties={};for(d in e){g=a.camelCase(d),d!==g&&(e[g]=e[d],delete e[d]),c=e[g],a.isArray(c)?(f.animatedProperties[g]=c[1],c=e[g]=c[0]):f.animatedProperties[g]=f.specialEasing&&f.specialEasing[g]||f.easing||"swing";if(c===G&&p||c===C&&!p)return f.complete.call(this);r&&(g===H||g===A)&&(f.overflow=[this.style.overflow,this.style.overflowX,this.style.overflowY],a.css(this,S)===aH&&a.css(this,"float")===v&&(!a.support.inlineBlockNeedsLayout||bA(this.nodeName)===aH?this.style.display=bf:this.style.zoom=1))}f.overflow!=b&&(this.style.overflow=_);for(d in e)h=new a.fx(this,f,d),c=e[d],dm.test(c)?(o=a._data(this,F+d)||(c===F?p?C:G:0),o?(a._data(this,F+d,o===C?G:C),h[o]()):h[c]()):(k=dn.exec(c),i=h.cur(),k?(l=j(k[2]),n=k[3]||(a.cssNumber[d]?"":u),n!==u&&(a.style(this,d,(l||1)+n),i=(l||1)/h.cur()*i,a.style(this,d,i+n)),k[1]&&(l=(k[1]==="-="?-1:1)*l+i),h.custom(i,l,n)):h.custom(i,c,""));return!0}var m=a.speed(x,y,z);if(a.isEmptyObject(e))return this.each(m.complete,[!1]);e=a.extend({},e);return m.queue===!1?this.each(q):this.queue(m.queue,q)},stop:function(d,l,h){typeof d!=g&&(h=l,l=d,d=c),l&&d!==!1&&this.queue(d||q,[]);return this.each(function(){function r(x,y,r){var z=y[r];a.removeData(x,r,!0),z.stop(h)}var c,s=!1,e=a.timers,f=a._data(this);h||a._unmark(!0,this);if(d==b)for(c in f)f[c].stop&&c.indexOf(ah)===c.length-4&&r(this,f,c);else f[c=d+ah]&&f[c].stop&&r(this,f,c);for(c=e.length;c--;)e[c].elem===this&&(d==b||e[c].queue===d)&&(h?e[c](!0):e[c].saveState(),s=!0,e.splice(c,1));(!h||!s)&&a.dequeue(this,d)})}}),a.each({slideDown:T(C,1),slideUp:T(G,1),slideToggle:T(F,1),fadeIn:{opacity:C},fadeOut:{opacity:G},fadeToggle:{opacity:F}},function(x,y){a.fn[x]=function(x,z,A){return this.animate(y,x,z,A)}}),a.extend({speed:function(d,e,m){var c=d&&typeof d==l?a.extend({},d):{complete:m||!m&&e||a.isFunction(d)&&d,duration:d,easing:m&&e||e&&!a.isFunction(e)&&e};c.duration=a.fx.off?0:typeof c.duration==s?c.duration:c.duration in a.fx.speeds?a.fx.speeds[c.duration]:a.fx.speeds._default;if(c.queue==b||c.queue===!0)c.queue=q;c.old=c.complete,c.complete=function(x){a.isFunction(c.old)&&c.old.call(this),c.queue?a.dequeue(this,c.queue):x!==!1&&a._unmark(this)};return c},easing:{linear:function(x,A,y,z){return y+z*x},swing:function(x,B,z,A){return(-y.cos(x*y.PI)/2+.5)*A+z}},timers:[],fx:function(x,l,y){this.options=l,this.elem=x,this.prop=y,l.orig=l.orig||{}}}),a.fx.prototype={update:function(){this.options.step&&this.options.step.call(this.elem,this.now,this),(a.fx.step[this.prop]||a.fx.step._default)(this)},cur:function(){if(this.elem[this.prop]!=b&&(!this.elem.style||this.elem.style[this.prop]==b))return this.elem[this.prop];var r,h=a.css(this.elem,this.prop);return isNaN(r=j(h))?!h||h===af?0:h:r},custom:function(x,y,z){function e(x){return b.step(x)}var b=this,r=a.fx;this.startTime=au||bB(),this.end=y,this.now=this.start=x,this.pos=this.state=0,this.unit=z||this.unit||(a.cssNumber[this.prop]?"":u),e.queue=this.options.queue,e.elem=this.elem,e.saveState=function(){b.options.hide&&a._data(b.elem,Y+b.prop)===c&&a._data(b.elem,Y+b.prop,b.start)},e()&&a.timers.push(e)&&!at&&(at=setInterval(r.tick,r.interval))},show:function(){var l=a._data(this.elem,Y+this.prop);this.options.orig[this.prop]=l||a.style(this.elem,this.prop),this.options.show=!0,l!==c?this.custom(this.cur(),l):this.custom(this.prop===A||this.prop===H?1:0,this.cur()),a(this.elem).show()},hide:function(){this.options.orig[this.prop]=a._data(this.elem,Y+this.prop)||a.style(this.elem,this.prop),this.options.hide=!0,this.custom(this.cur(),0)},step:function(x){var d,l,m,n=au||bB(),r=!0,e=this.elem,c=this.options;if(x||n>=c.duration+this.startTime){this.now=this.end,this.pos=this.state=1,this.update(),c.animatedProperties[this.prop]=!0;for(d in c.animatedProperties)c.animatedProperties[d]!==!0&&(r=!1);if(r){c.overflow!=b&&!a.support.shrinkWrapBlocks&&a.each(["","X","Y"],function(x,y){e.style["overflow"+y]=c.overflow[x]}),c.hide&&a(e).hide();if(c.hide||c.show)for(d in c.animatedProperties)a.style(e,d,c.orig[d]),a.removeData(e,Y+d,!0),a.removeData(e,F+d,!0);m=c.complete,m&&(c.complete=!1,m.call(e))}return!1}c.duration==Infinity?this.now=n:(l=n-this.startTime,this.state=l/c.duration,this.pos=a.easing[c.animatedProperties[this.prop]](this.state,l,0,1,c.duration),this.now=this.start+(this.end-this.start)*this.pos),this.update();return!0}},a.extend(a.fx,{tick:function(){var l,e=a.timers,f=0;for(;f<e.length;f++)l=e[f],!l()&&e[f]===l&&e.splice(f--,1);e.length||a.fx.stop()},interval:13,stop:function(){clearInterval(at),at=b},speeds:{slow:600,fast:200,_default:400},step:{opacity:function(r){a.style(r.elem,$,r.now)},_default:function(a){a.elem.style&&a.elem.style[a.prop]!=b?a.elem.style[a.prop]=a.now+a.unit:a.elem[a.prop]=a.now}}}),a.each([A,H],function(z,r){a.fx.step[r]=function(s){a.style(s.elem,r,y.max(0,s.now))}}),a.expr&&a.expr.filters&&(a.expr.filters.animated=function(x){return a.grep(a.timers,function(y){return x===y.elem}).length});var dp=/^t(?:able|d|h)$/i,ck=/^(?:body|html)$/i;"getBoundingClientRect"in d.documentElement?a.fn.offset=function(r){var c=this[0],d;if(r)return this.each(function(x){a.offset.setOffset(this,r,x)});if(!c||!c.ownerDocument)return b;if(c===c.ownerDocument.body)return a.offset.bodyOffset(c);try{d=c.getBoundingClientRect()}catch(z){}var l=c.ownerDocument,e=l.documentElement;if(!d||!a.contains(e,c))return d?{top:d.top,left:d.left}:{top:0,left:0};var h=l.body,s=aQ(l),x=e.clientTop||h.clientTop||0,y=e.clientLeft||h.clientLeft||0,z=s.pageYOffset||a.support.boxModel&&e.scrollTop||h.scrollTop,A=s.pageXOffset||a.support.boxModel&&e.scrollLeft||h.scrollLeft,B=d.top+z-x,C=d.left+A-y;return{top:B,left:C}}:a.fn.offset=function(r){var c=this[0];if(r)return this.each(function(x){a.offset.setOffset(this,r,x)});if(!c||!c.ownerDocument)return b;if(c===c.ownerDocument.body)return a.offset.bodyOffset(c);var d,l=c.offsetParent,x=c,m=c.ownerDocument,n=m.documentElement,g=m.body,i=m.defaultView,h=i?i.getComputedStyle(c,b):c.currentStyle,e=c.offsetTop,f=c.offsetLeft;while((c=c.parentNode)&&c!==g&&c!==n){if(a.support.fixedPosition&&h.position===aj)break;d=i?i.getComputedStyle(c,b):c.currentStyle,e-=c.scrollTop,f-=c.scrollLeft,c===l&&(e+=c.offsetTop,f+=c.offsetLeft,a.support.doesNotAddBorder&&(!a.support.doesAddBorderForTableAndCells||!dp.test(c.nodeName))&&(e+=j(d.borderTopWidth)||0,f+=j(d.borderLeftWidth)||0),x=l,l=c.offsetParent),a.support.subtractsBorderForOverflowNotVisible&&d.overflow!=="visible"&&(e+=j(d.borderTopWidth)||0,f+=j(d.borderLeftWidth)||0),h=d}if(h.position===aG||h.position===ay)e+=g.offsetTop,f+=g.offsetLeft;a.support.fixedPosition&&h.position===aj&&(e+=y.max(n.scrollTop,g.scrollTop),f+=y.max(n.scrollLeft,g.scrollLeft));return{top:e,left:f}},a.offset={bodyOffset:function(h){var r=h.offsetTop,s=h.offsetLeft;a.support.doesNotIncludeMarginInBodyOffset&&(r+=j(a.css(h,aB))||0,s+=j(a.css(h,aA))||0);return{top:r,left:s}},setOffset:function(d,c,x){var l=a.css(d,ba);l===ay&&(d.style.position=aG);var m=a(d),n=m.offset(),r=a.css(d,"top"),s=a.css(d,"left"),y=(l===aI||l===aj)&&a.inArray(af,[r,s])>-1,h={},o={},p,q;y?(o=m.position(),p=o.top,q=o.left):(p=j(r)||0,q=j(s)||0),a.isFunction(c)&&(c=c.call(d,x,n)),c.top!=b&&(h.top=c.top-n.top+p),c.left!=b&&(h.left=c.left-n.left+q),"using"in c?c.using.call(d,h):m.css(h)}},a.fn.extend({position:function(){if(!this[0])return b;var r=this[0],h=this.offsetParent(),i=this.offset(),k=ck.test(h[0].nodeName)?{top:0,left:0}:h.offset();i.top-=j(a.css(r,aB))||0,i.left-=j(a.css(r,aA))||0,k.top+=j(a.css(h[0],"borderTopWidth"))||0,k.left+=j(a.css(h[0],"borderLeftWidth"))||0;return{top:i.top-k.top,left:i.left-k.left}},offsetParent:function(){return this.map(function(){var b=this.offsetParent||d.body;while(b&&!ck.test(b.nodeName)&&a.css(b,ba)===ay)b=b.offsetParent;return b})}}),a.each(["Left","Top"],function(l,x){var e=ax+x;a.fn[e]=function(h){var i,d;if(h===c){i=this[0];if(!i)return b;d=aQ(i);return d?a9 in d?d[l?"pageYOffset":a9]:a.support.boxModel&&d.document.documentElement[e]||d.document.body[e]:i[e]}return this.each(function(){d=aQ(this),d?d.scrollTo(l?a(d).scrollLeft():h,l?h:a(d).scrollTop()):this[e]=h})}}),a.each(["Height",aO],function(z,e){var f=e.toLowerCase();a.fn["inner"+e]=function(){var l=this[0];return l?l.style?j(a.css(l,f,am)):this[f]():b},a.fn["outer"+e]=function(x){var l=this[0];return l?l.style?j(a.css(l,f,x?aP:an)):this[f]():b},a.fn[f]=function(h){var d=this[0];if(!d)return h==b?b:this;if(a.isFunction(h))return this.each(function(x){var r=a(this);r[f](h.call(this,x,r[f]()))});if(a.isWindow(d)){var r=d.document.documentElement[aw+e],s=d.document.body;return d.document.compatMode===bz&&r||s&&s[aw+e]||r}if(d.nodeType===9)return y.max(d.documentElement[aw+e],d.body[ax+e],d.documentElement[ax+e],d.body["offset"+e],d.documentElement["offset"+e]);if(h===c){var t=a.css(d,f),v=j(t);return a.isNumeric(v)?v:t}return this.css(f,typeof h==g?h:h+u)}}),i.jQuery=i.$=a})(window,parseFloat,setTimeout,Array,RegExp,Math,encodeURIComponent,clearTimeout,Object)
//-->]]>

91186 byte になった。
null,数字,文字列が複数ある場合変数にする。文字列は完全一致するもの同士のみ。
true,falseが!0,!1になっているので真似する。0.5 => .5 に省略する。
ハッシュのキーは文字列ではない場合、予約語を使うとIE系でエラーになる。
IE系で、そのスコープでは使わないからといって同じ名前の変数名に上書きすると、
ある程度の量で全く別の変数を見るかもしれない。それは124回目からかもしれない。
window.defineという変数があるかどうか見ている。たぶんrequireJS関連。

2011-11-28 追記
91096 byteになった。
使っていないかもしれないvarの部分を削除した。
u.test("\u00a0")などの部分が逆に長くなった。

2011-12-02 追記
91080 byteになった。
\u00a0 => \xa0, \u00c0 => \xc0