guard-readme-on-github 0.0.1

Sign up to get free protection for your applications and to get access to all the features.
@@ -0,0 +1,4 @@
1
+ *.gem
2
+ .bundle
3
+ Gemfile.lock
4
+ pkg/*
data/.rvmrc ADDED
@@ -0,0 +1 @@
1
+ rvm use 1.9.3@guard-readme-on-github --create
data/Gemfile ADDED
@@ -0,0 +1,3 @@
1
+ source :rubygems
2
+
3
+ gemspec
@@ -0,0 +1,3 @@
1
+ guard 'readme-on-github' do
2
+ watch(/readme\.(md|markdown)/i)
3
+ end
@@ -0,0 +1,7 @@
1
+ Copyright (c) 2012 Bradley Grzesiak
2
+
3
+ Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:
4
+
5
+ The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.
6
+
7
+ THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
@@ -0,0 +1,56 @@
1
+ guard-readme-on-github
2
+ ======================
3
+
4
+ See how your README will look on GitHub without having to push!
5
+
6
+ Currently, it only handles markdown'ed READMEs titled "README.md" or "README.markdown" (case-insensitive).
7
+
8
+ Installation
9
+ ------------
10
+
11
+ Use bundler. This gem depends on `guard`, so make sure that's in your Gemfile as well:
12
+
13
+ Gemfile:
14
+
15
+ <pre>
16
+ group :development do
17
+ gem 'guard
18
+ gem 'guard-readme-on-github'
19
+ end
20
+ </pre>
21
+
22
+ Then run:
23
+
24
+ <pre>
25
+ bundle
26
+ </pre>
27
+
28
+ Setup
29
+ -----
30
+
31
+ As with any other guard plugin, use the init command:
32
+
33
+ <pre>
34
+ [bundle exec] guard init # necessary only the first time you set up guard
35
+ [bundle exec] guard init readme-on-github
36
+ </pre>
37
+
38
+ Usage
39
+ -----
40
+
41
+ Make sure guard is running:
42
+
43
+ <pre>
44
+ guard
45
+ </pre>
46
+
47
+ Modify your README (or just touch the modified-at flag) and view it in your browser:
48
+
49
+ <pre>
50
+ open /tmp/markdown-preview.html
51
+ </pre>
52
+
53
+ Author
54
+ ------
55
+
56
+ * [Bradley Grzesiak](https://github.com/listrophy) - [Bendyworks](http://bendyworks.com)
@@ -0,0 +1 @@
1
+ require "bundler/gem_tasks"
data/TODO.md ADDED
@@ -0,0 +1 @@
1
+ * Provide a mechanism to download latest version of GitHub's templates/stylesheets
@@ -0,0 +1,21 @@
1
+ # -*- encoding: utf-8 -*-
2
+ $:.push File.expand_path("../lib", __FILE__)
3
+ require "guard/readme-on-github/version"
4
+
5
+ Gem::Specification.new do |s|
6
+ s.name = "guard-readme-on-github"
7
+ s.version = Guard::ReadmeOnGithubVersion::VERSION
8
+ s.authors = ["Bradley Grzesiak"]
9
+ s.email = ["brad@bendyworks.com"]
10
+ s.homepage = "https://github.com/listrophy/guard-readme-on-github"
11
+ s.summary = %q{Preview your README as if it's on github}
12
+ s.description = %q{Preview your README as if it's on github}
13
+
14
+ # s.rubyforge_project = "guard-readme-on-github"
15
+
16
+ s.files = `git ls-files`.split("\n")
17
+ s.require_paths = ["lib"]
18
+
19
+ s.add_dependency 'guard', '>= 0.10.0'
20
+ s.add_dependency 'rdiscount', '~> 1.6'
21
+ end
@@ -0,0 +1 @@
1
+ require 'github-flavored-markdown/code'
@@ -0,0 +1,32 @@
1
+ # from https://raw.github.com/github/github-flavored-markdown/gh-pages/code.rb
2
+
3
+ require 'digest/md5'
4
+
5
+ module GithubFlavoredMarkdown
6
+ def self.gfm(text)
7
+ # Extract pre blocks
8
+ extractions = {}
9
+ text.gsub!(%r{<pre>.*?</pre>}m) do |match|
10
+ md5 = Digest::MD5.hexdigest(match)
11
+ extractions[md5] = match
12
+ "{gfm-extraction-#{md5}}"
13
+ end
14
+
15
+ # prevent foo_bar_baz from ending up with an italic word in the middle
16
+ text.gsub!(/(^(?! {4}|\t)\w+_\w+_\w[\w_]*)/) do |x|
17
+ x.gsub('_', '\_') if x.split('').sort.to_s[0..1] == '__'
18
+ end
19
+
20
+ # in very clear cases, let newlines become <br /> tags
21
+ text.gsub!(/(\A|^$\n)(^\w[^\n]*\n)(^\w[^\n]*$)+/m) do |x|
22
+ x.gsub(/^(.+)$/, "\\1 ")
23
+ end
24
+
25
+ # Insert pre block extractions
26
+ text.gsub!(/\{gfm-extraction-([0-9a-f]{32})\}/) do
27
+ extractions[$1]
28
+ end
29
+
30
+ text
31
+ end
32
+ end
@@ -0,0 +1,48 @@
1
+ require 'guard'
2
+ require 'guard/guard'
3
+
4
+ require 'fileutils'
5
+ require 'rdiscount'
6
+
7
+ require File.expand_path('../../github-flavored-markdown', __FILE__)
8
+
9
+ module Guard
10
+ class ReadmeOnGithub < Guard
11
+
12
+ def this_dir
13
+ File.expand_path('..', __FILE__)
14
+ end
15
+
16
+ def asset_dir
17
+ File.join(this_dir, 'readme-on-github', 'assets')
18
+ end
19
+
20
+ def copy_assets
21
+ %w[github.css github-logo.png github-logo-hover.png jquery.js github.js].each do |filename|
22
+ FileUtils.cp "#{asset_dir}/#{filename}", "/tmp/#{filename}"
23
+ end
24
+ end
25
+
26
+ def start
27
+ copy_assets
28
+ true
29
+ end
30
+
31
+ def run_all
32
+ true
33
+ end
34
+
35
+ def run_on_change(paths)
36
+ paths.each do |path|
37
+ text = GithubFlavoredMarkdown.gfm(File.read(path))
38
+ html = RDiscount.new(text).to_html
39
+ github = File.read("#{asset_dir}/github.html")
40
+ File.open('/tmp/markdown-preview.html', 'w') do |f|
41
+ f.puts github.sub(/INSERT_BODY/, html)
42
+ end
43
+ end
44
+ puts 'compiled markdown'
45
+ true
46
+ end
47
+ end
48
+ end
@@ -0,0 +1 @@
1
+ button.classy,button.classy:disabled,button.classy.disabled,a.button.classy:disabled,a.button.classy.disabled,button.classy:disabled:hover,button.classy.disabled:disabled:hover,a.button.classy.disabled:hover:disabled,a.button.classy.disabled:hover,a.button.classy,button.classy:disabled:hover,button.classy.disabled:disabled:hover,a.button.classy:disabled:hover,a.button.classy.disabled:disabled:hover,a.button.classy.disabled:hover{position:relative;top:1px;margin-left:10px;height:34px;padding:0;overflow:visible;font-family:Helvetica,arial,freesans,clean,sans-serif;font-weight:bold;font-size:12px;color:#333;text-shadow:1px 1px 0 #fff;white-space:nowrap;background-color:white;background:-moz-linear-gradient(white,#e1e1e1);background:-ms-linear-gradient(white,#e1e1e1);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,white),color-stop(100%,#e1e1e1));background:-webkit-linear-gradient(white,#e1e1e1);background:-o-linear-gradient(white,#e1e1e1);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='white',endColorstr='#e1e1e1')";background:linear-gradient(white,#e1e1e1);border:none;border-bottom:1px solid #ebebeb;border-radius:4px;box-shadow:0 1px 4px rgba(0,0,0,0.3);cursor:pointer;}button.classy>span,button.classy:disabled>span,button.classy.disabled>span,a.button.classy:disabled>span,a.button.classy.disabled>span,button.classy:disabled:hover>span,button.classy.disabled:disabled:hover>span,a.button.classy.disabled:hover:disabled>span,a.button.classy.disabled:hover>span,a.button.classy>span,button.classy:disabled:hover>span,button.classy.disabled:disabled:hover>span,a.button.classy:disabled:hover>span,a.button.classy.disabled:disabled:hover>span,a.button.classy.disabled:hover>span{display:block;height:34px;padding:0 13px;line-height:36px;}button.classy.primary,button.primary.classy:disabled,button.primary.classy.disabled,a.primary.button.classy:disabled,a.primary.button.classy.disabled,button.primary.classy:disabled:hover,button.primary.classy.disabled:disabled:hover,a.primary.button.classy.disabled:hover:disabled,a.primary.button.classy.disabled:hover,a.button.classy.primary,button.classy:disabled:hover.primary,button.classy.disabled:disabled:hover.primary,a.button.classy:disabled:hover.primary,a.button.classy.disabled:disabled:hover.primary,a.button.classy.disabled:hover.primary{color:#fff;text-shadow:-1px -1px 0 rgba(0,0,0,0.3);border-color:#74bb5a;border-bottom-color:#509338;background-color:#8add6d;background:-moz-linear-gradient(#8add6d,#60b044);background:-ms-linear-gradient(#8add6d,#60b044);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#8add6d),color-stop(100%,#60b044));background:-webkit-linear-gradient(#8add6d,#60b044);background:-o-linear-gradient(#8add6d,#60b044);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#8add6d',endColorstr='#60b044')";background:linear-gradient(#8add6d,#60b044);}button.classy.danger,button.danger.classy:disabled,button.danger.classy.disabled,a.danger.button.classy:disabled,a.danger.button.classy.disabled,button.danger.classy:disabled:hover,button.danger.classy.disabled:disabled:hover,a.danger.button.classy.disabled:hover:disabled,a.danger.button.classy.disabled:hover,a.button.classy.danger,button.classy:disabled:hover.danger,button.classy.disabled:disabled:hover.danger,a.button.classy:disabled:hover.danger,a.button.classy.disabled:disabled:hover.danger,a.button.classy.disabled:hover.danger{color:#900;}button.classy.danger:hover,button.danger.classy:hover:disabled,button.danger.classy.disabled:hover,a.danger.button.classy:hover:disabled,a.danger.button.classy.disabled:hover,button.danger.classy.disabled:hover:disabled,a.danger.button.classy.disabled:hover:disabled,a.button.classy.danger:hover,button.classy:disabled:hover.danger:hover,button.classy.disabled:disabled:hover.danger:hover,a.button.classy:disabled:hover.danger:hover,a.button.classy.disabled:disabled:hover.danger:hover,a.button.classy.disabled:hover.danger:hover{color:#fff;text-shadow:-1px -1px 0 rgba(0,0,0,0.3);border-bottom-color:#cd504a;background-color:#dc5f59;background:-moz-linear-gradient(#dc5f59,#b33630);background:-ms-linear-gradient(#dc5f59,#b33630);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#dc5f59),color-stop(100%,#b33630));background:-webkit-linear-gradient(#dc5f59,#b33630);background:-o-linear-gradient(#dc5f59,#b33630);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#dc5f59',endColorstr='#b33630')";background:linear-gradient(#dc5f59,#b33630);}button.danger.classy:disabled,button.danger.classy.disabled:disabled,a.danger.button.classy:disabled,a.danger.button.classy.disabled:disabled,button.danger.classy:disabled:hover,button.danger.classy.disabled:disabled:hover,a.danger.button.classy.disabled:disabled:hover,button.danger.disabled.classy:disabled,button.danger.disabled.classy,a.danger.disabled.button.classy:disabled,a.danger.disabled.button.classy,button.danger.disabled.classy:disabled:hover,a.danger.disabled.button.classy:hover:disabled,a.danger.disabled.button.classy:hover,a.button.classy.danger:disabled,a.button.classy.danger.disabled,button.classy:disabled:hover.danger:disabled,button.classy.disabled:disabled:hover.danger:disabled,a.button.classy:disabled:hover.danger:disabled,a.button.classy.disabled:disabled:hover.danger:disabled,button.classy:disabled:hover.danger.disabled,a.button.classy:disabled:hover.danger.disabled,a.button.classy.disabled:hover.danger:disabled,a.button.classy.disabled:hover.danger.disabled{color:#900;text-shadow:1px 1px 0 #fff;border-bottom:1px solid #ebebeb;background-color:white;background:-moz-linear-gradient(white,#e1e1e1);background:-ms-linear-gradient(white,#e1e1e1);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,white),color-stop(100%,#e1e1e1));background:-webkit-linear-gradient(white,#e1e1e1);background:-o-linear-gradient(white,#e1e1e1);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='white',endColorstr='#e1e1e1')";background:linear-gradient(white,#e1e1e1);}button.classy.danger.mousedown,button.danger.mousedown.classy:disabled,button.danger.mousedown.classy.disabled,a.danger.mousedown.button.classy:disabled,a.danger.mousedown.button.classy.disabled,button.danger.mousedown.classy:disabled:hover,button.danger.mousedown.classy.disabled:disabled:hover,a.danger.mousedown.button.classy.disabled:hover:disabled,a.danger.mousedown.button.classy.disabled:hover,a.button.classy.danger.mousedown,button.classy:disabled:hover.danger.mousedown,button.classy.disabled:disabled:hover.danger.mousedown,a.button.classy:disabled:hover.danger.mousedown,a.button.classy.disabled:disabled:hover.danger.mousedown,a.button.classy.disabled:hover.danger.mousedown{border-bottom-color:#dc5f59;background-color:#b33630;background:-moz-linear-gradient(#b33630,#dc5f59);background:-ms-linear-gradient(#b33630,#dc5f59);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#b33630),color-stop(100%,#dc5f59));background:-webkit-linear-gradient(#b33630,#dc5f59);background:-o-linear-gradient(#b33630,#dc5f59);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#b33630',endColorstr='#dc5f59')";background:linear-gradient(#b33630,#dc5f59);}button.classy:hover,button.classy:hover:disabled,button.classy.disabled:hover,a.button.classy:hover:disabled,a.button.classy.disabled:hover,button.classy.disabled:hover:disabled,a.button.classy.disabled:hover:disabled,a.button.classy:hover,button.classy:disabled:hover:hover,button.classy.disabled:disabled:hover:hover,a.button.classy:disabled:hover:hover,a.button.classy.disabled:disabled:hover:hover,a.button.classy.disabled:hover:hover{color:#fff;text-decoration:none;text-shadow:-1px -1px 0 rgba(0,0,0,0.3);border-bottom-color:#0770a0;background-color:#0ca6dd;background:-moz-linear-gradient(#0ca6dd,#0770a0);background:-ms-linear-gradient(#0ca6dd,#0770a0);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#0ca6dd),color-stop(100%,#0770a0));background:-webkit-linear-gradient(#0ca6dd,#0770a0);background:-o-linear-gradient(#0ca6dd,#0770a0);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#0ca6dd',endColorstr='#0770a0')";background:linear-gradient(#0ca6dd,#0770a0);}button.classy:disabled,button.classy.disabled:disabled,a.button.classy:disabled,a.button.classy.disabled:disabled,button.classy:disabled:hover,button.classy.disabled:disabled:hover,a.button.classy.disabled:disabled:hover,button.disabled.classy:disabled,button.disabled.classy,a.disabled.button.classy:disabled,a.disabled.button.classy,button.disabled.classy:disabled:hover,a.disabled.button.classy:hover:disabled,a.disabled.button.classy:hover,a.button.classy:disabled,a.button.classy.disabled,button.classy:disabled:hover:disabled,button.classy.disabled:disabled:hover:disabled,a.button.classy:disabled:hover:disabled,a.button.classy.disabled:disabled:hover:disabled,button.classy:disabled:hover.disabled,a.button.classy:disabled:hover.disabled,a.button.classy.disabled:hover:disabled,a.button.classy.disabled:hover.disabled{opacity:.5;}button.classy.mousedown,button.mousedown.classy:disabled,button.mousedown.classy.disabled,a.mousedown.button.classy:disabled,a.mousedown.button.classy.disabled,button.mousedown.classy:disabled:hover,button.mousedown.classy.disabled:disabled:hover,a.mousedown.button.classy.disabled:hover:disabled,a.mousedown.button.classy.disabled:hover,a.button.classy.mousedown,button.classy:disabled:hover.mousedown,button.classy.disabled:disabled:hover.mousedown,a.button.classy:disabled:hover.mousedown,a.button.classy.disabled:disabled:hover.mousedown,a.button.classy.disabled:hover.mousedown{color:#fff;text-shadow:-1px -1px 0 rgba(0,0,0,0.3);border-bottom-color:#0770a0;background-color:#0770a0;background:-moz-linear-gradient(#0770a0,#0ca6dd);background:-ms-linear-gradient(#0770a0,#0ca6dd);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#0770a0),color-stop(100%,#0ca6dd));background:-webkit-linear-gradient(#0770a0,#0ca6dd);background:-o-linear-gradient(#0770a0,#0ca6dd);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#0770a0',endColorstr='#0ca6dd')";background:linear-gradient(#0770a0,#0ca6dd);}button.classy::-moz-focus-inner,button.classy:disabled::-moz-focus-inner,button.classy.disabled::-moz-focus-inner,a.button.classy:disabled::-moz-focus-inner,a.button.classy.disabled::-moz-focus-inner,button.classy:hover:disabled::-moz-focus-inner,button.classy.disabled:hover:disabled::-moz-focus-inner,a.button.classy.disabled:disabled:hover::-moz-focus-inner,a.button.classy.disabled:hover::-moz-focus-inner{margin:-1px -3px;}a.button.classy{display:inline-block;}button.classy img,button.classy:disabled img,button.classy.disabled img,a.button.classy:disabled img,a.button.classy.disabled img,button.classy:disabled:hover img,button.classy.disabled:disabled:hover img,a.button.classy.disabled:hover:disabled img,a.button.classy.disabled:hover img,a.button.classy img{position:relative;top:-1px;margin-right:3px;vertical-align:middle;}a.button.classy.first-in-line,button.classy.first-in-line,button.first-in-line.classy:disabled,button.first-in-line.classy.disabled,a.first-in-line.button.classy:disabled,a.first-in-line.button.classy.disabled,button.first-in-line.classy:disabled:hover,button.first-in-line.classy.disabled:disabled:hover,a.first-in-line.button.classy.disabled:hover:disabled,a.first-in-line.button.classy.disabled:hover{margin-left:0;}.minibutton{position:relative;display:inline-block;height:21px;padding:0 0 0 3px;cursor:pointer;font-family:Helvetica,arial,freesans,clean,sans-serif;font-size:11px;font-weight:bold;color:#333;text-shadow:1px 1px 0 #fff;white-space:nowrap;border:1px solid #d4d4d4;border-radius:3px;background-color:#f4f4f4;background:-moz-linear-gradient(#f4f4f4,#ececec);background:-ms-linear-gradient(#f4f4f4,#ececec);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#f4f4f4),color-stop(100%,#ececec));background:-webkit-linear-gradient(#f4f4f4,#ececec);background:-o-linear-gradient(#f4f4f4,#ececec);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#f4f4f4',endColorstr='#ececec')";background:linear-gradient(#f4f4f4,#ececec);}.minibutton>span{display:block;height:21px;padding:0 9px 0 7px;line-height:21px;}.minibutton.danger{color:#900;}.minibutton.danger:hover{color:#fff;text-shadow:-1px -1px 0 rgba(0,0,0,0.3);border-color:#d4d4d4;background-color:#dc5f59;background:-moz-linear-gradient(#dc5f59,#b33630);background:-ms-linear-gradient(#dc5f59,#b33630);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#dc5f59),color-stop(100%,#b33630));background:-webkit-linear-gradient(#dc5f59,#b33630);background:-o-linear-gradient(#dc5f59,#b33630);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#dc5f59',endColorstr='#b33630')";background:linear-gradient(#dc5f59,#b33630);}.minibutton.danger.mousedown{border-color:#a0302a;border-bottom-color:#c65651;background-color:#b33630;background:-moz-linear-gradient(#b33630,#dc5f59);background:-ms-linear-gradient(#b33630,#dc5f59);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#b33630),color-stop(100%,#dc5f59));background:-webkit-linear-gradient(#b33630,#dc5f59);background:-o-linear-gradient(#b33630,#dc5f59);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#b33630',endColorstr='#dc5f59')";background:linear-gradient(#b33630,#dc5f59);}.minibutton.lighter{color:#333;text-shadow:1px 1px 0 #fff;background-color:#fafafa;background:-moz-linear-gradient(#fafafa,#ddd);background:-ms-linear-gradient(#fafafa,#ddd);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#fafafa),color-stop(100%,#ddd));background:-webkit-linear-gradient(#fafafa,#ddd);background:-o-linear-gradient(#fafafa,#ddd);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#fafafa',endColorstr='#dddddd')";background:linear-gradient(#fafafa,#ddd);}.minibutton.green{color:#fff;text-shadow:-1px -1px 0 rgba(0,0,0,0.3);background-color:#36b825;background:-moz-linear-gradient(#36b825,#28881b);background:-ms-linear-gradient(#36b825,#28881b);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#36b825),color-stop(100%,#28881b));background:-webkit-linear-gradient(#36b825,#28881b);background:-o-linear-gradient(#36b825,#28881b);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#36b825',endColorstr='#28881b')";background:linear-gradient(#36b825,#28881b);border-color:#4a993e;}.minibutton.blue{color:#fff;text-shadow:-1px -1px 0 rgba(0,0,0,0.3);border-color:#275666;background-color:#448da6;background:-moz-linear-gradient(#448da6,32687b);background:-ms-linear-gradient(#448da6,32687b);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#448da6),color-stop(100%,32687b));background:-webkit-linear-gradient(#448da6,32687b);background:-o-linear-gradient(#448da6,32687b);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#448da6',endColorstr='32687b')";background:linear-gradient(#448da6,32687b);}.minibutton.mousedown{color:#fff;text-shadow:-1px -1px 0 rgba(0,0,0,0.3);border-color:#2a65a0;border-bottom-color:#518cc6;background-color:#3072b3;background:-moz-linear-gradient(#3072b3,#599bdc);background:-ms-linear-gradient(#3072b3,#599bdc);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#3072b3),color-stop(100%,#599bdc));background:-webkit-linear-gradient(#3072b3,#599bdc);background:-o-linear-gradient(#3072b3,#599bdc);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#3072b3',endColorstr='#599bdc')";background:linear-gradient(#3072b3,#599bdc);}.minibutton.selected,.context-menu-container.active .context-menu-button{color:#fff;text-shadow:-1px -1px 0 rgba(0,0,0,0.5);border-color:#686868;background-color:#767676;background:-moz-linear-gradient(#767676,#9e9e9e);background:-ms-linear-gradient(#767676,#9e9e9e);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#767676),color-stop(100%,#9e9e9e));background:-webkit-linear-gradient(#767676,#9e9e9e);background:-o-linear-gradient(#767676,#9e9e9e);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#767676',endColorstr='#9e9e9e')";background:linear-gradient(#767676,#9e9e9e);}.minibutton:hover{color:#fff;text-decoration:none;text-shadow:-1px -1px 0 rgba(0,0,0,0.3);border-color:#518cc6;border-bottom-color:#2a65a0;background-color:#599bdc;background:-moz-linear-gradient(#599bdc,#3072b3);background:-ms-linear-gradient(#599bdc,#3072b3);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#599bdc),color-stop(100%,#3072b3));background:-webkit-linear-gradient(#599bdc,#3072b3);background:-o-linear-gradient(#599bdc,#3072b3);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#599bdc',endColorstr='#3072b3')";background:linear-gradient(#599bdc,#3072b3);}.minibutton:disabled,.minibutton.disabled{opacity:.5;cursor:default;}button.minibutton::-moz-focus-inner{margin:-1px -3px;}input[type=text]+.minibutton{margin-left:5px;}.minibutton.btn-admin .icon,.minibutton.btn-watch .icon,.minibutton.btn-download .icon,.minibutton.btn-pull-request .icon,.minibutton.btn-fork .icon,.minibutton.btn-leave .icon,.minibutton.btn-compare .icon,.minibutton.btn-reply .icon,.minibutton.btn-back .icon,.minibutton.btn-forward .icon,.minibutton.btn-windows .icon{position:relative;top:-1px;float:left;margin-left:-4px;width:18px;height:22px;background:url('../../images/modules/buttons/minibutton_icons.png?v=windows') 0 0 no-repeat;}.minibutton.btn-forward .icon{float:right;margin-left:0;margin-right:-4px;}.minibutton.btn-admin .icon{width:16px;background-position:0 0;}.minibutton.btn-admin:hover .icon{background-position:0 -25px;}.minibutton.btn-watch .icon{background-position:-20px 0;}.minibutton.btn-watch:hover .icon{background-position:-20px -25px;}.minibutton.btn-download .icon{background-position:-40px 0;}.minibutton.btn-download:hover .icon{background-position:-40px -25px;}.minibutton.btn-pull-request .icon{width:17px;background-position:-60px 0;}.minibutton.btn-pull-request:hover .icon{background-position:-60px -25px;}.minibutton.btn-fork .icon{width:17px;background-position:-80px 0;}.minibutton.btn-fork:hover .icon{background-position:-80px -25px;}.minibutton.btn-leave .icon{width:15px;background-position:-120px 0;}.minibutton.btn-leave:hover .icon{background-position:-120px -25px;}.minibutton.btn-compare .icon{width:17px;background-position:-100px 0;}.minibutton.btn-compare:hover .icon{background-position:-100px -25px;}.minibutton.btn-reply .icon{width:16px;background-position:-140px 0;}.minibutton.btn-reply:hover .icon{background-position:-140px -25px;}.minibutton.btn-back .icon{width:16px;background-position:-160px 0;}.minibutton.btn-back:hover .icon{background-position:-160px -25px;}.minibutton.btn-forward .icon{width:16px;background-position:-180px 0;}.minibutton.btn-forward:hover .icon{background-position:-180px -25px;}.minibutton.btn-windows .icon{background-position:-245px 0;}.minibutton.btn-windows:hover .icon{background-position:-245px -25px;}.watch-button-container .watch-button,.watch-button-container.on .unwatch-button{display:inline-block;}.watch-button-container.on .watch-button,.watch-button-container .unwatch-button{display:none;}.watch-button-container.loading{opacity:.5;}.user-following-container .follow,.user-following-container.on .unfollow{display:inline-block;}.user-following-container.on .follow,.user-following-container .unfollow{display:none;}.user-following-container.loading{opacity:.5;}button.classy.silver,button.silver.classy:disabled,button.silver.classy.disabled,a.silver.button.classy:disabled,a.silver.button.classy.disabled,button.silver.classy:disabled:hover,button.silver.classy.disabled:disabled:hover,a.silver.button.classy.disabled:hover:disabled,a.silver.button.classy.disabled:hover,a.button.classy.silver,button.silver.classy:disabled:hover,button.silver.classy.disabled:disabled:hover,a.silver.button.classy:disabled:hover,a.silver.button.classy.disabled:disabled:hover,a.button.classy.disabled.silver:hover{color:#000;text-shadow:1px 1px 0 rgba(255,255,255,0.5);background:#c7c7c7;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#fdfdfd',endColorstr='#9a9a9a');background:-webkit-gradient(linear,0% 0,0% 100%,from(#fdfdfd),to(#9a9a9a));background:-moz-linear-gradient(-90deg,#fdfdfd,#9a9a9a);border-bottom-color:#c7c7c7;}button.classy.silver:hover,button.silver.classy:hover:disabled,button.silver.classy.disabled:hover,a.silver.button.classy:hover:disabled,a.silver.button.classy.disabled:hover,button.silver.classy.disabled:hover:disabled,a.silver.button.classy.disabled:hover:disabled,a.button.classy.silver:hover{color:#000;text-shadow:1px 1px 0 rgba(255,255,255,0.5);background:#f7f7f7;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#ffffff',endColorstr='#eeeeee');background:-webkit-gradient(linear,0% 0,0% 100%,from(white),to(#eee));background:-moz-linear-gradient(-90deg,white,#eee);border-bottom-color:#f7f7f7;-webkit-box-shadow:0 1px 4px rgba(255,255,255,0.3);-moz-box-shadow:0 1px 4px rgba(255,255,255,0.3);box-shadow:0 1px 4px rgba(255,255,255,0.3);}button.silver.classy:disabled:hover,button.silver.classy.disabled:disabled:hover,a.silver.button.classy:disabled:hover,a.silver.button.classy.disabled:disabled:hover,a.button.classy.disabled.silver:hover{-webkit-box-shadow:0 1px 4px rgba(0,0,0,0.3);-moz-box-shadow:0 1px 4px rgba(0,0,0,0.3);box-shadow:0 1px 4px rgba(0,0,0,0.3);}button.classy.business-plan,button.business-plan.classy:disabled,button.business-plan.classy.disabled,a.business-plan.button.classy:disabled,a.business-plan.button.classy.disabled,button.business-plan.classy:disabled:hover,button.business-plan.classy.disabled:disabled:hover,a.business-plan.button.classy.disabled:hover:disabled,a.business-plan.button.classy.disabled:hover,a.button.classy.business-plan{color:#fff;text-shadow:-1px -1px 0 rgba(0,0,0,0.3);background:#3e9533;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#419b36',endColorstr='#357f2c');background:-webkit-gradient(linear,0% 0,0% 100%,from(#419b36),to(#357f2c));background:-moz-linear-gradient(-90deg,#419b36,#357f2c);border-bottom-color:#3e9533;}button.classy.business-plan:hover,button.business-plan.classy:hover:disabled,button.business-plan.classy.disabled:hover,a.business-plan.button.classy:hover:disabled,a.business-plan.button.classy.disabled:hover,button.business-plan.classy.disabled:hover:disabled,a.business-plan.button.classy.disabled:hover:disabled,a.button.classy.business-plan:hover{color:#fff;text-shadow:-1px -1px 0 rgba(0,0,0,0.3);background:#18a609;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#1cbe0a',endColorstr='#158f07');background:-webkit-gradient(linear,0% 0,0% 100%,from(#1cbe0a),to(#158f07));background:-moz-linear-gradient(-90deg,#1cbe0a,#158f07);border-bottom-color:#18a609;}button.classy.personal-plan,button.personal-plan.classy:disabled,button.personal-plan.classy.disabled,a.personal-plan.button.classy:disabled,a.personal-plan.button.classy.disabled,button.personal-plan.classy:disabled:hover,button.personal-plan.classy.disabled:disabled:hover,a.personal-plan.button.classy.disabled:hover:disabled,a.personal-plan.button.classy.disabled:hover,a.button.classy.personal-plan{color:#fff;text-shadow:-1px -1px 0 rgba(0,0,0,0.3);background:#438bb1;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#4794bc',endColorstr='#3a7999');background:-webkit-gradient(linear,0% 0,0% 100%,from(#4794bc),to(#3a7999));background:-moz-linear-gradient(-90deg,#4794bc,#3a7999);border-bottom-color:#438bb1;}button.classy.oauth,button.oauth.classy:disabled,button.oauth.classy.disabled,a.oauth.button.classy:disabled,a.oauth.button.classy.disabled,button.oauth.classy:disabled:hover,button.oauth.classy.disabled:disabled:hover,a.oauth.button.classy.disabled:hover:disabled,a.oauth.button.classy.disabled:hover,a.button.classy.oauth,.login_form form .submit_btn input{color:#fff;text-shadow:-1px -1px 0 rgba(0,0,0,0.3);background:#438bb1;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#4794bc',endColorstr='#3a7999');background:-webkit-gradient(linear,0% 0,0% 100%,from(#4794bc),to(#3a7999));background:-moz-linear-gradient(-90deg,#4794bc,#3a7999);border-bottom-color:#438bb1;}.minibutton{height:21px;padding:0 0 0 3px;font-size:11px;font-weight:bold;}.minibutton,.minibutton.disabled:hover{position:relative;font-family:helvetica,arial,freesans,clean,sans-serif;display:inline-block;color:#333;text-shadow:1px 1px 0 #fff;white-space:nowrap;border:none;overflow:visible;cursor:pointer;border:1px solid #d4d4d4;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;background:#f4f4f4;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#f4f4f4',endColorstr='#ececec');background:-webkit-gradient(linear,left top,left bottom,from(#f4f4f4),to(#ececec));background:-moz-linear-gradient(top,#f4f4f4,#ececec);}button.minibutton{height:23px;}.minibutton.lighter,.minibutton.disabled.lighter:hover{color:#333;text-shadow:1px 1px 0 #fff;border:none;background:#fafafa;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#fafafa',endColorstr='#dddddd');background:-webkit-gradient(linear,left top,left bottom,from(#fafafa),to(#ddd));background:-moz-linear-gradient(top,#fafafa,#ddd);}.minibutton.green,.minibutton.disabled.green:hover{color:#fff;text-shadow:-1px -1px 0 rgba(0,0,0,0.3);background:#36b825;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#36b825',endColorstr='#28881b');background:-webkit-gradient(linear,left top,left bottom,from(#36b825),to(#28881b));background:-moz-linear-gradient(top,#36b825,#28881b);border-color:#4a993e;}.minibutton.blue,.minibutton.disabled.blue:hover{color:#fff;text-shadow:-1px -1px 0 rgba(0,0,0,0.3);background-color:#448da6;background:-moz-linear-gradient(#448da6,#32687b);background:-ms-linear-gradient(#448da6,#32687b);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#448da6),color-stop(100%,#32687b));background:-webkit-linear-gradient(#448da6,#32687b);background:-o-linear-gradient(#448da6,#32687b);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#448da6',endColorstr='#32687b')";background:linear-gradient(#448da6,#32687b);border-color:#275666;}input[type=text]+.minibutton{margin-left:5px;}button.minibutton::-moz-focus-inner{margin:-1px -3px;}.minibutton.danger{color:#900;}.minibutton.disabled.danger:hover{color:#900;border-color:#d4d4d4;background:#f4f4f4;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#f4f4f4',endColorstr='#ececec');background:-webkit-gradient(linear,left top,left bottom,from(#f4f4f4),to(#ececec));background:-moz-linear-gradient(top,#f4f4f4,#ececec);}.minibutton>span{display:block;height:21px;padding:0 9px 0 7px;line-height:21px;}.minibutton:hover{color:#fff;text-decoration:none;text-shadow:-1px -1px 0 rgba(0,0,0,0.3);border-color:#518cc6;border-bottom-color:#2a65a0;background:#599bdc;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#599bdc',endColorstr='#3072b3');background:-webkit-gradient(linear,left top,left bottom,from(#599bdc),to(#3072b3));background:-moz-linear-gradient(top,#599bdc,#3072b3);}.minibutton.mousedown{border-color:#2a65a0;border-bottom-color:#518cc6;background:#3072b3;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#3072b3',endColorstr='#599bdc');background:-webkit-gradient(linear,left top,left bottom,from(#3072b3),to(#599bdc));background:-moz-linear-gradient(top,#3072b3,#599bdc);}.minibutton.danger:hover{border-color:#c65651;border-bottom-color:#a0302a;background:#dc5f59;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#dc5f59',endColorstr='#b33630');background:-webkit-gradient(linear,left top,left bottom,from(#dc5f59),to(#b33630));background:-moz-linear-gradient(top,#dc5f59,#b33630);}.minibutton.danger.mousedown{border-color:#a0302a;border-bottom-color:#c65651;background:#b33630;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#b33630',endColorstr='#dc5f59');background:-webkit-gradient(linear,left top,left bottom,from(#b33630),to(#dc5f59));background:-moz-linear-gradient(top,#b33630,#dc5f59);}.minibutton.disabled,.minibutton.disabled:hover{opacity:.5;cursor:default;}.minibutton.selected,.context-menu-container.active .context-menu-button{color:#fff;text-shadow:-1px -1px 0 rgba(0,0,0,0.5);border-color:#686868;background:#767676;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#767676',endColorstr='#9e9e9e');background:-webkit-gradient(linear,left top,left bottom,from(#767676),to(#9e9e9e));background:-moz-linear-gradient(top,#767676,#9e9e9e);}.btn-admin .icon,.btn-watch .icon,.btn-download .icon,.btn-pull-request .icon,.btn-fork .icon,.btn-leave .icon,.btn-compare .icon,.btn-reply .icon,.btn-back .icon,.btn-forward .icon{position:relative;top:-1px;float:left;margin-left:-4px;width:18px;height:22px;background:url('../../images/gist/buttons/minibutton_icons.png?v20100306') 0 0 no-repeat;}.btn-forward .icon{float:right;margin-left:0;margin-right:-4px;}.btn-admin .icon{width:16px;background-position:0 0;}.btn-admin:hover .icon{background-position:0 -25px;}.btn-watch .icon{background-position:-20px 0;}.btn-watch:hover .icon{background-position:-20px -25px;}.btn-download .icon{background-position:-40px 0;}.btn-download:hover .icon{background-position:-40px -25px;}.btn-pull-request .icon{width:17px;background-position:-60px 0;}.btn-pull-request:hover .icon{background-position:-60px -25px;}.btn-fork .icon{width:17px;background-position:-80px 0;}.btn-fork:hover .icon{background-position:-80px -25px;}.btn-leave .icon{width:15px;background-position:-120px 0;}.btn-leave:hover .icon{background-position:-120px -25px;}.btn-compare .icon{width:17px;background-position:-100px 0;}.btn-compare:hover .icon{background-position:-100px -25px;}.btn-reply .icon{width:16px;background-position:-140px 0;}.btn-reply:hover .icon{background-position:-140px -25px;}.btn-back .icon{width:16px;background-position:-160px 0;}.btn-back:hover .icon{background-position:-160px -25px;}.btn-forward .icon{width:16px;background-position:-180px 0;}.btn-forward:hover .icon{background-position:-180px -25px;}dl.form{margin:15px 0;}.fieldgroup dl.form:first-child{margin-top:0;}dl.form dt{margin:0;font-size:14px;font-weight:bold;color:#333;}dl.form.required dt label{padding-right:8px;background:100% 0 no-repeat url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAcAAAAHCAYAAADEUlfTAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAyJpVFh0WE1MOmNvbS5hZG9iZS54bXAAAAAAADw/eHBhY2tldCBiZWdpbj0i77u/IiBpZD0iVzVNME1wQ2VoaUh6cmVTek5UY3prYzlkIj8+IDx4OnhtcG1ldGEgeG1sbnM6eD0iYWRvYmU6bnM6bWV0YS8iIHg6eG1wdGs9IkFkb2JlIFhNUCBDb3JlIDUuMC1jMDYwIDYxLjEzNDc3NywgMjAxMC8wMi8xMi0xNzozMjowMCAgICAgICAgIj4gPHJkZjpSREYgeG1sbnM6cmRmPSJodHRwOi8vd3d3LnczLm9yZy8xOTk5LzAyLzIyLXJkZi1zeW50YXgtbnMjIj4gPHJkZjpEZXNjcmlwdGlvbiByZGY6YWJvdXQ9IiIgeG1sbnM6eG1wPSJodHRwOi8vbnMuYWRvYmUuY29tL3hhcC8xLjAvIiB4bWxuczp4bXBNTT0iaHR0cDovL25zLmFkb2JlLmNvbS94YXAvMS4wL21tLyIgeG1sbnM6c3RSZWY9Imh0dHA6Ly9ucy5hZG9iZS5jb20veGFwLzEuMC9zVHlwZS9SZXNvdXJjZVJlZiMiIHhtcDpDcmVhdG9yVG9vbD0iQWRvYmUgUGhvdG9zaG9wIENTNSBNYWNpbnRvc2giIHhtcE1NOkluc3RhbmNlSUQ9InhtcC5paWQ6QjcyQTEwREI1MUI2MTFFMEJEMzA4NTRCMDg2RkMxQjUiIHhtcE1NOkRvY3VtZW50SUQ9InhtcC5kaWQ6QjcyQTEwREM1MUI2MTFFMEJEMzA4NTRCMDg2RkMxQjUiPiA8eG1wTU06RGVyaXZlZEZyb20gc3RSZWY6aW5zdGFuY2VJRD0ieG1wLmlpZDpCNzJBMTBEOTUxQjYxMUUwQkQzMDg1NEIwODZGQzFCNSIgc3RSZWY6ZG9jdW1lbnRJRD0ieG1wLmRpZDpCNzJBMTBEQTUxQjYxMUUwQkQzMDg1NEIwODZGQzFCNSIvPiA8L3JkZjpEZXNjcmlwdGlvbj4gPC9yZGY6UkRGPiA8L3g6eG1wbWV0YT4gPD94cGFja2V0IGVuZD0iciI/PvOj8Z8AAABdSURBVHjaYlzMzIAMdgPxaiCeBeIwQQWVoLQLEAtC2cYgyTQgvgvVBQKhQPwOiFexQI2BCYJ1AHEnSByk8z0Q74EKnoUqABl9lglNlysQV8DsZkRyrSDUFDgbIMAAoD8RR3CjLAoAAAAASUVORK5CYII=);}dl.miniform dt{font-size:12px;}dl.form dd input[type=text],dl.form dd input[type=password]{margin-right:5px;font-size:14px;width:400px;padding:5px;color:#666;background-repeat:no-repeat;background-position:right center;}dl.miniform dd input{margin-right:0;font-size:12px;padding:4px;}.sidebar dl.miniform dd input{width:97%;}dl.form dd textarea{font-size:12px;width:98%;height:200px;padding:5px;}dl.form dd textarea.short{height:50px;}dl.form dd p.note,dl.form dd.required{margin:2px 0 5px 0;font-size:11px;color:#666;}dl.form dd img{vertical-align:middle;}dl.form .success{font-size:12px;font-weight:bold;color:#390;}dl.form .error{font-size:12px;font-weight:bold;color:#900;}dl.form dd.error{margin:0;display:inline-block;padding:5px;font-size:11px;font-weight:bold;color:#333;background:#f7ea57;border:1px solid #c0b536;border-top:1px solid #fff;-webkit-border-bottom-right-radius:3px;-webkit-border-bottom-left-radius:3px;-moz-border-radius-bottomright:3px;-moz-border-radius-bottomleft:3px;border-bottom-right-radius:3px;border-bottom-left-radius:3px;}dl.form.card-type{float:left;margin-top:0;margin-right:25px;}dl.form.expiration{margin-top:0;}.form-actions .success{color:#390;font-weight:bold;}dl.form dt label{position:relative;}dl.form.error dt label{color:#900;}dl.form.loading{opacity:.5;}dl.form.loading dt .indicator{position:absolute;top:0;right:-20px;display:block;width:16px;height:16px;background:url('../../images/modules/ajax/indicator.gif') 0 0 no-repeat;}dl.form.success dt .indicator{position:absolute;top:0;right:-20px;display:block;width:16px;height:16px;background:url('../../images/modules/ajax/success.png') 0 0 no-repeat;}dl.form.error dt .indicator{position:absolute;top:0;right:-20px;display:block;width:16px;height:16px;background:url('../../images/modules/ajax/error.png') 0 0 no-repeat;}dl.password-confirmation-form{margin-top:-5px;margin-bottom:0;}dl.password-confirmation-form dd input[type=password]{width:230px;}dl.password-confirmation-form button{position:relative;left:-3px;top:-2px;}.hfields{margin:15px 0;}.hfields:after{content:".";display:block;height:0;clear:both;visibility:hidden;}* html .hfields{height:1%;}.hfields{display:inline-block;}.hfields{display:block;}.hfields dl.form{float:left;margin:0 30px 0 0;}.hfields button.classy,.hfields a.button.classy{float:left;margin:15px 25px 0 -20px;}.hfields select{margin-top:5px;}.hfields dl.form dd label{display:inline-block;margin:5px 0 0 15px;color:#666;}.hfields dl.form dd label:first-child{margin-left:0;}.hfields dl.form dd label img{position:relative;top:-2px;}.listings-layout{overflow:hidden;padding-bottom:10px;}.listings-layout{overflow:hidden;padding-bottom:10px;}.listings-layout a:hover{text-decoration:none;}.listings-layout>.header{position:relative;border-bottom:1px solid #ddd;}.listings-layout>.header .nav{font-size:14px;}.listings-layout>.header .nav li{display:inline-block;cursor:pointer;}.listings-layout>.header .nav li a{color:#666;text-decoration:none;padding:8px 12px;display:inline-block;margin-bottom:-1px;}.listings-layout>.header .nav li.selected{font-weight:bold;border-left:1px solid #ddd;border-top:1px solid #ddd;border-right:1px solid #ddd;-webkit-border-top-left-radius:3px;-webkit-border-top-right-radius:3px;-moz-border-radius-topleft:3px;-moz-border-radius-topright:3px;border-top-left-radius:3px;border-top-right-radius:3px;background-color:#fff;}.listings-layout>.header .nav li.selected a{color:#333;background-color:white;-webkit-border-top-left-radius:3px;-webkit-border-top-right-radius:3px;-moz-border-radius-topleft:3px;-moz-border-radius-topright:3px;border-top-left-radius:3px;border-top-right-radius:3px;}.listings-layout>.list{margin:20px 0;}.listings-layout .columns.sidebar{float:left;width:220px;padding-right:19px;border-right:1px solid #ddd;}.listings-layout .columns.sidebar .nav li{list-style-type:none;display:block;}.listings-layout .columns.sidebar .nav li a:hover{background:#eee;}.listings-layout .columns.sidebar .nav li a.selected{color:white;background:#4183C4;}.listings-layout .columns.sidebar .nav li a .count{float:right;color:#777;font-weight:bold;}.listings-layout .columns.sidebar .nav.big{margin:0 0 -5px 0;}.listings-layout .columns.sidebar .nav.big li{margin:0 0 5px 0;}.listings-layout .columns.sidebar .nav.big li a{display:block;padding:8px 10px;font-size:14px;-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;}.listings-layout .columns.sidebar .nav.big li a.selected .count{color:#fff;}.listings-layout .columns.sidebar .nav.small li{margin:0 0 2px 0;}.listings-layout .columns.sidebar .nav.small li a{display:block;padding:4px 10px;font-size:12px;white-space:nowrap;text-overflow:ellipsis;overflow:hidden;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;}.listings-layout .columns.sidebar .nav.small li a .count{color:#333;}.listings-layout .columns.sidebar .nav.small li a.selected .count{color:white;}.listings-layout .columns.sidebar .nav.small li.zeroed a,.listings-layout .columns.sidebar .nav.small li.zeroed a .count{color:#999;font-weight:normal;}.listings-layout .columns.main{float:right;width:660px;}.listings-layout .columns.main .clear-filters{margin:0 0 10px 0;color:#999;}.listings-layout .columns.main .clear-filters a{padding-left:20px;color:#999;font-weight:bold;background:url('../../images/modules/issues/clear-x.png') 0 0 no-repeat;}.listings-layout .columns.main .clear-filters a:hover{color:#666;background-position:0 -100px;}.listings-layout .columns.main .content{position:relative;background:#f6f6f6;border:1px solid #ddd;-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;}.listings-layout .columns.main .content .filterbar{font-family:"Helvetica Neue",Helvetica,Arial,freesans;position:relative;height:30px;background:url('../../images/modules/issue_browser/topbar-background.gif') 0 0 repeat-x;border-bottom:1px solid #b4b4b4;-webkit-border-top-right-radius:5px;-webkit-border-top-left-radius:5px;-moz-border-radius-topright:5px;-moz-border-radius-topright:5px;border-top-right-radius:5px;border-top-left-radius:5px;}.listings-layout .columns.main .content .filterbar .filters{position:absolute;bottom:0;left:4px;margin:0;}.listings-layout .columns.main .content .filterbar .filters a{color:inherit;text-decoration:inherit;}.listings-layout .columns.main .content .filterbar .filters li{list-style-type:none;float:left;margin:0 5px 0 0;padding:0 8px;height:24px;line-height:25px;font-size:12px;font-weight:bold;color:#888;text-shadow:1px 1px 0 rgba(255,255,255,0.3);text-decoration:none;border:1px solid #cdcdcd;border-bottom-color:#cfcfcf;-webkit-border-top-left-radius:3px;-webkit-border-top-right-radius:3px;-moz-border-radius-topleft:3px;-moz-border-radius-topright:3px;border-top-left-radius:3px;border-top-right-radius:3px;background:#e6e6e6;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#e6e6e6',endColorstr='#d5d5d5');background:-webkit-gradient(linear,left top,left bottom,from(#e6e6e6),to(#d5d5d5));background:-moz-linear-gradient(top,#e6e6e6,#d5d5d5);}.listings-layout .columns.main .content .filterbar .filters li.selected{color:#333;border-color:#c2c2c2;border-bottom-color:#f0f0f0;background:#efefef;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#efefef',endColorstr='#e6e6e6');background:-webkit-gradient(linear,left top,left bottom,from(#efefef),to(#e6e6e6));background:-moz-linear-gradient(top,#efefef,#e6e6e6);}.listings-layout .columns.main .content .filterbar .sorts{margin:5px 10px 0 0;height:18px;}.listings-layout .columns.main .content .filterbar .sorts li{margin:0 0 0 10px;height:18px;line-height:18px;font-size:11px;border:1px solid transparent;-webkit-border-radius:9px;-moz-border-radius:9px;border-radius:9px;}.listings-layout .columns.main .content .filterbar .sorts li.asc,.listings-layout .columns.main .content .filterbar .sorts li.desc{padding-right:10px;background-color:#e9e9e9;background-position:6px 7px;border:1px solid #bcbcbc;border-right-color:#d5d5d5;border-bottom-color:#e2e2e2;-webkit-box-shadow:inset 1px 1px 1px rgba(0,0,0,0.05);-moz-box-shadow:inset 1px 1px 1px rgba(0,0,0,0.05);box-shadow:inset 1px 1px 1px rgba(0,0,0,0.05);}.listings-layout .columns.main .content .filterbar .sorts li.asc{background-position:6px -92px;}.listings-layout .columns.main .content .filterbar .sorts li a{color:inherit;}.listings-layout .columns.main .content .context-loader{top:31px;}.listings-layout .columns.main .content .none,.listings-layout .columns.main .content .error{padding:30px;text-align:center;font-weight:bold;font-size:14px;color:#999;border-bottom:1px solid #ddd;}.listings-layout .columns.main .content .error{color:#900;}.listings-layout .columns.main .content .listings .actions{background:#fff;background:-moz-linear-gradient(top,white 0,#ecf0f1 100%);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,white),color-stop(100%,#ecf0f1));filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffff',endColorstr='#ecf0f1',GradientType=0);margin:0;padding:.5em;font-size:11px;overflow:hidden;}.listings-layout .columns.main .content .listings .actions,.listings-layout .columns.main .content .listings .footerbar{overflow:hidden;padding:5px;}.listings-layout .columns.main .content .listings .pagination{float:right;margin:0;padding:0;height:23px;line-height:23px;font-weight:bold;font-size:11px;}.listings-layout .columns.main .content .listings .pagination>.disabled{display:none;}.listings-layout .columns.main .content .listings .pagination span.current,.listings-layout .columns.main .content .listings .pagination a{border:0;background:none;color:inherit;margin:0;}.listings-layout .columns.main .content .listings .pagination a{color:#4183C4;}.listings-layout .columns.main .content .listings .listing{color:#888;padding:5px;border-bottom:1px solid #eaeaea;position:relative;}.listings-layout .columns.main .content .listings .listing.even{background-color:#fff;}.listings-layout .columns.main .content .listings .listing.odd{background-color:#f9f9f9;}.listings-layout .columns.main .content .listings .listing.closed{background:url('../../images/modules/pulls/closed_back.gif') 0 0;}.listings-layout .columns.main .content .listings .listing.even.navigation-focus,.listings-layout .columns.main .content .listings .listing.odd.navigation-focus,.listings-layout .columns.main .content .listings .listing.closed.navigation-focus{background:#ffc;}.listings-layout .columns.main .content .listings .listing h3 em.closed{position:absolute;top:5px;right:23px;padding:2px 5px;font-style:normal;font-size:11px;font-weight:bold;text-transform:uppercase;color:white;background:#999;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;border-top-left-radius:3px 3px;border-top-right-radius:3px 3px;border-bottom-right-radius:3px 3px;border-bottom-left-radius:3px 3px;}.listings-layout .columns.main .content .listings .listing a.assignee-bit{display:block;position:absolute;right:0;top:0;width:20px;height:20px;text-decoration:none;border:1px solid #ddd;border-right:none;border-top:none;-webkit-border-bottom-left-radius:3px;-moz-border-radius-bottomleft:3px;border-bottom-left-radius:3px;}.listings-layout .columns.main .content .listings .listing a.assignee-bit.yours{background-color:#fcff00;}.listings-layout .columns.main .content .listings .listing .assignee-bit .assignee-wrapper img{margin:2px;-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;line-height:1px;}.listings-layout .columns.main .content .listings .listing .read-status,.listings-layout .columns.main .content .listings .listing.unread .read-status{width:10px;margin-top:-5px;float:left;}.listings-layout .columns.main .content .listings .listing.unread .read-status{background:url('../../images/modules/issues/unread.png') no-repeat center 10px;}.listings-layout .columns.main .content .listings .listing.read .read-status{background:url('../../images/modules/issues/read.png') no-repeat center 10px;}.listings-layout .columns.main .content .listings .listing .number{width:30px;margin-left:20px;}.listings-layout .columns.main .content .listings .listing .info{margin-top:-1.45em;margin-left:65px;padding:0;}.listings-layout .columns.main .content .listings .listing .info h3{margin:0 25px 3px 0;font-size:13px;font-weight:bold;}.listings-layout .columns.main .content .listings .listing .info h3 a{color:#000;}.listings-layout .columns.main .content .listings .listing .info h3 a:hover{text-decoration:underline;}.listings-layout .columns.main .content .listings .listing .info h3 .repo{color:#999;font-weight:normal;font-size:11px;}.listings-layout .columns.main .content .listings .listing .info .comments{float:right;height:16px;padding:0 0 0 18px;font-size:11px;font-weight:bold;color:#999;}.listings-layout .columns.main .content .listings .listing .info .comments{background:url('../../images/modules/pulls/comment_icon.png') 0 50% no-repeat;}.listings-layout .columns.main .content .listings .listing .info .comments a{color:#bcbcbc;}.listings-layout .columns.main .content .listings .listing .info p{margin:-2px 0 0 0;font-size:11px;font-weight:200;}.listings-layout .columns.main .content .listings .listing .info p strong{font-weight:200;color:#333;}.listings-layout .columns.main .content .listings .listing .info p a{color:inherit;}.listings-layout .columns.main .content .listings .listing .info span.label{display:inline-block;font-size:11px;padding:1px 4px;-webkit-font-smoothing:antialiased;-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;text-decoration:none;font-weight:bold;}.ac_results{padding:0;border:1px solid WindowFrame;background-color:Window;overflow:hidden;z-index:1000;}.ac_results ul{list-style-position:outside;list-style:none;padding:0;margin:0;}.ac_results li{margin:0;padding:2px 5px;cursor:default;display:block;font:menu;font-size:12px;overflow:hidden;text-align:left;}.ac_loading{background:Window url('../../images/modules/ajax/indicator.gif') right center no-repeat;}.ac_over{background-color:Highlight;color:HighlightText;text-align:left;}.date_selector,.date_selector *{width:auto;height:auto;border:none;background:none;margin:0;padding:0;text-align:left;text-decoration:none;}.date_selector{-webkit-box-shadow:0 0 13px rgba(0,0,0,0.31);-moz-box-shadow:0 0 13px rgba(0,0,0,0.31);background:#fff;border:1px solid #c1c1c1;padding:5px;margin-top:10px;z-index:9;width:240px;-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;display:none;}.date_selector.no_shadow{-webkit-box-shadow:none;-moz-box-shadow:none;}.date_selector_ieframe{position:absolute;z-index:99999;display:none;}.date_selector .nav{width:17.5em;}.date_selector .month_nav,.date_selector .year_nav{margin:0 0 3px 0;padding:0;display:block;position:relative;text-align:center;}.date_selector .month_nav{float:left;width:55%;}.date_selector .year_nav{float:right;width:35%;margin-right:-8px;}.date_selector .month_name,.date_selector .year_name{font-weight:bold;line-height:20px;}.date_selector .button{display:block;position:absolute;top:0;width:18px;height:18px;line-height:17px;font-weight:bold;color:#003C78;text-align:center;font-size:120%;overflow:hidden;border:1px solid #F2F2F2;}.date_selector .button:hover,.date_selector .button.hover{background:none;color:#003C78;cursor:pointer;border-color:#ccc;}.date_selector .prev{left:0;}.date_selector .next{right:0;}.date_selector table{border-spacing:0;border-collapse:collapse;clear:both;}.date_selector th,.date_selector td{width:2.5em;height:2em;padding:0;text-align:center;color:black;}.date_selector td{border:1px solid #ccc;line-height:2em;text-align:center;white-space:nowrap;color:#003C78;background:white;}.date_selector td.today{background:#FFFEB3;}.date_selector td.unselected_month{color:#ccc;}.date_selector td.selectable_day{cursor:pointer;}.date_selector td.selected{background:#D8DFE5;font-weight:bold;}.date_selector td.selectable_day:hover,.date_selector td.selectable_day.hover{background:#003C78;color:white;}#facebox{position:absolute;top:0;left:0;z-index:100;text-align:left;}#facebox .popup{position:relative;border:3px solid rgba(0,0,0,0);-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;-webkit-box-shadow:0 0 18px rgba(0,0,0,0.4);-moz-box-shadow:0 0 18px rgba(0,0,0,0.4);box-shadow:0 0 18px rgba(0,0,0,0.4);}#facebox .content{min-width:370px;padding:10px;background:#fff;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;}#facebox .content>p:first-child{margin-top:0;}#facebox .content>p:last-child{margin-bottom:0;}#facebox .close{position:absolute;top:5px;right:5px;padding:2px;}#facebox .close img{opacity:.3;}#facebox .close:hover img{opacity:1.0;}#facebox .loading{text-align:center;}#facebox .image{text-align:center;}#facebox img{border:0;margin:0;}#facebox_overlay{position:fixed;top:0;left:0;height:100%;width:100%;}.facebox_hide{z-index:-100;}.facebox_overlayBG{background-color:#000;z-index:99;}.tipsy{padding:5px;font-size:11px;text-shadow:1px 1px 0 #000;opacity:.8;filter:alpha(opacity=80);background-repeat:no-repeat;}.tipsy-inner{padding:5px 8px 4px 8px;background-color:black;color:white;max-width:235px;text-align:center;-moz-border-radius:3px;-webkit-border-radius:3px;}.tipsy-north{background-image:url('../../images/modules/tipsy/tipsy-north.gif');background-position:top center;}.tipsy-south{background-image:url('../../images/modules/tipsy/tipsy-south.gif');background-position:bottom center;}.tipsy-east{background-image:url('../../images/modules/tipsy/tipsy-east.gif');background-position:right center;}.tipsy-west{background-image:url('../../images/modules/tipsy/tipsy-west.gif');background-position:left center;}.tipsy-west .tipsy-inner{text-align:left;}path.area{stroke-width:1.5;fill-opacity:1;fill:none;}path.area.addition{stroke:#1db34f;}path.area.deletion{stroke:#ad1017;}span.cadd{font-weight:bold;color:#1db34f;}span.cdel{font-weight:bold;color:#ad1017;}.weekbar.even{stroke:#eee;stroke-width:1px;fill:none;}.weekbar.odd{fill:#f1f1f1;display:none;}.weekbar text{font-size:11px;fill:#555;stroke:none;}.yearbar{fill:none;}.yearbar.even{fill:#f6f6f6;}.yearlbl{fill:#555;font-weight:bold;}#js-commit-activity-detail{-webkit-border-radius:6px;-moz-border-radius:6px;background:#f3f3f3;position:relative;}#js-commit-activity-detail.transparent{background:#fff;}#js-commit-activity-detail .activity{margin-top:0;padding-top:100px;}#js-commit-activity-master{border:1px solid #ddd;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;margin-top:30px;}#js-commit-activity-master #js-commit-activity-master-head{background:#fff;padding:10px;text-align:center;margin:-16px auto 0 auto;width:160px;font-size:14px;font-weight:bold;color:#333;text-transform:uppercase;letter-spacing:.2em;}rect{shape-rendering:crispedges;}rect.max{fill:#ffc644;}g.bar{fill:#1db34f;}g.mini{fill:#f17f49;shape-rendering:geometricPrecision;}g.active rect{fill:#bd380f;}circle.focus{fill:#555;}#js-commit-activity-detail line{stroke:#e1e1e1;}#js-commit-activity-detail path{fill:none;stroke:#1db34f;stroke-width:2px;}#js-commit-activity-detail .dot{fill:#1db34f;stroke:#16873c;stroke-width:2px;}#js-commit-activity-detail .tip{fill:#333;stroke-width:0;font-size:10px;}#js-commit-activity-detail .days text{font-size:11px;fill:#777;}.graphs .axis{fill:#aaa;font-size:10px;}.graphs .axis line{shape-rendering:crispedges;stroke:#eee;}.graphs .axis path{display:none;}.graphs .axis .zero line{stroke-width:1.5;stroke:#4183C4;stroke-dasharray:3 3;}.graphs .d3-tip{fill:#c00;}.graphs .d3-tip text{fill:#fff;}.graphs .activity{text-align:center;width:400px;margin:100px auto 0 auto;color:#444;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;padding:10px;}.graphs .error{color:#900;background:#feeaea;padding:10px;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;}.graphs .dots{margin:0 auto;}.graphs .dir{font-size:12px;font-weight:normal;color:#555;line-height:100%;padding-top:5px;float:right;}h2.ghead:after{content:".";height:0;display:block;visibility:hidden;clear:both;}kbd{background-color:#f1f1f1;background:-moz-linear-gradient(#f1f1f1,#ddd);background:-ms-linear-gradient(#f1f1f1,#ddd);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#f1f1f1),color-stop(100%,#ddd));background:-webkit-linear-gradient(#f1f1f1,#ddd);background:-o-linear-gradient(#f1f1f1,#ddd);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#f1f1f1',endColorstr='#dddddd')";background:linear-gradient(#f1f1f1,#ddd);-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;border:1px solid #ddd;border-bottom-color:#ccc;border-right-color:#ccc;padding:1px 4px;line-height:10px;font-family:"Helvetica Neue",Helvetica,Arial,sans-serif;}.label{font-size:11px;fill:#555;stroke:none;}circle.day{stroke-width:0;fill:#444;}circle.day:hover{fill:#c00;}circle.day.h0{display:none;}line.axis{stroke-width:1;stroke:#eee;shape-rendering:crispedges;}line.axis.even{stroke:#e0e0e0;}.about{color:#4d4d4d;}.about .site{padding-top:0;}.about h2{font-weight:normal;}.about a:hover{text-decoration:none;}.about li{list-style:none;}.about .spacefield{position:absolute;left:0;top:0;width:100%;height:300px;background-color:#000!important;}.about #about_header{height:300px;overflow:hidden;margin-bottom:25px;}.about #about_header h1{text-indent:-5000px;overflow:hidden;}.about #about_header ul{position:absolute;bottom:35px;left:27px;z-index:9;}.about #about_header ul li{display:inline;margin-right:20px;}.about #about_header ul li a{color:#138fd9;font-size:14px;font-weight:normal;}.about #about_header .width_wrapper{position:relative;height:300px;width:1100px;margin:0 auto;}.about #company_description{position:relative;}.about #company_description p{position:relative;color:#4d4d4d;width:530px;font-size:14px;line-height:18px;margin:18px 0 18px 0;}.about #box_of_fact{position:absolute;z-index:10;top:-55px;right:4px;height:314px;width:295px;border:1px solid #d4d4d4;background:#e6e6e6 url('../../images/modules/about_page/box_of_fact_bg.png') repeat-x top;padding:0 20px;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;-webkit-box-shadow:0 0 5px #CCC;-moz-box-shadow:0 0 5px #CCC;box-shadow:0 0 5px #CCC;-moz-box-shadow:0 0 5px #CCC;box-shadow:0 0 5px #CCC;}.about #box_of_fact li.first{border-top:none;}.about #box_of_fact li.last{border-bottom:none;}.about #box_of_fact h2{width:100%;color:#fff;letter-spacing:1px;text-align:center;margin-top:5px;}.about #box_of_fact li{height:40px;font-size:18px;font-weight:100;margin:0;padding-top:13px;color:#585c60;border-top:1px solid #d1d1d1;border-bottom:1px solid #ebebeb;text-align:right;}.about #box_of_fact li strong{color:#323334;font-weight:bold;}.about .tm{font-weight:normal;}.about .left{text-align:left!important;}.about #the_team{width:920px;clear:both;}.about #the_team h2{width:916px;border-top:1px solid #CCC;margin:25px 0 27px 0;padding-top:25px;}.about .employee_container{display:inline;float:left;width:136.6px;height:210px;margin:0 20px 20px 0;text-align:center;padding:auto;}.about .employee_container img{width:130px;height:130px;border:3px solid #fff;-webkit-box-shadow:0 0 2px #7d7d7d;-moz-box-shadow:0 0 2px #7d7d7d;box-shadow:0 0 2px #7d7d7d;}.about .employee_container h3{font-size:12px;margin:0;}.about .employee_container address{font-size:12px;font-weight:normal;font-style:normal;}.about .username{font-size:12px;font-weight:normal;}.about #media_downloads{position:relative;width:910px;height:320px;border-top:1px solid #CCC;clear:both;padding-top:15px;}.about #media_downloads h2{margin-bottom:27px;}.about #media_downloads .container{position:relative;float:left;width:175px;height:175px;margin:0 60px;}.about #media_downloads .container img{border:1px solid #CCC;width:174px;height:174px;}.about #media_downloads .container h4{margin-bottom:9px;text-align:center;}.about #media_downloads .container h4 span{font-weight:normal;font-size:11px;font-style:italic;}.about .minibutton{display:block;width:80px;height:20px;position:relative;margin:9px auto 0 auto;}div.plax{position:relative;width:100%;}div.plax img#parallax_octocat{position:absolute;top:19px;left:669px;z-index:4;}div.plax img#parallax_text{position:absolute;top:30px;left:15px;z-index:3;}div.plax img#parallax_earth{position:absolute;top:146px;left:608px;z-index:2;}div.plax #parallax_bg{position:absolute;width:100%;top:-19px;left:-19px;z-index:1;}.accountcols .main{float:left;width:560px;}.accountcols .sidebar{float:right;width:330px;}.accountcols .main>p.overview{margin-top:20px;color:#333;}.lineoption{margin:15px 0 25px 0;}.lineoption h3{margin-bottom:0;font-size:16px;}.lineoption p{margin:0 0 15px 0;color:#333;}.statgroup{margin:10px 0;font-size:12px;color:#333;}.statgroup dl{padding:3px 0;border-bottom:1px solid #ddd;}.statgroup dl:first-child{border-top:1px solid #ddd;}.statgroup dl dt{float:left;width:80px;color:#999;}.statgroup dl dd.action{float:right;font-weight:bold;}.statgroup ul.actions,.usagebars ul.actions{margin:5px 0;}.statgroup ul.actions:after,.usagebars ul.actions:after{content:".";display:block;height:0;clear:both;visibility:hidden;}* html .statgroup ul.actions,* html .usagebars ul.actions{height:1%;}.statgroup ul.actions,.usagebars ul.actions{display:inline-block;}.statgroup ul.actions,.usagebars ul.actions{display:block;}.statgroup ul.actions li,.usagebars ul.actions li{list-style-type:none;margin:0;height:25px;font-weight:bold;}.statgroup ul.actions li.first,.usagebars ul.actions li.first{float:left;line-height:25px;}.statgroup ul.actions li.last,.usagebars ul.actions li.last{float:right;}.fieldgroup p.explain.planusage{color:#333;}.fieldgroup p.explain.planusage strong{color:#000;}.usagebars{margin-top:10px;}.usagebars dl{margin:0;padding:6px 0 8px 0;font-size:12px;color:#999;border-bottom:1px solid #ddd;}.usagebars dl:first-child{border-top:1px solid #ddd;}.htabs .usagebars dl{border:none;}.usagebars dl dt{float:left;}.usagebars dl dt.numbers{float:right;color:#000;font-weight:bold;}.usagebars dl dt.numbers em{font-style:normal;color:#999;}.usagebars dl.reaching dt.numbers em{color:#cd8700;}.usagebars dl.over dt.numbers em{color:#c00;}.usagebars dl dt.numbers .overlimit{display:inline-block;position:relative;top:-1px;padding:2px 15px 1px 5px;font-size:9px;font-weight:bold;text-transform:uppercase;text-shadow:1px 1px 0 #804b00;color:#fff;background:url('../../images/modules/account/flag_point.png') 100% 50% no-repeat #d55500;-webkit-border-radius:3px;-moz-border-radius:3px;}.usagebars dl dd{clear:both;}.usagebars dl dd.bar{border:2px solid #ddd;}.usagebars dl dd.bar span{display:block;height:20px;min-width:2px;text-indent:-9999px;background:url('../../images/modules/account/usage_bars.gif') 0 0 repeat-x;}.usagebars dl.reaching dd.bar span{background-position:0 -20px;}.usagebars dl.over dd.bar span{background-position:0 -40px;}.usagebars .ssl{display:inline-block;padding-left:20px;font-size:12px;font-weight:normal;color:#999;background:url('../../images/modules/account/ssl_icons.gif') 0 0 no-repeat;}.usagebars .ssl.disabled{background-position:0 -30px;}.usagebars p.upsell{margin:0;padding:5px 0;font-size:12px;font-weight:bold;text-align:center;border-bottom:1px solid #ddd;}ul.usagestats{margin:10px 0 10px -30px;width:950px;}ul.usagestats li{list-style-type:none;float:left;margin:0 0 0 30px;width:230px;}ul.usagestats li.name{width:140px;}.usagestats dl,.usagestats dl:first-child{padding:0;border:none;}.usagestats dl dt{float:none;}.usagestats dl dt.numbers{position:relative;float:none;font-size:20px;font-weight:bold;color:#000;}.usagestats dl dt.numbers em{color:#666;}.usagestats dl dt.numbers .overlimit{position:absolute;top:12px;right:235px;padding-top:4px;padding-bottom:3px;white-space:nowrap;line-height:1;}.usagestats dl dt.numbers .suffix{font-size:18px;}.usagestats dl dt.label{margin:-6px 0 5px 0;text-transform:lowercase;}#planchange .fieldgroup{margin-top:0;}#planchange .fieldgroup .fields{background-image:url('../../images/modules/account/fieldgroup_back-blue.gif');}#just_change_plan{float:right;margin-top:2px;}#planchange ul.warnings{list-style-type:none;}#planchange ul.warnings li{color:#900;font-weight:bold;font-size:14px;}.usagestats li.checkbox{float:right;text-align:right;font-weight:bold;font-size:14px;}table.upgrades{margin:0;width:100%;border-spacing:0;border-collapse:collapse;}table.upgrades#org_plans{margin:10px 0 15px 0;border-top:1px solid #ddd;}table.upgrades th{padding:4px 5px;text-align:left;font-size:11px;font-weight:normal;color:#666;border-bottom:1px solid #ddd;}table.upgrades th .private-icon{display:inline-block;width:8px;height:9px;text-indent:-9999px;background:url('../../images/modules/account/table_lock.png') 0 0 no-repeat;}table.upgrades td{padding:8px 5px;font-size:16px;font-weight:bold;border-bottom:1px solid #ddd;background:url('../../images/modules/account/billing_bevel.gif') 0 0 repeat-x #f5f5f5;}table.upgrades td.upsell{padding:5px;font-size:12px;color:#555;}table.upgrades td.upsell a{font-weight:bold;}table.upgrades tr:hover td{background-color:#d2f4f4;}table.upgrades tr.selected td{background-color:#333;color:#fff;}table.upgrades tr.current td{background-color:#fdffce;color:#000;}table.upgrades td.num,table.upgrades td.bool,table.upgrades th.num,table.upgrades th.bool{text-align:center;}table.upgrades td.action{text-align:right;font-size:11px;color:#999;}table.upgrades td.name em{font-style:normal;color:#666;}table.upgrades .coupon td{padding:5px;color:#fff;font-size:11px;}table.upgrades .coupon td,table.upgrades tr.coupon:hover td{background-color:#df6e00;background-image:none;}table.upgrades .coupon td.timeleft{font-weight:normal;text-align:right;padding-right:25px;background:url('../../images/modules/account/timer.png') 98% 50% no-repeat #df6e00;}table.upgrades.selected td{padding-top:4px;padding-bottom:4px;opacity:.5;font-size:12px;}table.upgrades.selected tr.selected td{padding-top:8px;padding-bottom:8px;opacity:1.0;font-size:16px;}.creditcard{padding-left:60px;background:url('../../images/modules/account/credit_card.gif') 0 3px no-repeat;}.creditcard.invalid{background-position:0 -47px;}.creditcard h3{margin:0;font-size:14px;}.creditcard.invalid h3{color:#900;}.creditcard h3 .update{position:relative;top:-2px;margin-left:10px;}.creditcard p{margin:-5px 0 0 0;font-size:12px;font-weight:bold;}table.notifications{margin:0 0 15px 0;width:100%;border-spacing:none;border-collapse:collapse;font-size:12px;color:#666;}table.notifications th{padding:15px 0 5px 0;text-align:left;font-size:11px;text-transform:uppercase;color:#000;border-bottom:1px solid #ccc;}table.notifications td{padding:2px 0;border-bottom:1px solid #ddd;}table.notifications td.checkbox{width:1%;text-align:center;}p.notification-settings{margin:15px 0;padding-left:20px;font-size:12px;color:#333;background:url('../../images/modules/notifications/notification_icon-off.png') 0 50% no-repeat;}p.notification-settings.on{background-image:url('../../images/modules/notifications/notification_icon.png');}p.notification-settings strong{font-weight:bold;}p.notification-settings em{font-style:normal;color:#666;}p.notification-settings.on .subscription-on,p.notification-settings .subscription-off{display:inline;}p.notification-settings .subscription-on,p.notification-settings.on .subscription-off{display:none;}.page-notifications p.notification-settings{margin-bottom:0;padding:8px 5px 8px 25px;background-color:#eee;background-position:5px 50%;border:1px solid #d5d5d5;border-right-color:#e5e5e5;border-bottom-color:#e5e5e5;-webkit-border-radius:3px;-moz-border-radius:3px;}p.notification-settings label{margin-right:5px;}.payment-type{margin:15px 0 10px 0;padding:0 0 15px 0;border-bottom:1px solid #ddd;}.payment-type ul.actions{margin:0;float:right;}.payment-type ul.actions li{list-style-type:none;float:right;margin:0 0 0 10px;height:25px;line-height:25px;font-size:11px;color:#999;}.payment-type h3{margin:0;height:25px;line-height:24px;font-size:14px;}.payment-type.gift h3,.payment-type.teacher h3,.payment-type.student h3{padding-left:26px;background:url('../../images/modules/account/payment-gift.png') 0 50% no-repeat;}.payment-type.card h3{padding-left:40px;background:url('../../images/modules/account/payment-card.png') 0 50% no-repeat;}.payment-type.invoice h3{padding-left:25px;background:url('../../images/modules/account/payment-invoice.png') 0 50% no-repeat;}.payment-type.coupon h3{padding-left:35px;background:url('../../images/modules/account/payment-coupon.png') 0 50% no-repeat;}#facebox .content.job-profile-preview{width:500px;}#admin_bucket form.edit_user p{margin:10px 0 5px 0;}.suggester-container{position:absolute;top:29px;left:5px;z-index:1;}.pull-form .suggester-container{top:65px;}.suggester{position:relative;top:0;left:0;display:none;margin-top:18px;background:#fff;border:1px solid #ddd;border-radius:3px;box-shadow:0 0 5px rgba(0,0,0,0.1);min-width:180px;}.suggester.active{display:block;}.suggester ul{list-style:none;margin:0;padding:0;}.suggester li{display:block;padding:5px 10px;border-bottom:1px solid #ddd;font-weight:bold;}.suggester li small{color:#777;font-weight:normal;}.suggester li:last-child{border-bottom:none;border-bottom-left-radius:3px;border-bottom-right-radius:3px;}.suggester li:first-child a{border-top-left-radius:3px;border-top-right-radius:3px;}.suggester li.navigation-focus{color:#fff;background:#4183c4;text-decoration:none;}.suggester li.navigation-focus small{color:#fff;}article,aside,header,footer,nav,section,figure,figcaption,hgroup,progress,canvas{display:block;}.site{position:relative;padding:20px 0 0 0;width:100%;z-index:9;}.vis-private .site,.mine .site{background:url('../../images/modules/pagehead/background-yellow.png') 0 0 repeat-x;}h2,h3{margin:1em 0;}.sidebar>h4{margin:15px 0 5px 0;font-size:11px;color:#666;text-transform:uppercase;}.file{margin:15px 0;}.file>.highlight{padding:5px;background:#f8f8ff;border:1px solid #d4d4e3;}.file>h3{margin:0;padding:5px;font-size:12px;color:#333;text-shadow:1px 1px 0 rgba(255,255,255,0.5);border:1px solid #ccc;border-bottom:none;background:url('../../images/modules/commit/file_head.gif') 0 0 repeat-x #eee;}p.bigmessage{margin:30px 0;text-align:center;font-size:16px;color:#333;}.blob-editor textarea{font-family:Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;font-size:11px;}.placeholder-field{position:relative;}.placeholder-field label.placeholder{position:absolute;top:3px;left:5px;margin:0;color:#aaa;font-size:12px;}input[type=text].short,dl.form input[type=text].short{width:250px;}p.checkbox{margin:15px 0;font-size:14px;font-weight:bold;color:#333;}.ejection .ejecting,.ejection.open .confirming{display:none;}.ejection.open .ejecting,.ejection .confirming{display:block;}.ejector{padding:20px 10px;position:relative;}.ejector.ejecting{overflow:hidden;padding:10px 50px 10px 10px;background:url('../../images/icons/bigwarning.png') 98% 50% no-repeat #fffeb2;}.ejector h4{margin:0;}.ejector p{margin:0;color:#666;}.ejector p strong.yell{color:#000;background:#fff693;}.ejector.ejecting p{font-weight:bold;color:#000;}.ejector.ejecting h4{color:#900;margin:0 0 5px 0;}.ejector button.classy,.ejector .button.classy{position:absolute;top:50%;right:10px;margin-top:-18px;}.ejector-actions{background:#FFFEB2;padding:0 10px 10px 10px;}.ejector-actions .cancel{font-weight:bold;font-size:11px;}.ejector-actions button,.ejector-actions .button,.ejector-actions .minibutton{float:right;}.ejector-content{width:55%;}.fieldgroup{position:relative;margin-top:10px;}.sidebar .fieldgroup+.fieldgroup{margin-top:40px;}.fieldgroup h2,h2.account{margin:15px 0 0 0;font-size:18px;font-weight:normal;color:#666;}p.explain{font-size:12px;color:#666;}.fieldgroup p.explain{margin:0;}.options-content p.explain{margin-top:0;border-top:1px solid #ddd;padding:10px 10px 0 10px;}.fieldgroup .fields{margin:10px 0 0 0;padding:10px;background:url('../../images/modules/account/fieldgroup_back.png') 0 0 no-repeat;}.equacols .fieldgroup .fields,.htabs .columns.typical .fieldgroup .fields,.htabs .columns.hooks .fieldgroup .fields{background-image:url('../../images/modules/account/fieldgroup_back-440.png');}.fieldgroup p.addlink{margin:15px 0;font-size:14px;font-weight:bold;}.fieldgroup p.checkbox label{margin-left:5px;}.fieldgroup p.checkbox .succeed{margin-left:10px;font-weight:normal;color:#3c0;}.fieldgroup p.danger{margin:15px 0;font-weight:bold;color:#c00;}.fieldgroup p:first-child{margin-top:0;}.fieldgroup p.extra{margin:-8px 0 15px 0;font-size:12px;color:#666;}.fieldgroup p.legal{margin:15px 0;font-size:14px;font-weight:bold;}.fieldgroup div.error{margin:10px 0 0 0;padding:10px;color:#fff;font-weight:bold;background:#a00;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;-webkit-font-smoothing:antialiased;}.fieldgroup div.error p{margin:0;}.fieldgroup div.error p+p{margin-top:10px;}ul.fieldpills{position:relative;margin:0;}ul.fieldpills li{position:relative;list-style-type:none;margin:3px 0;min-height:24px;line-height:24px;padding:4px 5px;background:#eee;font-size:12px;font-weight:bold;color:#333;border:1px solid #ddd;-webkit-border-radius:3px;-moz-border-radius:3px;}ul.fieldpills li:first-child{margin-top:0;}ul.fieldpills li:hover{background-color:#f5f5f5;border-color:#ccc;}ul.fieldpills.public_keys li{padding-left:28px;background-image:url('../../images/modules/account/public_key.png');background-repeat:no-repeat;background-position:10px 50%;}ul.fieldpills.teams li{padding-left:28px;background-image:url('../../images/icons/team.png');background-repeat:no-repeat;background-position:5px 50%;}ul.fieldpills li .remove{position:absolute;top:50%;right:10px;margin-top:-9px;width:18px;height:18px;text-indent:-9999px;text-decoration:none;background:url('../../images/modules/account/close_pill.png') 0 0 no-repeat;}ul.fieldpills li .remove:hover{background-position:0 -50px;}ul.fieldpills li img.remove{background:none;}ul.fieldpills li .dingus{position:absolute;top:50%;right:10px;margin-top:-9px;text-indent:-9999px;text-decoration:none;}.avatarexplain{margin:15px 0;height:54px;}.avatarexplain img{float:left;margin-right:10px;padding:2px;background:#fff;border:1px solid #ddd;}.avatarexplain p{margin:0;padding-top:10px;font-size:12px;line-height:1;color:#999;}.avatarexplain p strong{display:block;font-size:14px;font-weight:bold;color:#333;}.add-pill-form{margin:15px 0;padding:4px 5px;background:#f5f5f5;font-size:12px;color:#333;border:1px solid #ddd;-webkit-border-radius:5px;-moz-border-radius:5px;}.add-pill-form input[type=text]{font-size:14px;width:350px;padding:2px 5px;color:#666;}.equacols .add-pill-form input[type=text],.htabs .columns.typical .add-pill-form input[type=text]{width:332px;}.add-pill-form img{vertical-align:middle;margin:0 5px;}.add-pill-form .error_box{margin:5px 0 0 0;padding:0;border:none;background:transparent;color:#c00;font-size:12px;}.add-pill-form label{margin:12px 0 2px 0;display:block;font-weight:bold;color:#333;}.add-pill-form label:first-child{margin-top:0;}.add-pill-form textarea.key_value{font-size:11px;font-family:Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;width:95%;height:120px;}.add-pill-form .form-actions{margin-top:10px;text-align:left;}ul.smalltabs{margin:15px 0 15px 0;height:24px;line-height:24px;font-size:12px;color:#555;text-shadow:1px 1px 0 rgba(255,255,255,0.5);background:url('../../images/modules/pagehead/breadcrumb_back.gif') 0 0 repeat-x;border:1px solid #d1d1d1;border-bottom-color:#bbb;-webkit-border-radius:3px;-moz-border-radius:3px;}ul.smalltabs li{list-style-type:none;display:inline;}ul.smalltabs a{float:left;height:24px;padding:0 7px;color:#666;font-weight:bold;text-decoration:none;border-right:1px solid #ababab;border-left:1px solid #f6f6f6;}ul.smalltabs li:first-child a{border-left:none;}ul.smalltabs a.selected{color:#333;background:url('../../images/modules/tabs/small_highlight.gif') 0 0 repeat-x;}ul.smalltabs li:first-child a.selected{-webkit-border-top-left-radius:3px;-webkit-border-bottom-left-radius:3px;-moz-border-radius-topleft:3px;-moz-border-radius-bottomleft:3px;border-top-left-radius:3px;border-bottom-left-radius:3px;}ul.smalltabs .counter{display:inline-block;position:relative;top:-1px;margin-left:2px;line-height:12px;padding:1px 3px 0 3px;font-size:9px;background:#ececec;border:1px solid #afafaf;border-right-color:#ececec;border-bottom-color:#ececec;-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;}ul.smalltabs .counter.green_highlight{background:#cfc;color:#393;}ul.smalltabs .counter.red_highlight{background:#fcc;color:#933;}ul.smalltabs .icon{display:inline-block;position:relative;top:4px;width:16px;height:16px;opacity:.5;}ul.smalltabs a.selected .icon{opacity:1.0;}ul.smalltabs .discussion-icon{background:url('../../images/modules/tabs/icon_discussion.png') 0 0 no-repeat;}ul.smalltabs .commits-icon{background:url('../../images/modules/tabs/icon_commits.png') 0 0 no-repeat;}ul.smalltabs .fileschanged-icon{background:url('../../images/modules/tabs/icon_fileschanged.png') 0 0 no-repeat;}p.breadcrumb{margin:10px 0 0 0;padding:0 7px;height:24px;line-height:24px;font-size:12px;color:#555;text-shadow:1px 1px 0 rgba(255,255,255,0.5);background:url('../../images/modules/pagehead/breadcrumb_back.gif') 0 0 repeat-x;border:1px solid #d1d1d1;border-bottom-color:#bbb;-webkit-border-radius:3px;-moz-border-radius:3px;}p.breadcrumb a{color:#333;font-weight:bold;}p.breadcrumb .separator{display:inline-block;margin:-1px 3px 0 3px;height:8px;width:8px;text-indent:-9999px;vertical-align:middle;background:url('../../images/modules/pagehead/breadcrumb_separator.png') 0 0 no-repeat;}.metabox+p.breadcrumb{margin-top:-10px;}.htabs:after{content:".";display:block;height:0;clear:both;visibility:hidden;}* html .htabs{height:1%;}.htabs{display:inline-block;}.htabs{display:block;}.htabs{margin:15px 0;border-top:1px solid #ddd;background:url('../../images/modules/tabs/side_rule.gif') 230px 0 repeat-y;}#repo-settings.htabs{border-top:none;}.htabs .tab-content{float:right;width:670px;}ul.sidetabs{float:left;margin:0;width:229px;}ul.sidetabs li{list-style-type:none;margin:10px 0;}ul.sidetabs li a{display:block;padding:8px 10px 7px 10px;font-size:14px;text-decoration:none;border:1px solid transparent;-webkit-border-top-left-radius:4px;-webkit-border-bottom-left-radius:4px;-moz-border-radius-topleft:4px;-moz-border-radius-bottomleft:4px;}ul.sidetabs li a:hover{border-top-left-radius:4px;border-bottom-left-radius:4px;background:#f1f1f1;}ul.sidetabs li a.loading{background:url('../../images/modules/ajax/indicator.gif') 97% 50% no-repeat;}ul.sidetabs li a.selected{color:#333;font-weight:bold;text-shadow:1px 1px 0 #fff;border:1px solid #ddd;border-right:none;background:url('../../images/modules/tabs/sidebar_selected.gif') 0 0 repeat-x;}.columns.typical .main{float:left;width:560px;}.columns.typical .sidebar{float:right;width:330px;}.htabs .columns.typical .main{width:440px;}.htabs .columns.typical .sidebar{width:210px;}.columns.dashcols .main{float:left;width:560px;}.columns.dashcols .sidebar{float:right;width:337px;}.columns.equacols .column{width:440px;float:left;}.columns.equacols .secondary{float:right;}.columns.equacols.bordered{border-top:1px solid #ddd;border-bottom:1px solid #ddd;background:url('../../images/modules/global/column_separator.gif') 50% 0 repeat-y;}.columns.hooks .sidebar{float:left;width:210px;}.columns.hooks .main{float:right;width:440px;}.columns.profilecols .first{float:left;width:450px;}.columns.profilecols .last{float:right;width:450px;}.columns.browser .sidebar{float:left;width:220px;padding-right:19px;border-right:1px solid #ddd;}.columns.browser .main{float:right;width:660px;}.columns.content-left{background:url('../../images/modules/marketing/rule.gif') 670px 0 repeat-y;}.columns.content-left .main{float:left;width:650px;}.columns.content-left .sidebar{float:right;width:230px;}.columns.fourcols .column{float:left;margin-left:20px;width:215px;}.columns.fourcols .column.leftmost{margin-left:0;}.wider .columns.content-left{background:url('../../images/modules/marketing/rule.gif') 690px 0 repeat-y;}.wider .columns.content-left .main{float:left;width:670px;}.wider .columns.content-left .sidebar{float:right;width:248px;}.wider .feature-content{padding:0 5px;}.wider .columns.equacols .first{float:left;width:460px;}.wider .columns.equacols .last{float:right;width:460px;}.wider .columns.threecols .column{float:left;width:300px;margin-left:24px;}.wider .columns.threecols .column.first{margin-left:0;}#impact_legend p,#impact_graph p{margin:0;}.keyboard-shortcuts{float:right;margin:5px 0 0 0;padding-right:25px;font-size:11px;text-decoration:none;color:#666;background:url('../../images/icons/keyboard.png') 100% 50% no-repeat;}#issues .keyboard-shortcuts{margin-top:10px;margin-right:10px;padding:5px;background-image:none;background-color:#eee;-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;}#facebox .content.shortcuts{width:700px;}#facebox .content.shortcuts .columns.equacols .column{width:45%;}#facebox .content.shortcuts .equacols .last{float:right;}#facebox .content.shortcuts .columns.threecols .column{float:left;width:32%;}dl.keyboard-mappings{margin:5px 0;font-size:12px;}dl.keyboard-mappings dt{display:inline-block;margin:0;padding:3px 6px;min-width:10px;text-align:center;font-family:Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;background:#333;color:#EEE;-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;text-shadow:1px 1px 0 #000;}dl.keyboard-mappings dt em{padding:0 4px;color:#999;font-style:normal;font-weight:normal;font-size:10px;font-family:Helvetica,Arial,freesans,sans-serif;text-shadow:none;}dl.keyboard-mappings dd{display:inline;margin:0 0 0 5px;color:#666;}#facebox .shortcuts h3{margin:0 0 10px 0;font-size:14px;}pre.copyable-terminal,#facebox pre.copyable-terminal{margin-right:20px;padding:10px;color:#fff;background:#333;border:none;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;overflow:auto;}.for-copyable-terminal{float:right;}ol.help-steps,#facebox ol.help-steps{margin:15px 0;color:#666;}ol.help-steps li{list-style-type:none;margin:15px 0;}ol.help-steps strong{color:#000;font-weight:bold;}ol.help-steps p{margin-bottom:5px;}.chooser-box{padding:0 10px 10px;background:#f1f1f1;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#ffffff',endColorstr='#f1f1f1');background:-webkit-gradient(linear,left top,left bottom,from(#fff),to(#f1f1f1));background:-moz-linear-gradient(top,#fff,#f1f1f1);border:1px solid #ddd;-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;}.chooser-box h3{margin:0 0 0 -10px;width:100%;padding:13px 10px 10px;font-size:16px;line-height:1.2;color:#222;text-shadow:1px 1px 0 rgba(255,255,255,0.5);background:#fbfbfb;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#fbfbfb',endColorstr='#f2f2f2');background:-webkit-gradient(linear,left top,left bottom,from(#fbfbfb),to(#f2f2f2));background:-moz-linear-gradient(top,#fbfbfb,#f2f2f2);-webkit-border-top-left-radius:5px;-webkit-border-top-right-radius:5px;-moz-border-radius-topleft:5px;-moz-border-radius-topright:5px;border-top-left-radius:5px;border-top-right-radius:5px;border-bottom:1px solid #fff;}.chooser-box .fakerule{margin:0 0 0 -10px;width:100%;height:1px;padding:0 10px;font-size:1px;line-height:1px;background:#ddd;}.chooser-box .ac-accept,.chooser-box .ac_loading{background:inherit;}#blob-contributors{color:#666;padding:5px;background:url('../../images/modules/commit/file_head.gif') 0 0 repeat-x #EEE;border-bottom:1px solid #CCC;}#blob-contributors a{font-weight:bold;color:#666;}.ajax-error-message{position:absolute;top:-50px;left:0;width:100%;padding:0;text-align:center;border-bottom:1px solid #ffd42a;background:#fffdf4;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#fffdf4',endColorstr='#f9f3d9');background:-webkit-gradient(linear,left top,left bottom,from(rgba(255,253,244,0.9)),to(rgba(253,243,217,0.9)));background:-moz-linear-gradient(top,rgba(255,253,244,0.9),rgba(253,243,217,0.9));z-index:9999;font-weight:bold;-webkit-transition:top .5s;-moz-transition:top .5s;}html.ajax-error .ajax-error-message{top:0;}.ajax-error-message p{margin:0;padding:0;}.ajax-error-message .icon{position:relative;top:4px;background:url('../../images/icons/error_notice.png');width:22px;height:18px;display:inline-block;}.repo-access-false{position:relative;border:1px #C5D5DD solid;padding:3px 0 0 15px;background:#E6F1F6;margin:10px 0 50px 0;border-radius:4px;-moz-border-radius:4px;-webkit-border-radius:4px;}.repo-access-false p{float:left;font-size:16px;text-shadow:#fff 0 1px 0;}.repo-access-false button{margin:8px 340px 0 0;}.bubble#files .file{margin-bottom:0;}.bubble#files .file{background:#ececec;}.bubble#files .file .data{background:#fff;}.bubble#files .pull-participation{margin:0 0 0 26px;padding:9px 7px 2px 7px;border-bottom:1px solid #eaeaea;background-color:#f8f8f8;border-left:1px solid #ddd;}.bubble#files .file .meta{padding:5px 10px;}.bubble#files .file .meta .info{font-family:helvetica,arial,freesans,clean,sans-serif;}.page-blob .pull-participation{margin:0;padding:10px 10px 5px 10px;border-left:35px solid #ccc;border-bottom:1px solid #ddd;background-color:#fff;}.file .no-preview{margin:5px;}.cleanheading h2{font-size:20px;margin:15px 0 15px 0;}.cleanheading p.subtext{margin:-15px 0 10px 0;color:#666;}table.branches{margin:5px 0 0 0;width:100%;border-spacing:0;border-collapse:collapse;}table.branches th{padding:2px 0;font-size:11px;text-transform:uppercase;text-align:left;color:#666;border-bottom:1px solid #ddd;}table.branches th.state-widget{text-align:center;}table.branches tr td{padding:5px 0;border-bottom:1px solid #ddd;}table.branches tr:hover td{background:#fafafa;}table.branches tr td.state-widget{width:500px;}table.branches tr.base td{background:#333;color:#fff;}table.branches tr.base td.name{padding-left:10px;}table.branches tr.base td.name p{color:#aaa;}table.branches tr.base td.actions{padding-right:10px;color:#eee;}.branches .name h3{margin:0;font-size:16px;}.branches .name p{margin:-3px 0 0 0;font-size:12px;color:#666;}.branches .state{display:inline-block;margin-right:5px;padding:2px 5px;font-size:11px;text-transform:uppercase;font-weight:bold;background:#eee;-webkit-border-radius:2px;-moz-border-radius:2px;}.branches .state-progress{font-size:12px;color:#666;font-style:normal;}.branches ul.actions{float:right;}.branches ul.actions>li{list-style-type:none;display:inline-block;margin:0 0 0 5px;}.branches ul.actions>li.text{padding:5px 0;font-size:11px;font-weight:bold;}.diverge-widget{position:relative;height:35px;}.diverge-widget .ahead{display:block;position:absolute;width:50%;height:100%;left:50%;}.diverge-widget .behind{display:block;position:absolute;width:50%;height:100%;right:50%;}.diverge-widget .bar{position:absolute;top:13px;right:0;display:block;height:8px;background:#d0d0d0;}.diverge-widget .ahead .bar{background:#7a7a7a;left:0;}.diverge-widget.hot .bar{background-color:#ff704f;}.diverge-widget.hot .ahead .bar{background-color:#811201;}.diverge-widget.fresh .bar{background-color:#ffd266;}.diverge-widget.fresh .ahead .bar{background-color:#b69e67;}.diverge-widget.stale .bar{background-color:#b2d0dd;}.diverge-widget.stale .ahead .bar{background-color:#1e4152;}.diverge-widget em{font-style:normal;font-size:10px;line-height:10px;color:#999;white-space:nowrap;}.diverge-widget .behind em{position:absolute;bottom:0;right:5px;}.diverge-widget .ahead em{position:absolute;top:0;left:5px;}.diverge-widget .separator{display:block;position:absolute;top:0;left:50%;margin-left:-2px;width:2px;height:100%;background:#454545;}ul.hotness-legend{float:right;margin:10px 0 0 0;}ul.hotness-legend li{list-style-type:none;float:left;margin:0;font-size:11px;color:#999;}ul.hotness-legend .ahead,ul.hotness-legend .behind{display:block;margin:1px 0 0 0;width:15px;height:10px;}ul.hotness-legend .old .behind{background-color:#d0d0d0;}ul.hotness-legend .old .ahead{background-color:#7a7a7a;}ul.hotness-legend .stale .behind{background-color:#b2d0dd;}ul.hotness-legend .stale .ahead{background-color:#1e4152;}ul.hotness-legend .fresh .behind{background-color:#ffd266;}ul.hotness-legend .fresh .ahead{background-color:#b69e67;}ul.hotness-legend .hot .behind{background-color:#ff704f;}ul.hotness-legend .hot .ahead{background-color:#811201;}ul.hotness-legend li.text{margin:0 10px;height:23px;line-height:23px;}.form-actions{text-align:right;padding-bottom:5px;padding-right:2px;}.form-actions .cancel{margin-top:5px;float:left;}.form-actions .button.cancel{margin-top:0;margin-left:2px;}.form-actions .minibutton.cancel{margin-top:0;}.form-actions .optional{display:block;padding-top:8px;float:left;margin-right:15px;}.form-actions .optional span.text{padding:0 3px;}.form-actions .optional input{position:relative;top:-1px;}.form-warning{margin:10px 0;padding:8px 5px;border:1px solid #ddd;border-left:none;border-right:none;font-size:14px;color:#333;background:#ffffe2;}.form-warning p{margin:0;line-height:1.5;}.form-warning strong{color:#000;}.form-warning a{font-weight:bold;}.big-actions .minibutton,.minibutton.bigger{height:24px;padding:0 0 0 3px;font-size:12px;}.big-actions .minibutton>span,.minibutton.bigger>span{height:24px;padding:0 10px 0 8px;line-height:24px;}.minibutton.switcher>span{padding-right:26px;position:relative;}.minibutton.switcher>span:before{content:"";display:block;position:absolute;border:3px solid #000;border-color:#000 transparent transparent;top:11px;right:7px;width:0;height:0;}.account-switcher-container .minibutton.switcher>span:before{top:13px;}.minibutton.switcher:hover>span:before,.minibutton.switcher.selected>span:before,.context-menu-container.active .minibutton.switcher>span:before{border-color:#fff transparent transparent;}.minibutton.switcher>span:after{content:"";display:block;position:absolute;border-left:1px solid #F9F9F9;top:0;right:0;bottom:0;width:18px;box-shadow:#e4e4e4 -1px 0 0;}.minibutton.switcher:hover>span:after{border-left:1px solid #6A9FD3;box-shadow:#3C74AB -1px 0 0;}.minibutton.switcher.selected>span:after,.context-menu-container.active .minibutton.switcher>span:after{border-left:1px solid #A4A4A4;box-shadow:#787878 -1px 0 0;}.btn-branch .icon,.btn-tag .icon{position:relative;top:-1px;float:left;margin-left:-8px;width:20px;height:22px;background:url('../../images/modules/buttons/minibutton_icons-bigger.png') 0 0 no-repeat;}.btn-branch .icon{background-position:0 0;}.btn-branch:hover .icon,.btn-branch.selected .icon,.context-menu-container.active .context-menu-button.btn-branch .icon{background-position:0 -25px;}.btn-tag .icon{background-position:-20px 0;}.btn-tag:hover .icon,.btn-tag.selected .icon,.context-menu-container.active .context-menu-button.btn-tag .icon{background-position:-20px -25px;}ul.big-actions{margin:15px 0 10px 0;float:right;}.page-edit-blob ul.big-actions{margin:0;}ul.big-actions li{list-style-type:none;float:left;margin:0;}.featured-callout{margin:15px 0;padding:10px;font-size:12px;color:#333;background:#e8f0f5;border:1px solid #d2d9de;border-right-color:#e5e9ed;border-bottom-color:#e5e9ed;-webkit-border-radius:3px;-moz-border-radius:3px;}.featured-callout .rule{width:100%;padding:0 10px;margin:10px 0 10px -10px;border-top:1px solid #c6d5df;border-bottom:1px solid #fff;}.featured-callout h2{margin:0;font-size:14px;font-weight:bold;line-height:20px;color:#000;}.featured-callout ol,.featured-callout ul{margin-left:20px;}.featured-callout ol li,.featured-callout ul li{margin:5px 0;}.featured-callout p:last-child{margin-bottom:0;}.featured-callout p.more{font-weight:bold;}.featured-callout pre.console{padding:5px;color:#eee;background:#333;border:1px solid #000;border-right-color:#222;border-bottom-color:#222;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;}.featured-callout pre.console code{font-size:11px;}.featured-callout .diagram{margin:15px 0;text-align:center;}.featured-callout .screenshot{margin:15px 0;padding:1px;background:#fff;border:1px solid #b4cad8;}.mini-callout{margin:15px 0;padding:10px;color:#5d5900;border:1px solid #e7e7ce;-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;background:#fffee8;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#fffff6',endColorstr='#fffde3');background:-webkit-gradient(linear,0% 0,0% 100%,from(#fffff6),to(#fffde3));background:-moz-linear-gradient(270deg,#fffff6,#fffde3);}.mini-callout img{position:relative;top:-2px;vertical-align:middle;margin-right:5px;}.inset-callout{margin:15px 0;padding:10px;font-size:12px;color:#333;background:#eee;border:1px solid #d5d5d5;border-right-color:#e5e5e5;border-bottom-color:#e5e5e5;-webkit-border-radius:3px;-moz-border-radius:3px;}.help-callout{font-size:11px;}.help-callout p:last-child{margin-bottom:0;}.help-callout h2{margin-top:20px;}.help-callout h2:first-child{margin:0;}ul.features{margin:50px 0 20px 0;font-size:14px;font-weight:bold;color:#666;}ul.features li{list-style-type:none;margin:5px 0;padding:2px 0 0 20px;background:url('../../images/modules/featured_callout/big_check.png') 0 0 no-repeat;}.featured-callout ul.features{margin:10px 0;font-size:12px;color:#2e3031;}#planchange ul.features{margin-top:20px;}.featured-callout h2.orgs-heading{padding-left:65px;background:url('../../images/modules/featured_callout/orgs_icon.png') 0 50% no-repeat;}.featured-callout h2.hooks-heading{padding-left:30px;background:url('../../images/modules/featured_callout/hooks_icon.png') 0 50% no-repeat;}.infotip{margin:15px 0;padding:10px;font-size:12px;color:#333;background:#fbffce;border:1px solid #deea53;border-right-color:#eff2c7;border-bottom-color:#eff2c7;-webkit-border-radius:3px;-moz-border-radius:3px;}.infotip p{margin:0;}.infotip p+p{margin-top:15px;}.dashboard-notice{position:relative;margin:0 0 20px 0;padding:13px;font-size:12px;color:#333;border:1px solid #e7e7ce;-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;background:#fffee8;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#fffff6',endColorstr='#fffde3');background:-webkit-gradient(linear,0% 0,0% 100%,from(#fffff6),to(#fffde3));background:-moz-linear-gradient(270deg,#fffff6,#fffde3);}.dashboard-notice.winter{padding:0;border-color:#d1e5ff;background:#f5fbff;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#f5fbff',endColorstr='#e4f0ff');background:-webkit-gradient(linear,left top,left bottom,from(#f5fbff),to(#e4f0ff));background:-moz-linear-gradient(top,#f5fbff,#e4f0ff);}.dashboard-notice.winter .background{padding:13px;background:url('../../images/modules/notices/winter-back.png') 0 0 no-repeat;}.dashboard-notice .dismiss{position:absolute;display:block;top:5px;right:5px;width:18px;height:18px;text-indent:-9999px;background:url('../../images/modules/notices/close.png') 0 0 no-repeat;cursor:pointer;}.dashboard-notice .dismiss:hover{background-position:0 -50px;}.dashboard-notice .title{margin-left:-13px;margin-bottom:13px;width:100%;padding:0 13px 13px;border-bottom:1px solid #e7e7ce;}.dashboard-notice.winter .title{border-color:#d1e5ff;}.dashboard-notice .title p{margin:0;font-size:14px;color:#666;}.dashboard-notice h2{margin:0;font-size:16px;font-weight:normal;color:#000;}.dashboard-notice p{margin-bottom:0;}.dashboard-notice p.no-title{margin-top:0;padding-right:5px;}.dashboard-notice .inset-figure{margin:0 0 15px 15px;float:right;padding:6px;background:#fff;border:1px solid #e4e4e4;border-right-color:#f4f4f4;border-bottom-color:#fff;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;}.dashboard-notice .inset-comment{margin:15px 0;padding:6px;background:#fff;color:#444;border:1px solid #e4e4e4;border-right-color:#f4f4f4;border-bottom-color:#fff;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;}.dashboard-notice ul{margin-left:25px;}.dashboard-notice .coupon{margin:15px 0;padding:10px;text-align:center;font-weight:bold;font-size:20px;background:#fff;border:1px dashed #d1e5ff;}.dashboard-notice.org-newbie .fancytitle{padding-left:60px;background:url('../../images/modules/notices/orgs_title.png') 0 50% no-repeat;}.octotip{position:relative;margin:10px 0;padding:5px 5px 5px 27px;color:#25494f;font-size:12px;background:url('../../images/modules/callouts/octotip-octocat.png') 0 50% no-repeat #ccf1f9;border:1px solid #b1ecf8;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;}.frame .octotip{margin-top:0;}.octotip p{margin:0;}.octotip .dismiss{position:absolute;display:block;top:50%;right:5px;margin-top:-9px;width:18px;height:18px;text-indent:-9999px;background:url('../../images/modules/notices/close.png') 0 0 no-repeat;cursor:pointer;}.octotip .dismiss:hover{background-position:0 -50px;}.kbd{display:inline-block;padding:3px 5px;color:#000;font-family:Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;font-size:11px;background:#fefefe;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#fefefe',endColorstr='#e7e7e7');background:-webkit-gradient(linear,left top,left bottom,from(#fefefe),to(#e7e7e7));background:-moz-linear-gradient(top,#fefefe,#e7e7e7);border:1px solid #cfcfcf;-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;}#facebox .badmono,.kbd.badmono{font-family:sans-serif;font-weight:bold;}#markdown-help{display:none;}#facebox .popup .cheatsheet{width:800px;overflow:hidden;}#facebox .popup .cheatsheet .col{width:260px;margin-right:10px;float:left;padding:0 0 10px 0;}#facebox .popup .cheatsheet .col:last-child{margin:0;}#facebox .popup .cheatsheet .mod{margin:0 0 10px 0;}#facebox .popup .cheatsheet h3{margin:0 0 5px 0;}#facebox .popup .cheatsheet p{margin:0 0 5px 0;color:#888;}#facebox .popup .cheatsheet pre{margin:0;padding:5px;margin:0 0 20px 0;border:1px solid #ddd;}#ace-editor{position:relative;font-family:Monaco,Menlo,"Bitstream Vera Sans Mono","DejaVu Sans Mono","Courier New",monospace;}#ace-editor .ace_content{line-height:normal;}.ace-twilight .ace_editor{border:2px solid #9f9f9f;}.ace-twilight .ace_editor.ace_focus{border:2px solid #327fbd;}.ace-twilight .ace_gutter{width:50px;background:#ECECEC;color:#AAA;overflow:hidden;border-right:1px solid #DDD;font-family:'Bitstream Vera Sans Mono','Courier',monospace;}.ace-twilight .ace_gutter-layer{width:100%;text-align:right;}.ace-twilight .ace_gutter-layer .ace_gutter-cell{padding-right:6px;}.ace-twilight .ace_print_margin{width:1px;background:#e8e8e8;}.ace-twilight .ace_scroller{background-color:#141414;}.ace-twilight .ace_text-layer{cursor:text;color:#F8F8F8;}.ace-twilight .ace_cursor{border-left:2px solid #A7A7A7;}.ace-twilight .ace_cursor.ace_overwrite{border-left:0;border-bottom:1px solid #A7A7A7;}.ace-twilight .ace_marker-layer .ace_selection{background:rgba(221,240,255,0.20);}.ace-twilight .ace_marker-layer .ace_step{background:#c6dbae;}.ace-twilight .ace_marker-layer .ace_bracket{margin:-1px 0 0 -1px;border:1px solid rgba(255,255,255,0.25);}.ace-twilight .ace_marker-layer .ace_active_line{background:rgba(255,255,255,0.031);}.ace-twilight .ace_invisible{color:rgba(255,255,255,0.25);}.ace-twilight .ace_keyword{color:#CDA869;}.ace-twilight .ace_keyword.ace_operator{;}.ace-twilight .ace_constant{color:#CF6A4C;}.ace-twilight .ace_constant.ace_language{;}.ace-twilight .ace_constant.ace_library{;}.ace-twilight .ace_constant.ace_numeric{;}.ace-twilight .ace_invalid{;}.ace-twilight .ace_invalid.ace_illegal{color:#F8F8F8;background-color:rgba(86,45,86,0.75);}.ace-twilight .ace_invalid.ace_deprecated{text-decoration:underline;font-style:italic;color:#D2A8A1;}.ace-twilight .ace_support{color:#9B859D;}.ace-twilight .ace_support.ace_function{color:#DAD085;}.ace-twilight .ace_function.ace_buildin{;}.ace-twilight .ace_string{color:#8F9D6A;}.ace-twilight .ace_string.ace_regexp{color:#E9C062;}.ace-twilight .ace_comment{font-style:italic;color:#5F5A60;}.ace-twilight .ace_comment.ace_doc{;}.ace-twilight .ace_comment.ace_doc.ace_tag{;}.ace-twilight .ace_variable{color:#7587A6;}.ace-twilight .ace_variable.ace_language{;}.ace-twilight .ace_xml_pe{color:#494949;}.ace-solarized-dark .ace_editor{border:2px solid #9f9f9f;}.ace-solarized-dark .ace_editor.ace_focus{border:2px solid #327fbd;}.ace-solarized-dark .ace_gutter{width:50px;background:#e8e8e8;color:#333;overflow:hidden;}.ace-solarized-dark .ace_gutter-layer{width:100%;text-align:right;}.ace-solarized-dark .ace_gutter-layer .ace_gutter-cell{padding-right:6px;}.ace-solarized-dark .ace_print_margin{width:1px;background:#e8e8e8;}.ace-solarized-dark .ace_scroller{background-color:#002B36;}.ace-solarized-dark .ace_text-layer{cursor:text;color:#93A1A1;}.ace-solarized-dark .ace_cursor{border-left:2px solid #D30102;}.ace-solarized-dark .ace_cursor.ace_overwrite{border-left:0;border-bottom:1px solid #D30102;}.ace-solarized-dark .ace_marker-layer .ace_selection{background:#073642;}.ace-solarized-dark .ace_marker-layer .ace_step{background:#c6dbae;}.ace-solarized-dark .ace_marker-layer .ace_bracket{margin:-1px 0 0 -1px;border:1px solid rgba(147,161,161,0.50);}.ace-solarized-dark .ace_marker-layer .ace_active_line{background:#073642;}.ace-solarized-dark .ace_invisible{color:rgba(147,161,161,0.50);}.ace-solarized-dark .ace_keyword{color:#859900;}.ace-solarized-dark .ace_keyword.ace_operator{;}.ace-solarized-dark .ace_constant{;}.ace-solarized-dark .ace_constant.ace_language{color:#B58900;}.ace-solarized-dark .ace_constant.ace_library{;}.ace-solarized-dark .ace_constant.ace_numeric{color:#D33682;}.ace-solarized-dark .ace_invalid{;}.ace-solarized-dark .ace_invalid.ace_illegal{;}.ace-solarized-dark .ace_invalid.ace_deprecated{;}.ace-solarized-dark .ace_support{;}.ace-solarized-dark .ace_support.ace_function{color:#268BD2;}.ace-solarized-dark .ace_function.ace_buildin{;}.ace-solarized-dark .ace_string{color:#2AA198;}.ace-solarized-dark .ace_string.ace_regexp{color:#D30102;}.ace-solarized-dark .ace_comment{font-style:italic;color:#657B83;}.ace-solarized-dark .ace_comment.ace_doc{;}.ace-solarized-dark .ace_comment.ace_doc.ace_tag{;}.ace-solarized-dark .ace_variable{;}.ace-solarized-dark .ace_variable.ace_language{color:#268BD2;}.ace-solarized-dark .ace_xml_pe{;}.ace-solarized-dark .ace_collab.ace_user1{;}.ace-solarized-light .ace_editor{border:2px solid #9f9f9f;}.ace-solarized-light .ace_editor.ace_focus{border:2px solid #327fbd;}.ace-solarized-light .ace_gutter{width:50px;background:#e8e8e8;color:#333;overflow:hidden;}.ace-solarized-light .ace_gutter-layer{width:100%;text-align:right;}.ace-solarized-light .ace_gutter-layer .ace_gutter-cell{padding-right:6px;}.ace-solarized-light .ace_print_margin{width:1px;background:#e8e8e8;}.ace-solarized-light .ace_scroller{background-color:#FDF6E3;}.ace-solarized-light .ace_text-layer{cursor:text;color:#586E75;}.ace-solarized-light .ace_cursor{border-left:2px solid #000;}.ace-solarized-light .ace_cursor.ace_overwrite{border-left:0;border-bottom:1px solid #000;}.ace-solarized-light .ace_marker-layer .ace_selection{background:#073642;}.ace-solarized-light .ace_marker-layer .ace_step{background:#c6dbae;}.ace-solarized-light .ace_marker-layer .ace_bracket{margin:-1px 0 0 -1px;border:1px solid rgba(147,161,161,0.50);}.ace-solarized-light .ace_marker-layer .ace_active_line{background:#EEE8D5;}.ace-solarized-light .ace_invisible{color:rgba(147,161,161,0.50);}.ace-solarized-light .ace_keyword{color:#859900;}.ace-solarized-light .ace_keyword.ace_operator{;}.ace-solarized-light .ace_constant{;}.ace-solarized-light .ace_constant.ace_language{color:#B58900;}.ace-solarized-light .ace_constant.ace_library{;}.ace-solarized-light .ace_constant.ace_numeric{color:#D33682;}.ace-solarized-light .ace_invalid{;}.ace-solarized-light .ace_invalid.ace_illegal{;}.ace-solarized-light .ace_invalid.ace_deprecated{;}.ace-solarized-light .ace_support{;}.ace-solarized-light .ace_support.ace_function{color:#268BD2;}.ace-solarized-light .ace_function.ace_buildin{;}.ace-solarized-light .ace_string{color:#2AA198;}.ace-solarized-light .ace_string.ace_regexp{color:#D30102;}.ace-solarized-light .ace_comment{color:#93A1A1;}.ace-solarized-light .ace_comment.ace_doc{;}.ace-solarized-light .ace_comment.ace_doc.ace_tag{;}.ace-solarized-light .ace_variable{;}.ace-solarized-light .ace_variable.ace_language{color:#268BD2;}.ace-solarized-light .ace_xml_pe{;}.ace-solarized-light .ace_collab.ace_user1{;}#code_search{margin-bottom:2em;}#code_search .search{padding-top:.2em;height:7em;}#code_search .search .site{width:650px;padding-top:1.15em;}#code_search .search .site *{vertical-align:middle;}#code_search .search .label{color:#777;font-size:110%;font-weight:bold;margin-bottom:.25em;}#code_search .search .box{;}#code_search .search .box span{font-size:130%;padding-top:.3em;}#code_search .search .box input.text{height:1.4em;font-size:130%;padding-top:.3em;padding-left:.3em;border:2px solid #b4b4b4;}#code_search .search .box select{font-size:120%;}#code_search .search .box select option{padding-left:.5em;margin:.2em 0;}#code_search_instructions{margin:2em 7em 0 7em;}#code_search_instructions h2{background-color:#DDEAF3;padding:3px;}#code_search_instructions p{color:#333;margin:10px 5px;}#code_search_instructions table.instruction tr td{padding:3px;}#code_search_instructions table.instruction tr td.inst{background:#eee;font-family:Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;}#code_search_results{;}#code_search_results .header{border-top:1px solid #b8d1e3;background-color:#DDEAF3;padding:.3em .7em;overflow:hidden;margin-bottom:1.3em;}#code_search_results .header .title{font-weight:bold;float:left;}#code_search_results .header .info{float:right;color:#444;}#code_search_results .results_and_sidebar{overflow:hidden;}#code_search_results .results{float:left;width:52em;}#code_search_results .result{margin-bottom:1.5em;}#code_search_results .result .gravatar{line-height:0;float:left;margin-top:.2em;margin-right:.75em;padding:1px;border:1px solid #ccc;}#code_search_results .result .title{font-size:110%;}#code_search_results .result .title span.aka{font-weight:normal;}#code_search_results .result .title span.language{color:#999;font-size:80%;font-weight:normal;position:relative;top:-.1em;}#code_search_results .result .description{margin-bottom:.2em;}#code_search_results .result .details{font-size:80%;color:#555;}#code_search_results .result .details span{color:#aaa;padding:0 .25em;}#code_search_results .more{margin-top:-.5em;margin-bottom:1em;}#code_search_results .result .snippet{font-family:Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;font-size:75%;background-color:#f8f8ff;border:1px solid #dedede;padding:.5em;line-height:1.5em;color:#444;}#code_search_results .result .snippet em{background-color:#FAFFA6;padding:.1em;}#code_search_results .sidebar{float:right;width:15em;border-left:1px solid #DDEAF3;padding-left:1em;}#code_search_results .sidebar h2{margin-bottom:0;}#code_search_results .sidebar h3{margin-top:.5em;}#code_search_results .sidebar ul{list-style-type:none;margin-bottom:1em;}#code_search_results .sidebar ul li{color:#888;}.comments-wrapper{margin:10px 0;padding:5px;background:#f2f2f2;-webkit-border-radius:5px;-moz-border-radius:5px;}.comments-wrapper>.comment:first-child{margin-top:0;}.comments-wrapper>.comment:last-child{margin-bottom:0;}.new-comments .comment{margin:10px 0;border:1px solid #cacaca;}.new-comments .comment.adminable:hover{border-color:#aaa;}.new-comments .comment .cmeta{height:33px;padding:0 10px;border-bottom:1px solid #ccc;background:url('../../images/modules/comments/metabar.gif') 0 0 repeat-x;}.new-comments .commit-comment .cmeta,.new-comments .review-comment .cmeta,.new-comments .file-commit-comment .cmeta,.new-comments .gist-comment .cmeta,.new-comments .commit-list-comment .cmeta,.new-comments .issue-ref-comment .cmeta{background-position:0 -33px;}.new-comments .repo-owner-tag .cmeta,.new-comments .gist-owner-tag .cmeta{background-position:0 -66px;}.new-comments .comment .cmeta p.author{margin:0;float:left;max-width:600px;font-size:12px;height:33px;line-height:33px;text-shadow:1px 1px 0 rgba(255,255,255,0.7);overflow:hidden;white-space:nowrap;text-overflow:ellipsis;}.new-comments .comment .cmeta p.author a{color:#222;}.new-comments .comment .cmeta p.author em a,.new-comments em.date a{color:#666;font-style:normal;}.new-comments .comment .cmeta .gravatar{display:inline-block;margin-top:-2px;margin-right:3px;padding:1px;line-height:1px;vertical-align:middle;font-size:1px;background:#fff;border:1px solid #c8c8c8;}.new-comments .comment .cmeta code{font-size:11px;}.new-comments .comment .cmeta p.author em code a{color:#444;}.new-comments .comment .cmeta p.info{float:right;margin:0;font-size:11px;height:33px;line-height:33px;}.new-comments .comment .cmeta p.info em.date{display:inline;font-style:normal;color:#777;text-shadow:1px 1px 0 rgba(255,255,255,0.7);}.new-comments .comment .cmeta p.info em.date,.comment .cmeta p.info em.date abbr{line-height:33px;}.new-comments .comment .cmeta .icon{display:inline-block;margin-top:-2px;margin-left:5px;width:16px;height:16px;vertical-align:middle;background:url('../../images/modules/comments/icons.png?v3') 0 0 no-repeat;}.new-comments .comment .cmeta .author .icon{margin-left:0;}.new-comments .commit-comment .cmeta .icon,.new-comments .gist-comment .cmeta .icon,.new-comments .review-comment .cmeta .icon,.new-comments .gist-comment .cmeta .icon{background-position:0 -100px;}.new-comments .file-commit-comment .cmeta .icon,.new-comments .issue-ref-comment .cmeta .icon{background-position:0 -200px;}.new-comments .commit-list-comment .cmeta .icon{background-position:0 -300px;}.new-comments .tag{position:relative;top:-1px;margin-left:5px;padding:1px 5px;font-size:11px;color:#fff;text-shadow:-1px -1px 0 rgba(0,0,0,0.2);background:#2d90c3;border:1px solid #26749c;border-right-color:#2d90c3;border-bottom-color:#2d90c3;-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;}.new-comments .repo-owner-tag .tag,.new-comments .gist-owner-tag .tag{background:#2cc03e;border-color:#259a33;border-right-color:#2cc03e;border-bottom-color:#2cc03e;}.new-comments .comment>.body{position:relative;padding:0;color:#333;font-size:12px;background:#fbfbfb;}.new-comments .highlighted .comment>.body{background:#fff;}.new-comments .comment>.body>p{margin:10px 0;}.comment .content-body{padding:10px;font-size:13px;}.starting-comment .content-body{padding-left:0;padding-right:0;}.new-comments .comment .content-body img{max-width:100%;}.new-comments .comment>.body .title{padding:5px 0;font-weight:bold;color:#000;border-bottom:1px solid #ddd;}.new-comments .inset{padding:4px;background:#f1f1f1;border:1px solid #ccc;border-right-color:#e5e5e5;border-bottom-color:#e5e5e5;-webkit-border-radius:3px;-moz-border-radius:3px;}.new-comments .commit-inset{background-color:#e3eaee;border-color:#b9c7d1;border-right-color:#dbe5eb;border-bottom-color:#dbe5eb;}.new-comments .inset.highlighted{background-color:#ffd;border-color:#cfcfb4;border-right-color:#f1f1c7;border-bottom-color:#f1f1c7;}.new-comments .inset .comment{margin:5px 0;}.new-comments .inset .comment:first-child{margin-top:0;}.new-comments .inset .comment:last-child{margin-bottom:0;}.new-comments .inset h5{margin:0;font-size:10px;font-weight:normal;text-transform:uppercase;letter-spacing:1px;color:#666;text-shadow:1px 1px 0 rgba(255,255,255,0.7);}.new-comments .commit-inset h5{color:#6c777f;}.new-comments .commit-list-comment .body{padding:0;}#compare .new-comments .commit-list-comment table.commits{border-width:0;margin-top:0;}.new-comments .comment ul.actions{display:none;position:absolute;top:5px;right:5px;margin:0;}.new-comments .adminable:hover ul.actions{display:block;}.new-comments ul.actions li{list-style-type:none;margin:0 0 0 5px;float:left;}.comment .form-content{margin:10px 0;}.starting-comment .form-content{margin-top:0;}.comment .form-content textarea{margin:0;width:100%;height:100px;}.comment .form-content input[type=text]{margin-bottom:5px;width:99%;padding:4px 2px;}.comment .form-content input.title-field{font-size:20px;font-weight:bold;}.comment .form-content .form-actions{margin:10px 0 0 0;}.comment p.error{font-weight:bold;color:#f00;}.comment .error,.comment .context-loader{display:none;}.comment .form-content{display:none;opacity:1.0;}.comment.editing .formatted-content,.comment.editing .content-title,.comment.editing .infobar{display:none;}.comment.editing .form-content{display:block;opacity:1.0;}.comment.loading .context-loader{display:block;}.comment.loading .formatted-content,.comment.loading .form-content{opacity:.5;}.comment.error .error{display:block;}.new-comments .closed-banner{margin:15px 0;height:7px;overflow:hidden;background:url('../../images/modules/comments/closed_pattern.gif');-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;}.user-mention{font-weight:bold;color:#333;}.message .user-mention{font-weight:normal;}.issue-ref-comment .state{float:right;padding:3px 10px;margin-top:-2px;margin-right:8px;font-size:12px;font-weight:bold;color:#fff;background:#6cc644;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;}.issue-ref-comment .state-closed{background-color:#bd2c00;}.issue-ref-comment h2{margin:0!important;font-size:14px;}.issue-ref-comment h2 a{color:#000;}.issue-ref-comment h2 em{font-style:normal;color:#999;}.email-format div{white-space:pre-wrap;}.formatted-content .email-format{line-height:1.5em!important;}.email-quoted-reply,.email-signature-reply{color:#500050;}.email-quoted-reply a{color:#500050;}.email-hidden-reply{display:none;}.email-hidden-toggle{display:block;font-size:75%;}.line-comments{overflow:auto;padding:0;border-top:1px solid #ccc;border-bottom:1px solid #ddd;background:#fafafa!important;font-family:helvetica,arial,freesans,sans-serif!important;}.line-comments .clipper{width:837px;padding:5px;}tr:hover .line-comments{background:#fafafa!important;}.line_numbers.comment-count{overflow:hidden;padding:0!important;background-image:url('../../images/modules/comments/lines_back.gif');background-color:#f6f6f6!important;background-repeat:repeat-y;background-position:top left,top right;border:1px solid #ddd;border-left:none;border-right:none;vertical-align:top;text-align:center!important;}.line_numbers.comment-count .counter{display:inline-block;padding:4px 8px 5px 24px;line-height:1.2;font-family:helvetica,arial,freesans,sans-serif!important;font-size:11px;font-weight:bold;color:#333!important;background:url('../../images/modules/comments/icons.png') 5px -97px no-repeat #d6e3e8;border:1px solid #c0ccd0;border-top:none;-webkit-border-bottom-right-radius:3px;-webkit-border-bottom-left-radius:3px;-moz-border-radius-bottomright:3px;-moz-border-radius-bottomleft:3px;border-bottom-right-radius:3px;border-bottom-left-radius:3px;cursor:default!important;}.line-comments .comment-form{margin:10px 0 5px 0;background-color:#eaeaea;}.line-comments .comment-form textarea{font-size:12px;}.line-comments .show-inline-comment-form{padding-top:5px;}.line-comments .inline-comment-form .minibutton{margin-top:-11px;}.line-comments .inline-comment-form .ajaxindicator{display:inline-block;margin-top:-5px;height:13px;}.file-comments{padding:5px;font-family:helvetica,arial,freesans,sans-serif!important;background:#fafafa;border-top:1px solid #ddd;}.comment-form-error,.issue-form-error{display:block;margin:-15px 0 15px 0;font-weight:bold;color:#a00;}.inline-comment-form .comment-form-error{margin-top:0;}.bubble .comment-form-error{margin:5px;}.comment-form{position:relative;margin:-10px 0 10px 0;padding:5px;background:#eee;-webkit-border-radius:5px;-moz-border-radius:5px;}.comment-form textarea{margin:0;width:100%;height:100px;}.comment-form p.help{margin:3px 0 0 0;float:right;font-size:11px;color:#666;}.comment-form .comment{margin:5px 0 0 0;}ul.edit-preview-tabs{margin:0 0 5px 0;line-height:13px;}.file .meta ul.edit-preview-tabs{float:left;margin-left:2px;margin-top:7px;}ul.edit-preview-tabs li{list-style-type:none;margin:0;display:inline-block;}ul.edit-preview-tabs a{display:inline-block;padding:2px 8px;font-size:11px;font-weight:bold;text-decoration:none;color:#666;border:1px solid transparent;-webkit-border-radius:10px;-moz-border-radius:10px;}ul.edit-preview-tabs a.selected{color:#333;background:#fff;border-color:#bbb;border-right-color:#ddd;border-bottom-color:#ddd;}rtomayko{display:none;}.page-commits .keyboard-shortcuts{margin-top:10px;}.page-commit-show h2{margin:20px 0 5px 0;font-size:16px;}.page-commit-show h2 code{font-weight:normal;font-size:14px;}.page-commit-show h2 em.quiet{font-style:normal;font-weight:normal;color:#888;}.page-commit-show h2 .toggle{position:relative;top:5px;float:right;font-size:11px;font-weight:normal;color:#666;}.page-commit-show h2 .toggle input{position:relative;top:1px;margin-right:5px;}.page-commit-show #comments{margin-bottom:20px;}.page-commit-show #gitnotes{background:#f5f5f5;padding:5px;}.page-commit-show #gitnotes h2{margin:0;}.page-commit-show #gitnotes-content{border:1px solid #aaa;background:#ffd;padding:10px;padding-top:15px;}.page-commit-show #gitnotes-content h3{font-size:12px;background:#eea;padding:3px;}.page-commit-show #gitnotes-content{border:1px solid #aaa;background:#ffd;padding:10px;}.form-actions .tip{margin:0 0 10px 0;float:left;width:350px;padding:5px;text-align:left;font-size:12px;color:#333;background:#fafbd2;border:1px solid #e8eac0;border-right-color:#f5f7ce;border-bottom-color:#f5f7ce;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;}.form-actions .tip img{float:left;margin-right:10px;border:1px solid #ccc;}.form-actions .tip p{margin:2px 0;}.only-commit-comments .inline-comment{display:none;}.inline-comment-placeholder{height:30px;background:url('../../images/modules/ajax/indicator.gif') 50% 50% no-repeat;}.inline-comments .action-text{display:none;}.commit .commit-title,.commit .commit-title a{color:#4e575b;}.commit .commit-title.blank,.commit .commit-title.blank a{color:#9cabb1;}.commit .commit-title .issue-link{color:#4183C4;font-weight:bold;}.commit .commit-title .commit-link{color:#4183C4;font-weight:normal;}.commit .commit-desc pre{max-width:700px;white-space:pre-wrap;font-family:Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;font-size:14px;color:#737f84;}.commit .sha-block,.commit .sha{font-size:11px;font-family:Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;}.commit .commit-desc{display:none;}.commit.open .commit-desc{display:block;}.commit .minibutton.expander-minibutton{height:16px;padding-left:4px;padding-right:5px;opacity:.75;}.commit .minibutton.expander-minibutton:hover{opacity:1.0;}.commit .minibutton.expander-minibutton span{width:18px;height:16px;padding-left:0;padding-right:0;text-indent:-9999px;background:url('../../images/modules/commit/expand-icons.png') 50% 5px no-repeat;}.commit .minibutton.expander-minibutton:hover span{background-position:50% -45px;}.commit.open .minibutton.expander-minibutton span{background-position:50% -95px;}.commit.open .minibutton.expander-minibutton:hover span{background-position:50% -145px;}.commit-tease{margin:10px 0;padding:8px 8px 0;background:#e6f1f6;border:1px solid #c5d5dd;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;}.commit-tease .comment-count{float:right;margin-top:2px;padding-right:16px;color:#7f9199;font-size:11px;background:url('../../images/modules/commit/mini-comment-icon.png') 100% 50% no-repeat;}.commit-tease p.commit-title{margin:0 0 6px 0;}.commit-tease .commit-desc{margin:-3px 0 10px 0;}.commit-tease .commit-desc pre{font-size:11px;}.commit-tease .commit-meta{margin-left:-8px;width:100%;padding:8px;background:#fff;border-top:1px solid #d8e6ec;-webkit-border-bottom-right-radius:4px;-webkit-border-bottom-left-radius:4px;-moz-border-radius-bottomright:4px;-moz-border-radius-bottomleft:4px;border-bottom-right-radius:4px;border-bottom-left-radius:4px;}.commit-tease .sha-block{float:right;color:#888;}.commit-tease .sha-block>.sha{color:#444;}.commit-tease .sha-block>a{color:#444;text-decoration:none;}.commit-tease .authorship{margin-left:-4px;margin-bottom:-4px;margin-top:-2px;}.commit-tease .authorship .gravatar{margin-top:-2px;margin-right:3px;vertical-align:middle;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;}.commit-tease .authorship a{color:#444;text-decoration:none;font-weight:bold;}.commit-tease .authorship a:hover{text-decoration:underline;}.commit-tease .authorship{font-size:12px;color:#999;}.commit-tease .author-name{color:#444;}.commit-tease .authorship .committer{display:block;margin-left:30px;padding-left:15px;font-size:11px;background:url('../../images/modules/commit/committer-icon.png') 0 50% no-repeat;}h3.commit-group-heading{margin:15px 0 0 0;padding:5px 8px;font-size:13px;color:#3a505b;text-shadow:0 1px rgba(255,255,255,1.0);background:#e6f1f6;border:1px solid #c5d5dd;-webkit-border-top-right-radius:4px;-webkit-border-top-left-radius:4px;-moz-border-radius-topright:4px;-moz-border-radius-topleft:4px;border-top-right-radius:4px;border-top-left-radius:4px;}.commit-group{list-style-type:none;margin:0 0 15px 0;background:#f7fbfc;border:1px solid #c5d5dd;border-top:none;-webkit-border-bottom-right-radius:4px;-webkit-border-bottom-left-radius:4px;-moz-border-radius-bottomright:4px;-moz-border-radius-bottomleft:4px;border-bottom-right-radius:4px;border-bottom-left-radius:4px;}.commit-group-item{position:relative;padding:8px 8px 8px 52px;border-top:1px solid #e2eaee;}.commit-group-item:first-child{border-top:none;}.commit-group-item:last-child{-webkit-border-bottom-right-radius:4px;-webkit-border-bottom-left-radius:4px;-moz-border-radius-bottomright:4px;-moz-border-radius-bottomleft:4px;border-bottom-right-radius:4px;border-bottom-left-radius:4px;}.commit-group-item:nth-child(2n+1){background:#fff;}.commit-group-item.navigation-focus{background:#fcfce2;}.commit-group-item .gravatar{float:left;margin-left:-44px;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;}.commit-group-item .commit-title{margin:1px 0 1px 0;font-size:14px;font-weight:bold;color:#333;}.commit-group-item .commit-title a{color:#333;}.commit-group-item .commit-desc pre{margin-top:5px;margin-bottom:10px;font-size:12px;color:#596063;border-left:1px solid #e5e5e5;padding-left:8px;}.commit-group-item .authorship{font-size:12px;color:#888;}.commit-group-item .authorship a{color:#444;}.commit-group-item .authorship .author-name{color:#444;}.commit-group-item .authorship .committer{display:block;padding-left:15px;font-size:11px;background:url('../../images/modules/commit/committer-icon.png') 0 50% no-repeat;}.commit-group-item .commit-links{position:absolute;top:7px;right:8px;}.commit-group-item .clippy-tooltip{visibility:hidden;float:left;margin-right:7px;margin-top:5px;}.commit-group-item:hover .clippy-tooltip{visibility:visible;}.commit-group-item .gobutton{float:left;height:22px;padding:0 7px;line-height:22px;font-size:11px;color:#4e575b;text-shadow:0 1px rgba(255,255,255,0.5);background:#eff6f9;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#eff6f9',endColorstr='#ddecf3');background:-webkit-gradient(linear,left top,left bottom,from(#eff6f9),to(#ddecf3));background:-moz-linear-gradient(top,#eff6f9,#ddecf3);border:1px solid #cedee5;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;}.commit-group-item.navigation-focus .gobutton{color:#5a5b4e;}.commit-group-item:nth-child(2n+1) .gobutton{border-color:#d5dcdf;background:#f2f5f6;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#f2f5f6',endColorstr='#e3eaed');background:-webkit-gradient(linear,left top,left bottom,from(#f2f5f6),to(#e3eaed));background:-moz-linear-gradient(top,#f2f5f6,#e3eaed);}.commit-group-item.navigation-focus .gobutton{border-color:#e7e86d;background:#f9fac9;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#f9fac9',endColorstr='#f3f494');background:-webkit-gradient(linear,left top,left bottom,from(#f9fac9),to(#f3f494));background:-moz-linear-gradient(top,#f9fac9,#f3f494);}.commit-group-item .gobutton:hover{text-decoration:none;border-color:#cedee5;background:#fbfdfe;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#fbfdfe',endColorstr='#eaf4f8');background:-webkit-gradient(linear,left top,left bottom,from(#fbfdfe),to(#eaf4f8));background:-moz-linear-gradient(top,#fbfdfe,#eaf4f8);}.commit-group-item .gobutton>.sha,.commit-group-item.navigation-focus .gobutton:hover>.sha{display:inline-block;height:22px;padding-right:18px;margin-right:-3px;background:url('../../images/modules/commit/gobutton-arrow.png') 100% 3px no-repeat;}.commit-group-item.navigation-focus .gobutton>.sha{background-position:100% -97px;}.commit-group-item .gobutton.with-comments{padding-left:5px;}.commit-group-item .gobutton.with-comments .sha,.commit-group-item.navigation-focus .gobutton.with-comments:hover .sha{padding-left:8px;border-left:1px solid #cfdee5;}.commit-group-item.navigation-focus .gobutton.with-comments .sha{border-left-color:#e1e29e;}.commit-group-item .gobutton .comment-count,.commit-group-item.navigation-focus .gobutton:hover .comment-count{float:left;height:22px;padding-right:9px;padding-left:18px;line-height:24px;font-weight:bold;border-right:1px solid #f6fafc;background:url('../../images/modules/commit/comment-icon.png') 0 3px no-repeat;}.commit-group-item.navigation-focus .gobutton .comment-count{background-position:0 -95px;}.commit-group-item .browse-button{float:right;clear:left;margin-top:3px;padding-right:10px;font-size:11px;font-weight:bold;text-align:right;color:#999;background:url('../../images/modules/commit/mini-go-arrow.png') 100% 5px no-repeat;}.commit-group-item .browse-button:hover{color:#4183C4;background-position:100% -95px;}.full-commit{margin:10px 0;padding:8px 8px 0;background:#e6f1f6;border:1px solid #c5d5dd;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;}.full-commit .browse-button{float:right;margin:-3px -3px 0 0;height:26px;padding:0 10px;line-height:26px;font-size:13px;font-weight:bold;text-shadow:0 1px rgba(255,255,255,0.5);background:#eff6f9;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#eff6f9',endColorstr='#ddecf3');background:-webkit-gradient(linear,left top,left bottom,from(#eff6f9),to(#ddecf3));background:-moz-linear-gradient(top,#eff6f9,#ddecf3);border:1px solid #cedee5;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;}.full-commit p.commit-title{margin:0 0 8px 0;font-size:18px;font-weight:bold;color:#213f4d;text-shadow:0 1px rgba(255,255,255,0.5);}.full-commit .commit-desc{display:block;margin:-4px 0 10px 0;}.full-commit .commit-desc pre{max-width:100%;font-size:14px;text-shadow:0 1px rgba(255,255,255,0.5);}.full-commit .commit-meta{margin-left:-8px;width:100%;padding:8px;background:#fff;border-top:1px solid #d8e6ec;-webkit-border-bottom-right-radius:4px;-webkit-border-bottom-left-radius:4px;-moz-border-radius-bottomright:4px;-moz-border-radius-bottomleft:4px;border-bottom-right-radius:4px;border-bottom-left-radius:4px;}.full-commit .sha-block{float:right;margin-left:15px;color:#888;font-size:12px;}.full-commit.merge-commit .sha-block{clear:right;}.full-commit.merge-commit .sha-block+.sha-block{margin-top:2px;}.full-commit .sha-block>.sha{color:#444;}.full-commit .sha-block>a{color:#444;text-decoration:none;border-bottom:1px dotted #ccc;}.full-commit .sha-block>a:hover{border-bottom:1px solid #444;}.full-commit .authorship{margin-top:-2px;margin-left:-4px;margin-bottom:-4px;font-size:14px;color:#999;}.full-commit .authorship .gravatar{margin-top:-2px;margin-right:3px;vertical-align:middle;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;}.full-commit .authorship a{color:#444;text-decoration:none;font-weight:bold;}.full-commit .authorship a:hover{text-decoration:underline;}.full-commit .authorship .author-name{color:#444;}.full-commit .authorship .committer{display:block;margin-top:-2px;margin-left:34px;padding-left:15px;font-size:12px;background:url('../../images/modules/commit/committer-icon.png') 0 50% no-repeat;}p.last-commit{margin:10px 0 -5px 0;padding-left:14px;font-size:11px;color:#888;background:url('../../images/modules/commit/mini-clock.png') 0 50% no-repeat;}p.last-commit.locked{background-image:url('../../images/modules/commit/mini-lock.png');}p.last-commit strong{color:#444;}*{margin:0;padding:0;}html,body{height:100%;color:black;}body{background-color:white;font:13px helvetica,arial,freesans,clean,sans-serif;*font-size:small;line-height:1.4;color:#333;}#main{background:#fff url('../../images/modules/header/background-v2.png') 0 0 repeat-x;}.container{width:920px;margin:0 auto;}.wider .container{width:960px;}table{font-size:inherit;font:100%;}input[type=text],input[type=password],input[type=image],textarea{font:99% helvetica,arial,freesans,sans-serif;}select,option{padding:0 .25em;}optgroup{margin-top:.5em;}input.text{padding:1px 0;}pre,code{font:12px 'Bitstream Vera Sans Mono','Courier',monospace;}p{margin:1em 0;}img{border:0;}abbr{border-bottom:none;}.clearfix:after{content:".";display:block;height:0;clear:both;visibility:hidden;}* html .clearfix{height:1%;}.clearfix{display:inline-block;}.clearfix{display:block;}html{overflow-y:scroll;}a{color:#4183c4;text-decoration:none;}a:hover{text-decoration:underline;}a.action{color:#d00;text-decoration:underline;}a.danger{color:#c00;}a:active{outline:none;}.sparkline{display:none;}.right{float:right;}.left{float:left;}.hidden{display:none;}img.help{vertical-align:middle;}.notification{background:#FFFBE2 none repeat scroll 0;border:1px solid #FFE222;padding:1em;margin:1em 0;font-weight:bold;}.warning{background:#fffccc;font-weight:bold;padding:.5em;margin-bottom:.8em;}.error_box{background:#FFEBE8 none repeat scroll 0;border:1px solid #DD3C10;padding:1em;font-weight:bold;}.rule{clear:both;margin:15px 0;height:0;overflow:hidden;border-bottom:1px solid #ddd;}.corner{-moz-border-radius:8px;-webkit-border-radius:8px;border-radius:8px;padding:3px;}#spinner{height:16px;width:16px;background:transparent;border:none;margin-right:0;}.clear{clear:both;}.columns:after{content:".";display:block;height:0;clear:both;visibility:hidden;}* html .columns{height:1%;}.columns{display:inline-block;}.columns{display:block;}#facebox .content{width:425px;color:#333;font-size:12px;background:-webkit-gradient(linear,0% 0,5% 100%,from(#f4f9fb),to(#fff));background:-moz-linear-gradient(100% 100% 107deg,#fff,#f4f9fb);}#facebox .content.wider{width:500px;}#facebox pre{padding:5px 10px;border:1px solid #ddd;border-bottom-color:#eee;border-right-color:#eee;background:#eee;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;}#facebox pre.console{color:#fff;background:#333;border-color:#000;border-right-color:#333;border-bottom-color:#333;}#facebox ul,#facebox ol{margin:15px 0 15px 20px;}#facebox ul li{margin:5px 0;}#facebox h2{width:100%;margin:0 0 10px -10px;padding:0 10px 10px 10px;font-size:16px;border-bottom:1px solid #ddd!important;}#facebox h3{margin-bottom:-0.5em;font-size:14px;color:#000;}#facebox .rule{width:100%;padding:0 10px;margin-left:-10px;}#facebox input[type=text]{width:96%;padding:5px 5px;font-size:12px;}#facebox .form-actions{margin-top:10px;}#facebox .warning{width:100%;padding:5px 10px;margin-top:-9px;margin-left:-10px;font-weight:bold;color:#900;background:url('../../images/icons/bigwarning.png') 10px 50% no-repeat #fffbc9;border-bottom:1px solid #ede7a3;}#facebox .warning p{margin-left:45px;}#facebox .full-button{margin-top:10px;}#facebox .full-button .classy{margin:0;display:block;width:100%;}#facebox .full-button .classy span{display:block;text-align:center;}#compare h2{font-size:20px;margin:15px 0 15px 0;}#compare p.subtext{margin:-15px 0 10px 0;color:#666;}#compare h2 .tag{position:relative;top:-3px;display:inline-block;padding:3px 8px;font-size:12px;color:#666;background:#eee;-webkit-border-radius:3px;-moz-border-radius:3px;}.commit-ref{padding:2px 5px;line-height:19px;font-family:Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;font-size:12px;font-weight:normal;color:#fff;text-shadow:-1px -1px 0 #000;text-decoration:none;background:url('../../images/modules/compare/sha_gradient.gif') 0 0 repeat-x #333;-webkit-border-radius:3px;-moz-border-radius:3px;}.commit-ref .user{font-weight:normal;color:#ccc;}a.commit-ref:hover{text-shadow:-1px -1px 0 #04284b;background-position:0 -19px;text-decoration:none;}.compare-range{margin-top:-15px;float:right;}.compare-range em{padding:0 4px;font-style:normal;color:#666;}.compare-range .switch{display:inline-block;width:16px;height:16px;text-indent:-9999px;background:url('../../images/modules/compare/switch_icon.png?v2') 0 0 no-repeat;}.compare-range .minibutton{margin-right:15px;}#compare .compare-cutoff{margin-top:15px;margin-bottom:-15px;height:35px;line-height:37px;font-size:12px;font-weight:bold;color:#000;text-align:center;background:url('../../images/modules/compare/compare_too_big.gif') 0 0 no-repeat;}.commits-condensed{margin-top:15px;border:1px solid #ddd;border-width:1px 1px 0 1px;}.commits-condensed td{padding:.4em .5em .4em 1.5em;padding-left:1.5em;vertical-align:middle;border-bottom:1px solid #ddd;}.commits-condensed tr:nth-child(2n) td{background:#f5f5f5;}.commits-condensed td.commit{padding-left:.5em;}.commits-condensed span.gravatar{display:block;width:20px;height:20px;line-height:1px;padding:1px;border:1px solid #ddd;background:#fff;}.commits-condensed td.author{padding-left:0;}.commits-condensed td.author a{color:#333;}.commits-condensed td.date{text-align:right;color:#777;}.commits-condensed td.message a{color:#333;}.commits-condensed code{font-family:Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;font-size:12px;}.commits-condensed tr.merge td{padding-top:.2em;padding-bottom:.2em;background:#eee;}.commits-condensed tr.merge td.gravatar span{height:16px;width:16px;}.commits-condensed tr.merge td.commit a{font-size:10px;color:#6c8286;}.commits-condensed tr.merge td.author{font-size:10px;font-family:Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;color:#666;}.commits-condensed tr.merge td.author a{color:#666;}.commits-condensed tr.merge td.date{font-size:10px;font-family:Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;}.commits-condensed tr.merge td.message a{font-size:10px;color:#666;}.commit-preview{margin:10px 0 0 0;font-size:11px;}.commit-preview>p{margin:16px 0;font-size:14px;text-align:center;}.commit-preview p.name{margin:0;height:20px;line-height:20px;font-size:12px;color:#5b6375;}.commit-preview p.name .avatar{float:left;margin-right:5px;width:16px;height:16px;padding:1px;background:#fff;border:1px solid #cedadf;}.commit-preview p.name a{font-weight:bold;color:#000;}.commit-preview p.name .date{color:#5b6375;}.commit-preview .message,.commit-preview p.error{clear:both;padding:5px;background:#eaf2f5;border:1px solid #bedce7;}.commit-preview .message pre{font-size:11px;color:#333;white-space:pre-wrap;word-wrap:break-word;}.commit-preview p.error{text-align:center;font-size:12px;font-weight:bold;color:#000;}.commit-preview .message p.commit-id{margin:5px 0 0 0;padding:0;font-family:Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;font-size:11px;}div.edu_contact_hidden{display:none;margin:1em 0;}div.edu_contact_hidden p:first-child{margin-top:0;}#contact-big-notice{width:370px;}#contact-github{width:412px;}#contact-github textarea{width:400px;height:100px;}.heartocat{margin-left:125px;}.context-overlay{display:none;user-select:none;-webkit-user-select:none;-moz-user-select:none;}body.menu-active .context-overlay{display:block;position:fixed;top:0;left:0;height:100%;width:100%;z-index:20;}.context-menu-button{-webkit-user-select:none;-moz-user-select:none;}.context-button{position:relative;vertical-align:middle;width:23px;height:16px;padding:0;}.context-button .icon{position:absolute;padding:3px 3px;display:block;height:11px;width:18px;background:url('../../images/modules/issues/context-button.png') no-repeat center 2px;}.context-button:hover .icon,.context-button.selected .icon{background-position:center -19px;}.context-menu-container .context-pane{display:none;}.context-menu-container i{font-weight:500;font-style:normal;opacity:.6;}.context-pane-wrapper{position:relative;}.context-pane{position:absolute;background:#fff;border:1px solid #c1c1c1;width:300px;z-index:21;-webkit-box-shadow:0 0 13px rgba(0,0,0,0.31);-moz-box-shadow:0 0 13px rgba(0,0,0,0.31);box-shadow:0 0 13px rgba(0,0,0,0.31);-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;}.context-pane.milestone-context,.context-pane.label-context,.context-pane.commitish-context{-webkit-transform-origin:top right;-moz-transform-origin:top right;}.context-pane.commitish-context{left:0;margin-top:5px;}.context-pane.active,.context-menu-container.active .context-pane{display:block;}.context-pane.edit-label-context{width:240px;}.context-pane,.context-pane>.context-body{-webkit-border-bottom-right-radius:4px;-webkit-border-bottom-left-radius:4px;-moz-border-radius-bottomright:4px;-moz-border-radius-bottomleft:4px;border-bottom-right-radius:4px;border-bottom-left-radius:4px;}.context-pane>.context-body{display:block;position:relative;padding:8px 10px;border-top:1px solid #ddd;}.context-pane>.context-title{font-weight:bold;font-size:14px;color:#111;text-shadow:1px 1px 0 rgba(255,255,255,1.0);padding:12px 10px 9px 10px;background:#f6f8f8;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#f6f8f8',endColorstr='#e9eeee');background:-webkit-gradient(linear,left top,left bottom,from(#f6f8f8),to(#e9eeee));background:-moz-linear-gradient(top,#f6f8f8,#e9eeee);border-bottom:1px solid #f0f3f3;-webkit-border-top-left-radius:4px;-webkit-border-top-right-radius:4px;-moz-border-radius-topleft:4px;-moz-border-radius-topright:4px;border-top-left-radius:4px;border-top-right-radius:4px;}.context-pane .context-title.compact-title{font-size:12px;padding-top:8px;padding-bottom:5px;}.context-pane .close{display:block;float:right;margin-right:8px;margin-top:8px;width:8px;height:8px;background:url('../../images/modules/issues/close-panel.png');}.context-pane .close:hover{background-position:center -16px;}.context-pane .loader{position:absolute;top:0;left:0;width:100%;height:100%;font-size:14px;color:#666;text-indent:-9999px;background:url('../../images/modules/ajax/big-spinner.gif') 50% 50% no-repeat #fff;opacity:.8;-webkit-border-bottom-right-radius:4px;-webkit-border-bottom-left-radius:4px;-moz-border-radius-bottomright:4px;-moz-border-radius-bottomleft:4px;border-bottom-right-radius:4px;border-bottom-left-radius:4px;}.context-pane .error-message{position:absolute;top:0;left:0;width:100%;height:100%;font-size:14px;font-weight:bold;color:#c00;text-align:center;line-height:50px;background:#fff;opacity:.8;-webkit-border-bottom-right-radius:4px;-webkit-border-bottom-left-radius:4px;-moz-border-radius-bottomright:4px;-moz-border-radius-bottomleft:4px;border-bottom-right-radius:4px;border-bottom-left-radius:4px;}.context-pane>.context-body.pane-selector{padding:0;max-height:400px;overflow-x:hidden;overflow-y:auto;}.pane-selector .selector-item{display:block;border-top:1px solid #eee;padding:8px 10px 8px 20px;background:url('../../images/modules/context-pane/check.png') 5px 11px no-repeat;background-image:none;cursor:pointer;}.pane-selector .selector-item a{display:block;text-decoration:none;}.pane-selector .selector-item label{cursor:pointer;}.pane-selector .selector-item.current,.pane-selector .selector-item:hover{background-color:#4f83c4;background-image:url('../../images/modules/context-pane/check-white.png');}.pane-selector .selector-item.new-milestone-item.current,.pane-selector .selector-item.new-milestone-item:hover{background-image:url('../../images/modules/context-pane/add.png');}.pane-selector .selector-item.clear.current,.pane-selector .selector-item.clear:hover{background-image:url('../../images/modules/context-pane/clear-white.png');}.pane-selector>.selector-item:first-child,.filterbar+.selector-item{border-top:none;}.pane-selector .selector-item.selected{background-image:url('../../images/modules/context-pane/check.png');background-color:#fff;}.pane-selector .selector-item.selected:hover,.pane-selector .selector-item.selected.current{background:url('../../images/modules/context-pane/check-and-highlight.png') 0 0 no-repeat #fff;}.pane-selector .selector-item.clear.selected{background-image:none;}.pane-selector .selector-item:last-child{-webkit-border-bottom-right-radius:4px;-webkit-border-bottom-left-radius:4px;-moz-border-radius-bottomright:4px;-moz-border-radius-bottomleft:4px;border-bottom-right-radius:4px;border-bottom-left-radius:4px;}.pane-selector .selector-item input[type=radio]{display:none;}.pane-selector a.selector-item{text-decoration:none;}.pane-selector .selector-item h4{margin:0;font-size:12px;font-weight:bold;color:#666;text-shadow:none;}.pane-selector .selector-item h4 a{color:#666;}.pane-selector .selector-item.current h4,.pane-selector .selector-item:hover h4{color:#fff;text-shadow:0 0 2px rgba(0,0,0,0.6);}.pane-selector .selector-item.current h4 a,.pane-selector .selector-item:hover h4 a{color:#fff;}.pane-selector .selector-item.selected h4{color:#333;text-shadow:none;}.pane-selector .selector-item p,.pane-selector .selector-item.selected:hover p,.pane-selector .selector-item.current.selected p{margin:0;font-size:11px;color:#888;text-shadow:none;}.pane-selector .selector-item.current p,.pane-selector .selector-item:hover p{color:#fff;text-shadow:0 0 2px rgba(0,0,0,0.4);}.pane-selector .filterbar{padding-top:10px;padding-bottom:10px;padding-left:10px;background:#f8f8f8;border-bottom:1px solid #ddd;}.pane-selector .filterbar ul.tabs{margin:7px 0 -11px -10px;width:100%;padding:0 10px;overflow:hidden;}.pane-selector .filterbar ul.tabs li{list-style-type:none;display:inline;}.pane-selector .filterbar ul.tabs li a{float:left;margin-right:5px;padding:2px 6px;font-size:11px;font-weight:bold;color:#666;text-decoration:none;border:1px solid transparent;-webkit-border-top-left-radius:2px;-webkit-border-top-right-radius:2px;-moz-border-radius-topleft:2px;-moz-border-radius-topright:2px;border-top-left-radius:2px;border-top-right-radius:2px;}.pane-selector .filterbar ul.tabs li a.selected{position:relative;top:1px;background:#fff;border:1px solid #ddd;border-bottom-color:#fff;}.context-pane .filterbar input[type=text]{width:98%;padding:2px;margin:5px 0;-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;}.context-pane .placeholder-field label.placeholder{top:9px;}.pane-selector .selector-item.clear a{display:block;}.user-selector .selector-item{padding-bottom:5px;}.user-selector .avatar{position:relative;top:-2px;display:inline-block;padding:1px;border:1px solid #eee;vertical-align:middle;line-height:1px;}.user-selector h4 a{display:block;text-decoration:none;}.user-selector h4 em.alt{float:right;margin-top:2px;font-weight:normal;font-style:normal;color:#999;}.user-selector .selector-item:hover h4 a em.alt{color:#fff;}.new-label input[type=text],.edit-label-context input[type=text]{padding:2px;width:97%;}.new-label .custom-color,.edit-label-context .custom-color{margin:10px 0;}.new-label .form-actions,.edit-label-context .form-actions{padding-right:0;}.pane-selector.label-selector ul.labels{margin:0 10px 10px;}.pane-selector .tag{float:right;padding:3px 4px 2px 4px;font-size:8px;font-weight:bold;text-transform:uppercase;text-shadow:1px 1px 0 rgba(0,0,0,0.25);color:#fff;background:#4f83c4;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;}.pane-selector .no-results{margin:0;padding:20px 0;font-size:14px;color:#888;text-align:center;}#dashboard a.button{height:23px;padding:0 10px;line-height:23px;font-size:11px;font-weight:bold;color:#fff;text-shadow:-1px -1px 0 #333;-webkit-border-radius:3px;-moz-border-radius:3px;background-color:#909090;background:-moz-linear-gradient(#909090,#3f3f3f);background:-ms-linear-gradient(#909090,#3f3f3f);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#909090),color-stop(100%,#3f3f3f));background:-webkit-linear-gradient(#909090,#3f3f3f);background:-o-linear-gradient(#909090,#3f3f3f);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#909090',endColorstr='#3f3f3f')";background:linear-gradient(#909090,#3f3f3f);}#dashboard a.button{-webkit-text-stroke:1px transparent;}@media only screen and(max-device-width:480px){#dashboard a.button{-webkit-text-stroke:0 black;}}#dashboard a.button:hover{background-color:#909090;background:-moz-linear-gradient(#909090,#040404);background:-ms-linear-gradient(#909090,#040404);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#909090),color-stop(100%,#040404));background:-webkit-linear-gradient(#909090,#040404);background:-o-linear-gradient(#909090,#040404);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#909090',endColorstr='#040404')";background:linear-gradient(#909090,#040404);text-decoration:none;}.account-switcher-container{display:inline;}.minibutton.switcher.account-switcher{margin-top:-5px;margin-bottom:2px;height:27px;}.minibutton.switcher.account-switcher>span{padding:3px 28px 3px 0;font-size:13px;background-position:100% 0;}.minibutton.switcher.account-switcher:hover>span{background-position:100% -30px;}.minibutton.switcher.account-switcher img{position:relative;top:-1px;margin-right:2px;vertical-align:middle;-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;}a.manage-orgs{border-top:1px solid #eee;display:block;padding:10px;font-weight:bold;background:url('../../images/modules/organizations/context_icon.png') 95% 6px no-repeat transparent!important;}a.manage-orgs:hover{background-position:95% -19px!important;}p.tip{margin:0;display:inline-block;font-size:13px;color:#999;}p.tip strong.protip{margin-left:10px;font-weight:normal;color:#000;}.bootcamp{margin:0 0 20px 0;}.bootcamp h1{color:#fff;font-size:16px;font-weight:bold;background-color:#405a6a;background:-moz-linear-gradient(center top,"#829AA8","#405A6A");filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#829aa8',endColorstr='#405a6a');background:-webkit-gradient(linear,left top,left bottom,from(#829aa8),to(#405a6a));background:-moz-linear-gradient(top,#829aa8,#405a6a);border:1px solid #677c89;border-bottom-color:#6b808d;border-radius:5px 5px 0 0;-moz-border-radius:5px 5px 0 0;-webkit-border-radius:5px 5px 0 0;text-shadow:0 -1px 0 rgba(0,0,0,0.7);margin:0;padding:8px 18px;position:relative;}.bootcamp h1 a{color:#fff;text-decoration:none;}.bootcamp h1 span{color:#e9f1f4;font-size:70%;font-weight:normal;text-shadow:none;}.bootcamp .js-dismiss-bootcamp{display:block;width:19px;height:19px;background-image:url('../../images/modules/dashboard/bootcamp/close_sprite.png');background-repeat:no-repeat;background-position:0 0;position:absolute;right:5px;top:50%;margin-top:-10px;}.bootcamp .js-dismiss-bootcamp:hover{background-position:0 -19px;}.bootcamp .bootcamp-body{padding:10px 0 10px 10px;background-color:#e9f1f4;overflow:hidden;border-style:solid;border-width:1px 1px 2px;border-color:#e9f1f4 #d8dee2 #d8dee2;border-radius:0 0 5px 5px;-moz-border-radius:0 0 5px 5px;-webkit-border-radius:0 0 5px 5px;}.bootcampo ul{list-style-type:none;position:relative;}.bootcamp ul li{color:#666;font-size:13px;font-weight:normal;background-color:#fffff5;background:-moz-linear-gradient(center top,"#fffff5","#f5f3b4");filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#fffff5',endColorstr='#f5f3b4');background:-webkit-gradient(linear,left top,left bottom,from(#fffff5),to(#f5f3b4));background:-moz-linear-gradient(top,#fffff5,#f5f3b4);border:1px solid #dfddb5;border-radius:5px 5px 5px 5px;-moz-border-radius:5px 5px 5px 5px;-webkit-border-radius:5px 5px 5px 5px;display:block;width:215px;height:215px;float:left;position:relative;margin:0 10px 0 0;-moz-box-shadow:0 1px 0 #fff;-webkit-box-shadow:0 1px 0 #fff;box-shadow:0 1px 0 #fff;}.bootcamp ul li:hover{background:-moz-linear-gradient(center top,"#fcfce9","#f1eea3");filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#fcfce9',endColorstr='#f1eea3');background:-webkit-gradient(linear,left top,left bottom,from(#fcfce9),to(#f1eea3));background:-moz-linear-gradient(top,#fcfce9,#f1eea3);border:1px solid #d6d4ad;}.bootcamp ul li a{color:#666;text-decoration:none;}.bootcamp .image{display:block;position:relative;height:133px;border-bottom:1px solid #f1efaf;background-repeat:no-repeat;background-position:center center;}.bootcamp .setup .image{background-image:url('../../images/modules/dashboard/bootcamp/octocat_setup.png');}.bootcamp .create-a-repo .image{background-image:url('../../images/modules/dashboard/bootcamp/octocat_create.png');}.bootcamp .fork-a-repo .image{background-image:url('../../images/modules/dashboard/bootcamp/octocat_fork.png');}.bootcamp .be-social .image{background-image:url('../../images/modules/dashboard/bootcamp/octocat_social.png');}.bootcamp ul li:hover .image{border-bottom:1px solid #f1eea3;}.bootcamp .desc{padding:13px 0 15px 15px;display:block;height:50px;overflow:hidden;border-top:1px solid #fff;background-repeat:no-repeat;position:relative;z-index:2;}.bootcamp ul li:hover .desc{border-top:1px solid #fcfce9;}.bootcamp .desc h2{margin:0;padding:0;font-size:15px;color:#393939;}.bootcamp .desc p{margin:0;padding:0;line-height:1.2em;}.bootcamp .step-number{background-image:url('../../images/modules/dashboard/bootcamp/largenumb_sprites.png');background-repeat:no-repeat;display:block;width:64px;height:80px;position:absolute;right:0;bottom:0;z-index:0;}.bootcamp .one{background-position:0 0;}.bootcamp ul li:hover .one{background-position:0 -80px;}.bootcamp .two{background-position:-64px 0;}.bootcamp ul li:hover .two{background-position:-64px -80px;}.bootcamp .three{background-position:-128px 0;}.bootcamp ul li:hover .three{background-position:-128px -80px;}.bootcamp .four{background-position:-192px 0;}.bootcamp ul li:hover .four{background-position:-192px -80px;}#dashboard .repos{margin:15px 0;width:333px;border:1px solid #ddd;border-radius:5px;-moz-border-radius:5px;-webkit-border-radius:5px;}#dashboard .repos .bottom-bar{width:100%;min-height:13px;border-bottom-left-radius:5px;-moz-border-bottom-left-radius:5px;-webkit-border-bottom-left-radius:5px;border-bottom-right-radius:5px;-moz-border-bottom-right-radius:5px;-webkit-border-bottom-right-radius:5px;background-color:#fafafb;}#dashboard .repos a.show-more{display:block;padding:10px;font-size:14px;font-weight:bold;color:#999;}#dashboard .repos .bottom-bar img{margin:10px;}#dashboard .repos .top-bar{position:relative;height:44px;background-color:#fafafa;background:-moz-linear-gradient(#fafafa,#eaeaea);background:-ms-linear-gradient(#fafafa,#eaeaea);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#fafafa),color-stop(100%,#eaeaea));background:-webkit-linear-gradient(#fafafa,#eaeaea);background:-o-linear-gradient(#fafafa,#eaeaea);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#fafafa',endColorstr='#eaeaea')";background:linear-gradient(#fafafa,#eaeaea);border-top-left-radius:5px;-moz-border-top-left-radius:5px;-webkit-border-top-left-radius:5px;border-top-right-radius:5px;-moz-border-top-right-radius:5px;-webkit-border-top-right-radius:5px;border-bottom:1px solid #e1e1e2;}#dashboard .repos h2{margin:0;height:44px;line-height:44px;padding:0 10px;font-size:16px;color:#52595d;}#dashboard .repos h2 em{color:#99a4aa;font-style:normal;}#dashboard .repos a.button{position:absolute;top:11px;right:10px;}#dashboard .filter-bar{padding:10px 10px 0 10px;background:#fafafb;border-bottom:1px solid #e1e1e2;}#dashboard .filter-bar .filter_input{width:289px;padding:2px 12px;height:15px;font-family:Helvetica,Arial,freesans,sans-serif;font-size:11px;color:#444;outline:none;border:1px solid #ccc;border-radius:10px;-moz-border-radius:10px;-webkit-border-radius:10px;}#dashboard .filter-bar label.placeholder{font-size:11px;left:10px;}#dashboard .filter-bar ul.repo_filterer{margin:7px 0 0 0;text-align:right;overflow:hidden;}#dashboard .filter-bar li{display:block;float:right;margin:0 0 0 10px;padding:0;font-size:11px;position:relative;}#dashboard .filter-bar li.all_repos{float:left;margin:0;}#dashboard .filter-bar li a{display:inline-block;padding-bottom:8px;color:#777;}#dashboard .filter-bar li a.filter_selected{color:#000;font-weight:bold;}#dashboard .filter-bar li a.filter_selected:after{content:"";position:absolute;background-color:#C8C8C8;height:3px;width:25px;bottom:0;left:50%;margin-left:-12px;}#dashboard ul.repo_list{margin:0;}#dashboard ul.repo_list li{display:block;margin:0;padding:0;}#dashboard ul.repo_list .public{border:none;border-bottom:1px solid #e5e5e5;background:url('../../images/icons/public.png') 10px 8px no-repeat white;}#dashboard ul.repo_list .private{border:none;border-bottom:1px solid #e5e5e5;background:url('../../images/icons/private.png') 10px 8px no-repeat #fffeeb;}#dashboard ul.repo_list li a{display:block;padding:6px 10px 5px 32px;font-size:14px;background:url('../../images/modules/repo_list/arrow-40.png') 97% 50% no-repeat;}#dashboard ul.repo_list li.private a{background-image:url('../../images/modules/repo_list/arrow-60.png');}#dashboard ul.repo_list li a:hover{background-image:url('../../images/modules/repo_list/arrow-80.png');}#dashboard ul.repo_list li.private a:hover{background-image:url('../../images/modules/repo_list/arrow-90.png');}#dashboard ul.repo_list li a .repo{font-weight:bold;}#dashboard p.notice{margin:15px 10px 0 10px;font-weight:bold;font-size:12px;text-align:center;}.octofication{margin:15px 0;}#dashboard .octofication{float:right;width:337px;}.octofication .message{padding:10px 10px 10px 35px;background:url('../../images/modules/dashboard/octofication.png') 0 50% no-repeat #dcf7dd;border:1px solid #bbd2bc;border-top-color:#d1ead2;-webkit-border-radius:5px;-moz-border-radius:5px;}.octofication .message h3{margin:0;font-size:14px;text-shadow:1px 1px 0 #fff;}.octofication .message p{font-size:12px;color:#333;padding:0;margin:0;}.octofication .message p+p{margin-top:15px;}.octofication ul.actions{margin:5px 0 0 0;font-size:10px;height:15px;}.octofication ul.actions li{list-style-type:none;margin:0;}.octofication li.hide{float:left;font-weight:bold;}.octofication li.hide a{color:#666;text-decoration:none;}.octofication li.hide a:hover{color:#000;}.octofication li.hide a:hover strong{color:#a60000;}.octofication li.more{float:right;}#dashboard .github-jobs-promotion{float:right;width:337px;}.github-jobs-promotion p{position:relative;padding:10px 18px;font-size:12px;text-align:center;color:#1b3650;border:1px solid #cee0e7;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;background:#e4f0ff;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#f5fbff',endColorstr='#e4f0ff');background:-webkit-gradient(linear,left top,left bottom,from(#f5fbff),to(#e4f0ff));background:-moz-linear-gradient(top,#f5fbff,#e4f0ff);}.github-jobs-promotion p a{color:#1b3650;}.github-jobs-promotion a.jobs-logo{display:block;text-align:center;font-size:11px;color:#999;}.github-jobs-promotion a.jobs-logo strong{display:inline-block;width:62px;height:15px;text-indent:-9999px;background:url('../../images/modules/jobs/logo.png') 0 0 no-repeat;}.github-jobs-promotion .job-location{white-space:nowrap;}.github-jobs-promotion .info{position:absolute;bottom:4px;right:4px;display:block;width:13px;height:13px;text-decoration:none;text-indent:-9999px;opacity:.5;cursor:pointer;background:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAA0AAAANCAYAAABy6+R8AAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAZ1JREFUeNp0kt0rREEYxt95Z87XHlxpo22VuJCPXG57IUVbpJQL5ZJ75U/wXyhKyrWSCyQXQigS2965cIEt2RLZXWvtmfG+p85a4qlznjkz85tn3jMjjDEQafc426QDnaHmCD22EOJRoNgeHxo8hwaJCNo5vJ4iW5JKtkmpgADgMR0EoI3ep765TLo3X4d2jrKziGLNcVywbReklOB7FhTfPwgyUK1WoFar5RExNZrqyePeSa5bSlz2Yj54ng/KsiARb4GBrji0+F747Xoe2I6ToJB1TlKUtGDbnk0CpARW4aUceqlSC7eJqGgHAEbrkYOLm7RCgRMWrcYDLN9V0NfZGrbLlU94LVXroFI2bbOaIQY7OIEHotXvn97gt0KQ5yEmqDZ8jYBInPCXhDAMF5HeZ41nxYq5Vt2V/F7QGEoT8hIl4iqfRQRyTcl4c9hmdyzZAJm8VLgZntPR1e0WFTmplIL/pLUmKJhO9yc3kDuktGbod64Ewed/wDMRMwz8uEas09zDGNk8CjFM3kT13pFvU/GLqd72QjTvS4ABABRRlkohJ02VAAAAAElFTkSuQmCC);}.github-jobs-promotion p:hover .info{opacity:1.0;}#dashboard .codeconf-promotion,#dashboard .pycodeconf-promotion{float:right;margin:15px 0 0 0;width:337px;}.codeconf-promotion{border:1px solid #000;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;background:#454545;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#454545',endColorstr='#000000');background:-webkit-gradient(linear,left top,left bottom,from(#454545),to(black));background:-moz-linear-gradient(top,#454545,black);}.codeconf-promotion p{position:relative;margin:0;padding:7px 18px 7px 60px;font-size:12px;text-align:left;color:#fff;background:url('../../images/modules/dashboard/codeconf-promo.png') -5px 50% no-repeat;}.codeconf-promotion strong{display:block;color:#fff;}.codeconf-promotion a{display:block;color:#ccc;text-decoration:none;}#dashboard{margin-top:-10px;overflow:hidden;}#dashboard h1{font-size:160%;margin-bottom:.5em;}#dashboard h1 a{font-size:70%;font-weight:normal;}.news{float:left;margin-top:15px;width:560px;}.page-profile .news{float:none;width:auto;}.news blockquote{color:#666;}.news pre,.news code{font-family:Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;font-size:90%;}.news h1{margin-bottom:0;}.filter,.feed_filter{border-bottom:1px solid #AAA;padding-bottom:.25em;margin-bottom:1em;}.filter li,.feed_filter li{clear:none;display:inline;}.news .alert{padding:0 0 1em 2em;overflow:hidden;}.news .alert p{margin:0;}.news .alert .body{border-bottom:1px solid #ccc;overflow:hidden;padding:0 0 1em 0;}.news .alert .title{padding:0 0 .25em 0;font-weight:bold;}.news .alert .title span{background-color:#fff6a9;}.news .alert .title .subtle{color:#bbb;}.news .alert .gravatar{border:1px solid #d0d0d0;padding:2px;background-color:white;float:left;line-height:0;margin-right:.7em;}.news .commit{background:url('../../images/modules/dashboard/news/commit.png') no-repeat;}.news .commit_comment{background:url('../../images/modules/dashboard/news/comment.png') no-repeat;}.news .create{background:url('../../images/modules/dashboard/news/create.png') no-repeat;}.news .public{background:url('../../images/modules/dashboard/news/public.png') no-repeat;}.news .git_hub{background:url('../../images/modules/dashboard/news/site.png') no-repeat;}.news .git_hub .done{text-decoration:line-through;color:#666;}.news .delete{background:url('../../images/modules/dashboard/news/delete.png') no-repeat;}.news .pull_request{background:url('../../images/modules/dashboard/news/pull_request.png') no-repeat;}.news .fork{background:url('../../images/modules/dashboard/news/fork.png') no-repeat;}.news .fork_apply{background:url('../../images/modules/dashboard/news/merge.png') no-repeat;}.news .follow{background:url('../../images/modules/dashboard/news/follow.png') no-repeat;}.news .issues_opened{background:url('../../images/modules/dashboard/news/issues_opened.png') no-repeat;}.news .issues_closed{background:url('../../images/modules/dashboard/news/issues_closed.png') no-repeat;}.news .issues_reopened{background:url('../../images/modules/dashboard/news/issues_reopened.png') no-repeat;}.news .issues_comment{background:url('../../images/modules/dashboard/news/issues_comment.png') no-repeat;}.news .gist{background:url('../../images/modules/dashboard/news/gist.png') no-repeat;}.news .guide{background:url('../../images/modules/dashboard/news/wiki.png') no-repeat;}.news .gollum,.news .wiki{background:url('../../images/modules/dashboard/news/wiki.png') no-repeat;}.news .team_add{background:url('../../images/modules/dashboard/news/member_add.png') no-repeat;}.news .member_add{background:url('../../images/modules/dashboard/news/member_add.png') no-repeat;}.news .member_remove{background:url('../../images/modules/dashboard/news/member_remove.png') no-repeat;}.news .watch_started{background:url('../../images/modules/dashboard/news/watch_started.png') no-repeat;}.news .watch_stopped{background:url('../../images/modules/dashboard/news/watch_stopped.png') no-repeat;}.news .delete{background:url('../../images/modules/dashboard/news/delete.png') no-repeat;}.news .push{background:url('../../images/modules/dashboard/news/push.png') no-repeat;height:auto;}.news .download{background:url('../../images/modules/dashboard/news/download.png') no-repeat;}.news .commits li{margin-left:3.5em;margin-top:.25em;list-style-type:none;}.news .commits li .committer{padding-left:.5em;display:none;}.news .commits li img{border:1px solid #d0d0d0;padding:1px;vertical-align:middle;background-color:white;margin:0 3px;}.news .commits li img.emoji{border:0;padding:0;margin:0;}.news div.message,.news li blockquote{display:inline;color:#444;}.news .commits li.more{padding-top:2px;padding-left:2px;}.profilecols .news .push li{margin-left:0;}#dashboard .followers{float:right;width:35em;margin-bottom:2em;}#dashboard .followers h1{margin-bottom:.3em;border-bottom:1px solid #ddd;}#dashboard .followers ul{list-style-type:none;}#dashboard .followers ul li{display:inline;}#dashboard .followers ul li img{border:1px solid #d0d0d0;padding:1px;}#dashboard .news.public_news{float:right;width:35em;}#dashboard .news.public_news h1{margin-bottom:.3em;border-bottom:1px solid #ddd;}#dashboard .repos{float:right;clear:right;}#dashboard .repos h1{margin-bottom:0;}#dashboard .repos img{vertical-align:middle;}#dashboard .dossier{float:left;width:32.18em;margin-bottom:2em;}#dashboard .dossier .profile .identity{overflow:hidden;}#dashboard .dossier .profile .identity img{border:1px solid #d0d0d0;padding:2px;background-color:white;float:left;margin-right:.7em;}#dashboard .dossier .profile .identity h1{line-height:56px;}#dashboard .dossier .profile .buttons{margin-bottom:1.3em;}#dashboard .dossier .profile .vcard{border:1px solid #888;background-color:#F8FFD5;}#dashboard .dossier .profile .vcard .info{font-size:90%;}#dashboard .dossier .profile .vcard .field{overflow:hidden;}#dashboard .dossier .profile .vcard .field label{float:left;margin-right:1em;display:block;text-align:right;width:8em;color:#777;padding:.1em 0;}#dashboard .dossier .profile .vcard .field div{float:left;}#dashboard .dossier .profile .vcard .field a.action{color:#a00;}#dashboard .projects{margin-top:2em;list-style-type:none;}#dashboard .projects.floated li{float:left;margin-right:2em;}#dashboard .projects .project{border:1px solid #d8d8d8;background-color:#f0f0f0;margin-bottom:1em;padding:0 .4em;}#dashboard .projects .project .title{font-size:140%;}#dashboard .projects .project .meta{margin:.2em 0 0 0;font-style:italic;color:#888;}#dashboard .projects .project .graph{margin:.5em 0;}#dashboard .projects .project .graph .bars{width:31.18em;height:20px;}#dashboard .projects .project .graph img.legend{width:31.18em;}#dashboard .projects .project .flexipill{float:right;padding-top:.3em;margin-right:.5em;}#dashboard .projects .project .flexipill a{color:black;}#dashboard .projects .project .flexipill .middle{background:url('../../images/modules/repos/pills/middle.png') 0 0 repeat-x;padding:0 0 0 .3em;}#dashboard .projects .project .flexipill .middle span{position:relative;top:.1em;font-size:95%;}.page-downloads h3{margin:15px 0 5px 0;font-size:14px;}.page-downloads .manage-button{float:right;margin-top:-28px;}.qrcode{text-align:center;}.uploader{position:relative;margin:10px 0 20px 0;padding-bottom:1px;}.page-downloads .uploader h3{font-size:16px;margin:0 0 0 -10px;}table.uploads{width:918px;margin-left:-9px;border-spacing:0;border-collapse:collapse;}table.uploads td{padding:10px 0 15px;vertical-align:bottom;}table.uploads td.choose{width:1%;padding-left:9px;padding-right:15px;}table.uploads td.description{;}table.uploads td.action{width:1%;padding-left:20px;padding-right:9px;}table.uploads .description dl.form{margin:0;}table.uploads .description dl.form dt{margin-top:0;font-size:11px;}.uploading .description dl.form dt,.fallback-disabled .description dl.form dt{color:#888;}table.uploads .error .description dl.form dt{color:#c00;}table.uploads .succeeded .description dl.form dt{color:#007a09;}table.uploads .description input[type=text]{width:100%;}table.uploads tr{border-top:1px solid #ddd;}table.uploads tr:first-child{border-top:none;}.choose .upload-button-wrapper{position:relative;}.choose .file-minibutton{display:block;padding:5px;font-size:11px;font-weight:bold;color:#333;text-align:center;text-shadow:1px 1px 0 #fff;white-space:nowrap;border:none;overflow:visible;cursor:pointer;border:1px solid #d4d4d4;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;background:#fff;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#ffffff',endColorstr='#ececec');background:-webkit-gradient(linear,left top,left bottom,from(#fff),to(#ececec));background:-moz-linear-gradient(top,#fff,#ececec);}.choose .upload-button-wrapper:hover .file-minibutton{color:#fff;text-decoration:none;text-shadow:-1px -1px 0 rgba(0,0,0,0.3);border-color:#518cc6;border-bottom-color:#2a65a0;background:#599bdc;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#599bdc',endColorstr='#3072b3');background:-webkit-gradient(linear,left top,left bottom,from(#599bdc),to(#3072b3));background:-moz-linear-gradient(top,#599bdc,#3072b3);}.choose .file-minibutton .icon{display:block;width:18px;height:22px;margin:0 auto;background:url('../../images/icons/choose-file.png') 0 0 no-repeat;}.choose .upload-button-wrapper:hover .file-minibutton .icon{background-position:0 -100px;}.choose .swfupload{position:absolute;top:0;left:-1px;width:100%;height:100%;}.upload-button-wrapper .html-file-field{position:absolute;top:0;left:0;width:100%;height:100%;opacity:.01;filter:alpha(opacity=1);}.swfupload-ready .upload-button-wrapper .html-file-field{display:none;}.file-to-upload{display:none;padding:7px 10px;text-shadow:1px 1px 0 rgba(255,255,255,1);white-space:nowrap;background:#fff;border:1px solid #ddd;border-bottom-color:#fff;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;}.uploading .file-to-upload{background:url('../../images/modules/download/diagonal_lines.gif') 0 0;}.error .file-to-upload{border:1px solid #a00;background:#c00;}.file-to-upload p{margin:0;padding-left:25px;background:url('../../images/modules/download/check.png') 0 50% no-repeat;}.error .file-to-upload p{background-image:url('../../images/modules/download/error.png');}.succeeded .file-to-upload p{background-image:url('../../images/modules/download/check-green.png');}.file-to-upload strong{display:block;color:#000;font-weight:normal;}.file-to-upload em{display:block;color:#888;font-style:normal;font-size:11px;}.error .file-to-upload strong,.error .file-to-upload em{color:#fff;text-shadow:none;}.filechosen .choose .file-to-upload{display:block;}.filechosen .choose .upload-button-wrapper{display:none;}.uploader .usagebars{position:absolute;top:0;right:10px;}.uploader .usagebars dl{padding:0;border:none;}.uploader .usagebars dt.numbers{display:none;}.uploader .usagebars dt.label{height:24px;padding-right:10px;line-height:24px;color:#666;}.uploader .usagebars dd.bar{float:left;clear:none;width:200px;}ol.download-list{margin:5px 0 35px 0;border-top:1px solid #ddd;}ol.download-list li{list-style-type:none;margin:0;padding:7px 5px 7px 26px;border-bottom:1px solid #ddd;background:url('../../images/icons/download-unknown.png') 5px 7px no-repeat;}ol.download-list li:nth-child(2n){background-color:#f6f6f6;}ol.download-list li.ctype-zip{background-image:url('../../images/icons/download-zip.png');}ol.download-list li.ctype-media{background-image:url('../../images/icons/download-media.png');}ol.download-list li.ctype-text{background-image:url('../../images/icons/download-text.png');}ol.download-list li.ctype-android{background-image:url('../../images/icons/qrcode.png');}ol.download-list li.ctype-pdf{background-image:url('../../images/icons/download-pdf.png');}ol.download-list li.ctype-tag{background-image:url('../../images/icons/tag.png');}.download-list .download-stats{float:right;margin-top:8px;font-size:12px;color:#666;}.download-list .download-stats strong{color:#333;}.download-list .delete-button{display:none;float:right;margin-top:8px;}.managing .download-stats{display:none;}.managing .delete-button{display:block;}.download-list h4{margin:0;font-size:12px;font-weight:normal;color:#333;}.download-list h4 a{font-weight:bold;}.download-list h4 .alt-download-links{opacity:0;filter:alpha(opacity=0);padding-left:5px;-webkit-transition:opacity .1s linear;}.download-list li:hover h4 .alt-download-links{opacity:1;filter:alpha(opacity=100);}.download-list h4 .alt-download-links a{font-size:10px;padding-left:10px;padding-right:2px;background:url('../../images/modules/download/mini_down_arrow.png') 0 50% no-repeat;}.download-list p{margin:1px 0 0 0;font-size:11px;color:#999;}.download-list p a{color:#999;}.explorecols .main{float:left;width:500px;}.explorecols .sidebar{float:right;width:390px;}.explore h2{margin-top:15px;margin-bottom:0;padding-bottom:5px;font-size:16px;color:#333;border-bottom:1px solid #ddd!important;}.ranked-repositories+h2{margin-top:30px;}.explore p{margin:.75em 0;}.explore .trending-repositories{margin-bottom:20px;position:relative;}.explore h2.trending-heading{padding-left:22px;background:url('../../images/modules/explore/trending_icon.png') 0 3px no-repeat;}.explore h2.trending-heading .updated{font-size:12px;color:#aaa;float:right;}.explore h2.trending-heading .times{font-size:12px;font-weight:normal;color:#000;float:right;}.explore h2.trending-heading .times a{color:#4183C4;font-weight:bold;}.explore h2.featured-heading{padding-left:22px;background:url('../../images/modules/explore/featured_icon.png') 0 3px no-repeat;}.explore h2 .feed{float:right;padding-left:24px;height:14px;line-height:14px;font-size:12px;background:url('../../images/icons/feed.png') 5px 50% no-repeat #fff;}.ranked-repositories{margin:0 0 10px 0;}.ranked-repositories>li{position:relative;list-style-type:none;margin:0;padding:5px 0;min-height:30px;border-bottom:1px solid #ddd;}.ranked-repositories>li.last{border-bottom:none;}.ranked-repositories h3{margin:0;width:410px;font-size:14px;color:#999;}.ranked-repositories h3.yours{background:url('../../images/modules/explore/gold_star.png') 0 3px no-repeat;}.ranked-repositories h3.yours .goldstar{display:inline-block;width:11px;height:12px;}.ranked-repositories p{margin:0;width:410px;font-size:12px;color:#333;}.ranked-repositories ul.repo-stats{position:absolute;top:8px;right:0;font-size:11px;font-weight:bold;}.ranked-repositories .meta{margin-top:3px;font-size:11px;}.ranked-repositories .meta a{padding:2px 5px;color:#666;background:#eee;-webkit-border-radius:2px;-moz-border-radius:2px;}.podcast-player .title{margin-top:0;}.podcast-player .title span{font-weight:normal;font-size:13px;color:#999;}.podcast-player .artist{display:none;}.podcast-player h3{font-size:14px;color:#000;}.podcast-player p{margin:0;margin-top:5px;}.podcast-player p.download{margin:5px 0;margin-top:5px;float:left;font-size:11px;}.podcast-player p.date{margin:5px 0;float:right;font-size:11px;}.podcast-player p.date strong{display:none;}.podcast-player p.description{clear:both;padding-top:5px;border-top:1px solid #d2d9de;}.podcast-player p.description strong{display:none;}.podcasts{margin:20px 0 0 0;}.podcasts li{list-style-type:none;margin:10px;padding-left:22px;font-size:12px;background:url('../../images/modules/explore/podcast_icon.png') 0 0 no-repeat;}.podcasts li em.date{margin-top:-2px;display:block;font-size:11px;color:#666;font-style:normal;}div.baconplayer{height:40px;}.baconplayer .inner-player{background:#343434;padding:0 0 10px;margin:20px -10px 0;height:25px;}.baconplayer a{text-decoration:none;}.baconplayer .dingus{float:left;margin:-8px 0 0 8px;width:52px;height:52px;text-indent:-9999px;cursor:pointer;}.baconplayer .dingus:hover{;}.baconplayer .play{background:url('../../images/modules/explore/play_button.png') 0 0 no-repeat;}.baconplayer .pause{display:none;background:url('../../images/modules/explore/pause_button.png') 0 0 no-repeat;}.baconplayer .wrap{overflow:hidden;}.baconplayer .progress{background:#E9EAEA;width:270px;height:10px;margin:13px 0 0 5px;-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;}.baconplayer .progress .inner-progress{background:#11b1e0;width:0;height:10px;-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;}.baconplayer .progress .loading-progress{background:#7d7d7d;width:0;-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;}.baconplayer .timing{float:right;color:#fff;margin-top:10px;padding-right:8px;}#footer{position:relative;bottom:0;color:#636363;margin:45px 0 0 0;font-size:12px;}#footer a:hover{text-decoration:underline;}#footer li{list-style:none;}#footer .upper_footer{min-height:160px;overflow:hidden;border-top:1px solid #E0E0E0;border-bottom:1px solid #E0E0E0;box-shadow:inset 0 -1px 0 white;background-color:#f8f8f8;}#footer #blacktocat{height:130px;width:164px;float:left;background:url('../../images/modules/footer/blacktocat.svg') no-repeat;text-indent:-5000px;margin:15px 20px 0 0;}#footer #blacktocat_ie{height:130px;width:164px;float:left;background:url('../../images/modules/footer/blacktocat.png') no-repeat;text-indent:-5000px;margin:15px 20px 0 0;}#footer .upper_footer ul.footer_nav{position:relative;float:left;width:164px;margin:20px 10px;}#footer .upper_footer ul.footer_nav h4{margin-bottom:5px;padding-bottom:5px;border-bottom:thin solid #e1e1e1;}#footer .lower_footer{position:relative;background-color:#fff;overflow:hidden;clear:both;}.enterprise #footer .lower_footer{height:auto;}#footer .lower_footer #legal{float:left;width:350px;height:60px;line-height:8px;margin:25px 0 0 15px;padding-left:179px;background:url('../../images/modules/footer/footer-logo.svg') 0 5px no-repeat;}#footer .lower_footer #legal_ie{float:left;width:350px;height:50px;line-height:8px;margin:25px 0 0 18px;padding-left:180px;background:url('../../images/modules/footer/footer-logo.png') top left no-repeat;}#footer .lower_footer div ul{float:left;text-indent:none;display:inline;margin-top:15px;}#footer .lower_footer div ul li{display:inline;float:left;margin:0 10px 2px 0;}#footer .lower_footer div p{display:inline;float:left;clear:both;margin-top:5px;}#footer .lower_footer .sponsor{width:295px;float:right;margin-top:35px;padding-bottom:25px;}#footer .lower_footer .sponsor .logo{float:left;margin:0 10px 0 0;}#footer .lower_footer .sponsor a{color:#000;}.enterprise #footer .lower_footer div p{display:block;clear:both;margin-top:5px;float:none;text-align:center;}.enterprise #footer .lower_footer #legal{float:none;width:220px;height:auto;padding-top:50px;padding-left:0;margin:25px auto 0 auto;background-position:50% 0;line-height:1.2;}.enterprise #footer .lower_footer div ul{display:block;clear:both;float:none;display:block;text-align:center;white-space:nowrap;}.enterprise #footer .lower_footer div ul li{float:none;}.enterprise .sponsor{display:none;}#integration-branch{background:#ffb;border:1px solid #dd9;border-bottom:1px solid #ffb;padding:8px;color:#333;}#integration-branch table td{padding:.5em .5em 0 0;}#int-info img{position:relative;top:-.1em;}#forkqueue{;}#forkqueue .topper{overflow:hidden;}#forkqueue #path{overflow:hidden;float:left;padding:0;margin-top:15px;}#forkqueue .legend{font-size:100%;float:right;margin-top:22px;}#forkqueue .legend .clean{border:1px solid #ccc;background:#DEFFDD url('../../images/modules/forkqueue/bg_clean.png') 0 100% repeat-x;padding:.2em .4em;float:right;}#forkqueue .legend .unclean{border:1px solid #ccc;background:#FFD9D9 url('../../images/modules/forkqueue/bg_unclean.png') 0 100% repeat-x;padding:.2em .4em;float:right;margin-left:.8em;}#forkqueue h2{font-size:120%;margin-bottom:.3em;margin-top:0;font-weight:normal;}#forkqueue h2 a.branch{font-weight:bold;}#forkqueue .queue-date{margin:-8px 0 20px 2px;color:#777;font-size:12px;font-style:italic;}#forkqueue .queue-date abbr{font-style:italic;color:#444;}#forkqueue .queue-date .js-fq-new-version{font-style:normal;}#forkqueue table{width:100%;border-left:1px solid #ccc;border-right:1px solid #ccc;border-top:1px solid #ccc;margin-bottom:2em;}#forkqueue table tr td{background-color:#eaf2f5;}#forkqueue table tr.clean td{background:#DEFFDD url('../../images/modules/forkqueue/bg_clean.png') 0 100% repeat-x;}#forkqueue table tr.unclean td{background:#FFD9D9 url('../../images/modules/forkqueue/bg_unclean.png') 0 100% repeat-x;}#forkqueue table tr.unclean_failure td{background:#FFD9D9 url('../../images/modules/forkqueue/bg_unclean.png') 0 100% repeat-x;border-bottom:none!important;}#forkqueue table tr.failure td{background:#FFD9D9;}#forkqueue table tr.failure td div.message{background:#FFECEC;padding:.5em;border:1px solid #FCC;margin-bottom:.3em;}#forkqueue table th{font-weight:normal;border-bottom:1px solid #ccc;padding:.3em .6em;background-color:#eee;font-size:95%;text-align:left;}#forkqueue table th select{margin-left:1em;}#forkqueue table td{border-bottom:1px solid #ccc;padding:.3em .6em;}#forkqueue table td.sha,#forkqueue table td.message{font-family:Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;font-size:80%;}#forkqueue table td.checkbox{width:3%;}#forkqueue table td.sha{width:6%;}#forkqueue table td.human{font-family:Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;font-size:80%;width:4%;color:#888;}#forkqueue table td.author{width:15%;font-weight:bold;}#forkqueue table td.author img{vertical-align:middle;}#forkqueue table td.message a{color:black;}#forkqueue table td.message a:hover{text-decoration:underline;}#forkqueue table td.date{width:12%;text-align:right;}#forkqueue table td.author img{border:1px solid #ccc;padding:1px;background-color:white;}#forkqueue table td.icons{width:3%;}#forkqueue tr.failure .message h2{text-align:center;}#forkqueue tr.failure .message p{font-size:130%;text-align:center;font-weight:bold;}#forkqueue table.compare{border:none;margin:0;width:100%;}#forkqueue table.compare td{padding:0;width:49.5%;border:none;background:none!important;vertical-align:top;}#forkqueue table.compare td form{text-align:center;margin-bottom:.75em;}#forkqueue table.compare td .confine{overflow:auto;width:32.75em;border:1px solid #ccc;}#forkqueue table.compare td.spacer{width:1%;}#forkqueue table.choice{margin:0;border:none;}#forkqueue table.choice td{background:#f8f8f8!important;font-size:80%;vertical-align:middle;}#forkqueue table.choice td.lines{width:1%;background-color:#ececec;color:#aaa;padding:1em .5em;border-right:1px solid #ddd;text-align:right;}#forkqueue table.choice td.lines span{color:#9F5E5E;}#forkqueue table.choice td.code{background-color:#f8f8ff!important;font-family:'Bitstream Vera Sans Mono','Courier',monospace;padding-left:1em;}#forkqueue table.choice td.code span{color:#888;}#forkqueue table.choice td.code a{color:#7C94AC;}#forkqueue #finalize{text-align:center;}#forkqueue .instructions{border:1px solid #ddd;background:#eee;padding:8px;color:#333;font-size:13px;margin:20px 0 8px 0;}#fq-commit{overflow:hidden;}#fq-commit .commit_oneline{background:#eaf2f5 url('../../images/modules/commit/bg_gradient.gif') 0 100% repeat-x;}#fq-commit .commit_oneline td{border-bottom:1px solid #bedce7;}#fq-commit .commit_oneline .date{color:#888;width:1%;padding:0 1em 0 .5em;border-left:1px solid #bedce7;}#fq-commit .commit_oneline .author{width:15%;}#fq-commit .commit_oneline .gravatar{width:1%;}#fq-commit .commit_oneline .gravatar img{border:1px solid #d0d0d0;padding:1px;background-color:white;float:left;margin-right:.4em;}#fq-commit .commit_oneline .author a{font-weight:bold;color:black;}#fq-commit .commit_oneline .message{font-size:75%;}#fq-commit .commit_oneline .message a{color:black;}#fq-commit .commit_oneline .commit,#fq-commit .commit_oneline .tree{width:1%;font-family:Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;font-size:90%;color:#808080;border-left:1px solid #bedce7;padding:.6em .5em;}#fq-commit .commit_oneline .tree{border-right:1px solid #bedce7;}#all_commit_comments .comment .body img{max-width:67.5em;}#header{background-color:#fafafa;background:-moz-linear-gradient(#fafafa,#eaeaea);background:-ms-linear-gradient(#fafafa,#eaeaea);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#fafafa),color-stop(100%,#eaeaea));background:-webkit-linear-gradient(#fafafa,#eaeaea);background:-o-linear-gradient(#fafafa,#eaeaea);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#fafafa',endColorstr='#eaeaea')";background:linear-gradient(#fafafa,#eaeaea);position:relative;z-index:10;border-bottom:1px solid #cacaca;box-shadow:0 1px 0 rgba(255,255,255,0.4),0 0 10px rgba(0,0,0,0.1);margin:0;}.site-logo{float:left;position:relative;padding:9px 0 0 0;zoom:1;}.site-logo img{position:absolute;top:10px;left:0;}.github-logo{display:none;float:left;}.github-logo-hover{display:none;opacity:0;}.github-logo-4x{float:left;}.github-logo-4x-hover{opacity:0;}html.msie .github-logo,html.msie .github-logo-hover{display:block;}html.msie .github-logo-4x,html.msie .github-logo-4x-hover{display:none;}.site-logo:hover .github-logo{opacity:0;}.site-logo:hover .github-logo-4x{opacity:0;}.site-logo:hover .github-logo-hover{opacity:1;}.site-logo:hover .github-logo-4x-hover{opacity:1;}.topsearch{float:left;clear:none;width:auto;border-left:1px solid #fafafa;box-shadow:-1px 0 0 #e0e0e0;padding:10px 10px 10px 10px;margin:0 0 0 87px;}.enterprise-search{margin:0 0 0 197px;}html.msie .topsearch{margin-left:87px;}#top_search_form{float:left;}.topsearch form input.button{display:none;}.topsearch .placeholder-field label.placeholder{top:6px;left:30px;width:150px;}.topsearch .search{float:left;}.topsearch .search input{float:left;background:white url('../../images/modules/header/search-icon.png') 5px 1px no-repeat;border:1px solid #ddd;border-top:1px solid #cdcdcd;box-shadow:0 1px 0 #f1f1f1,inset 0 1px 1px #e0e0e0;padding:5px 5px 5px 30px;color:#999;font-size:12px;width:150px;}.topsearch .search input:active{color:#222;}.topsearch .advanced-search{background:url('../../images/modules/header/advanced_search_icon.png') 0 0 no-repeat;width:16px;height:16px;margin:4px 0 0 5px;float:right;overflow:hidden;text-indent:-9999px;opacity:.3;transition:opacity .15s ease-in 0;-moz-transition-property:opacity;-moz-transition-timing-function:ease-in;-moz-transition-duration:.15s;-moz-transition-delay:0;-webkit-transition-property:opacity;-webkit-transition-timing-function:ease-in;-webkit-transition-duration:.15s;-webkit-transition-delay:0;}.topsearch .advanced-search:hover{opacity:.8;}.top-nav{float:left;margin:0 0 0 20px;list-style:none;line-height:26px;}.top-nav.logged_out{float:right!important;padding:10px 0;}.top-nav.logged_out li{margin:0 0 0 20px;}.top-nav li{float:left;margin:0 10px 0 0;}.top-nav a{font-weight:bold;color:#222;transition:color .15s ease-in 0;-moz-transition-property:color;-moz-transition-timing-function:ease-in;-moz-transition-duration:.15s;-moz-transition-delay:0;-webkit-transition-property:color;-webkit-transition-timing-function:ease-in;-webkit-transition-duration:.15s;-webkit-transition-delay:0;text-shadow:0 1px 0 rgba(255,255,255,0.5);}.top-nav a:hover{text-decoration:none;color:#4183c4;}.top-nav li.pricing a{color:#2d9f00;}#userbox{float:right;line-height:20px;padding:7px 0;}#userbox a{color:#222;transition:color .15s ease-in 0;-moz-transition-property:color;-moz-transition-timing-function:ease-in;-moz-transition-duration:.15s;-moz-transition-delay:0;-webkit-transition-property:color;-webkit-transition-timing-function:ease-in;-webkit-transition-duration:.15s;-webkit-transition-delay:0;}#userbox a:hover{text-decoration:none;color:#4183c4;}#user{float:left;font-weight:bold;padding:5px 0;text-shadow:0 1px 0 #fff;}#user img{float:left;margin:1px 5px 0 0;border-radius:3px;}#user .name{line-height:22px;}#user-links{background-color:#f1f1f1;background:-moz-linear-gradient(#f1f1f1,#e0e0e0);background:-ms-linear-gradient(#f1f1f1,#e0e0e0);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#f1f1f1),color-stop(100%,#e0e0e0));background:-webkit-linear-gradient(#f1f1f1,#e0e0e0);background:-o-linear-gradient(#f1f1f1,#e0e0e0);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#f1f1f1',endColorstr='#e0e0e0')";background:linear-gradient(#f1f1f1,#e0e0e0);float:left;margin:2px 0 0 20px;padding:0;border:1px solid #ddd;border-radius:3px;box-shadow:0 1px 0 #fafafa,inset 0 1px 0 #fafafa;list-style:none;}#user-links li{position:relative;float:left;margin:0 0 0 10px;}#user-links a{display:block;padding:5px 5px 0 5px;}#user-links li:first-child a{padding-left:0;}#user-links li:last-child a{padding-right:5px;}#user-links .icon{display:inline-block;margin:0;background:url('../../images/modules/header/userbox/icon.png') 0 0 no-repeat;text-indent:-9999px;width:16px;height:16px;}#notifications .icon{background-position:-32px 0;}#notifications:hover .icon{background-position:-32px -38px;}#settings .icon{background-position:-92px 0;}#settings:hover .icon{background-position:-92px -40px;}#logout .icon{background-position:-66px -1px;}#logout:hover .icon{background-position:-66px -38px;}#stafftools_link{border-left:1px solid #f1f1f1;box-shadow:-1px 0 0 #ddd;padding-left:10px;padding-right:10px;}#stafftools_link .icon{background-position:0 -1px;}#stafftools_link:hover .icon{background-position:0 -39px;}#user-links .unread_count{position:absolute;top:-6px;left:75%;float:left;margin-left:-7px;background:rgba(203,108,0,0.8);border-bottom:1px solid #8f4f07;border-radius:2px;padding:3px 4px;line-height:1;font-size:9px;color:#fff;font-weight:bold;white-space:nowrap;}#site_alert{background-color:#fcfcfc;border-bottom:1px solid #555;}#site_alert p{text-align:center;font-weight:bold;color:#fff;background:#000;padding:8px 0;margin:0;}.global-notice{padding:10px 0;border-top:2px solid #ff8a00;text-align:center;color:#fff;background:url('../../images/modules/account/global_notice-background.gif') 0 100% repeat-x #c10000;}.global-notice h2{margin:0;font-size:14px;}.global-notice p{margin:0;}.global-notice a{color:#fffb82;text-decoration:underline;}.homehead .hero h1{background:#405a6a;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#839ba9',endColorstr='#405a6a');background:-webkit-gradient(linear,left top,left bottom,from(#839ba9),to(#405a6a));background:-moz-linear-gradient(top,#839ba9,#405a6a);}.homehead .hero .textographic{padding:20px 15px;color:#23566d;text-shadow:1px 1px 0 rgba(255,255,255,0.7);background-color:#e7eef1;-webkit-border-bottom-right-radius:3px;-webkit-border-bottom-left-radius:3px;-moz-border-radius-bottomright:3px;-moz-border-radius-bottomleft:3px;border-bottom-right-radius:3px;border-bottom-left-radius:3px;}.homehead .hero .textographic p{margin:-13px 0 0 0;}.homehead .hero .textographic a.repo{color:#23566d;}.pagehead.homehead .hero h1{padding:10px 0 12px 0;text-align:center;font-size:30px;font-weight:normal;}.homehead input.search{margin-left:10px;width:150px;padding:5px 5px 5px 25px;font-size:12px;font-family:helvetica,arial,freesans,clean,sans-serif;color:#666;background:url('../../images/modules/home/search_icon.png') 5px 50% no-repeat #fff;border:1px solid #ccc;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;}.logos{margin:25px 0;text-align:center;}.logos img{margin:0 8px;vertical-align:middle;}.definitions{margin:25px 0 12px 0;padding:15px 30px;font-size:14px;color:#333;border:1px solid #EEE;-moz-border-radius:4px;-webkit-border-radius:4px;-o-border-radius:4px;-ms-border-radius:4px;-khtml-border-radius:4px;border-radius:4px;-moz-box-shadow:0 1px 1px #777;-webkit-box-shadow:0 1px 1px #777;-o-box-shadow:0 1px 1px #777;box-shadow:0 1px 1px #777;}.definitions h2{margin:0 0 -10px 0;font-family:Palatino,Georgia,"Times New Roman",serif;font-size:36px;font-weight:normal;color:#000;}.definitions h2 em{position:relative;left:5px;top:-5px;color:#666;font-size:18px;font-style:normal;}.whybetter{float:left;margin:0 0 22px 0;height:23px;padding:5px 5px 5px 8px;font-size:12px;line-height:23px;font-weight:bold;background:#f9f9e6;border:1px solid #ddd;-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;}.whybetter select{margin:0 3px;}.whybetter button{margin-left:5px;}.signup-entice{padding:15px 0;text-align:center;font-size:16px;color:#666;}.signup-entice p{margin-bottom:0;}.signup-entice p a{font-weight:bold;}.signup-button{display:inline-block;padding:15px 30px;color:#bed7e1;text-shadow:-1px -1px 0 rgba(0,0,0,0.25);font-size:12px;background:#286da3;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#50b7d1',endColorstr='#286da3');background:-webkit-gradient(linear,left top,left bottom,from(#50b7d1),to(#286da3));background:-moz-linear-gradient(top,#50b7d1,#286da3);border:1px solid #51a0b3;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;-webkit-box-shadow:0 1px 4px rgba(0,0,0,0.3);-moz-box-shadow:0 1px 4px rgba(0,0,0,0.3);box-shadow:0 1px 4px rgba(0,0,0,0.3);-webkit-font-smoothing:antialiased;}a.signup-button:hover{text-decoration:none;background:#328fc9;background:-webkit-gradient(linear,0% 0,0% 100%,from(#66c7e5),to(#328fc9));background:-moz-linear-gradient(-90deg,#66c7e5,#328fc9);filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#66c7e5',endColorstr='#328fc9');}.signup-button strong{display:block;color:#fff;font-size:20px;}.signup-button em{font-weight:bold;font-style:normal;color:#c8ecff;}.feature-overview{margin:25px 0;font-size:12px;color:#666;-webkit-font-smoothing:antialiased;}.feature-overview strong{color:#333;}.feature-overview h3{margin:0;font-size:16px;color:#000;}.feature-overview h3 a{color:#000;}.feature-overview p{margin:10px 0;}.feature-overview p.more{font-weight:bold;}#inbox{margin-top:10px;overflow:hidden;}#inbox p{margin:0;}#inbox h1{font-size:160%;margin-bottom:.5em;}#inbox h1 a{font-size:70%;font-weight:normal;}#inbox .actions{float:left;width:13em;margin-bottom:2em;}#inbox .actions h1{color:white;}#inbox .compose{border-bottom:1px solid #ddd;font-size:120%;padding-bottom:.5em;margin:.3em 0 1em 0;}#inbox .actions .compose p a{text-decoration:none;}#inbox .actions .compose p a span{text-decoration:underline;}#inbox .boxes{;}#inbox .boxes .new{font-weight:bold;}#inbox .boxes li{padding-bottom:.4em;}#inbox .actions p img{vertical-align:middle;}#inbox .write{width:54em;float:right;clear:right;}#inbox .write h1{border-bottom:1px solid #aaa;padding-bottom:.25em;margin:0;}#inbox .write form{background-color:#EAF2F5;padding:.5em 1em 1em 1em;border-bottom:1px solid #ccc;}#inbox .write .buttons .send{padding:0 2em;font-weight:bold;}#inbox .write .buttons .cancel{padding:0 1em;}#inbox .write .buttons-top{margin-bottom:.3em;}#inbox .write .submits{margin-top:.7em;overflow:hidden;}#inbox .write .submits .buttons-bottom{float:left;}#inbox .write .submits .formatting{float:right;}#inbox .write .field{overflow:hidden;margin:.5em 0;}#inbox .write label{width:4em;float:left;text-align:right;padding-right:.3em;vertical-align:middle;line-height:1.7em;}#inbox .write .field input{width:39em;border:1px solid #ccc;font-size:120%;padding:.2em;}#inbox .write textarea{width:47em;border:1px solid #ccc;font-size:110%;padding:.2em;}#inbox .list{width:54em;float:right;clear:right;}#inbox .list h1{border-bottom:1px solid #aaa;padding-bottom:.25em;margin:0;}#inbox .list .item{padding:1em 0 0 2.3em;overflow:hidden;border-bottom:1px solid #ccc;}#inbox .list .unread{background-color:#eaf2f5!important;}#inbox .list .item .body{overflow:hidden;padding:0 0 1em 0;}#inbox .list .item .del{float:right;padding-right:.5em;}#inbox .list .item .title{padding:0 0 .25em 0;font-weight:bold;}#inbox .list .item .title span{background-color:#fff6a9;}#inbox .list .item .gravatar{border:1px solid #d0d0d0;padding:2px;background-color:white;float:left;line-height:0;margin-right:.7em;}#inbox .list .item .details .message a.subject{font-weight:bold;}#inbox .list .item .details .message a.body{color:#23486b;}#inbox .list .pull_request{background:url('../../images/modules/inbox/pull_request.png') .5em 1em no-repeat;}#inbox .list .unread.item{background:url('../../images/modules/inbox/message.png') .5em 1em no-repeat;}#inbox .list .item{background:url('../../images/modules/inbox/read_message.png') .5em 1em no-repeat;}#message{margin-top:10px;overflow:hidden;}#message h1{font-size:160%;margin-bottom:.5em;}#message h1 a{font-size:70%;font-weight:normal;}#message .actions{float:left;width:13em;margin-bottom:2em;}#message .actions h1{color:white;}#message .actions p{margin:0;}#message .compose{border-bottom:1px solid #ddd;font-size:120%;padding-bottom:.5em;margin:.3em 0 1em 0;}#message .actions .compose p a{text-decoration:none;}#message .actions .compose p a span{text-decoration:underline;}#message .boxes{;}#message .boxes .new{font-weight:bold;}#message .boxes li{padding-bottom:.4em;}#message .actions p img{vertical-align:middle;}#message .envelope{float:right;width:54em;}#message .envelope h1{border-bottom:1px solid #aaa;padding-bottom:.25em;margin:0;}#message .envelope .header{padding:.75em 0 0 .5em;}#message .envelope .header .gravatar{border:1px solid #d0d0d0;padding:2px;background-color:white;float:left;line-height:0;}#message .envelope .header .info{padding:0 0 0 3.5em;}#message .envelope .header .info .del{float:right;padding-right:.5em;}#message .envelope .header .info .title{padding:0 0 .25em 0;font-weight:bold;}#message .envelope .header .info .title.unread{background-color:#eaf2f5!important;}#message .envelope .header .info .title span{background-color:#fff6a9;}#message .envelope .body{margin:0 0 1.3em 4em;padding:0 0 1em 0;border-bottom:1px solid #ccc;}#message .envelope .sent{background:#FFFBE2 none repeat scroll 0;border:1px solid #FFE222;padding:1em;font-weight:bold;}#message .envelope .reply{margin:2em 0 0 4em;}#message .envelope .reply .cancel{padding:0 1em;}#message .envelope .reply label{font-size:110%;color:#666;display:block;clear:right;margin-top:1em;}#message .envelope .reply textarea{width:99.8%;height:9em;border:1px solid #8496BA;margin-bottom:1em;}#message .envelope .reply .controls{overflow:hidden;}#message .envelope .reply .controls .submits{float:left;}#message .envelope .reply .controls .formatting{float:right;}#header.iphone{width:90%;padding:5px 5% 0 5%;max-width:480px;}#header.iphone .container{width:auto;}#header.iphone .logo{top:-2px;}#header.iphone #userbox{float:right;margin:-2px 0 0 10px;}#header.iphone #userbox #user-links{display:none;}.iphone #posts .list{width:90%;padding:0 5%;}.iphone #footer{width:90%;padding:5%;}#issues_next #issues_list .main .issues .issue .info span.label,#issues_next #show_issue .labels span.label{display:inline-block;font-size:11px;padding:1px 4px;-webkit-font-smoothing:antialiased;-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;text-decoration:none;font-weight:bold;}#issues_next .progress-bar{display:inline-block;position:relative;top:2px;margin-left:3px;height:15px;background:#e2e2e2;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#e2e2e2',endColorstr='#d8d8d8');background:-webkit-gradient(linear,left top,left bottom,from(#e2e2e2),to(#d8d8d8));background:-moz-linear-gradient(top,#e2e2e2,#d8d8d8);-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;}#issues_next .progress-bar .progress{display:inline-block;height:15px;background:#8dcf16;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#8dcf16',endColorstr='#65bd10');background:-webkit-gradient(linear,left top,left bottom,from(#8dcf16),to(#65bd10));background:-moz-linear-gradient(top,#8dcf16,#65bd10);-webkit-border-top-left-radius:3px;-webkit-border-bottom-left-radius:3px;-moz-border-radius-topleft:3px;-moz-border-radius-bottomleft:3px;border-top-left-radius:3px;border-bottom-left-radius:3px;}#issues_next>.subnav-bar .search .autocomplete-results{position:absolute;border:1px solid #c1c1c1;-webkit-border-radius:6px;-moz-border-radius:6px;border-radius:6px;-webkit-box-shadow:0 0 13px rgba(0,0,0,0.31);-moz-box-shadow:0 0 13px rgba(0,0,0,0.31);box-shadow:0 0 13px rgba(0,0,0,0.31);z-index:99;background-color:#fff;width:250px;font-size:12px;}#issues_next>.subnav-bar .search .autocomplete-results a{display:block;padding:5px;color:#000;}#issues_next>.subnav-bar .search .autocomplete-results a:hover{text-decoration:none;}#issues_next>.subnav-bar .search .autocomplete-results a.selected{background-color:#4183c4;color:#fff;}#issues_next>.subnav-bar .search .autocomplete-results .header a{font-weight:bold;-webkit-border-top-left-radius:5px;-webkit-border-top-right-radius:5px;-moz-border-radius-topleft:5px;-moz-border-radius-topright:5px;border-top-left-radius:5px;border-top-right-radius:5px;}#issues_next>.subnav-bar .search .autocomplete-results .header:last-child a,#issues_next>.subnav-bar .search .autocomplete-results .result-group tr:last-child th{-webkit-border-bottom-left-radius:5px;-moz-border-radius-bottomleft:5px;border-bottom-left-radius:5px;}#issues_next>.subnav-bar .search .autocomplete-results .header:last-child a,#issues_next>.subnav-bar .search .autocomplete-results .result-group tr:last-child td,#issues_next>.subnav-bar .search .autocomplete-results .result-group tr:last-child a{-webkit-border-bottom-right-radius:5px;-moz-border-radius-bottomright:5px;border-bottom-right-radius:5px;}#issues_next>.subnav-bar .search .autocomplete-results .result-group{width:100%;border-collapse:collapse;}#issues_next>.subnav-bar .search .autocomplete-results .result-group a.selected{color:#fff;}#issues_next>.subnav-bar .search .autocomplete-results .result-group th{width:68px;padding:5px;font-weight:normal;border-right:1px solid #ddd;font-size:11px;color:#999;vertical-align:top;text-align:right;}#issues_next>.subnav-bar .search .autocomplete-results .result-group .title{font-weight:bold;}#issues_next>.subnav-bar .search .autocomplete-results .result-group .milestone .info a{font-weight:bold;}#issues_next>.subnav-bar .search .autocomplete-results .result-group .info .due_on,#issues_next>.subnav-bar .search .autocomplete-results .result-group .info .past_due{display:block;font-weight:normal;}#issues_next>.subnav-bar .search .autocomplete-results .result-group .info .due_on{color:#666;}#issues_next>.subnav-bar .search .autocomplete-results .result-group .info .past_due{color:#984646;}#issues_next>.subnav-bar .search .autocomplete-results .result-group a.selected .due_on,#issues_next>.subnav-bar .search .autocomplete-results .result-group a.selected .past_due,#issues_next>.subnav-bar .search .autocomplete-results .result-group a.selected .number{color:#fff;}#issues_next>.subnav-bar .search .autocomplete-results .result-group .info .number{color:#999;font-weight:bold;}#issues_next>.subnav-bar .search .autocomplete-results .result-group .info .state{display:block;float:left;margin-right:5px;margin-top:3px;width:13px;height:9px;-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;border-top-left-radius:2px 2px;border-top-right-radius:2px 2px;border-bottom-right-radius:2px 2px;border-bottom-left-radius:2px 2px;}#issues_next>.subnav-bar .search .autocomplete-results .result-group .info .state.closed{background-color:#bd2c00;}#issues_next>.subnav-bar .search .autocomplete-results .result-group .info .state.open{background-color:#6cc644;}#issues_next ul.bignav{margin:0 0 -5px 0;}#issues_next ul.bignav li{list-style-type:none;margin:0 0 5px 0;}#issues_next ul.bignav li a{display:block;padding:8px 10px;font-size:14px;-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;}#issues_next ul.bignav li a:hover{text-decoration:none;background:#eee;}#issues_next ul.bignav li a.selected{color:#fff;background:#4183c4;}#issues_next ul.bignav li a .count{float:right;font-weight:bold;color:#777;}#issues_next ul.bignav li a.selected .count{color:#fff;}#issues_next #issues_list .label-context .labels .label .color{float:left;margin-right:5px;width:6px;height:14px;-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;}#issues_next #issues_list .sidebar{font-size:12px;}#issues_next #issues_list .sidebar>.milestone{margin:-5px 0 -5px;}#issues_next .sidebar>.milestone>p{margin:0;color:#666;font-weight:bold;line-height:18px;}#issues_next .sidebar>.milestone>p.noselect{color:#999;font-weight:normal;}#issues_next #issues_list .sidebar>.milestone .info-main{font-weight:bold;margin-bottom:3px;}#issues_next #issues_list .sidebar>.milestone .info-main .label{color:#b0b0b0;}#issues_next #issues_list .sidebar>.milestone .info-main .title{color:#414141;}#issues_next #issues_list .sidebar>.milestone .progress-bar{display:block;margin-left:0;margin-bottom:6px;}#issues_next #issues_list .sidebar>.milestone .info-secondary{font-size:11px;}#issues_next #issues_list .sidebar>.milestone .info-secondary .open{color:#818181;font-weight:bold;}#issues_next #issues_list .sidebar>.milestone .info-secondary .open{color:#959595;}#issues_next #issues_list .sidebar>.milestone .info a{display:inline;padding:0;color:inherit;}#issues_next #issues_list .sidebar>.milestone .info a:hover{background:none;text-decoration:underline;}#issues_next #issues_list .sidebar>.milestone .context-button{float:right;}#issues_next #issues_list .pane-selector .milestones .selector-item:first-child{border-top:1px solid #EEE;}#issues_next .sidebar .milestone .context-menu-container{position:relative;display:inline;}#issues_next .sidebar .milestone .context-pane{top:25px;left:195px;}#issues_next p.nolabels{margin:10px 0;font-size:11px;color:#666;}#issues_next .labels .label{-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;}#issues_next .labels .label a{color:#333;background:#fff;text-shadow:none;-webkit-border-radius:0;-moz-border-radius:0;border-radius:0;}#issues_next .labels .label a:hover{background:#e3f6fc;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;}#issues_next .labels .label a.selected,#issues_next .labels .label.zeroed a.selected{color:inherit;background:url('../../images/modules/issues/label-close.png') 98% 5px no-repeat transparent;text-shadow:inherit;font-weight:bold;-webkit-font-smoothing:antialiased;}#issues_next .labels .label a.selected:hover{background-position:98% -95px;}#issues_next .labels .label .count{color:#333;}#issues_next .labels .label a.selected .count{display:none;}#issues_next .labels .label .color{display:block;float:left;margin-left:-5px;margin-right:4px;width:6px;height:14px;-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;}#issues_next .labels .label a:hover .color{-webkit-box-shadow:0 0 4px rgba(65,131,196,0.4);}#issues_next .labels .label a.selected .color{display:none;}#issues_next .labels .label.zeroed .count,#issues_next .labels .label.zeroed a{color:#999;}#issues_next .sidebar .labels-editable .label-target a{display:inline;padding:0;color:#333;}#issues_next .sidebar .labels-editable .label-target a:hover{background:transparent;}#issues_next .sidebar .labels-editable .label-target .color{float:left;margin-right:5px;width:14px;height:14px;-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;}#issues_next .sidebar .labels-editable .label-target .color a{display:block;width:14px;height:14px;padding:0;margin:0;}#issues_next .sidebar .labels-editable .label-target .delete a{float:right;background:transparent url('../../images/icons/delete.png') 0 0 no-repeat;display:block;width:13px;height:13px;padding:0;margin:0;text-indent:-9999px;}#issues_next .sidebar .labels-editable .label-target .delete a:hover{background-position:-15px 0;}#issues_next .sidebar .labels-editable .label-target .delete a:active{background-position:-29px 0;}#issues_next .sidebar .labels-editable .label-target .color a:hover,#issues_next .sidebar .labels-editable .label-target .color.selected a{background:transparent url('../../images/icons/arrow-down.png') 1px 2px no-repeat;}#issues_next .sidebar .labels-editable .label{padding-right:35px;background:#fff;color:#333;text-shadow:none;line-height:1.4em;padding:4px 0;}#issues_next .sidebar .labels-editable .label{background:#fff;}#issues_next .sidebar #manage-labels{width:100%;text-align:center;}#issues_next #issues_list .main .filterbar ul.filters li{background-color:#f6f6f6;}#issues_next #issues_list .main .filterbar ul.filters li.selected{background-color:#888;}#issues_next #issues_list .main .actions{background:#fff;background:-moz-linear-gradient(top,#fff 0,#ecf0f1 100%);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#fff),color-stop(100%,#ecf0f1));filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffff',endColorstr='#ecf0f1',GradientType=0);margin:0;padding:.5em;font-size:11px;overflow:hidden;}#issues_list .main .actions .buttons.deactivated .minibutton{opacity:.5;-moz-opacity:.5;filter:alpha(opacity=50);}#issues_list .main .actions .buttons.activated .minibutton{opacity:1.0;-moz-opacity:1.0;filter:alpha(opacity=100);}#issues_list .main .actions .buttons p.note{margin:0 0 0 5px;display:inline-block;font-size:11px;color:#9ca9a9;}#issues_list .main .actions .buttons.activated p.note{display:none;}#issues_list .main .actions .context-menu-container{display:inline-block;}#issues_list .main .actions .context-pane{margin-top:5px;}#issues_next #issues_list .main .actions .pagination{float:right;margin:0;padding:0;height:23px;line-height:23px;font-weight:bold;}#issues_next #issues_list .main .actions .buttons .btn-label,#issues_next #issues_list .main .actions .buttons .btn-assignee,#issues_next #issues_list .main .actions .buttons .btn-milestone{position:relative;padding-right:8px;}#issues_next #issues_list .main .actions .buttons .btn-label span.icon,#issues_next #issues_list .main .actions .buttons .btn-assignee span.icon,#issues_next #issues_list .main .actions .buttons .btn-milestone span.icon{position:absolute;width:6px;height:6px;top:8px;right:8px;background:url('../../images/modules/issues/down-arrow.png') right center no-repeat;}#issues_next #issues_list .main .footerbar{overflow:hidden;}#issues_next #issues_list .main .footerbar .pagination{background:none;float:right;padding:0;margin:0;}#issues_next #issues_list .main .pagination>.disabled{display:none;}#issues_next #issues_list .main .pagination span.current,#issues_next #issues_list .main .pagination a{border:0;background:none;color:inherit;margin:0;}#issues_next #issues_list .main .pagination a{color:#4183C4;}#issues_next #issues_list .main .issues{-webkit-user-select:none;-khtml-user-select:none;-moz-user-select:none;-o-user-select:none;user-select:none;}#issues_next #issues_list .main .issues table{border:0;width:100%;}#issues_next #issues_list .main .issues table td{vertical-align:top;padding:5px;border-bottom:1px solid #eaeaea;}#issues_next #issues_list .main .issues .issue{background:none;border:0;color:#888;}#issues_next #issues_list .main .issues .issue .wrapper{position:relative;padding:5px;}#issues_next #issues_list .main .issues .issue.even{background-color:#fff;}#issues_next #issues_list .main .issues .issue.odd{background-color:#f9f9f9;}#issues_next #issues_list .main .issues .issue .read-status,#issues_next #issues_list .main .issues .issue.unread .read-status{width:10px;}#issues_next #issues_list .main .issues .issue.unread .read-status{background:url('../../images/modules/issues/unread.png') no-repeat center 10px;}#issues_next #issues_list .main .issues .issue.read .read-status{background:url('../../images/modules/issues/read.png') no-repeat center 10px;}#issues_next #issues_list .main .issues .issue .select-toggle{width:12px;}#issues_next #issues_list .main .issues .issue .select-toggle span{opacity:.5;filter:alpha(opacity=50);}#issues_next #issues_list .main .issues .issue.selected .select-toggle span{opacity:1.0;filter:alpha(opacity=100);}#issues_next #issues_list .main .issues .issue .number{width:20px;}#issues_next #issues_list .main .issues .issue .info{margin-top:-1.45em;margin-left:5.5em;padding:0;}#issues_next #issues_list .main .issues .issue .info h3{margin:0 25px 3px 0;font-size:13px;font-weight:bold;}#issues_next #issues_list .main .issues .issue .info h3 a{color:#000;}#issues_next #issues_list .main .issues .issue .info p{margin:-2px 0 0 0;font-size:11px;font-weight:200;}#issues_next #issues_list .main .issues .issue .info p strong{font-weight:200;color:#333;}#issues_next #issues_list .main .issues .issue .info p a{color:inherit;}#issues_next #issues_list .main .issues .issue .info .comments,#issues_next #issues_list .main .issues .issue .info .pull-requests{float:right;height:16px;padding:0 0 0 18px;font-size:11px;font-weight:bold;color:#999;}#issues_next #issues_list .main .issues .issue .info .comments{margin-left:1em;background:url('../../images/modules/pulls/comment_icon.png') 0 50% no-repeat;}#issues_next #issues_list .main .issues .issue .info .pull-requests{background:url('../../images/modules/issues/pull-request-off.png') 0 50% no-repeat;}#issues_next #issues_list .main .issues .issue .info .comments a,#issues_next #issues_list .main .issues .issue .info .pull-requests a{color:#bcbcbc;}#issues_next #issues_list .main .issues .issue a.assignee-bit{display:block;position:absolute;right:0;top:0;width:20px;height:20px;text-decoration:none;border:1px solid #ddd;border-right:none;border-top:none;-webkit-border-bottom-left-radius:3px;-moz-border-radius-bottomleft:3px;border-bottom-left-radius:3px;}#issues_next #issues_list .main .issues .issue a.assignee-bit.yours{background-color:#fcff00;}#issues_next #issues_list .main .issues .issue .assignee-bit .assignee-wrapper img{margin:2px;-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;line-height:1px;}#issues_next #issues_list .main .issues .issue.closed{background:url('../../images/modules/pulls/closed_back.gif') 0 0;}#issues_next #issues_list .main .issues .issue h3 em.closed{position:absolute;top:5px;right:23px;padding:2px 5px;font-style:normal;font-size:11px;font-weight:bold;text-transform:uppercase;color:white;background:#999;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;border-top-left-radius:3px 3px;border-top-right-radius:3px 3px;border-bottom-right-radius:3px 3px;border-bottom-left-radius:3px 3px;}#issues_next #issues_list .main .issues .issue.selected{background-color:#ffffef;}#issues_next #issues_list .main .issues .issue.navigation-focus{background:#ffc;}#issues_next #issues_list .main .issues .issue .active-arrow{position:absolute;top:18px;left:-12px;width:6px;height:9px;opacity:0;background:url('../../images/modules/pulls/active_bit.png') 0 0 no-repeat;-webkit-transition:opacity .1s linear;-moz-transition:opacity .1s linear;}#issues_next #issues_list .main .issues .issue.navigation-focus .active-arrow{opacity:1.0;-webkit-transition:opacity .25s linear;-moz-transition:opacity .25s linear;}.columns.composer{margin-top:15px;}.columns.composer .column.main{float:left;width:740px;}.columns.composer .column.sidebar{float:right;width:160px;}.composer .starting-comment{margin-bottom:15px;padding:3px;background:#eee;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;}.composer .starting-comment>.body{padding:10px;background:#fff;border:1px solid #ddd;-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;}.composer dl.form{margin:0;}.composer dl.form input[type=text].title{font-size:20px;font-weight:bold;width:98%;color:#444;}.composer .comment-form{margin:10px 0 0 0;padding:0;background:none;}.composer .comment-form ul.tabs a.selected{background:#eee;}.composer .new-comments .comment{padding:0;border:none;font-size:13px;}.composer .new-comments .comment .cmeta{display:none;}.composer .new-comments .comment .body{margin:10px 0 0 -10px;width:100%;padding:10px 10px 0 10px;border-top:1px solid #ddd;}.composer .sidebar h3{margin:0 0 5px 0;font-size:12px;color:#666;border-bottom:1px solid #ddd;}.composer .sidebar ul.labels li{cursor:pointer;}.composer .sidebar ul.labels li{list-style-type:none;}.composer .sidebar ul.labels .add{float:right;font-weight:bold;color:#999;}.composer .sidebar ul.labels li:hover .add{color:#333;}.composer .sidebar ul.labels li .selected .add{display:none;}#issues_next .composer .sidebar ul.labels li a{padding:3px 0 3px 5px;font-size:12px;text-decoration:none;}#issues_next .composer .sidebar .labels .label a.selected{background-position:98.5% 4px;}#issues_next .composer dl.form.body{margin-top:10px;}#issues_next .composer .comment-form-error,.issue-form-error{margin-top:0;}#issues_next #milestone_due_on{width:240px;}#issues_next #show_issue #discussion_bucket{overflow:hidden;}#issues_next #show_issue #discussion_bucket .discussion-stats{padding-top:20px;}#issues_next #show_issue #discussion_bucket .discussion-stats .label-manager>span{text-align:left;font-weight:bold;font-size:12px;color:#636363;}#issues_next #show_issue #discussion_bucket .discussion-stats .label-manager .context-button{float:right;}#issues_next #show_issue #discussion_bucket .discussion-stats .context-menu-container{position:relative;}#issues_next #show_issue #discussion_bucket .discussion-stats .context-pane{top:25px;right:0;}#issues_next .context-pane.assignee-context .context-body,#issues_next .context-pane.assignee-assignment-context .context-body{max-height:350px;overflow-y:auto;}#issues_next .context-pane.assignee-assignment-context small,#issues_next .context-pane.assignee-context small{padding-left:5px;font-weight:normal;}#issues_next .context-pane.assignee-assignment-context .selector-item:hover small,#issues_next .context-pane.assignee-context .selector-item:hover small{color:#fff;}#issues_next #show_issue .discussion-stats .rule{margin:10px 0;}#issues_next #show_issue .discussion-stats p{margin:10px 0;font-size:12px;color:#666;}#issues_next #show_issue .discussion-stats p strong{color:#333;}#issues_next #show_issue #discussion_bucket .discussion-stats>.labels{text-align:left;padding-top:5px;}#issues_next #show_issue #discussion_bucket .discussion-stats>.labels .label{font-size:11px;display:block;margin-top:5px;padding:3px 3px 3px 5px;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;font-weight:bold;-webkit-font-smoothing:antialiased;}#issues_next #show_issue #discussion_bucket .discussion-stats>.labels .label .name{overflow:hidden;white-space:nowrap;text-overflow:ellipsis;display:block;}#issues_next #show_issue .discussion-stats p.add-label{margin:7px 0 15px 0;font-size:11px;font-weight:bold;}#issues_next #show_issue form.edit_issue{background:none;padding:0;margin-left:0;}#issues_next #show_issue form.edit_issue input[type="text"]{margin:0;}#issues_next #show_issue form.edit_issue select{border:1px solid #ddd;font-size:12px;width:240px;}#issues_next .context-pane .context-body.label-selector{max-height:350px;overflow-y:auto;}#issues_next #issues_search.browser{margin:15px 0;}#issues_next #issues_search .sidebar .back{margin:0;font-weight:bold;}#issues_next #issues_search .sidebar .back a{padding-left:12px;background:url('../../images/modules/issues/back-arrow.png') 0 50% no-repeat;}#issues_next #issues_search .sidebar .rule{margin:12px 0;}#issues_next #issues_search .sidebar .filters .states{list-style:none;list-style-image:none;}#issues_next #issues_search .sidebar .filters .states li{display:inline;margin-right:20px;}#issues_next #issues_search .sidebar .filters .assignee{margin-top:15px;}#issues_next #issues_search .sidebar .filters .assignee select{border:1px solid #ddd;font-size:13px;}#issues_next #issues_search .main .results .issue-result{margin-bottom:10px;padding-bottom:10px;border-bottom:1px solid #eee;}#issues_next #issues_search .main .results em{background-color:#fffbb8;font-style:normal;font-weight:bold;padding:1px 1px;}#issues_next #issues_search .main .results .group{margin-left:60px;}#issues_next #issues_search .main .results .state{display:block;float:left;width:50px;padding:3px 0;font-size:12px;color:white;text-align:center;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;margin-right:10px;}#issues_next #issues_search .main .results .state.open{background:#6CC644;}#issues_next #issues_search .main .results .state.closed{background:#BD2C00;}#issues_next #issues_search .main .results .number,#issues_next #issues_search .main .results .title{font-size:14px;font-weight:bold;}#issues_next #issues_search .main .results .number{color:#999;}#issues_next #issues_search .main .results .body{font-size:12px;margin-top:5px;color:#333;}#issues_next #issues_search .main .results .comment{margin-top:5px;background:url('../../images/modules/issues/search-comment-author-bit.png') 10px 19px no-repeat;}#issues_next #issues_search .main .results .comment .author{color:#999;}#issues_next #issues_search .main .results .comment .author b{color:#333;}#issues_next #issues_search .main .results .comment .comment-body{padding:3px;background:#EEE;-moz-border-radius:3px;-webkit-border-radius:3px;border-radius:3px;margin-top:8px;}#issues_next #issues_search .main .results .comment .comment-body .wrapper{background:white;-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;border:1px solid #CACACA;padding:6px;}#issues_next .browser-content{border-color:#d5d5d5;}#issues_next .browser-content .context-loader{top:31px;}#issues_next .browser-content>.filterbar{position:relative;height:30px;background:url('../../images/modules/issue_browser/topbar-background.gif') 0 0 repeat-x;border-bottom:1px solid #b4b4b4;}#issues_next .filterbar ul.filters{position:absolute;bottom:0;left:4px;margin:0;}#issues_next .filterbar ul.filters li{list-style-type:none;float:left;margin:0 5px 0 0;padding:0 8px;height:24px;line-height:25px;font-size:12px;font-weight:bold;color:#888;text-shadow:1px 1px 0 rgba(255,255,255,0.3);text-decoration:none;border:1px solid #cdcdcd;border-bottom-color:#cfcfcf;-webkit-border-top-left-radius:3px;-webkit-border-top-right-radius:3px;-moz-border-radius-topleft:3px;-moz-border-radius-topright:3px;border-top-left-radius:3px;border-top-right-radius:3px;background:#e6e6e6;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#e6e6e6',endColorstr='#d5d5d5');background:-webkit-gradient(linear,left top,left bottom,from(#e6e6e6),to(#d5d5d5));background:-moz-linear-gradient(top,#e6e6e6,#d5d5d5);}#issues_next .filterbar ul.filters li.selected{color:#333;border-color:#c2c2c2;border-bottom-color:#f0f0f0;background:#efefef;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#efefef',endColorstr='#e6e6e6');background:-webkit-gradient(linear,left top,left bottom,from(#efefef),to(#e6e6e6));background:-moz-linear-gradient(top,#efefef,#e6e6e6);}#issues_next .filterbar ul.sorts{margin:5px 10px 0 0;height:18px;}#issues_next .filterbar ul.sorts li{margin:0 0 0 10px;height:18px;line-height:18px;font-size:11px;border:1px solid transparent;-webkit-border-radius:9px;-moz-border-radius:9px;border-radius:9px;}#issues_next .filterbar ul.sorts li.asc,#issues_next .filterbar ul.sorts li.desc{padding-right:10px;background-color:#e9e9e9;background-position:6px 7px;border:1px solid #bcbcbc;border-right-color:#d5d5d5;border-bottom-color:#e2e2e2;-webkit-box-shadow:inset 1px 1px 1px rgba(0,0,0,0.05);-moz-box-shadow:inset 1px 1px 1px rgba(0,0,0,0.05);box-shadow:inset 1px 1px 1px rgba(0,0,0,0.05);}#issues_next .filterbar ul.sorts li.asc{background-position:6px -92px;}#issues_next .filterbar ul.sorts li a{color:inherit;}#issues_next .filterbar ul.sorts li a:hover{text-decoration:none;}#issues_next #milestone_list .column.sidebar .create .classy{margin-left:0;text-align:center;width:100%;}ul.color-chooser{margin:8px 0;height:22px;}ul.color-chooser li{list-style-type:none;margin:0 0 0 1px;float:left;width:26px;height:22px;opacity:.7;filter:alpha(opacity=70);}ul.color-chooser li:first-child{width:29px;margin-left:0;-webkit-border-top-left-radius:3px;-webkit-border-bottom-left-radius:3px;-moz-border-radius-topleft:3px;-moz-border-radius-bottomleft:3px;border-top-left-radius:3px;border-bottom-left-radius:3px;}ul.color-chooser li:last-child{width:28px;-webkit-border-top-right-radius:3px;-webkit-border-bottom-right-radius:3px;-moz-border-radius-topright:3px;-moz-border-radius-bottomright:3px;border-top-right-radius:3px;border-bottom-right-radius:3px;}ul.color-chooser li:hover,ul.color-chooser li.selected{opacity:1.0;filter:alpha(opacity=100);-webkit-box-shadow:0 0 5px #2466a7;-moz-box-shadow:0 0 5px #2466a7;box-shadow:0 0 5px #2466a7;}ul.color-chooser label{margin:0;display:block;height:22px;text-indent:-9999px;cursor:pointer;}ul.color-chooser .selected label{background:url('../../images/modules/issues/color-chooser-check.png') 50% 50% no-repeat;}.new-label input.namefield{width:208px;padding:3px 4px;}.new-label .form-actions{margin-top:10px;padding-right:0;}.new-label .form-actions p.optional{margin:0;padding-top:0;float:left;font-size:11px;}.starting-comment .infobar{display:inline-block;margin:15px 0 0 -10px;width:100%;padding:10px 10px 8px 10px;border:1px solid #e5e5e5;border-left:none;border-right:none;background:#f5f5f5;}.starting-comment .infobar .text{color:#666;}.starting-comment .infobar .assignee{margin:0;float:left;height:20px;line-height:20px;}.starting-comment .infobar .assignee>.text .avatar{float:none;margin:0;}.starting-comment .infobar .assignee>.text .avatar img{position:relative;top:-2px;margin-right:3px;vertical-align:middle;border-radius:3px;}.starting-comment .infobar .text a,.starting-comment .infobar .text strong{color:#333;font-weight:bold;}.starting-comment .infobar .milestone{float:right;margin:0;height:20px;}.starting-comment .infobar .milestone>.text .progress-bar{width:220px;}.starting-comment .infobar .context-menu-container{display:inline-block;position:relative;}.starting-comment .infobar .context-pane{margin-top:5px;}.starting-comment .infobar .context-pane.milestone-context{right:0;}#issues_next .issue-head{margin-top:-13px;padding:13px 10px 7px 10px;border:1px solid #ddd;border-top:none;border-bottom:2px solid #d5d5d5;-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;}#issues_next .issue-head .back a{padding-left:12px;background:url('../../images/modules/issues/back-arrow.png') 0 50% no-repeat;}#issues_next .issue-head .number{float:right;font-size:14px;font-weight:bold;color:#999;}#issues_next .issue-head .number strong{color:#666;}#issues_next .issue-head p.back{margin:0;float:left;font-weight:bold;}#issues_next p.clear-filters{margin:0 0 10px 0;color:#999;}#issues_next p.clear-filters a{padding-left:20px;color:#999;font-weight:bold;background:url('../../images/modules/issues/clear-x.png') 0 0 no-repeat;}#issues_next p.clear-filters a:hover{color:#666;background-position:0 -100px;}#issues_next .browser .keyboard-shortcuts{margin-top:1px;color:#999;}#issues_next .filterbar .filters a{color:inherit;text-decoration:inherit;}.repository-lang-stats{position:relative;float:right;width:135px;}.repository-lang-stats:hover .list-tip{display:block;}.repository-lang-stats-graph span{display:inline-block;height:8px;background:#ccc;}.repository-lang-stats-graph span:last-child{-webkit-border-top-right-radius:2px;-webkit-border-bottom-right-radius:2px;-moz-border-radius-topright:2px;-moz-border-radius-bottomright:2px;}.repository-lang-stats-graph span:first-child{-webkit-border-top-left-radius:2px;-webkit-border-bottom-left-radius:2px;-moz-border-radius-topleft:2px;-moz-border-radius-bottomleft:2px;}span[data-lang='Other']{background-color:#ccc;}span[data-lang='JavaScript']{background-color:#f15501;}span[data-lang='Ruby']{background-color:#c00;}span[data-lang='Python']{background-color:#84c87e;}span[data-lang='Shell']{background-color:#5861ce;}span[data-lang='Java']{background-color:#b07219;}span[data-lang='PHP']{background-color:#6e03c1;}span[data-lang='C']{background-color:#555;}span[data-lang='Perl']{background-color:#0298c3;}span[data-lang='C++']{background-color:#17ac8d;}span[data-lang='Objective-C']{background-color:#b80f23;}span[data-lang='ActionScript']{background-color:#cbb0b4;}span[data-lang='Ada']{background-color:#02f88c;}span[data-lang='Arc']{background-color:#ca2afe;}span[data-lang='Arduino']{background-color:#bd79d1;}span[data-lang='ASP']{background-color:#6a40fd;}span[data-lang='Assembly']{background-color:#66e92a;}span[data-lang='AutoHotkey']{background-color:#6594b9;}span[data-lang='Boo']{background-color:#d4bec1;}span[data-lang='C#']{background-color:#5a25a2;}span[data-lang='Clojure']{background-color:#db5855;}span[data-lang='CoffeeScript']{background-color:#85e414;}span[data-lang='ColdFusion']{background-color:#ed2cd6;}span[data-lang='Common']{background-color:#5c4bb8;}span[data-lang='Lisp']{background-color:#3fb68b;}span[data-lang='D']{background-color:#fcd46d;}span[data-lang='Delphi']{background-color:#b0ce4e;}span[data-lang='Dylan']{background-color:#3ebc27;}span[data-lang='Eiffel']{background-color:#946d57;}span[data-lang='Emacs']{background-color:#dc73fa;}span[data-lang='Lisp']{background-color:#f3030d;}span[data-lang='Erlang']{background-color:#bb6f52;}span[data-lang='F#']{background-color:#b845fc;}span[data-lang='Factor']{background-color:#636746;}span[data-lang='Fancy']{background-color:#7b9db4;}span[data-lang='Fantom']{background-color:#dbded5;}span[data-lang='FORTRAN']{background-color:#4d41b1;}span[data-lang='Go']{background-color:#8d04eb;}span[data-lang='Gosu']{background-color:#82937f;}span[data-lang='Groovy']{background-color:#5fffe5;}span[data-lang='Haskell']{background-color:#29b544;}span[data-lang='HaXe']{background-color:#346d51;}span[data-lang='Io']{background-color:#a9188d;}span[data-lang='Ioke']{background-color:#078193;}span[data-lang='Lua']{background-color:#fa1fa1;}span[data-lang='Matlab']{background-color:#bb92ac;}span[data-lang='Max/MSP']{background-color:#ce279c;}span[data-lang='Mirah']{background-color:#c7a938;}span[data-lang='Nemerle']{background-color:#0d3c6e;}span[data-lang='Nu']{background-color:#c9df40;}span[data-lang='Objective-J']{background-color:#efcec9;}span[data-lang='OCaml']{background-color:#3be133;}span[data-lang='ooc']{background-color:#b0b77e;}span[data-lang='Parrot']{background-color:#f3ca0a;}span[data-lang='Prolog']{background-color:#74283c;}span[data-lang='Puppet']{background-color:#c55;}span[data-lang='Pure']{background-color:#91de79;}span[data-lang='Data']{background-color:#8fe5b0;}span[data-lang='R']{background-color:#198ce7;}span[data-lang='Racket']{background-color:#ae17ff;}span[data-lang='Rebol']{background-color:#358a5b;}span[data-lang='Rust']{background-color:#dea584;}span[data-lang='Scala']{background-color:#7dd3b0;}span[data-lang='Scheme']{background-color:#1e4aec;}span[data-lang='Self']{background-color:#0579aa;}span[data-lang='Smalltalk']{background-color:#596706;}span[data-lang='Standard']{background-color:#dc566d;}span[data-lang='ML']{background-color:#b9ee3f;}span[data-lang='SuperCollider']{background-color:#46390b;}span[data-lang='Tcl']{background-color:#e4cc98;}span[data-lang='Turing']{background-color:#45f715;}span[data-lang='Vala']{background-color:#ee7d06;}span[data-lang='Verilog']{background-color:#848bf3;}span[data-lang='VHDL']{background-color:#543978;}span[data-lang='VimL']{background-color:#199c4b;}span[data-lang='Visual']{background-color:#945db7;}span[data-lang='Basic']{background-color:#7dc854;}span[data-lang='XQuery']{background-color:#2700e2;}ol.list-tip,ul.list-tip{-webkit-border-radius:3px;-moz-border-radius:3px;-webkit-box-shadow:0 0 5px #ccc;border:1px solid #ddd;background:#fff;position:absolute;top:20px;left:0;width:170px;z-index:100;display:none;}ol.list-tip:before,ul.list-tip:before{content:"▲";font-size:14px;margin:0 auto;width:14px;display:block;margin-top:-13px;color:#fff;text-shadow:-1px -1px 2px #ccc;}ol.list-tip li,ul.list-tip li{margin:0;line-height:100%;list-style:none;padding:8px 10px;border-bottom:1px solid #eee;font-weight:bold;}ol.list-tip li span.color-block,ul.list-tip li span.color-block{display:inline-block;width:8px;height:10px;margin-right:5px;}ol.list-tip li span.percent,ul.list-tip li span.percent{float:right;color:#999;}ol.list-tip li:last-child,ul.list-tip li:last-child{border-bottom:none;}.markdown-body{font-size:14px;line-height:1.6;}.markdown-body>*:first-child{margin-top:0!important;}.markdown-body>*:last-child{margin-bottom:0!important;}.markdown-body a.absent{color:#c00;}.markdown-body h1,.markdown-body h2,.markdown-body h3,.markdown-body h4,.markdown-body h5,.markdown-body h6{margin:20px 0 10px;padding:0;font-weight:bold;-webkit-font-smoothing:antialiased;}.markdown-body h1{font-size:28px;color:#000;}.markdown-body h2{font-size:24px;border-bottom:1px solid #ccc;color:#000;}.markdown-body h3{font-size:18px;}.markdown-body h4{font-size:16px;}.markdown-body h5{font-size:14px;}.markdown-body h6{color:#777;font-size:14px;}.markdown-body p,.markdown-body blockquote,.markdown-body ul,.markdown-body ol,.markdown-body dl,.markdown-body table{margin:15px 0;}.markdown-body hr{background:transparent url('../../images/modules/pulls/dirty-shade.png') repeat-x 0 0;border:0 none;color:#ccc;height:4px;padding:0;}.markdown-body>h2:first-child,.markdown-body>h1:first-child,.markdown-body>h1:first-child+h2{border:0;margin-top:0;padding-top:0;}.markdown-body>h3:first-child,.markdown-body>h4:first-child,.markdown-body>h5:first-child,.markdown-body>h6:first-child{margin-top:0;padding-top:0;}.markdown-body h1+p,.markdown-body h2+p,.markdown-body h3+p,.markdown-body h4+p,.markdown-body h5+p,.markdown-body h6+p{margin-top:0;}.markdown-body li p.first{display:inline-block;}.markdown-body ul,.markdown-body ol{padding-left:30px;}.markdown-body ul li,.markdown-body ol li{margin:7px 0;}.markdown-body ul li>:first-child,.markdown-body ol li>:first-child{margin-top:0;}.markdown-body ul li>:last-child,.markdown-body ol li>:last-child{margin-bottom:0;}.markdown-body dl{padding:0;}.markdown-body dl dt{font-size:14px;font-weight:bold;font-style:italic;padding:0;margin:10px 0 5px;}.markdown-body dl dt:first-child{padding:0;}.markdown-body dl dt>:first-child{margin-top:0;}.markdown-body dl dt>:last-child{margin-bottom:0;}.markdown-body dl dd{margin:0;padding:0 15px;}.markdown-body dl dd>:first-child{margin-top:0;}.markdown-body dl dd>:last-child{margin-bottom:0;}.markdown-body blockquote{border-left:4px solid #DDD;padding:0 15px;color:#777;}.markdown-body blockquote>:first-child{margin-top:0;}.markdown-body blockquote>:last-child{margin-bottom:0;}.markdown-body table{border-collapse:collapse;padding:0;}.markdown-body table tr{border-top:1px solid #ccc;background-color:#fff;margin:0;padding:0;}.markdown-body table tr:nth-child(2n){background-color:#f8f8f8;}.markdown-body table tr th,.markdown-body table tr td{border:1px solid #ccc;text-align:left;margin:0;padding:6px 13px;}.markdown-body table tr th>:first-child,.markdown-body table tr td>:first-child{margin-top:0;}.markdown-body table tr th>:last-child,.markdown-body table tr td>:last-child{margin-bottom:0;}.markdown-body img{max-width:100%;}.markdown-body span.frame{display:block;overflow:hidden;}.markdown-body span.frame>span{border:1px solid #ddd;display:block;float:left;overflow:hidden;margin:13px 0 0;padding:7px;width:auto;}.markdown-body span.frame span img{display:block;float:left;}.markdown-body span.frame span span{clear:both;color:#333;display:block;padding:5px 0 0;}.markdown-body span.align-center{display:block;overflow:hidden;clear:both;}.markdown-body span.align-center>span{display:block;overflow:hidden;margin:13px auto 0;text-align:center;}.markdown-body span.align-center span img{margin:0 auto;text-align:center;}.markdown-body span.align-right{display:block;overflow:hidden;clear:both;}.markdown-body span.align-right>span{display:block;overflow:hidden;margin:13px 0 0;text-align:right;}.markdown-body span.align-right span img{margin:0;text-align:right;}.markdown-body span.float-left{display:block;margin-right:13px;overflow:hidden;float:left;}.markdown-body span.float-left span{margin:13px 0 0;}.markdown-body span.float-right{display:block;margin-left:13px;overflow:hidden;float:right;}.markdown-body span.float-right>span{display:block;overflow:hidden;margin:13px auto 0;text-align:right;}.markdown-body code,.markdown-body tt{margin:0 2px;padding:0 5px;white-space:nowrap;border:1px solid #eaeaea;background-color:#f8f8f8;border-radius:3px;-moz-border-radius:3px;-webkit-border-radius:3px;}.markdown-body pre>code{margin:0;padding:0;white-space:pre;border:none;background:transparent;}.markdown-body .highlight pre,.markdown-body pre{background-color:#f8f8f8;border:1px solid #ccc;font-size:13px;line-height:19px;overflow:auto;padding:6px 10px;border-radius:3px;-moz-border-radius:3px;-webkit-border-radius:3px;}.markdown-body pre code,.markdown-body pre tt{background-color:transparent;border:none;}.marketing .pagehead h1{font-size:30px;}.marketing .pagehead p{margin:-5px 0 0 0;font-size:14px;color:#777;}.marketing .pagehead ul.actions{margin-top:10px;}.marketing h2{margin:15px 0 10px 0;font-size:18px;}.marketing h2.subdued{font-size:16px;color:#666;}.marketing h2 .secure{float:right;padding:4px 22px 0 0;font-size:11px;font-weight:bold;text-transform:uppercase;color:#000;background:url('../../images/icons/private.png') 100% 50% no-repeat;}p.read-it{margin:25px 0 0 0;color:#000;text-align:center;font-size:25px;font-weight:bold;}.marketing .questions textarea{width:428px;padding:5px;height:200px;}.marketing .questions dl.form input[type=text]{width:426px;}.marketing .equacols .form-actions{margin-top:15px;margin-bottom:15px;}.marketing .questions p{font-size:14px;color:#666;}.marketing .questions h2{font-size:16px;margin:15px 0 -10px 0;}ul.bottom-nav,.content ul.bottom-nav{margin:15px 0;padding:10px 0;border-top:1px solid #ddd;font-size:14px;}ul.bottom-nav:after{content:".";display:block;height:0;clear:both;visibility:hidden;}* html ul.bottom-nav{height:1%;}ul.bottom-nav{display:inline-block;}ul.bottom-nav{display:block;}ul.bottom-nav li{list-style-type:none;}ul.bottom-nav li.prev{float:left;}ul.bottom-nav li.prev a{padding-left:14px;background:url('../../images/modules/features/small-arrow.png') 0 -95px no-repeat;}ul.bottom-nav li.next{float:right;}ul.bottom-nav li.next a{padding-right:14px;background:url('../../images/modules/features/small-arrow.png') 100% 5px no-repeat;}.plan{margin:10px 0;padding:10px;-webkit-font-smoothing:antialiased;border:1px solid transparent;-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;}.plan p{margin:0;font-size:12px;}.plans-row{margin-top:-10px;margin-left:-25px;width:945px;}.plans-row .plan{float:left;margin-left:25px;width:268px;text-shadow:1px 1px 0 rgba(255,255,255,0.8);}.plans-row .plan .rule{margin:0;width:100%;padding:0 10px;margin-left:-10px;border-top:1px solid rgba(0,0,0,0.1);border-bottom:1px solid rgba(255,255,255,0.6);}.plans-row.foured{width:940px;margin-left:-20px;}.plans-row.foured .plan{width:193px;margin-left:20px;}.plans-row .plan .button.classy{display:block;margin:2px 0;text-align:center;}.plan h3{margin:-5px 0 2px 0;font-size:24px;}.plan .price{float:right;}.plan .price .amount{color:#000;}.plan .price .symbol{position:relative;top:-5px;font-size:16px;opacity:.7;}.plan .price .duration{font-size:14px;opacity:.5;}.plan ul.bigpoints{margin:12px 0;padding:7px 9px;font-weight:bold;font-size:14px;color:#000;background:rgba(255,255,255,0.5);border:1px solid rgba(0,0,0,0.2);border-right-color:rgba(0,0,0,0.1);border-bottom-color:rgba(0,0,0,0.05);-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;}.plan ul.bigpoints li{list-style-type:none;margin:0;}.plan ul.smallpoints{margin:-10px 0 0 0;}.plan ul.smallpoints li{list-style-type:none;padding:5px 0;opacity:.6;border-top:1px solid rgba(0,0,0,0.15);}.plan ul.smallpoints li:first-child{border-top:none;}.plan.hplan{margin:20px 0;height:40px;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#fafafa',endColorstr='#eeeeee');background:-webkit-gradient(linear,0% 0,0% 100%,from(#fafafa),to(#eee));background:-moz-linear-gradient(270deg,#fafafa,#eee);border-color:#e1e1e1;}.plan.final:hover{-webkit-box-shadow:none;-moz-box-shadow:none;box-shadow:none;}.hplan .price{float:left;margin-right:12px;height:100%;padding:0 8px;font-weight:bold;background:#fff;border:1px solid #b6b69e;border-right-color:#e0dfcb;border-bottom-color:#f4f2d2;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;}.hplan .price .symbol{position:relative;top:-14px;color:#666;font-size:20px;}.hplan .price .amount{position:relative;top:-4px;font-size:34px;color:#000;}.hplan .price .duration{position:relative;top:-4px;color:#999;font-size:16px;}.hplan .button{margin:1px 0 0 0;float:right;}.hplan h3{margin:1px 0 0 0;font-size:16px;color:#000;text-shadow:1px 1px 0 rgba(255,255,255,0.8);}.final h3{font-weight:normal;}.hplan p{color:#666;color:rgba(0,0,0,0.6);text-shadow:1px 1px 0 rgba(255,255,255,0.8);}.hplan p strong{color:#000;}.plan.personal,.plan.micro.final,.plan.small.final,.plan.medium.final{background:#d9eff6;background:-webkit-gradient(linear,0% 0,0% 100%,from(#eaf5fa),to(#c5e8f1));background:-moz-linear-gradient(-90deg,#eaf5fa,#c5e8f1);filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#eaf5fa',endColorstr='#c5e8f1');border-color:#c4dce2;}.plan.personal.leftmost{background:-webkit-gradient(linear,25% 0,0% 100%,from(#eaf5fa),to(#c5e8f1));background:-moz-linear-gradient(-112deg,#eaf5fa,#c5e8f1);}.plan.personal.middle{background:-webkit-gradient(linear,0% 0,0% 100%,from(#eaf5fa),to(#c5e8f1));background:-moz-linear-gradient(-90deg,#eaf5fa,#c5e8f1);}.plan.personal.rightmost{background:-webkit-gradient(linear,-25% 0,0% 100%,from(#eaf5fa),to(#c5e8f1));background:-moz-linear-gradient(-68deg,#eaf5fa,#c5e8f1);}.plan.personal h3{color:#1a526b;}.plan.business,.plan.large.final,.plan.mega.final,.plan.giga.final{background:#f1fef4;background:-webkit-gradient(linear,0% 0,0% 100%,from(#f1fef4),to(#c4e6bd));background:-moz-linear-gradient(-90deg,#f1fef4,#c4e6bd);filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#f1fef4',endColorstr='#c4e6bd');border-color:#c7e2c4;}.plan.business.leftmost{background:-webkit-gradient(linear,25% 0,0% 100%,from(#f1fef4),to(#c4e6bd));background:-moz-linear-gradient(-112deg,#f1fef4,#c4e6bd);}.plan.business.middle{background:-webkit-gradient(linear,0% 0,0% 100%,from(#f1fef4),to(#c4e6bd));background:-moz-linear-gradient(-90deg,#f1fef4,#c4e6bd);}.plan.business.rightmost{background:-webkit-gradient(linear,-25% 0,0% 100%,from(#f1fef4),to(#c4e6bd));background:-moz-linear-gradient(-68deg,#f1fef4,#c4e6bd);}.plan.business h3{color:#1f5714;}.plan.free{background:#fbf9da;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#fefef3',endColorstr='#fbf8d4');background:-webkit-gradient(linear,0% 0,0% 100%,from(#fefef3),to(#fbf8d4));background:-moz-linear-gradient(270deg,#fefef3,#fbf8d4);border-color:#e7e4c2;}.plan.free:hover{border-color:#d6d2ac;}.free p{color:#4e4d29;}.plan.fi{margin-top:0;background:#333;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#616161',endColorstr='#0f0f0f');background:-webkit-gradient(linear,0% 0,0% 100%,from(#616161),to(#0f0f0f));background:-moz-linear-gradient(-90deg,#616161,#0f0f0f);border:none;}.plan.fi:hover{-webkit-box-shadow:0 0 25px rgba(0,0,0,0.35);-moz-box-shadow:0 0 25px rgba(0,0,0,0.35);box-shadow:0 0 25px rgba(0,0,0,0.35);}.fi .logo{float:left;margin-right:12px;height:31px;padding:4px 9px 4px 6px;line-height:40px;font-weight:bold;background:#fff;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;}.fi .logo img{;}.fi h3{color:#fff;text-shadow:-1px -1px 0 rgba(0,0,0,0.5);}.fi p{color:#999;text-shadow:-1px -1px 0 rgba(0,0,0,0.8);}.fi .button{margin:1px 0 0 0;float:right;}ul.plans-features{margin:25px 0 25px -20px;font-size:14px;}ul.plans-features li{list-style-type:none;display:inline-block;margin:0 0 0 20px;padding-left:20px;font-weight:bold;color:#000;background:url('../../images/modules/marketing/check.png') 0 50% no-repeat;}ul.plans-features li.intro{font-weight:normal;color:#666;padding:0;background:transparent;}.faqs{color:#666;font-size:14px;}.faqs strong.highlight{color:#444;background:#fdffe0;}.faqs h2{margin:30px 0 -10px 0;font-size:16px;color:#000;}.faqs h2:first-child{margin-top:15px;}.faqs a{font-weight:bold;}.featured-brands{margin:20px 0;padding:5px 10px;background:#fefefe;background:-webkit-gradient(linear,0% 0,0% 100%,from(#fefefe),to(#f2f8fa));background:-moz-linear-gradient(-90deg,#fefefe,#f2f8fa);filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#fefefe',endColorstr='#f2f8fa');border:1px solid #ddd;-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;text-align:center;font-size:14px;color:#677a84;}ul.selling-points{margin:25px 0;}ul.selling-points li{list-style-type:none;margin:15px 0;padding-left:20px;font-weight:bold;font-size:14px;color:#000;background:url('../../images/modules/marketing/check.png') 0 50% no-repeat;}ul.cards{margin:0 0 10px 0!important;height:25px;}ul.cards li{list-style-type:none;float:left;margin:0 7px 0 0!important;}ul.cards li.text{position:relative;top:5px;font-size:11px;color:#999;}ul.cards .card{float:left;width:39px;height:25px;text-indent:-9999px;background-position:0 0;background-repeat:no-repeat;}ul.cards .card.disabled{background-position:0 -25px;opacity:.3;-moz-opacity:.3;filter:alpha(opacity=30);}ul.cards .card.visa{background-image:url('../../images/modules/pricing/card-visa.gif');}ul.cards .card.master{background-image:url('../../images/modules/pricing/card-mastercard.gif');}ul.cards .card.american_express{background-image:url('../../images/modules/pricing/card-amex.gif');}ul.cards .card.discover{background-image:url('../../images/modules/pricing/card-discover.gif');}ul.cards .card.jcb{background-image:url('../../images/modules/pricing/card-jcb.gif');}ul.cards .card.diners_club{background-image:url('../../images/modules/pricing/card-diners.gif');}ol.steps{margin:20px 0 15px 0;padding:6px 10px;font-size:12px;color:#000;background:#ebf6e5;-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;}ol.steps:after{content:".";display:block;height:0;clear:both;visibility:hidden;}* html ol.steps{height:1%;}ol.steps{display:inline-block;}ol.steps{display:block;}ol.steps li{list-style-type:none;float:left;margin:0 0 0 8px;padding-left:48px;background:url('../../images/modules/steps/arrow.png') 0 50% no-repeat;}ol.steps li:first-child{margin:0;padding:0;background:transparent;}ol.steps li span{display:block;padding:4px 7px 3px 7px;opacity:.7;}ol.steps li.current{font-weight:bold;}ol.steps li.current span{background:#fff;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;border:1px solid rgba(0,0,0,0.2);border-right-color:rgba(0,0,0,0.1);border-bottom-color:rgba(0,0,0,0);opacity:1.0;}ol.steps li.completed span{display:block;padding-left:18px;background:url('../../images/modules/steps/check.png') 0 50% no-repeat;opacity:.5;}.pagehead .hero{width:958px;padding:0;margin:-16px 0 15px -19px;}html.msie .pagehead .hero{;}.pagehead .hero h1{position:relative;margin:0;height:auto;padding:8px 10px;font-size:16px;font-weight:bold;color:#fff;-webkit-font-smoothing:antialiased;letter-spacing:0;text-shadow:-1px -1px 0 rgba(0,0,0,0.2);-webkit-border-top-left-radius:3px;-webkit-border-top-right-radius:3px;-moz-border-radius-topleft:3px;-moz-border-radius-topright:3px;border-top-left-radius:3px;border-top-right-radius:3px;-webkit-box-shadow:0 2px 0 rgba(0,0,0,0.15);}.pagehead .hero h1 em{font-weight:normal;color:#fff;opacity:.75;}.hero h1{display:block;background:#999;background:-webkit-gradient(linear,0% 0,0% 100%,from(#ddd),to(#999));background:-moz-linear-gradient(-90deg,#ddd,#999);filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#dddddd',endColorstr='#999999');}.hero.golden h1{background:#ded356;background:-webkit-gradient(linear,0% 0,0% 100%,from(#ded356),to(#94890d));background:-moz-linear-gradient(-90deg,#ded356,#94890d);filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#ded356',endColorstr='#94890d');}.hero.features-theme h1{background:#405a6a;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#829aa8',endColorstr='#405a6a');background:-webkit-gradient(linear,left top,left bottom,from(#829aa8),to(#405a6a));background:-moz-linear-gradient(top,#829aa8,#405a6a);}.hero ul.subnav{position:relative;float:right;margin:-32px 10px 0 0;height:25px;z-index:5;}.hero ul.subnav li{list-style-type:none;margin:0 0 0 10px;float:left;font-size:11px;font-weight:bold;}.hero ul.subnav li a{display:block;height:23px;padding:0 8px;line-height:23px;color:#fff;color:rgba(255,255,255,0.8);border:1px solid transparent;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;text-decoration:none;-webkit-font-smoothing:antialiased;}.hero ul.subnav li a:hover{color:#fff;background:rgba(0,0,0,0.2);}.hero ul.subnav li a.selected{color:#fff;text-shadow:-1px -1px 0 rgba(0,0,0,0.3);background:rgba(255,255,255,0.15);border-top-color:rgba(0,0,0,0.3);border-left-color:rgba(0,0,0,0.3);border-bottom-color:rgba(255,255,255,0.2);border-right-color:rgba(255,255,255,0.2);cursor:pointer;}.hero img{-webkit-border-bottom-right-radius:4px;-webkit-border-bottom-left-radius:4px;-moz-border-radius-bottomright:4px;-moz-border-radius-bottomleft:4px;border-bottom-right-radius:4px;border-bottom-left-radius:4px;}.hero .heroimage{position:relative;line-height:1px;}.hero p.photocredit{position:absolute;bottom:0;left:0;margin:0;padding:5px 10px;font-size:11px;line-height:1.3;font-weight:bold;color:#999;background:#000;-webkit-font-smoothing:antialiased;background:rgba(0,0,0,0.5);-webkit-border-bottom-left-radius:3px;-moz-border-radius-bottomleft:3px;border-bottom-left-radius:3px;}p.photocredit a{color:#999;}.hero .textographic{padding:15px 10px;text-align:center;font-size:14px;color:#666;background:url('../../images/modules/hero/textographic-border.png') 0 100% no-repeat #eee;}.hero .textographic p{margin:0;}.hero .screenographic{position:relative;padding:15px 10px 0;line-height:1px;-webkit-border-bottom-right-radius:4px;-webkit-border-bottom-left-radius:4px;-moz-border-radius-bottomright:4px;-moz-border-radius-bottomleft:4px;border-bottom-right-radius:4px;border-bottom-left-radius:4px;background:#edf3f6;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#edf3f6',endColorstr='#d3e1e8');background:-webkit-gradient(linear,left top,left bottom,from(#edf3f6),to(#d3e1e8));background:-moz-linear-gradient(top,#edf3f6,#d3e1e8);}.hero .screenographic *{line-height:1.3;}.hero .screenographic:after{content:".";display:block;height:0;clear:both;visibility:hidden;}* html .hero .screenographic{height:1%;}.hero .screenographic{display:inline-block;}.hero .screenographic{display:block;}.screenographic .browsercap{float:left;margin:0 5px 0 -5px;width:540px;height:145px;padding:21px 23px 0 17px;background:url('../../images/modules/features/hero_browser.png') 0 0 no-repeat;}.screenographic .caption{float:right;margin:25px 13px 0 0;width:320px;padding:12px;font-size:14px;color:#555;text-align:left;background:#f8fcff;border:1px solid #d0d7da;border-right:none;border-bottom:none;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;}.screenographic .caption p{margin:0;}.screenographic .bottom{position:absolute;left:0;bottom:0;width:100%;height:6px;background:url('../../images/modules/features/screenographic-bottom.png');opacity:.07;filter:alpha(opacity=07);}.screenographic.community img{margin:-14px 0 0 -10px;}.hero .screenographic p.photocredit{color:#aaa;background:rgba(0,0,0,0.75);-webkit-border-bottom-left-radius:4px;-moz-border-radius-bottomleft:4px;border-bottom-left-radius:4px;}.hero .screenographic p.photocredit a{color:#fff;}.screenographic .bigcount{padding:12px 20px;line-height:1.0;color:#fff;white-space:nowrap;background:#1a2933;background:rgba(35,45,52,0.8);-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;}.screenographic .bigcount p.count{margin:-6px 0 0 0;font-size:50px;line-height:50px;text-shadow:0 0 10px rgba(0,0,0,0.8);}.screenographic .bigcount p.subtext{margin:0;font-size:12px;font-weight:bold;text-align:center;color:#ccc;color:rgba(255,255,255,0.7);}.screenographic.hosting{padding-top:20px;padding-bottom:22px;padding-right:15px;}.screenographic.hosting .bigcount{float:left;margin:0 15px 0 5px;}.screenographic.community .bigcount{display:none;position:absolute;top:25px;left:50%;}.screenographic .floating-text h3{margin-top:7px;margin-bottom:0;font-size:18px;color:#2f424e;}.screenographic .floating-text p{margin-top:5px;margin-bottom:0;font-size:14px;color:#50585d;}.wider .pagehead{position:relative;margin-left:-6px;margin-top:20px;width:958px;padding-left:6px;padding-right:6px;}.wider .pagehead .hero{margin-left:0;}div.content{font-size:14px;color:#333;}.marketing .content h2{margin:40px 0 -10px 0;font-size:18px;color:#000;}.feature-content h2{margin:0 0 -10px 0;font-size:18px;}.content h2:first-child,.content .rule+h2{margin-top:0;}.marketing .content h3{color:#000;margin:1.5em 0 -0.5em 0;}.marketing .content h3:first-child{margin-top:5px;}.content .figure{margin:15px 0;padding:1px;border:1px solid #e5e5e5;}.content .figure:first-child{margin-top:0;}.marketing .content ul{margin:25px 0 25px 25px;}.content ul ul{margin-top:10px;margin-bottom:10px;}.miniprofile{margin:15px 0;}.miniprofile h3{margin:0;font-size:16px;}.miniprofile p{margin:0 0 10px 0;color:#666;}.miniprofile .profile-link,.miniprofile .public-info{margin:2px 0;font-size:11px;color:#999;}ul.checklist{margin:20px 0;font-size:12px;font-weight:bold;}.miniprofile ul.checklist{margin:30px 0;}ul.checklist li{list-style-type:none;margin:15px 0;padding-left:25px;background:url('../../images/modules/marketing/check.png') 0 2px no-repeat;}ul.dates{margin:20px 0;font-size:12px;}ul.dates li{list-style-type:none;margin:15px 0;padding-left:25px;background:url('../../images/modules/marketing/calendar.png') 0 2px no-repeat;}ul.dates li strong{color:#000;display:block;}.content .quote{margin:25px 30px;}.sidebar .quote{margin:20px 0;}.content .quote blockquote{margin:0;font-family:Georgia,Times,serif;font-style:italic;color:#666;}.content .quote cite{display:block;font-size:12px;font-weight:bold;font-style:normal;color:#333;text-align:right;}.popout{padding:10px;font-size:12px;color:#36361d;background:#e3f2d4;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;}.popout p{margin:0;line-height:1.5;}.popout p+p{margin-top:10px;}pre.terminal{padding:10px 10px 10px 23px;color:#fff;background:url('../../images/modules/features/terminal_sign.png') 10px 50% no-repeat #333;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;}.wider .centered-graphic{text-align:center;line-height:1px;padding-bottom:37px;background:url('../../images/modules/features/centered-graphic-glow.gif') 50% 100% no-repeat;}.centered-graphic .feature-text{line-height:1;}.centered-graphic h2{margin-top:20px;}.centered-graphic p{color:#444;}.big-notice{margin:15px 0;padding:5px 20px;background:#efe;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#eeffee',endColorstr='#bedebe');background:-webkit-gradient(linear,left top,left bottom,from(#efe),to(#bedebe));background:-moz-linear-gradient(top,#efe,#bedebe);border:1px solid #bedebe;-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;}.big-notice h3{margin-bottom:-10px;}.contact-notice{margin:15px 0;padding:5px 20px;background:#eee;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#eeeeee',endColorstr='#bebebe');background:-webkit-gradient(linear,left top,left bottom,from(#eee),to(#bebebe));background:-moz-linear-gradient(top,#eee,#bebebe);border:1px solid #bebebe;-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;}.contact-notice h3{margin-bottom:-10px;}ul.feature-tabs{position:relative;margin:15px 0;padding:0 2px 29px;background:url('../../images/modules/features/curly_rule.png') 0 100% no-repeat;}ul.feature-tabs li{list-style-type:none;position:relative;float:left;margin:0 0 0 30px;width:215px;height:150px;text-align:center;z-index:5;}ul.feature-tabs li:first-child{margin-left:0;}ul.feature-tabs li.highlight{position:absolute;bottom:5px;left:-1000px;margin:0;width:224px;height:97px;background:url('../../images/modules/features/feature-tab-highlight.png');z-index:1;}.feature-tabs a{text-decoration:none;}.feature-tabs .arrow{position:absolute;top:35px;left:-25px;display:block;opacity:.4;width:22px;height:20px;background:url('../../images/modules/features/arrow.png') 0 0 no-repeat;}.feature-tabs li:first-child .arrow{display:none;}.feature-tabs .tab-button{display:block;position:absolute;top:80px;left:0;width:100%;padding:15px 0;text-decoration:none;text-shadow:1px 1px 0 rgba(255,255,255,0.5);background:#fdfdfd;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#fdfdfd',endColorstr='#eeeeee');background:-webkit-gradient(linear,left top,left bottom,from(#fdfdfd),to(#eee));background:-moz-linear-gradient(top,#fdfdfd,#eee);border:1px solid #e9e9e9;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;cursor:pointer;z-index:5;}.feature-tabs a:hover .tab-button{border-color:#ddd;-webkit-box-shadow:0 0 10px rgba(65,131,196,0.3);-moz-box-shadow:0 0 10px rgba(65,131,196,0.3);box-shadow:0 0 10px rgba(65,131,196,0.3);}.feature-tabs .tab-button h3{margin:0;font-size:14px;}.feature-tabs .tab-button p{margin:0;color:#888;}.feature-tabs a.selected{cursor:default;}.feature-tabs a.selected .tab-button{background:#fdfdf6;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#fdfdf6',endColorstr='#f1efcc');background:-webkit-gradient(linear,left top,left bottom,from(#fdfdf6),to(#f1efcc));background:-moz-linear-gradient(top,#fdfdf6,#f1efcc);-webkit-box-shadow:none;-moz-box-shadow:none;box-shadow:none;cursor:default;}.feature-tabs .selected .tab-button h3{color:#000;}.feature-tabs .selected .tab-button p{color:#666;}.browsered{margin-bottom:-15px;width:460px;background:url('../../images/modules/features/browsered_browser.png') 0 0 no-repeat;}.browsered.mini{width:300px;background-image:url('../../images/modules/features/browsered_browser-mini.png');}.browsered .inner{line-height:1px;padding:14px 16px 35px 13px;background:url('../../images/modules/features/browsered_shadow.png') 0 100% no-repeat;}.browsered.mini .inner{padding-top:10px;background-image:url('../../images/modules/features/browsered_shadow-mini.png');}.caption{margin-top:-5px;margin-bottom:30px;padding:18px 8px 8px;font-size:11px;text-align:center;color:#384141;background:url('../../images/modules/features/caption_back.png') 50% 0 no-repeat;-webkit-border-bottom-right-radius:4px;-webkit-border-bottom-left-radius:4px;-moz-border-radius-bottomright:4px;-moz-border-radius-bottomleft:4px;border-bottom-right-radius:4px;border-bottom-left-radius:4px;}.caption p{margin:0;}.browsered+h3{margin-top:5px;}.access-infographic{text-align:center;}.access-infographic p{margin:10px 0;font-size:12px;font-weight:bold;color:#444;}.access-infographic p.subtext{margin-top:-10px;font-weight:normal;font-size:11px;}.access-infographic p.repo{height:80px;padding-top:12px;font-size:22px;color:#fff;text-shadow:-1px -1px 0 rgba(0,0,0,0.2);-webkit-font-smoothing:antialiased;background:url('../../images/modules/features/infographics/hosting-access.png') 0 0 no-repeat;}.access-infographic p.methods{margin-top:15px;margin-bottom:-5px;font-size:16px;color:#000;}.access-infographic .sep{padding:0 5px;}.instructor-bio{padding-left:150px;}.instructor-bio img{float:left;margin-top:5px;margin-left:-150px;padding:1px;border:1px solid #ddd;}.instructor-bio h2{margin-top:15px;}#issues_next .column.sidebar .create button.classy{width:100%;margin-left:0;}.browser-content .milestone{padding:10px 10px 10px 15px;background:#fff;border-bottom:1px solid #ddd;}.browser-content .milestone.pastdue{background:url('../../images/modules/issues/pastdue.gif') 0 0 no-repeat #fff;}.browser-content .milestone h3{margin:5px 0 0 0;font-size:16px;}.browser-content .milestone p.date{margin:5px 0 5px 0;font-size:14px;color:#666;}.browser-content .milestone.notdue p.date{color:#999;}.browser-content .milestone.pastdue p.date{font-weight:bold;color:#b90000;}.browser-content .milestone .description{margin-top:10px;margin-bottom:-10px;width:100%;padding:1px 0 1px 0;border-top:1px solid #eee;font-size:12px;font-weight:300;color:#666;}.browser-content .milestone .description strong{color:#333;font-weight:bold;}.browser-content .milestone .description ul{margin-left:25px;}.browser-content .milestone .progress{float:right;margin-top:3px;width:390px;}#issues_next .browser-content .milestone .progress-bar{display:block;margin:0;top:0;height:30px;}#issues_next .browser-content .milestone .progress-bar .progress{display:block;float:none;height:30px;}.progress-bar .percent{position:absolute;top:4px;left:7px;font-size:16px;font-weight:bold;color:#fff;text-shadow:0 0 2px rgba(0,0,0,0.7);}.browser-content .milestone ul.meta{margin:0;font-size:11px;}.browser-content .milestone ul.meta li{list-style-type:none;margin:0 0 0 15px;float:right;font-weight:bold;}.browser-content .milestone ul.meta li.numbers{float:left;margin-left:0;color:#888;font-weight:normal;}.equacols .column>.fieldgroup:first-child{margin-top:0;}ul.fieldpills.usernames li img{margin-right:2px;padding:1px;background:#fff;border:1px solid #ddd;vertical-align:middle;}ul.fieldpills.repos-pills>li{margin:0 0 5px 0;padding:3px 0 3px 28px;background-image:url('../../images/icons/public.png') #fff!important;background-position:5px 50%!important;background-repeat:no-repeat;}ul.fieldpills.repos-pills>li.private{background-image:url('../../images/icons/private.png');background-color:#FFFEEB;}ul.fieldpills.repos-pills>li.private.fork{background-image:url('../../images/icons/private-fork.png');}ul.fieldpills.repos-pills>li a em{margin-top:1px;display:block;font-size:11px;font-style:normal;font-weight:normal;color:#666;}ul.grouplist{margin:15px 0 20px 0;border-top:1px solid #ddd;}ul.grouplist>li{list-style-type:none;position:relative;padding:8px 0;border-bottom:1px solid #ddd;}ul.grouplist .icontip{position:absolute;display:block;width:32px;height:32px;top:8px;left:0;}ul.grouplist>li.iconed{padding-left:38px;}ul.grouplist>li.org-icon{background:url('../../images/modules/organizations/org_icon.gif') 0 0 no-repeat;}ul.grouplist>li.admin.org-icon{background-position:0 -100px;}ul.grouplist li h3{margin:0;font-size:16px;}ul.grouplist li p{margin:-2px 0 0 0;font-size:12px;color:#999;}ul.grouplist>li ul.actions{position:absolute;top:50%;right:0;margin:-12px 0 0 0;}ul.grouplist>li ul.actions li{display:inline-block;margin:0 0 0 5px;}#facebox .change-gravatar-email .gravatar{float:left;padding:2px;border:1px solid #DDD;}#facebox .change-gravatar-email form{float:left;width:65%;padding-left:15px;}#facebox .change-gravatar-email input{font-size:14px;width:85%;}#facebox .change-gravatar-email button{margin-top:12px;margin-left:0;}#facebox .change-gravatar-email .spinner{margin-left:10px;}#facebox .change-gravatar-email .error{color:#900;font-weight:bold;}.pagehead{position:relative;display:block;margin:0 0 20px 0;}.admin{background:url('../../images/modules/pagehead/background-yellowhatch-v2.png') 0 0 repeat-x;}.pagehead h1{margin:0 0 10px 0;font-size:20px;font-weight:normal;height:28px;letter-spacing:-1px;text-shadow:1px 1px 0 #fff;color:#495961;}.pagehead.dashboard h1{font-size:16px;height:22px;line-height:22px;}.pagehead.userpage h1{margin-bottom:0;font-size:30px;height:54px;line-height:54px;font-weight:bold;}.pagehead.repohead h1{color:#666;margin-bottom:15px;padding-left:23px;background-repeat:no-repeat;background-position:0 50%;}.vis-public .pagehead.repohead h1{background-image:url('../../images/icons/public.png');}.vis-private .pagehead.repohead h1{background-image:url('../../images/icons/private.png');}.pagehead h1 a{color:#495961;}.pagehead.repohead h1 a{color:#4183c4;}.pagehead.repohead.mirror h1,.pagehead.repohead.fork h1{margin-top:-5px;margin-bottom:15px;height:auto;}.pagehead.repohead h1 span.fork-flag,.pagehead.repohead h1 span.mirror-flag{display:block;margin-top:-5px;font-size:11px;letter-spacing:0;}.pagehead.repohead.vis-public.fork h1{background-image:url('../../images/icons/public-fork.png');}.pagehead.repohead.vis-public.mirror h1{background-image:url('../../images/icons/public-mirror.png');}.pagehead.repohead.vis-private.fork h1{background-image:url('../../images/icons/private-fork.png');}.pagehead.repohead.vis-private.mirror h1{background-image:url('../../images/icons/private-mirror.png');}.pagehead h1 em{font-style:normal;font-weight:normal;color:#99a7af;}.pagehead h1 em strong{color:#919ea6;}.pagehead h1.avatared img{vertical-align:middle;position:relative;top:-2px;margin-right:5px;padding:2px;border:1px solid #ddd;}.pagehead.shrunken h1.avatared img{top:-1px;padding:1px;}.pagehead.shrunken h1.avatared span{letter-spacing:0;color:#808080;margin-left:.5em;font-size:.9em;}.pagehead .title-actions-bar{overflow:hidden;height:35px;}.pagehead.shrunken ul.pagehead-actions{margin-top:-30px;}ul.pagehead-actions{margin:0;float:right;position:absolute;right:0;}.pagehead.repohead ul.pagehead-actions{position:relative;top:-45px;right:0;padding:5px 0 5px 20px;}.admin .pagehead ul.pagehead-actions{position:absolute;top:0;right:25px;}.page-account .pagehead ul.pagehead-actions{top:0;}.pagehead.userpage ul.pagehead-actions{top:18px;}ul.pagehead-actions>li{list-style-type:none;display:inline;font-size:11px;font-weight:bold;color:#333;margin:0 0 0 5px;}ul.pagehead-actions>li.text{padding:0 5px;}ul.pagehead-actions a.feed{display:inline-block;height:16px;padding:6px 10px 4px 25px;line-height:16px;background:url('../../images/icons/feed.png') 5px 50% no-repeat white;border:1px solid #eee;-moz-border-radius:3px;-webkit-border-radius:3px;}.pagehead p.description{margin:-8px 0 10px 0;font-size:12px;color:#999;}.pagehead>ul.tabs{position:relative;margin:10px 0 0 0;font-size:12px;font-weight:bold;background-color:#fafafa;background:-moz-linear-gradient(#fafafa,#eaeaea);background:-ms-linear-gradient(#fafafa,#eaeaea);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#fafafa),color-stop(100%,#eaeaea));background:-webkit-linear-gradient(#fafafa,#eaeaea);background:-o-linear-gradient(#fafafa,#eaeaea);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#fafafa',endColorstr='#eaeaea')";background:linear-gradient(#fafafa,#eaeaea);border:1px solid #eaeaea;border-bottom-color:#cacaca;border-radius:3px;-moz-border-radius:3px;-webkit-border-radius:3px;}.pagehead>ul.tabs.with-details-box,.pagehead>ul.tabs.with-details-box li a,.pagehead>ul.tabs.with-details-box li:first-child a,.pagehead>ul.tabs.with-details-box li:last-child a{border-bottom-right-radius:0;-moz-border-bottom-right-radius:0;-webkit-border-bottom-right-radius:0;border-bottom-left-radius:0;-moz-border-bottom-left-radius:0;-webkit-border-bottom-left-radius:0;}.pagehead>ul.tabs li{list-style-type:none;margin:0;display:table-cell;width:1%;}.pagehead>ul.tabs li a{display:block;text-align:center;line-height:35px;font-size:12px;color:#777;text-decoration:none;text-shadow:0 1px 0 white;border-right:1px solid #eee;border-right-color:rgba(0,0,0,0.04);border-left:1px solid #fcfcfc;border-left-color:rgba(255,255,255,0.7);border-bottom:2px solid #DADADA;}.pagehead>ul.tabs li:first-child a{border-left:none;border-bottom-left-radius:3px;-moz-border-bottom-left-radius:3px;-webkit-border-bottom-left-radius:3px;}.pagehead>ul.tabs li:last-child a{border-right:none;border-bottom-right-radius:3px;-moz-border-bottom-right-radius:3px;-webkit-border-bottom-right-radius:3px;}.pagehead>ul.tabs li a:hover{color:#4183c4;border-bottom:2px solid #CFDCE8;background-color:#fafbfd;background:-moz-linear-gradient(#fafbfd,#dce6ef);background:-ms-linear-gradient(#fafbfd,#dce6ef);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#fafbfd),color-stop(100%,#dce6ef));background:-webkit-linear-gradient(#fafbfd,#dce6ef);background:-o-linear-gradient(#fafbfd,#dce6ef);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#fafbfd',endColorstr='#dce6ef')";background:linear-gradient(#fafbfd,#dce6ef);}.pagehead>ul.tabs li a.selected,.pagehead>ul.tabs li a.selected:hover{color:#000;background-color:#fcfcfc;background:-moz-linear-gradient(#fcfcfc,#ebebeb);background:-ms-linear-gradient(#fcfcfc,#ebebeb);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#fcfcfc),color-stop(100%,#ebebeb));background:-webkit-linear-gradient(#fcfcfc,#ebebeb);background:-o-linear-gradient(#fcfcfc,#ebebeb);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#fcfcfc',endColorstr='#ebebeb')";background:linear-gradient(#fcfcfc,#ebebeb);border-bottom:2px solid #D26911;}.pagehead>ul.tabs li a .counter{position:relative;top:-1px;display:inline-block;height:15px;margin:0 0 0 5px;padding:0 8px 1px 8px;height:auto;font-family:"Helvetica",Arial,sans-serif;font-size:10px;line-height:14px;text-align:center;color:#777;background:#fff;border-top:1px solid #ccc;-webkit-border-radius:8px;-moz-border-radius:8px;border-radius:8px;}html.mozilla .pagehead>ul.tabs li a .counter{padding-top:2px;padding-bottom:0;}.pagehead>ul.tabs li.search{text-align:center;}.pagehead>ul.tabs li.search form{display:inline;}.pagehead>ul.tabs li.search input[type=text]{width:78%;padding:3px 5px 3px 18px;font-size:12px;border-radius:3px;border:1px solid #ddd;border-top-color:#ccc;background:url('../../images/modules/navigation/search-icon.png') 5px 45% no-repeat white;}.flash-messages{margin-top:-10px;margin-bottom:20px;}.flash-messages .flash{position:relative;margin:1px auto 13px auto;width:854px;height:40px;padding:0 15px;line-height:40px;font-weight:bold;font-size:12px;color:#1d2b3d;background:url('../../images/modules/flash/background.gif') 0 0 no-repeat;}.flash-messages .flash-error{color:#900;background-image:url('../../images/modules/flash/background-red.gif');}.flash-messages .flash .close{display:block;position:absolute;top:50%;right:15px;margin-top:-9px;width:18px;height:18px;text-indent:-9999px;background:url('../../images/modules/flash/close.png') 0 0 no-repeat;opacity:.5;cursor:pointer;}.flash-messages .flash .close:hover{opacity:1.0;}ol.steps+.flash-messages{margin-top:-15px;}.subnav-bar{margin:10px 0;border-bottom:1px solid #ddd;}.subnav-bar ul.subnav{font-size:14px;}.subnav-bar ul.subnav li{display:inline-block;vertical-align:top;cursor:pointer;}.subnav-bar ul.subnav li a{color:#666;text-decoration:none;padding:8px 12px;display:inline-block;border-left:1px solid transparent;border-top:1px solid transparent;border-right:1px solid transparent;margin-bottom:-1px;}#issues_next .subnav-bar ul.subnav li.search{margin-top:-5px;}.subnav-bar ul.subnav li a.minibutton{margin:0;padding:0 0 0 3px;color:#333;border-color:#D4D4D4;}.subnav-bar ul.subnav li a.minibutton:hover{color:#fff;}.subnav-bar ul.subnav li:first-child a{padding-left:2px;}.subnav-bar ul.subnav li:first-child a.selected{padding-left:12px;}.subnav-bar ul.subnav li a.blank{color:#999;}.subnav-bar ul.subnav li a.downloads-blank{color:#666;}.subnav-bar ul.subnav li a.selected{color:#333;font-weight:bold;border-left:1px solid #ddd;border-top:1px solid #ddd;border-right:1px solid #ddd;-webkit-border-top-left-radius:3px;-webkit-border-top-right-radius:3px;-moz-border-radius-topleft:3px;-moz-border-radius-topright:3px;border-top-left-radius:3px;border-top-right-radius:3px;background-color:#fff;}.subnav-bar ul.subnav .counter{position:relative;top:-1px;margin:0 0 0 5px;padding:1px 5px 2px 5px;font-size:10px;font-weight:bold;color:#666;background:#e5e5e5;-webkit-border-radius:10px;-moz-border-radius:10px;border-radius:10px;}.subnav-bar ul.subnav .blank .counter{display:none;}.subnav-bar>ul.actions{float:right;margin-top:0;}.subnav-bar .scope{float:left;list-style:none;margin-right:10px;}.subnav-bar .switcher{margin-top:2px;}.subnav-bar .search .spinner{vertical-align:middle;position:absolute;top:10px;left:-22px;margin-right:8px;}.subnav-bar span.text,.subnav-bar .search a{font-weight:200;color:#666;}.subnav-bar .search .fieldwrap{display:inline-block;height:26px;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;}.subnav-bar .search .fieldwrap>*{display:inline-block;}.subnav-bar .search .fieldwrap.focused{outline:auto 5px -webkit-focus-ring-color;outline-offset:-2px;-moz-outline:-moz-mac-focusring solid 2px;-moz-outline-radius:0 5px 5px;-moz-outline-offset:0;}.subnav-bar .search input{padding:5px 4px;font-size:12px;border:1px solid #d3d3d3;-webkit-border-top-left-radius:3px;-webkit-border-bottom-left-radius:3px;-moz-border-radius-topleft:3px;-moz-border-radius-bottomleft:3px;border-top-left-radius:3px;border-bottom-left-radius:3px;}.subnav-bar .repo-search{margin-left:6px;margin-top:4px;}.subnav-bar .repo-search input{width:130px;}.subnav-bar .search .minibutton{position:relative;top:-2px;margin-left:0;height:26px;padding-left:0;border-left:none;-webkit-border-radius:0;-moz-border-radius:0;border-radius:0;-webkit-border-top-right-radius:3px;-webkit-border-bottom-right-radius:3px;-moz-border-radius-topright:3px;-moz-border-radius-bottomright:3px;border-top-right-radius:3px;border-bottom-right-radius:3px;}.subnav-bar .search .minibutton span{height:26px;width:16px;text-indent:-9999px;background:url('../../images/modules/issues/search-icon.png') 50% 4px no-repeat;}.subnav-bar .search .minibutton:hover span{background-position:50% -96px;}.metabox-loader,.context-loader{position:absolute;top:0;left:50%;margin-left:-75px;width:110px;padding:10px 10px 10px 30px;font-weight:bold;font-size:12px;color:#666;background:url('../../images/modules/pagehead/metabox_loader.gif?v2') 10px 50% no-repeat #eee;border:1px solid #ddd;border-top:1px solid #fff;-webkit-border-radius:5px;-webkit-border-top-left-radius:0;-webkit-border-top-right-radius:0;-moz-border-radius:5px;-moz-border-radius-topleft:0;-moz-border-radius-topright:0;z-index:20;}.metabox-loader{top:-1px;}.pagehead>ul.tabs li.contextswitch{position:absolute;right:0;top:0;height:26px;padding:6px 10px 6px 10px;font-size:11px;border-left:1px solid #ddd;background:url('../../images/modules/pagehead/context_back-up.png?v2') 100% 0 no-repeat;-webkit-border-top-right-radius:5px;-webkit-border-bottom-right-radius:5px;-moz-border-radius-topright:5px;-moz-border-radius-bottomright:5px;border-top-right-radius:5px;border-bottom-right-radius:5px;}.pagehead>ul.tabs li.contextswitch.nochoices{background-image:url('../../images/modules/pagehead/context_back-plain.png?v2');}.pagehead>ul.tabs li.contextswitch .toggle{display:block;height:26px;line-height:28px;padding-right:15px;font-weight:bold;color:#666;cursor:pointer;}.pagehead>ul.tabs li.contextswitch.nochoices .toggle{padding-right:0;cursor:default;}.pagehead>ul.tabs li.contextswitch .toggle code{font-size:11px;}.pagehead>ul.tabs li.contextswitch .toggle em{font-style:normal;color:#999;}#pages-404-content{width:570px;}pre.pages-404{border:1px solid #cacaca;line-height:1.2em;font:12px Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;padding:10px;overflow:auto;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;-moz-background-clip:padding;-webkit-background-clip:padding-box;background-clip:padding-box;background-color:#FAFAFB;color:#393939;margin:0;}#pages-404-list{list-style-position:inside;}#pages-composer{margin:10px 0 15px 0;padding:3px;background:#eee;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;}#pages-composer .body{padding:10px;background:#f9f9f9;border:1px solid #ddd;-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;}#pages-composer dt label{text-shadow:0 1px 0 #fff;-webkit-text-shadow:0 1px 0 #fff;-moz-text-shadow:0 1px 0 #fff;}#pages-composer input{margin-top:10px;width:877px;border:1px solid #DDD;}#pages-composer #gollum-editor #gollum-editor-function-bar{width:885px;height:40px;margin-top:10px;border-top:1px solid #DDD;border-bottom:1px solid #DDD;padding-top:8px!important;}#pages-composer-wrapper #gollum-editor #gollum-editor-function-bar #gollum-editor-function-buttons{display:none;}#pages-composer-wrapper #gollum-editor #gollum-editor-function-bar.active #gollum-editor-function-buttons{display:block;float:left;overflow:hidden;padding:0 0 1.1em 0;}#pages-composer-wrapper a.function-button{background:#f7f7f7;border:1px solid #ddd;color:#333;display:block;float:left;height:25px;overflow:hidden;margin:.2em .5em 0 0;text-shadow:0 1px 0 #fff;width:25px;border-radius:.3em;-moz-border-radius:.3em;-webkit-border-radius:.3em;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#f4f4f4',endColorstr='#ececec');background:-webkit-gradient(linear,left top,left bottom,from(#f4f4f4),to(#ececec));background:-moz-linear-gradient(top,#f4f4f4,#ececec);}#pages-composer-wrapper #gollum-editor #gollum-editor-function-bar a.function-button:hover{color:#fff;text-shadow:0 -1px 0 rgba(0,0,0,0.3);text-decoration:none;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#599bdc',endColorstr='#3072b3');background:-webkit-gradient(linear,left top,left bottom,from(#599bdc),to(#3072b3));background:-moz-linear-gradient(top,#599bdc,#3072b3);}#pages-composer-wrapper #gollum-editor #gollum-editor-function-bar a span{background-image:url('../../images/modules/pages_generator/icon-sprite.png');background-repeat:no-repeat;display:block;height:25px;overflow:hidden;text-indent:-5000px;width:25px;}#pages-composer-wrapper a#function-bold span{background-position:0 0;}#pages-composer-wrapper a#function-italic span{background-position:-27px 0;}#pages-composer-wrapper a#function-underline span{background-position:-54px 0;}#pages-composer-wrapper a#function-code span{background-position:-82px 0;}#pages-composer-wrapper a#function-ul span{background-position:-109px 0;}#pages-composer-wrapper a#function-ol span{background-position:-136px 0;}#pages-composer-wrapper a#function-blockquote span{background-position:-163px 0;}#pages-composer-wrapper a#function-hr span{background-position:-190px 0;}#pages-composer-wrapper a#function-h1 span{background-position:-217px 0;}#pages-composer-wrapper a#function-h2 span{background-position:-244px 0;}#pages-composer-wrapper a#function-h3 span{background-position:-271px 0;}#pages-composer-wrapper a#function-internal-link span{background-position:-298px 0;}#pages-composer-wrapper a#function-image span{background-position:-324px 0;}#pages-composer-wrapper a#function-help span{background-position:-405px 0;}#pages-composer-wrapper a#function-link span{background-position:-458px 0;}#pages-composer-wrapper a#function-bold:hover span{background-position:0 -28px;}#pages-composer-wrapper a#function-italic:hover span{background-position:-27px -28px;}#pages-composer-wrapper a#function-underline:hover span{background-position:-54px -28px;}#pages-composer-wrapper a#function-code:hover span{background-position:-82px -28px;}#pages-composer-wrapper a#function-ul:hover span{background-position:-109px -28px;}#pages-composer-wrapper a#function-ol:hover span{background-position:-136px -28px;}#pages-composer-wrapper a#function-blockquote:hover span{background-position:-163px -28px;}#pages-composer-wrapper a#function-hr:hover span{background-position:-190px -28px;}#pages-composer-wrapper a#function-h1:hover span{background-position:-217px -28px;}#pages-composer-wrapper a#function-h2:hover span{background-position:-244px -28px;}#pages-composer-wrapper a#function-h3:hover span{background-position:-271px -28px;}#pages-composer-wrapper a#function-internal-link:hover span{background-position:-298px -28px;}#pages-composer-wrapper a#function-image:hover span{background-position:-324px -28px;}#pages-composer-wrapper a#function-help:hover span{background-position:-405px -28px;}#pages-composer-wrapper a#function-link:hover span{background-position:-458px -28px;}#pages-composer span.function-divider{display:block;float:left;width:.5em;}#pages-composer #gollum-editor-body{margin-top:10px;border:1px solid #ddd;}#theme-picker-full{width:900px;margin:0 auto;text-align:center;overflow:hidden;}#theme-picker-full .theme-picker-prev,#theme-picker-full .theme-picker-next{display:block;float:left;width:23px;height:23px;margin-top:60px;overflow:hidden;text-indent:-5000px;}#theme-picker-full .theme-picker-prev{background:url('../../images/modules/pages_generator/arrow_left.png') no-repeat top left;}#theme-picker-full .theme-picker-prev:hover{background-position:right;}#theme-picker-full .theme-picker-next{background:url('../../images/modules/pages_generator/arrow_right.png') no-repeat top left;}#theme-picker-full .theme-picker-next:hover{background-position:right;}.thumbnail-selector{float:left;overflow:hidden;margin:15px 10px;}.thumbnail-selector.themes{width:830px;white-space:nowrap;}.thumbnail-selector li{display:inline-block;list-style-type:none;padding-right:42px;}.thumbnail-selector li a{color:#000;font-weight:bold;}.thumbnail-selector li a:hover{text-decoration:none;}.thumbnail-selector li a span{display:block;text-align:center;}.thumbnail-selector li a img{border:3px solid #d3d3d3;border-radius:2px;-webkit-border-radius:2px;-moz-border-radius:px;}.thumbnail-selector li a:hover img{border-color:#4183C4;}.thumbnail-selector li a.selected img{border-color:#3db738;}#theme-action-bar{height:46px;background-color:#fafafa;border-top:1px solid #e0e0e0;border-bottom:1px solid #e0e0e0;}#theme-action-bar #context-loader-overlay{position:relative;top:-48px;left:50%;margin-left:-80px;width:120px;height:43px;padding:0 10px 0 30px;background-color:#fafafa;z-index:21;}#theme-action-bar .context-loader{position:relative;top:-88px;border-top-width:0;background-color:#fafafa;transition:top linear .2s;-moz-transition:top linear .2s;-webkit-transition:top linear .2s;-o-transition:top linear .2s;}#theme-action-bar .context-loader.visible{top:-48px;box-shadow:0 1px 4px rgba(0,0,0,0.2);-moz-box-shadow:0 1px 4px rgba(0,0,0,0.2);-webkit-box-shadow:0 1px 4px rgba(0,0,0,0.2);-o-box-shadow:0 1px 4px rgba(0,0,0,0.2);transition:top linear .1s;-moz-transition:top linear .1s;-webkit-transition:top linear .1s;-o-transition:top linear .1s;}#theme-actions-wrap{position:relative;width:940px;margin:0 auto;}#theme-action-bar ul.page-actions{height:34px;padding:6px 10px 6px 0;text-align:right;}#theme-action-bar ul.page-actions li{list-style-type:none;display:inline-block;margin:0;}#theme-action-bar ul.page-actions li a{display:block;width:48px;height:16px;padding:22px 0 0 0;color:#888;font-size:9px;letter-spacing:1px;text-align:center;overflow:hidden;text-transform:uppercase;}#theme-action-bar a#page-hide{background:url('../../images/modules/pages_generator/btn-panel-hide.png') no-repeat top left;}#theme-action-bar a#page-hide:hover{color:#4183C4;background:url('../../images/modules/pages_generator/btn-panel-hide.png') no-repeat top right;text-decoration:none;}#theme-action-bar a#page-edit{background:url('../../images/modules/pages_generator/btn-panel-edit.png') no-repeat top left;}#theme-action-bar a#page-edit:hover{color:#4183C4;background:url('../../images/modules/pages_generator/btn-panel-edit.png') no-repeat top right;text-decoration:none;}#theme-action-bar a#page-publish{background:url('../../images/modules/pages_generator/btn-panel-publish.png') no-repeat top left;}#theme-action-bar a#page-publish:hover{color:#4183C4;background:url('../../images/modules/pages_generator/btn-panel-publish.png') no-repeat top right;text-decoration:none;}#theme-picker-mini{float:left;height:49px;background:url('../../images/modules/pages_generator/actions-bar-blacktocat.png') no-repeat left center;overflow:hidden;}#theme-picker-mini a.theme-picker-prev{display:inline-block;width:8px;height:16px;margin-right:10px;overflow:hidden;background:url('../../images/modules/pages_generator/btn-mini-theme-prev.png') no-repeat top left;text-indent:-5000px;}#theme-picker-mini a.theme-picker-next{display:inline-block;width:8px;height:16px;text-indent:-5000px;overflow:hidden;background:url('../../images/modules/pages_generator/btn-mini-theme-next.png') no-repeat top left;}#theme-picker-mini a.theme-picker-prev:hover{background:url('../../images/modules/pages_generator/btn-mini-theme-prev.png') no-repeat top right;}#theme-picker-mini a.theme-picker-next:hover{background:url('../../images/modules/pages_generator/btn-mini-theme-next.png') no-repeat top right;}.theme-name{color:#888;}#page-preview{width:100%;height:100%;background-color:#fff;border:none;padding:none;}#page-preview-shadow-overlay{position:relative;height:5px;border:none;background:-webkit-gradient(linear,left top,left bottom,from(rgba(0,0,0,0.1)),to(rgba(0,0,0,0)));background:-moz-linear-gradient(top,rgba(0,0,0,0.1),rgba(0,0,0,0));}.profilecols ul.stats{margin:-8px 0 0 0;}.profilecols ul.stats li{list-style-type:none;float:left;margin-right:30px;}.profilecols ul.stats li strong{display:block;font-size:36px;font-weight:bold;color:#000;}.profilecols ul.stats li span{display:block;margin-top:-10px;font-size:11px;color:#999;}.profilecols ul.stats li a:hover{text-decoration:none;}.profilecols ul.stats li a:hover strong,.profilecols ul.stats li a:hover span{color:#4183c4;text-decoration:none;}.following{clear:both;margin-top:80px;}.following h3{margin:0 0 5px 0;font-size:12px;}.following h3 a{font-weight:normal;margin-left:5px;}.following ul.avatars{margin:0;}.following ul.avatars li{list-style-type:none;display:inline;margin:0 1px 0 0;}.following ul.avatars li img{padding:1px;border:1px solid #ddd;}.profilecols h2{position:relative;font-size:18px;margin:0 0 5px 0;}.profilecols h2 em{font-style:normal;color:#999;}.profilecols .filter-bar{padding:10px 10px 0 10px;margin-bottom:10px;background:#fafafb;border:1px solid #DDD;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;}.profilecols .filter-bar .filter_input{width:428px;padding:2px 12px;height:15px;font-family:Helvetica,Arial,freesans,sans-serif;font-size:11px;color:#444;background:url('../../images/modules/repo_list/filter_input_long.png') 0 -19px no-repeat;border:none;outline:none;}.profilecols .filter-bar .filter_input:focus{background-position:0 -19px;}.profilecols .filter-bar label.placeholder{font-size:11px;left:10px;}.profilecols .filter-bar ul.repo_filterer{margin:7px 0 0 0;text-align:right;overflow:hidden;}.profilecols .filter-bar li{display:inline;margin:0 0 0 10px;padding:0;font-size:11px;float:right;position:relative;}.profilecols .filter-bar li.all_repos{float:left;margin:0;}.profilecols .filter-bar li a{display:inline-block;padding-bottom:8px;color:#777;}.profilecols .filter-bar li a.filter_selected{color:#000;font-weight:bold;}.profilecols .filter-bar li a.filter_selected:after{content:"";position:absolute;background-color:#C8C8C8;height:3px;width:25px;bottom:0;left:50%;margin-left:-12px;}.profilecols h2 .repo-filter{position:absolute;right:0;bottom:2px;}.profilecols h2 .repo-filter input{width:176px;height:15px;line-height:15px;padding:2px 12px;background:url('../../images/modules/repo_list/profile_filter_input.gif') 0 -19px no-repeat;border:none;}.profilecols h2 .repo-filter input.native{width:200px;height:auto;padding:2px 5px;font-size:11px;background-image:none;}.profilecols h2 .repo-filter input.placeholder{background-position:0 0;}.profilecols h2 .repo-filter input:focus{background-position:0 -19px;}.profilecols .noactions{margin:5px 0 0 0;padding:10px;color:#333;font-size:14px;font-weight:normal;text-align:center;background:#ffe;border:1px solid #ddd;}.profilecols .noactions p{margin:0;line-height:1.2;text-shadow:1px 1px 0 #fff;}h1.avatared .tooltipped{display:inline-block;}.profilecols .btn-new-repo{float:right;line-height:21px;color:#fff;text-shadow:-1px -1px 0 #333;border:none;background-color:#909090;background:-moz-linear-gradient(#909090,#3f3f3f);background:-ms-linear-gradient(#909090,#3f3f3f);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#909090),color-stop(100%,#3f3f3f));background:-webkit-linear-gradient(#909090,#3f3f3f);background:-o-linear-gradient(#909090,#3f3f3f);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#909090',endColorstr='#3f3f3f')";background:linear-gradient(#909090,#3f3f3f);}.profilecols .btn-new-repo:hover{background-color:#909090;background:-moz-linear-gradient(#909090,#040404);background:-ms-linear-gradient(#909090,#040404);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#909090),color-stop(100%,#040404));background:-webkit-linear-gradient(#909090,#040404);background:-o-linear-gradient(#909090,#040404);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#909090',endColorstr='#040404')";background:linear-gradient(#909090,#040404);text-decoration:none;}.user-context-menu .btn-user-context .icon{width:3px;height:21px;background:url('../../images/modules/buttons/mini_button_settings.png') no-repeat 4px 4px;padding:0 20px 0 7px;}.user-context-menu.active .btn-user-context .icon,.user-context-menu .btn-user-context:hover .icon{background-position:4px -20px;}.user-context-menu .btn-user-context{height:21px;padding:0 0 0 3px;width:30px;vertical-align:top;}.user-context-pane{top:28px;right:0;font-size:12px;width:210px;border:1px solid #ddd;box-shadow:0 0 15px #e0e0e0;}.user-context-pane ul{list-style:none;}.user-context-pane li{font-weight:normal;border-bottom:1px solid #f1f1f1;}.user-context-pane li:last-child{border-bottom:none;}.user-context-pane a{display:block;padding:5px 10px;border-bottom:none;}.user-context-pane a:hover{filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#599bdc',endColorstr='#3072b3');background:-webkit-gradient(linear,left top,left bottom,from(#599bdc),to(#3072b3));background:-moz-linear-gradient(top,#599bdc,#3072b3);color:#fff;text-decoration:none;}.vcard dl{margin:5px 0 0 0;font-size:12px;}.vcard dl:first-child{margin-top:0;}.vcard dl dt{margin:0;float:left;width:115px;color:#999;}.vcard dl dd{margin:0;}.userrepos .users{float:left;width:560px;}.userrepos .repos{float:right;width:340px;}.userrepos ul.repo_list{margin:15px 0;border-top:1px solid #ddd;}.userrepos ul.repo_list li{list-style-type:none;margin:0;padding:0 0 0 10px;background:url('../../images/icons/public.png') 0 8px no-repeat white;border-bottom:1px solid #ddd;}.userrepos ul.repo_list li a{display:block;padding:6px 10px 5px 10px;font-size:14px;background:url('../../images/modules/repo_list/arrow-40.png') 97% 50% no-repeat;}.userrepos ul.repo_list li a:hover{background-image:url('../../images/modules/repo_list/arrow-80.png');}.userrepos ul.repo_list li .repo{font-weight:bold;}.organization-bit{float:right;margin-top:12px;min-width:34px;padding-top:3px;text-align:center;font-size:7px;text-transform:uppercase;letter-spacing:0;color:#999;background:url('../../images/modules/organizations/profile_bit.png') 50% 0 no-repeat;}ul.org-members{margin:5px 0;border-top:1px solid #ddd;}ul.org-members li{position:relative;list-style-type:none;margin:0;height:32px;padding:5px 0 5px 42px;border-bottom:1px solid #ddd;}.org-members .gravatar{float:left;margin-left:-42px;padding:1px;border:1px solid #ddd;}.org-members .placeholder .gravatar{opacity:.5;}.org-members h4{margin:-1px 0 0 0;font-size:16px;}.org-members .placeholder h4 a{color:#999;}.org-members h4 em{font-style:normal;font-weight:normal;color:#99a7af;}.org-members p{margin:-4px 0 0 0;font-size:11px;color:#666;}.org-members .minibutton{position:absolute;top:50%;right:0;margin-top:-12px;}.mini-sidetabs{margin:15px 0;float:right;width:110px;text-align:right;border-right:1px solid #eee;}.mini-sidetabs li{float:none;display:block;margin-top:10px;}.mini-sidetabs li:first-child{margin-top:5px;}.mini-sidetabs a{display:inline-block;height:24px;line-height:24px;padding:0 8px;font-size:12px;color:#999;text-decoration:none;}.mini-sidetabs a.selected{position:relative;right:-1px;color:#333;text-shadow:0 1px 1px rgba(255,255,255,0.5);font-weight:bold;background:url('../../images/modules/pagehead/breadcrumb_back.gif') 0 0 repeat-x;border:1px solid #d1d1d1;border-bottom-color:#bbb;border-right-color:#ccc;-webkit-border-top-left-radius:3px;-webkit-border-bottom-left-radius:3px;-moz-border-radius-topleft:3px;-moz-border-radius-bottomleft:3px;border-top-left-radius:3px;border-bottom-left-radius:3px;}.mini-sidetabs .icon{display:inline-block;position:relative;top:4px;width:16px;height:16px;opacity:.5;}.mini-sidetabs a.selected .icon{opacity:1.0;}.mini-sidetabs .discussion-icon{background:url('../../images/modules/tabs/icon_discussion.png') 0 0 no-repeat;}.mini-sidetabs .commits-icon{background:url('../../images/modules/tabs/icon_commits.png') 0 0 no-repeat;}.mini-sidetabs .fileschanged-icon{background:url('../../images/modules/tabs/icon_fileschanged.png') 0 0 no-repeat;}.mini-sidetabs-content{width:800px;float:left;}.discussion-timeline-cols .main{float:left;width:660px;}.discussion-timeline-cols .sidebar{float:right;width:240px;}.discussion-timeline-cols ul.discussion-actions{float:right;margin:0;text-align:right;}.discussion-timeline-cols ul.discussion-actions li{list-style-type:none;margin:-10px 0 0 5px;display:inline-block;}.discussion-timeline{width:800px;}.discussion-stats{float:right;width:100px;}.discussion-timeline .breakout{width:920px;}.discussion-timeline p.explain{margin:0;font-size:12px;}.discussion-timeline .commits-condensed{margin-top:0;border:none;}.discussion-timeline .commits-condensed span.gravatar{width:16px;height:16px;}.discussion-timeline .commits-condensed .commit code a{font-size:11px;}.discussion-timeline .commits-condensed td{padding-left:.5em;}.discussion-timeline .commits-condensed td.author{padding-left:0;color:#666;}.discussion-timeline .body .commits-compare-link{padding-left:.5em;}.new-comments .commit-list-comment{border-bottom:none;}.discussion-timeline pre.diff-excerpt{font-size:11px;background:#fafbfc;color:#888;padding:0;margin:0;overflow:auto;}.discussion-timeline pre.diff-excerpt div{padding:0 3px;}.discussion-timeline pre.diff-excerpt div.gc{color:#777;padding:3px 3px;}.discussion-timeline .line-comments .clipper{width:714px;}.discussion-stats>p{font-size:11px;text-align:center;}.discussion-stats .state{display:block;padding:7px 10px;font-size:14px;font-weight:bold;color:#fff;text-align:center;background:#6cc644;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;}.discussion-stats ul.changes{margin:10px 0;padding-bottom:10px;border-bottom:1px solid #ddd;}.discussion-stats ul.changes li{list-style-type:none;margin:10px 0 0;text-align:center;font-size:12px;color:#666;}.discussion-stats ul.changes li:first-child{margin-top:0;}.discussion-stats ul.changes li strong{color:#333;}.discussion-stats ul.changes .addition{font-weight:bold;color:#309c00;}.discussion-stats ul.changes .deletion{font-weight:bold;color:#bc0101;}ul.userlist{margin:0;border-top:1px solid #ddd;}ul.userlist li{list-style-type:none;margin:0;height:20px;padding:4px 0;border-bottom:1px solid #ddd;}ul.userlist li .gravatar{display:inline-block;margin-top:-2px;padding:1px;font-size:1px;background:#fff;border:1px solid #eee;vertical-align:middle;}ul.userlist li a{display:inline-block;font-size:12px;font-weight:bold;color:#666;}.pull-head{margin-top:-10px;padding:10px;border:1px solid #f5f5f5;border-top:none;border-bottom:2px solid #eee;-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;}.pull-description{font-size:14px;margin:0;color:#333;font-weight:300;}.pull-description a{font-weight:bold;color:#000;}.pull-description .commit-ref{margin:0 3px;position:relative;top:-1px;}.pull-head .state,.action-bubble .state{float:left;padding:3px 10px;margin-top:-2px;margin-right:8px;font-size:12px;font-weight:bold;color:#fff;background:#6cc644;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;}.action-bubble .state{float:none;padding:3px 5px;font-size:11px;}.pull-head .state-closed,.action-bubble .state-closed,.discussion-stats .state-closed{background-color:#bd2c00;}.pull-head .number{float:right;font-size:16px;font-weight:bold;color:#666;}.pull-head .number a{color:#666;}ul.tab-actions{float:right;height:25px;margin:0 0 -25px 0;}ul.tab-actions li{list-style-type:none;margin:0 0 0 5px;display:inline-block;font-size:11px;font-weight:bold;}.new-comments .starting-comment{margin:0;background:#fff;-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;}.starting-comment .content-title{border-bottom:none;}.starting-comment h2.content-title{margin:0 0 -10px;font-size:20px;}.new-comments .starting-comment .body p.author{margin:10px 0 0;color:#666;font-size:12px;}.starting-comment p.author a{font-weight:bold;color:#666;}.new-comments .starting-comment .body{padding:0 10px;font-size:13px;background:#fff;}.pull-participation{margin:-10px 0 0;padding-left:60px;font-size:13px;font-weight:300;color:#666;}.pull-participation .avatar{position:relative;display:inline-block;height:24px;top:-2px;margin-right:3px;margin-bottom:3px;}.pull-participation .avatar .overlay{position:absolute;top:0;left:0;}.pull-participation .avatar img{vertical-align:middle;}.pull-participation a{font-weight:bold;color:#666;}.attached-pull{margin:10px 10px 10px 0;background:#f1f1f1;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#fcfcfc',endColorstr='#eeeeee');background:-webkit-gradient(linear,0% 0,0% 100%,from(#fcfcfc),to(#eee));background:-moz-linear-gradient(270deg,#fcfcfc,#eee);border:1px solid #ddd;-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;}.attached-pull a{display:block;padding:8px 10px 7px 28px;color:#666;text-shadow:1px 1px 0 rgba(255,255,255,0.7);background:url('../../images/modules/issues/pull_request_icon.png') 10px 50% no-repeat;}.attached-pull a strong{color:#000;}.browser{margin:20px 0;}ul.bignav{margin:0 0 -5px 0;}ul.bignav li{list-style-type:none;margin:0 0 5px 0;}ul.bignav li a{display:block;padding:8px 10px;font-size:14px;-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;}ul.bignav li a:hover{text-decoration:none;background:#eee;}ul.bignav li a.selected{color:#fff;background:#4183c4;}ul.bignav li a .count{float:right;font-weight:bold;color:#777;}ul.bignav li a.selected .count{color:#fff;}.filterbox{margin:8px 0;padding:10px;background:#fafafb;border:1px solid #ddd;-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;}.filterbox input{width:100%;}ul.smallnav{margin:0;}ul.smallnav>li{list-style-type:none;margin:0 0 2px 0;}ul.smallnav>li>a{display:block;padding:4px 10px;font-size:12px;white-space:nowrap;text-overflow:ellipsis;overflow:hidden;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;}ul.smallnav>li.zeroed>a{color:#999;}ul.smallnav>li>a:hover{text-decoration:none;background:#e3f6fc;}ul.smallnav>li>a.selected{color:#fff;background:#4183c4;}ul.smallnav>li>a .count{float:right;font-weight:bold;color:#777;}ul.smallnav>li.zeroed>a .count{font-weight:normal;}ul.smallnav>li>a.selected .count{color:#fff;}.browser-title{margin:0 0 10px 0;}.browser-title h2{margin:0;font-size:16px;}.browser .keyboard-shortcuts{margin-top:-2px;}.browser-content{position:relative;background:#f6f6f6;border:1px solid #ddd;-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;}.browser-content .context-loader{top:25px;}.browser-content>.filterbar{height:24px;font-family:"Helvetica Neue",Helvetica,Arial,freesans;background:url('../../images/modules/pagehead/breadcrumb_back.gif') 0 0 repeat-x;-webkit-border-top-right-radius:5px;-webkit-border-top-left-radius:5px;-moz-border-radius-topright:5px;-moz-border-radius-topright:5px;border-top-right-radius:5px;border-top-left-radius:5px;border-bottom:1px solid #bbb;}.filterbar ul.filters{float:left;margin:4px 0 0 5px;}.filterbar ul.filters li{list-style-type:none;float:left;margin-right:4px;height:14px;line-height:13px;padding:0 4px;font-size:10px;color:#666;background:#f6f6f6;border:1px solid #f6f6f6;-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;cursor:pointer;-moz-user-select:none;-khtml-user-select:none;user-select:none;}.filterbar ul.filters li.selected{font-weight:bold;color:#fff;text-shadow:1px 1px 0 rgba(0,0,0,0.3);-webkit-font-smoothing:antialiased;background:#888;border-color:#888;border-top-color:#666;border-left-color:#666;}.filterbar ul.sorts{float:right;margin:0;}.filterbar ul.sorts li{list-style-type:none;float:left;margin:0;padding:0 7px;height:24px;line-height:23px;font-size:10px;color:#666;cursor:pointer;-moz-user-select:none;-khtml-user-select:none;user-select:none;}.filterbar ul.sorts li.asc,.filterbar ul.sorts li.desc{padding-left:15px;color:#333;font-weight:bold;background:#eee;background:rgba(255,255,255,0.5);border:1px solid #ddd;border-color:rgba(0,0,0,0.1);border-top:none;border-bottom:none;background-image:url('../../images/modules/pulls/sort_arrow.png');background-position:6px 9px;background-repeat:no-repeat;}.filterbar ul.sorts li.asc:last-child,.filterbar ul.sorts li.desc:last-child{border-right:none;}.filterbar ul.sorts li.asc{background-position:6px -90px;}.browser-content .paging{padding:5px;background:#fff;border-bottom:1px solid #ddd;}.browser-content .button-pager{display:block;padding:5px 0;text-align:center;font-size:12px;font-weight:bold;text-shadow:1px 1px 0 #fff;text-decoration:none;border:1px solid #e4e9ef;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;background:#fdfdfe;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#fdfdfe',endColorstr='#eff3f6');background:-webkit-gradient(linear,left top,left bottom,from(#fdfdfe),to(#eff3f6));background:-moz-linear-gradient(top,#fdfdfe,#eff3f6);}.browser-content .button-pager:hover{border-color:#d9e1e8;background:#fafbfd;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#fafbfd',endColorstr='#dee8f1');background:-webkit-gradient(linear,left top,left bottom,from(#fafbfd),to(#dee8f1));background:-moz-linear-gradient(top,#fafbfd,#dee8f1);}.browser-content .footerbar{padding:7px 10px 8px 10px;font-size:11px;font-weight:bold;color:#777;}.browser-content .footerbar p{margin:0;text-shadow:1px 1px 0 rgba(255,255,255,0.5);}.browser .none,.browser .error{padding:30px;text-align:center;font-weight:bold;font-size:14px;color:#999;border-bottom:1px solid #ddd;}.browser .error{color:#900;}.browser .listing{position:relative;padding:10px 10px 12px 10px;color:#888;background:#fff;border-bottom:1px solid #eaeaea;}.browser .listing.closed{background:url('../../images/modules/pulls/closed_back.gif') 0 0;}.browser .listing.navigation-focus{background-color:#ffffef;}.browser .listing .read-status{position:absolute;display:block;top:10px;left:0;width:4px;height:33px;background:#e6e6e6;}.browser .unread .read-status{background:#4183c4;}.browser .active-bit{position:absolute;top:22px;left:-12px;width:6px;height:9px;opacity:0;background:url('../../images/modules/pulls/active_bit.png') 0 0 no-repeat;-webkit-transition:opacity .1s linear;-moz-transition:opacity .1s linear;}.browser .listing.navigation-focus .active-bit{opacity:1.0;-webkit-transition:opacity .25s linear;-moz-transition:opacity .25s linear;}.browser .listing .number{float:right;padding:2px 7px;font-size:14px;font-weight:bold;color:#444;background:#eee;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;}.browser .listing h3{margin:-2px 0 0 0;font-size:14px;color:#000;}.browser .listing h3 a{color:#444;}.browser .unread h3 a{color:#000;}.browser .closed h3 a{color:#777;}.browser .listing h3 em.closed{float:right;position:relative;top:2px;padding:2px 5px;font-style:normal;font-size:11px;text-transform:uppercase;color:#fff;background:#999;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;}.browser .listing p{margin:0;}.browser .listing p a{color:#555;text-decoration:none;}.browser .listing .meta{float:left;margin-top:4px;margin-bottom:-2px;height:16px;padding:4px 6px;font-size:11px;color:#666;color:rgba(0,0,0,0.55);text-shadow:1px 1px 0 rgba(255,255,255,0.5);background:#eee;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;}.browser .listing.navigation-focus .meta{background:#eeeedf;}.browser .closed .meta{background:#eaeaea;}.browser .listing .meta .gravatar{display:inline-block;vertical-align:bottom;padding:1px;font-size:1px;background:#fff;border:1px solid #ccc;}.browser .listing .updated{float:left;margin:9px 0 0 8px;font-size:11px;color:#999;}.browser .listing .comments,.browser .listing .pull-requests{float:right;margin-top:9px;height:16px;padding:0 0 0 18px;font-size:11px;font-weight:bold;color:#999;}.browser .listing .comments{background:url('../../images/modules/pulls/comment_icon.png') 0 50% no-repeat;}.browser .listing .pull-requests{background:url('../../images/modules/issues/pull-request-off.png') 0 50% no-repeat;}.browser .listing .comments a{color:#666;}.pull-form{margin:0;}.pull-form textarea{height:200px;}.pull-form input[type=text]{font-size:14px;padding:5px 5px;margin:0 0 5px 0;width:98%;color:#444;}.pull-form-main .form-actions{margin-top:10px;}.new-pull-form-error{margin:5px 0 10px 0;font-weight:bold;color:#A00;}.pull-dest-repo{margin-top:0;}.pull-dest-repo a{font-size:12px;font-weight:bold;padding:5px 0 5px 22px;}.pull-dest-repo.public a{background:white url('../../images/icons/public.png') no-repeat 0 4px;}.pull-dest-repo.private a{background:white url('../../images/icons/private.png') no-repeat 0 4px;}.pull-dest-repo p{font-size:11px;color:#999;margin:5px 0 15px 0;}.pull-heading .btn-change{float:right;margin:9px 10px 0 0;}.new-pull-request .pull-tabs{clear:both;}.new-pull-request.invalid .btn-change{display:none;}.editor-expander{cursor:pointer;}.range-editor{margin:15px 0 20px;background:url('../../images/modules/compare/dotdotdot.gif') 50% 80px no-repeat;}.range-editor .chooser-box{float:left;width:420px;}.range-editor .chooser-box.head{float:right;}.range-editor table.reposha{margin:15px 0 0 0;width:100%;border-spacing:0;border-collapse:collapse;}.reposha td.repo{width:1%;white-space:nowrap;}.reposha .repo .at{padding-right:5px;color:#666;}.reposha .sha{text-align:left;}.reposha input[type=text]{width:98%;font-family:Helvetica,Arial,freesans;font-size:12px;line-height:20px;color:#444;}.range-editor .commit-preview .message,.range-editor .commit-preview p.error{margin:10px 0 0 0;background:#f7f8f9;border:1px solid #ddd;border-bottom:none;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;}.range-editor .form-actions{margin:10px 0 0;}.avatar-bubble{margin:20px 0;padding-left:60px;background:url('../../images/modules/comments/bubble-arrow.png') 51px 20px no-repeat;}.avatar-bubble>.avatar{position:relative;float:left;margin-left:-60px;}.bubble{padding:3px;background:#eee;-moz-border-radius:3px;-webkit-border-radius:3px;border-radius:3px;}.new-comments .bubble .comment{margin:0;}.view-pull-request .new-comments .bubble .commit-comment{margin-top:3px;}.new-comments .bubble .commit-comment.thread-start{margin-top:0;}.bubble .comment-form{margin:0;}.avatar-bubble .form-actions{margin-top:10px;}.bubble .file-box{margin-bottom:0;}.bubble .action-bar{width:100%;padding:2px 3px 5px 3px;text-align:right;margin-left:-3px;border-bottom:1px solid #ccc;min-height:26px;}.bubble .action-bar .minibutton:last-child{margin-right:2px;}.bubble .action-bar h3{margin:5px 0 0 5px;float:left;font-size:13px;font-weight:bold;}.mini-avatar-bubble{width:800px;background:url('../../images/modules/comments/bubble-arrow-up.png') 14px 25px no-repeat;}.mini-avatar-bubble .avatar{position:relative;display:inline-block;height:24px;top:-2px;margin-right:3px;}.mini-avatar-bubble .bubble{padding:3px;background:#eee;-moz-border-radius:3px;-webkit-border-radius:3px;border-radius:3px;}.mini-avatar-bubble p.action{margin:10px 0 10px 8px;height:24px;font-size:13px;font-weight:300;color:#333;}.mini-avatar-bubble p.action a{font-weight:bold;color:#333;}.mini-avatar-bubble p.action img{vertical-align:middle;}.mini-avatar-bubble p.action em{font-style:normal;color:#999;}.avatar-bubble .avatar .overlay,.mini-avatar-bubble .avatar .overlay,.action-bubble .avatar .overlay{position:absolute;top:0;left:0;}.avatar .overlay.size-48{width:48px;height:48px;background:url('../../images/modules/comments/rounded-avatar-48.png') 0 0 no-repeat;}.avatar .overlay.size-24{width:24px;height:24px;background:url('../../images/modules/comments/rounded-avatar-24.png') 0 0 no-repeat;}.action-bubble{margin:20px 0;}.action-bubble .action{float:left;line-height:29px;}.action-bubble .bubble{font-size:13px;font-weight:300;background-color:transparent;}.action-bubble .bubble strong{font-weight:bold;}.action-bubble .state{display:inline-block;padding:0 5px;height:24px;line-height:25px;text-shadow:0 -1px -1px rgba(0,0,0,0.25);}.action-bubble .state-renamed{color:#000;background-color:#fffa5d;text-shadow:none;}.action-bubble .avatar{position:relative;top:-2px;display:inline-block;height:24px;margin-right:3px;line-height:1px;}.action-bubble .avatar img{vertical-align:middle;}.action-bubble a{color:#444;}.action-bubble code>a{border-bottom:1px dotted #ccc;text-decoration:none;}.action-bubble code>a:hover{border-bottom:1px solid #444;}.action-bubble .bubble p{margin:0;line-height:26px;}.merge-pr{margin:15px 0 0 0;padding-top:3px;border-top:1px solid #ddd;}.merge-pr p.push-more{margin:10px 0;font-size:12px;color:#777;}.merge-pr p.push-more code{color:#000;font-size:12px;}.merge-pr p.push-more a{color:#333;font-weight:bold;}.merge-pr .bubble{margin:10px 0;padding:3px;background:#eee;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;}.merge-pr .mergeable{padding:8px 10px 7px;border:1px solid #bac385;-webkit-border-radius:2px;-moz-border-radius:2px;border-radius:2px;}.merge-pr .mergeable.checking{background:#f9f8a5;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#f9f8a5',endColorstr='#f1f0a7');background:-webkit-gradient(linear,left top,left bottom,from(#f9f8a5),to(#f1f0a7));background:-moz-linear-gradient(top,#f9f8a5,#f1f0a7);}.merge-pr .mergeable.clean{background:#9ee692;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#9ee692',endColorstr='#6eda62');background:-webkit-gradient(linear,left top,left bottom,from(#9ee692),to(#6eda62));background:-moz-linear-gradient(top,#9ee692,#6eda62);border-color:#8bc384;}.merge-pr .mergeable.dirty{padding-top:10px;position:relative;background:#b7b7b7;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#b7b7b7',endColorstr='#939393');background:-webkit-gradient(linear,left top,left bottom,from(#b7b7b7),to(#939393));background:-moz-linear-gradient(top,#b7b7b7,#939393);border-color:#888;}.merge-pr .mergeable.merging{background:#82bccd;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#82bccd',endColorstr='#589ab3');background:-webkit-gradient(linear,left top,left bottom,from(#82bccd),to(#589ab3));background:-moz-linear-gradient(top,#82bccd,#589ab3);border-color:#84acc3;border-bottom-color:#648192;-webkit-border-bottom-left-radius:0;-moz-border-radius-bottomleft:0;border-bottom-left-radius:0;-webkit-border-bottom-right-radius:0;-moz-border-radius-bottomright:0;border-bottom-right-radius:0;}.merge-pr .mergeable.dirty .shade{position:absolute;top:0;left:0;width:100%;height:4px;background:url('../../images/modules/pulls/dirty-shade.png') 0 0 repeat-x;}.merge-pr .mergeable .info{float:left;margin:-6px 0 0 -8px;width:28px;height:29px;background:url('../../images/modules/pulls/infotip.png') 0 0 no-repeat;cursor:pointer;}.merge-pr .mergeable .info:hover{background-position:0 -100px;}.merge-pr .mergeable .info.selected{background-position:0 -200px;}.merge-pr p.message{margin:0;color:#6e6d32;text-shadow:1px 1px rgba(255,255,255,0.7);}.merge-pr .mergeable.clean p.message{color:#0b5f00;font-weight:bold;text-shadow:1px 1px 0 rgba(255,255,255,0.4);}.merge-pr .mergeable.dirty p.message{color:#fff;font-weight:bold;text-shadow:-1px -1px 0 rgba(0,0,0,0.3);}.merge-pr .mergeable.merging p.message{color:#fff;font-weight:bold;text-shadow:-1px -1px 0 rgba(0,0,0,0.3);}@-webkit-keyframes rotate{from{-webkit-transform:rotate(0deg);}to{-webkit-transform:rotate(-360deg);}}.merge-pr p.message .spinner{display:inline-block;margin-right:1px;width:10px;height:10px;background:url('../../images/icons/static-spinner.png') 0 0 no-repeat;-webkit-animation-name:rotate;-webkit-animation-duration:1.5s;-webkit-animation-iteration-count:infinite;-webkit-animation-timing-function:linear;}.merge-pr .mergeable .minibutton{float:right;margin-top:-3px;margin-right:-5px;margin-left:15px;}.merge-pr .mergeable .help{float:right;font-size:12px;color:#fff;}.merge-pr .commit-preview{position:relative;display:table-row;}.merge-pr .commit-preview .message{display:table-cell;width:561px;padding:10px 10px 8px 10px;vertical-align:top;background:#f6f9fa;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#f6f9fa',endColorstr='#e7f0f3');background:-webkit-gradient(linear,left top,left bottom,from(#f6f9fa),to(#e7f0f3));background:-moz-linear-gradient(top,#f6f9fa,#e7f0f3);border:1px solid #bedce7;-webkit-border-bottom-right-radius:2px;-moz-border-radius-bottomright:2px;border-bottom-right-radius:2px;}.merge-pr .commit-preview .message pre{color:#5b6f74;font-size:12px;}.merge-pr .commit-preview .message textarea{margin-top:10px;width:100%;height:50px;font-family:Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;font-size:12px;color:#666;}.merge-pr .commit-preview .author{display:table-cell;width:190px;padding:10px;vertical-align:top;background:#d3e5eb;border:1px solid #bedce7;border-right:none;-webkit-border-bottom-left-radius:2px;-moz-border-radius-bottomleft:2px;border-bottom-left-radius:2px;}.merge-pr .commit-preview .gravatar{float:left;margin-right:10px;padding:2px;line-height:1px;border:1px solid #bedce7;background-color:white;}.merge-pr .commit-preview .name{position:relative;font-size:12px;}.merge-pr .commit-preview a{color:#000;}.merge-pr .commit-preview .author-text{position:absolute;top:0;right:6px;color:#5b6f74;}.merge-pr .commit-preview .date{font-size:12px;color:#778589;}.merge-help-context{width:470px;margin-top:20px;}.merge-help-context p.intro{margin-top:5px;padding-bottom:10px;font-size:12px;color:#666;border-bottom:1px solid #ddd;}.merge-help-context .url-box{overflow:auto;margin:0 0 10px 0;}.merge-help-context .clippy-tooltip{float:right;}.merge-help-context input.url-field{width:273px;}.highlight{background:#fff;}.highlight .c{color:#998;font-style:italic;}.highlight .err{color:#a61717;background-color:#e3d2d2;}.highlight .k{font-weight:bold;}.highlight .o{font-weight:bold;}.highlight .cm{color:#998;font-style:italic;}.highlight .cp{color:#999;font-weight:bold;}.highlight .c1{color:#998;font-style:italic;}.highlight .cs{color:#999;font-weight:bold;font-style:italic;}.highlight .gd{color:#000;background-color:#fdd;}.highlight .gd .x{color:#000;background-color:#faa;}.highlight .ge{font-style:italic;}.highlight .gr{color:#a00;}.highlight .gh{color:#999;}.highlight .gi{color:#000;background-color:#dfd;}.highlight .gi .x{color:#000;background-color:#afa;}.highlight .go{color:#888;}.highlight .gp{color:#555;}.highlight .gs{font-weight:bold;}.highlight .gu{color:#800080;font-weight:bold;}.highlight .gt{color:#a00;}.highlight .kc{font-weight:bold;}.highlight .kd{font-weight:bold;}.highlight .kn{font-weight:bold;}.highlight .kp{font-weight:bold;}.highlight .kr{font-weight:bold;}.highlight .kt{color:#458;font-weight:bold;}.highlight .m{color:#099;}.highlight .s{color:#d14;}.highlight .na{color:#008080;}.highlight .nb{color:#0086B3;}.highlight .nc{color:#458;font-weight:bold;}.highlight .no{color:#008080;}.highlight .ni{color:#800080;}.highlight .ne{color:#900;font-weight:bold;}.highlight .nf{color:#900;font-weight:bold;}.highlight .nn{color:#555;}.highlight .nt{color:#000080;}.highlight .nv{color:#008080;}.highlight .ow{font-weight:bold;}.highlight .w{color:#bbb;}.highlight .mf{color:#099;}.highlight .mh{color:#099;}.highlight .mi{color:#099;}.highlight .mo{color:#099;}.highlight .sb{color:#d14;}.highlight .sc{color:#d14;}.highlight .sd{color:#d14;}.highlight .s2{color:#d14;}.highlight .se{color:#d14;}.highlight .sh{color:#d14;}.highlight .si{color:#d14;}.highlight .sx{color:#d14;}.highlight .sr{color:#009926;}.highlight .s1{color:#d14;}.highlight .ss{color:#990073;}.highlight .bp{color:#999;}.highlight .vc{color:#008080;}.highlight .vg{color:#008080;}.highlight .vi{color:#008080;}.highlight .il{color:#099;}.type-csharp .highlight .k{color:#00F;}.type-csharp .highlight .kt{color:#00F;}.type-csharp .highlight .nf{color:#000;font-weight:normal;}.type-csharp .highlight .nc{color:#2B91AF;}.type-csharp .highlight .nn{color:#000;}.type-csharp .highlight .s{color:#A31515;}.type-csharp .highlight .sc{color:#A31515;}#readme{padding:3px;background:#EEE;border-radius:3px;-moz-border-radius:3px;-webkit-border-radius:3px;}#readme span.name{font-size:16px;line-height:20px;font-weight:bold;padding:10px 10px;color:#555;text-shadow:0 1px 0 #fff;display:block;border:1px solid #CACACA;border-bottom:0 none;background-color:#fafafa;background:-moz-linear-gradient(#fafafa,#eaeaea);background:-ms-linear-gradient(#fafafa,#eaeaea);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#fafafa),color-stop(100%,#eaeaea));background:-webkit-linear-gradient(#fafafa,#eaeaea);background:-o-linear-gradient(#fafafa,#eaeaea);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#fafafa',endColorstr='#eaeaea')";background:linear-gradient(#fafafa,#eaeaea);}#readme span.name .icon{display:inline-block;vertical-align:baseline;height:16px;width:17px;margin-right:5px;margin-bottom:-2px;background-image:url('../../images/modules/wiki/readme-icon.png');background-repeat:no-repeat;background-position:0 0;}#readme .markdown-body,#readme .plain{background-color:#fff;border:1px solid #CACACA;padding:30px;}#readme .plain pre{font-size:17px;white-space:pre-wrap;}#files #readme{background-color:#fff;border:0 none;padding:20px;border-radius:0;-moz-border-radius:0;-webkit-border-radius:0;}#files #readme .markdown-body{border:0 none;padding:0;border-radius:0;-moz-border-radius:0;-webkit-border-radius:0;}#missing-readme{font:13.34px helvetica,arial,freesans,clean,sans-serif;text-align:center;background-color:#ffc;padding:.7em;border:1px solid #ccc;}#readme.rst .borderless,#readme.rst table.borderless td,#readme.rst table.borderless th{border:0;}#readme.rst table.borderless td,#readme.rst table.borderless th{padding:0 .5em 0 0!important;}#readme.rst .first{margin-top:0!important;}#readme.rst .last,#readme.rst .with-subtitle{margin-bottom:0!important;}#readme.rst .hidden{display:none;}#readme.rst a.toc-backref{text-decoration:none;color:black;}#readme.rst blockquote.epigraph{margin:2em 5em;}#readme.rst dl.docutils dd{margin-bottom:.5em;}#readme.rst div.abstract{margin:2em 5em;}#readme.rst div.abstract p.topic-title{font-weight:bold;text-align:center;}#readme.rst div.admonition,#readme.rst div.attention,#readme.rst div.caution,#readme.rst div.danger,#readme.rst div.error,#readme.rst div.hint,#readme.rst div.important,#readme.rst div.note,#readme.rst div.tip,#readme.rst div.warning{margin:2em;border:medium outset;padding:1em;}#readme.rst div.admonition p.admonition-title,#readme.rst div.hint p.admonition-title,#readme.rst div.important p.admonition-title,#readme.rst div.note p.admonition-title,#readme.rst div.tip p.admonition-title{font-weight:bold;font-family:sans-serif;}#readme.rst div.attention p.admonition-title,#readme.rst div.caution p.admonition-title,#readme.rst div.danger p.admonition-title,#readme.rst div.error p.admonition-title,#readme.rst div.warning p.admonition-title{color:red;font-weight:bold;font-family:sans-serif;}#readme.rst div.dedication{margin:2em 5em;text-align:center;font-style:italic;}#readme.rst div.dedication p.topic-title{font-weight:bold;font-style:normal;}#readme.rst div.figure{margin-left:2em;margin-right:2em;}#readme.rst div.footer,#readme.rst div.header{clear:both;font-size:smaller;}#readme.rst div.line-block{display:block;margin-top:1em;margin-bottom:1em;}#readme.rst div.line-block div.line-block{margin-top:0;margin-bottom:0;margin-left:1.5em;}#readme.rst div.sidebar{margin:0 0 .5em 1em;border:medium outset;padding:1em;background-color:#ffe;width:40%;float:right;clear:right;}#readme.rst div.sidebar p.rubric{font-family:sans-serif;font-size:medium;}#readme.rst div.system-messages{margin:5em;}#readme.rst div.system-messages h1{color:red;}#readme.rst div.system-message{border:medium outset;padding:1em;}#readme.rst div.system-message p.system-message-title{color:red;font-weight:bold;}#readme.rst div.topic{margin:2em;}#readme.rst h1.section-subtitle,#readme.rst h2.section-subtitle,#readme.rst h3.section-subtitle,#readme.rst h4.section-subtitle,#readme.rst h5.section-subtitle,#readme.rst h6.section-subtitle{margin-top:.4em;}#readme.rst h1.title{text-align:center;}#readme.rst h2.subtitle{text-align:center;}#readme.rst hr.docutils{width:75%;}#readme.rst img.align-left,#readme.rst .figure.align-left,#readme.rst object.align-left{clear:left;float:left;margin-right:1em;}#readme.rst img.align-right,#readme.rst .figure.align-right,#readme.rst object.align-right{clear:right;float:right;margin-left:1em;}#readme.rst img.align-center,#readme.rst .figure.align-center,#readme.rst object.align-center{display:block;margin-left:auto;margin-right:auto;}#readme.rst .align-left{text-align:left;}#readme.rst .align-center{clear:both;text-align:center;}#readme.rst .align-right{text-align:right;}#readme.rst div.align-right{text-align:left;}#readme.rst ol.simple,#readme.rst ul.simple{margin-bottom:1em;}#readme.rst ol.arabic{list-style:decimal;}#readme.rst ol.loweralpha{list-style:lower-alpha;}#readme.rst ol.upperalpha{list-style:upper-alpha;}#readme.rst ol.lowerroman{list-style:lower-roman;}#readme.rst ol.upperroman{list-style:upper-roman;}#readme.rst p.attribution{text-align:right;margin-left:50%;}#readme.rst p.caption{font-style:italic;}#readme.rst p.credits{font-style:italic;font-size:smaller;}#readme.rst p.label{white-space:nowrap;}#readme.rst p.rubric{font-weight:bold;font-size:larger;color:maroon;text-align:center;}#readme.rst p.sidebar-title{font-family:sans-serif;font-weight:bold;font-size:larger;}#readme.rst p.sidebar-subtitle{font-family:sans-serif;font-weight:bold;}#readme.rst p.topic-title{font-weight:bold;}#readme.rst pre.address{margin-bottom:0;margin-top:0;font:inherit;}#readme.rst pre.literal-block,#readme.rst pre.doctest-block{margin-left:2em;margin-right:2em;}#readme.rst span.classifier{font-family:sans-serif;font-style:oblique;}#readme.rst span.classifier-delimiter{font-family:sans-serif;font-weight:bold;}#readme.rst span.interpreted{font-family:sans-serif;}#readme.rst span.option{white-space:nowrap;}#readme.rst span.pre{white-space:pre;}#readme.rst span.problematic{color:red;}#readme.rst span.section-subtitle{font-size:80%;}#readme.rst table.citation{border-left:solid 1px gray;margin-left:1px;}#readme.rst table.docinfo{margin:2em 4em;}#readme.rst table.docutils{margin-top:.5em;margin-bottom:.5em;}#readme.rst table.footnote{border-left:solid 1px black;margin-left:1px;}#readme.rst table.docutils td,#readme.rst table.docutils th,#readme.rst table.docinfo td,#readme.rst table.docinfo th{padding-left:.5em;padding-right:.5em;vertical-align:top;}#readme.rst table.docutils th.field-name,#readme.rst table.docinfo th.docinfo-name{font-weight:bold;text-align:left;white-space:nowrap;padding-left:0;}#readme.rst h1 tt.docutils,#readme.rst h2 tt.docutils,#readme.rst h3 tt.docutils,#readme.rst h4 tt.docutils,#readme.rst h5 tt.docutils,#readme.rst h6 tt.docutils{font-size:100%;}#readme.rst ul.auto-toc{list-style-type:none;}#repos{margin-bottom:1em;}#repos h1{font-size:160%;}#repos h1 a{font-size:70%;font-weight:normal;}#repos .hint{font-style:italic;color:#888;margin:.3em 0;}#repos .repo{margin:1em 0;padding:.1em .5em .1em .5em;}#repos .public{border:1px solid #d8d8d8;background-color:#f0f0f0;}#repos .private{border:1px solid #f7ca75;background-color:#fffeeb;}#repos .repo .title{overflow:hidden;}#repos .repo .title .path{float:left;font-size:140%;}#repos .repo .title .path img{vertical-align:middle;}#repos .repo .title .path .button{margin-left:.25em;vertical-align:-12%;}#repos .repo .title .path span a{font-size:75%;font-weight:normal;}#repos .repo .title .security{float:right;text-align:right;font-weight:bold;padding-top:.5em;}#repos .repo .title .security *{vertical-align:middle;}#repos .repo .title .security img{position:relative;top:-1px;}#repos .repo .title .flexipill{float:right;padding-top:.3em;margin-right:.5em;}#repos .repo .title .flexipill a{color:black;}#repos .repo .title .flexipill .middle{background:url('../../images/modules/repos/pills/middle.png') 0 0 repeat-x;padding:0 0 0 .3em;}#repos .repo .title .flexipill .middle span{position:relative;top:.1em;font-size:95%;}#repos .repo .meta{margin:.2em 0 0 0;overflow:hidden;}#repos .repo .meta table{float:left;max-width:48em;}#repos .repo .meta table td *{vertical-align:middle;}#repos .repo .meta table td.label{color:#888;padding-right:.25em;vertical-align:bottom;}#repos .repo .meta table td span.editarea input{margin-top:.5em;margin-right:.5em;}#repos .repo .meta table td textarea{display:block;clear:right;}#repos .repo .meta table td.url{color:#4183c4;}#repos .repo .meta table td.blank{color:#bbb;}#repos .repo .diffs{margin-top:.5em;}#repos .repo .diffs .diff *{vertical-align:middle;}#repos .repo .diffs .diff img{position:relative;top:-1px;}.search-match{background:#fffccc;font-weight:bold;}#import_repo .import_step{border:1px solid #888;background:#fff;margin:15px 0;padding:15px;}#import_repo .failed_import{background:#fdd;}#import_repo h3{margin-bottom:.8em;}#import_repo ul{margin-bottom:2em;}#import_repo ul li{margin:0 0 .8em 1.5em;}#import_repo #authors-list{width:100%;}#import_repo #authors-list th{padding-left:.5em;}#import_repo #authors-list input{width:100%;}ul.repositories{margin:0;}ul.repositories+p.more{margin-top:20px;font-weight:bold;}ul.repositories>li{list-style-type:none;margin:0 0 10px 0;padding:8px 10px 0 10px;border:1px solid #ddd;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;overflow:hidden;}ul.repositories>li.public{background:url('../../images/icons/public.png') 6px 9px no-repeat;}ul.repositories>li.public.fork{background-image:url('../../images/icons/public-fork.png');}ul.repositories>li.private{background:url('../../images/icons/private.png') 6px 9px no-repeat;border:1px solid #F7CA75;}ul.repositories>li.private.fork{background:url('../../images/icons/private-fork.png') 6px 9px no-repeat;}ul.repositories>li.public.mirror{background-image:url('../../images/icons/public-mirror.png');}ul.repositories>li.simple{padding-bottom:8px;margin:0 0 3px 0;}ul.repositories li.simple .body{display:none;}ul.repositories .body{width:100%;margin-top:8px;margin-left:-10px;padding:5px 10px 5px 10px;border-top:1px solid #eee;background-color:#f1f1f1;background:#fafafa;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#fafafa',endColorstr='#efefef');background:-webkit-gradient(linear,left top,left bottom,from(#fafafa),to(#efefef));background:-moz-linear-gradient(top,#fafafa,#efefef);-webkit-border-bottom-right-radius:4px;-webkit-border-bottom-left-radius:4px;-moz-border-radius-bottomright:4px;-moz-border-radius-bottomleft:4px;border-bottom-right-radius:4px;border-bottom-left-radius:4px;}ul.repositories .private .body{background-color:#fffeeb;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#fffeeb',endColorstr='#fffee5');background:-webkit-gradient(linear,left top,left bottom,from(#fffeeb),to(#fffee5));background:-moz-linear-gradient(top,#fffeeb,#fffee5);}ul.repositories ul.repo-stats{position:relative;float:right;margin-right:-10px;border:none;font-size:11px;font-weight:bold;padding-left:15px;padding-right:10px;background:url('../../images/modules/pagehead/actions_fade.png') 0 0 no-repeat;z-index:5;}ul.repositories ul.repo-stats li{border:none;color:#666;}ul.repositories ul.repo-stats li a{color:#666!important;border:none;background-color:transparent;background-position:5px -2px;}ul.repositories h3{margin:0;padding-left:18px;font-size:14px;white-space:nowrap;}ul.repositories li.simple h3{display:inline-block;}ul.repositories .fork-flag{margin:0;padding-left:18px;font-size:11px;color:#777;white-space:nowrap;}ul.repositories p.description{margin:0 0 3px 0;font-size:12px;color:#444;}ul.repositories li.simple p.description{display:none;}ul.repositories p.updated-at{margin:0;font-size:11px;color:#888;}.participation-graph{width:100%;padding:5px 4px;margin-top:5px;margin-left:-5px;text-align:center;background:#fff;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;border:1px solid #e5e5e5;border-right-color:#eee;border-bottom-color:#eee;}.participation-graph.disabled{display:none;}.participation-graph .bars{position:relative;top:5px;}.big-search{margin:5px 0 15px 0;padding-bottom:10px;border-bottom:1px solid #ddd;text-align:center;}.big-search input.textfield{font-size:14px;padding:2px 5px;width:300px;}.options-group{background:#eee;border-radius:3px;margin:0 0 40px 0;padding:3px;overflow:hidden;}.options-content{background:#fff;border-radius:1px;border:1px solid #cacaca;}.options{padding:10px;}.options-content h3{font-size:14px;background:#ebeced;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#f6f8f8',endColorstr='#ebeced');background:-webkit-gradient(linear,left top,left bottom,from(#f6f8f8),to(#ebeced));background:-moz-linear-gradient(top,#f6f8f8,#ebeced);padding:10px;margin:0;text-shadow:0 1px 0 #fff;}.options-group.dangerzone h3{background:#ebeced;text-shadow:0 -1px 0 #900;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#f97171',endColorstr='#df3e3e');background:-webkit-gradient(linear,left top,left bottom,from(#f97171),to(#df3e3e));background:-moz-linear-gradient(top,#f97171,#df3e3e);color:#fff;}.options-group dl{margin:0;padding:0;}.options-group dt{margin:0 0 3px 0;}.options-group dt label{font-size:13px;}#toggle_visibility dt{float:left;margin:0 50px 0 0;}#toggle_visibility dd{float:left;}#toggle_visibility label{margin:0 20px 0 0;}#toggle_visibility label img{margin:-5px 0 0 0;}#change_default_branch{clear:left;}#change_default_branch dt{float:left;margin:0 30px 0 0;}#change_default_branch dd{float:left;}.dangerzone-module{padding:10px;}.dangerzone-module h4{color:#222;margin:0 0 3px 0;}.dangerzone-module p{margin:0 0 5px 0;}.addon{margin:0;padding:10px;}.rule.no-margin{margin:0;}.addon:hover{background:#e1eff8;}.addon input[type=checkbox]{float:left;margin:5px 0 0 0;}.addon h4{margin:0 0 2px 20px;font-size:13px;color:#222;}.addon p{margin:0 0 0 20px;color:#444;}.addon p+p{margin-top:1em;margin-bottom:0;}.addon .hfields{margin-left:2em;}.addon.loading .indicator{display:inline-block;margin-left:5px;width:16px;height:16px;background:url('../../images/modules/ajax/indicator.gif') 0 0 no-repeat;}.addon.success .indicator{display:inline-block;margin-left:5px;width:16px;height:16px;background:url('../../images/modules/ajax/success.png') 0 0 no-repeat;}.addon.error .indicator{display:inline-block;margin-left:5px;width:16px;height:16px;background:url('../../images/modules/ajax/error.png') 0 0 no-repeat;}ul.hook-list{margin:0 0 15px 0;border-top:1px solid #ddd;}ul.hook-list li{list-style-type:none;margin:0;padding:1px 0;font-size:12px;font-weight:bold;border-bottom:1px solid #ddd;}ul.hook-list li a{display:block;padding:3px 0 3px 5px;color:#999;text-decoration:none;background:url('../../images/modules/services/icons.png') 100% 0 no-repeat;}ul.hook-list li.enabled a{color:#000;}ul.hook-list li.enabled.inactive a{background-position:100% -100px;}ul.hook-list li.active a{background-position:100% -50px;}ul.hook-list li a.selected{color:#fff;background-color:#3d7cb9;}.metabox{position:relative;margin-bottom:10px;font-size:12px;color:#333;padding:10px;background:#fafafa;border:1px solid #ddd;border-top:1px solid #fff;-webkit-border-bottom-right-radius:3px;-webkit-border-bottom-left-radius:3px;-moz-border-radius-bottomright:3px;-moz-border-radius-bottomleft:3px;border-bottom-right-radius:3px;border-bottom-left-radius:3px;}.metabox p{margin:0;font-size:13px;}.metabox p+p{margin-top:10px;}.metabox em.placeholder{color:#666;}.metabox .repository-description p{font-weight:300;color:#666;}.metabox .repository-homepage{margin-top:3px;}.metabox .repository-homepage p{font-weight:bold;}.metabox .repo-desc-homepage .edit-button{opacity:0;position:absolute;top:10px;left:10px;-webkit-box-shadow:0 1px 2px rgba(0,0,0,0.1);-moz-box-shadow:0 1px 2px rgba(0,0,0,0.1);box-shadow:0 1px 2px rgba(0,0,0,0.1);-webkit-transition:opacity .1s linear;-moz-transition:opacity .1s linear;}.metabox:hover .repo-desc-homepage .edit-button{opacity:1.0;}.metabox p.error{margin:0 0 10px 0;font-size:12px;font-weight:bold;color:#c00;}.metabox .description-field{margin-top:3px;margin-bottom:5px;padding:4px 5px;width:98.5%;font-size:13px;color:#444;}.metabox .description-field-wrap label.placeholder{font-size:13px;top:8px;left:8px;}.metabox .homepage-field{padding:4px 5px;width:400px;font-size:12px;color:#444;font-weight:bold;}.metabox .homepage-field-wrap label.placeholder{top:5px;left:8px;}.metabox .save-button{float:right;margin-top:-20px;}.metabox p.cancel{margin:5px 0 0 0;font-size:11px;}.metabox p.none{margin:3px 0;font-size:13px;font-weight:300;font-style:italic;color:#999;}.metabox .editable-only{display:none;}.metabox #download_button,.metabox #download_button:visited{border:1px solid #d4d4d4;color:#666;display:block;float:right;font-size:15px;font-weight:bold;line-height:15px;margin-bottom:10px;padding:10px 15px 10px 16px;text-shadow:1px 1px 0 rgba(255,255,255,0.7);border-radius:5px;background:#ececec;background:-webkit-gradient(linear,center bottom,center top,from(#ececec),to(#f4f4f4));background:-moz-linear-gradient(90deg,#ececec,#f4f4f4);-moz-border-radius:5px;-moz-box-shadow:0 1px 0 #ececec;-webkit-box-shadow:0 1px 0 #ececec;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#f4f4f4',endColorstr='#ececec');}.has-downloads-no-desc #download_button,.has-downloads-no-desc #download_button:visited{margin-bottom:0;}.metabox #download_button .icon{background-image:url('../../images/icons/download.png');background-position:0 52%;background-repeat:no-repeat;line-height:15px;margin:0 4px 0 0;padding:0 0 0 20px;}.metabox #download_button:hover .icon,.metabox #download_button:active .icon{background-position:-21px 52%;}.metabox #download_button:hover{border:1px solid #2e63a5;color:#fff;text-decoration:none;text-shadow:0 -1px 0 #2e63a5;background:#3570b8;background:-webkit-gradient(linear,center bottom,center top,from(#3570b8),to(#5e9ae2));background:-moz-linear-gradient(90deg,#3570b8,#5e9ae2);filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#3570b8',endColorstr='#5e9ae2');}.metabox #download_button:active{border:1px solid #2e63a5;color:#fff;text-decoration:none;text-shadow:0 -1px 0 #2e63a5;background:-moz-linear-gradient(90deg,#558bcb,#336fb7);}ul.clone-urls{margin:0;}ul.clone-urls li{list-style-type:none;margin:5px 0 0 0;}ul.clone-urls em{font-style:normal;color:#666;}ul.clone-urls object{margin:0 0 -3px 3px;}.url-box{width:100%;margin-top:10px;margin-left:-10px;padding:10px 10px 0;border-top:1px solid #ddd;height:23px;}.no-desc.not-editable .url-box{margin-top:0;padding-top:0;border-top:0;}.wiki-git-access .url-box{margin-left:0;border:none;padding:0;}ul.native-clones{float:left;margin:0 10px 0 0;}.wiki-git-access ul.native-clones{display:none;}ul.native-clones li{margin:0;list-style-type:none;display:inline-block;margin-left:5px;}ul.native-clones li:first-child{margin-left:0;}ul.clone-urls{float:left;margin:0;height:23px;}ul.clone-urls li{list-style-type:none;float:left;margin:0;height:23px;padding:0;white-space:nowrap;border:none;overflow:visible;cursor:pointer;}ul.clone-urls li.selected{border-right-color:#bbb;}ul.clone-urls li:first-child a{-webkit-border-top-left-radius:3px;-webkit-border-bottom-left-radius:3px;-moz-border-radius-topleft:3px;-moz-border-radius-bottomleft:3px;border-top-left-radius:3px;border-bottom-left-radius:3px;border-left:1px solid #d4d4d4;}ul.clone-urls li>a{display:block;margin:0;height:21px;padding:0 9px 0 9px;font-size:11px;font-weight:bold;color:#333;text-shadow:1px 1px 0 #fff;text-decoration:none;line-height:21px;border:1px solid #d4d4d4;border-left:none;background:#f4f4f4;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#f4f4f4',endColorstr='#ececec');background:-webkit-gradient(linear,left top,left bottom,from(#f4f4f4),to(#ececec));background:-moz-linear-gradient(top,#f4f4f4,#ececec);}ul.clone-urls li>a:hover{color:#fff;text-decoration:none;text-shadow:-1px -1px 0 rgba(0,0,0,0.4);border-color:#518cc6;border-bottom-color:#2a65a0;background:#599bdc;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#599bdc',endColorstr='#3072b3');background:-webkit-gradient(linear,left top,left bottom,from(#599bdc),to(#3072b3));background:-moz-linear-gradient(top,#599bdc,#3072b3);}ul.clone-urls li.selected>a{color:#000;text-shadow:1px 1px 0 rgba(255,255,255,0.6);border-color:#c9c9c9;border-bottom-color:#9a9a9a;background:#d7d7d7;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#d7d7d7',endColorstr='#ababab');background:-webkit-gradient(linear,left top,left bottom,from(#d7d7d7),to(#ababab));background:-moz-linear-gradient(top,#d7d7d7,#ababab);}input.url-field{float:left;width:330px;padding:3px 5px 2px 5px;height:16px;border:1px solid #ccc;border-left:none;font-family:Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;font-size:11px;color:#666;}.url-box p{float:left;margin:0 0 0 5px;height:23px;line-height:23px;font-size:11px;color:#666;}.url-box p strong{color:#000;}.url-box .clippy-tooltip{float:left;margin:4px 0 0 5px;}ul.repo-stats{display:inline-block;*display:inline;margin:0;border:1px solid #ddd;-webkit-border-radius:3px;-moz-border-radius:3px;background:#fff;}ul.repo-stats li{list-style-type:none;display:inline-block;margin:0!important;}ul.repo-stats li a{display:inline-block;height:21px;padding:0 5px 0 23px;line-height:21px;color:#666;border-left:1px solid #ddd;background-repeat:no-repeat;background-position:5px -2px;}ul.repo-stats li:first-child a{border-left:none;margin-right:-3px;}ul.repo-stats li a:hover{color:#fff!important;background:#4183c4;text-decoration:none;background-repeat:no-repeat;background-position:5px -27px;}ul.repo-stats li:first-child a:hover{-webkit-border-top-left-radius:3px;-webkit-border-bottom-left-radius:3px;-moz-border-radius-topleft:3px;-moz-border-radius-bottomleft:3px;}ul.repo-stats li:last-child a:hover{-webkit-border-top-right-radius:3px;-webkit-border-bottom-right-radius:3px;-moz-border-radius-topright:3px;-moz-border-radius-bottomright:3px;}ul.repo-stats li.watchers a{background-image:url('../../images/modules/pagehead/repostat_watchers.png');}ul.repo-stats li.watchers.watching a{background-image:url('../../images/modules/pagehead/repostat_watchers-watching.png');color:#333;}ul.repo-stats li.forks a{background-image:url('../../images/modules/pagehead/repostat_forks.png');}ul.repo-stats li.forks.forked a{background-image:url('../../images/modules/pagehead/repostat_forks-forked.png');color:#333;}ul.repo-stats li.collaborators a{background-image:url('../../images/icons/collab.png');background-position:3px 3px!important;color:#333;margin-left:8px;}.highlight .gc{color:#999;background-color:#EAF2F5;}#errornew{margin-top:2em;text-align:center;}#errornew.standard h1{font-size:140%;margin-top:1em;}#errornew.standard p{margin:.75em 0;font-weight:bold;}#errornew.standard ul{margin:.75em 0;list-style-type:none;}#error{margin-top:2em;text-align:center;}#error h1{font-size:140%;margin-top:1em;}#error ul{padding-left:1em;}#error .status500,#error .status404{width:36em;margin:10px auto;text-align:left;}#error .status500 p,#error .status404 p{font-weight:bold;margin:10px 0;}#error .maintenance{text-align:center;}#error .maintenance p{text-align:center;font-weight:bold;}.standard_form{margin:3em auto 0 auto;background-color:#eaf2f5;padding:2em 2em 1em 2em;border:20px solid #ddd;}.standard_form .nothing-to-see-here{font-size:18px;font-weight:bold;color:#222;margin-top:0;}.standard_form pre{font-size:13px;}.standard_form h1{font-size:160%;margin-bottom:1em;}.standard_form h1 a{font-size:70%;font-weight:normal;}.standard_form h2{margin:0;}.standard_form p{margin:.5em 0;}.standard_form p.note{color:#a00;}.standard_form form{;}.standard_form form label,.standard_form form .label,label.standard{font-size:110%;color:#666;display:block;margin:0;margin-top:1em;}.standard_form form label a{font-size:90%;}.standard_form form label.error{color:#a00;}.standard_form form .label label{margin:0;color:black;font-size:95%;}.standard_form form .label span{font-size:90%;color:#888;}.standard_form form input.text,.standard_form form textarea{padding:5px;border:1px solid #888;}.standard_form form input.text{font-size:110%;}.standard_form form textarea{;}.standard_form form input.submit{font-size:120%;padding:.1em 1em;}input[type=text].error,.standard_form form label.error input.text,.standard_form form label.error textarea{border:1px solid #a00;background-color:#f2e1e1;}.login_form{margin:5em auto;}.login_form .formbody{padding:2em;background-color:#e9f1f4;overflow:hidden;border-style:solid;border-width:1px 1px 2px;border-color:#e9f1f4 #d8dee2 #d8dee2;border-radius:0 0 3px 3px;-moz-border-radius:0 0 3px 3px;-webkit-border-radius:0 0 3px 3px;}.login_form .nothing-to-see-here{font-size:18px;font-weight:bold;color:#222;margin-top:0;}.login_form pre{font-size:13px;}.login_form h1{color:#fff;font-size:16px;font-weight:bold;background-color:#405a6a;background:-moz-linear-gradient(center top,'#829AA8','#405A6A');filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#829aa8',endColorstr='#405a6a');background:-webkit-gradient(linear,left top,left bottom,from(#829aa8),to(#405a6a));background:-moz-linear-gradient(top,#829aa8,#405a6a);border:1px solid #677c89;border-bottom-color:#6b808d;border-radius:3px 3px 0 0;-moz-border-radius:3px 3px 0 0;-webkit-border-radius:3px 3px 0 0;text-shadow:0 -1px 0 rgba(0,0,0,0.7);margin:0;padding:8px 18px;}.login_form h1 a{font-size:70%;font-weight:normal;color:#E9F1F4;text-shadow:none;}.login_form h1 a:hover{;}.login_form p{color:#2f424e;font-size:12px;font-weight:normal;margin:0;text-shadow:0 -1px 0 rgba(100,100,100,0.1);}.login_form p.note{color:#a00;}.login_form ul{border-bottom:1px solid #d8dee2;padding:0 0 2em 0;margin:.2em 0 1.5em 0;}.login_form ul li{list-style-position:inside;font-weight:bold;color:#2f424e;font-size:12px;}.login_form form{;}.login_form form label,.login_form form .label,label.standard{font-size:110%;color:#2f424e;text-shadow:0 -1px 0 rgba(100,100,100,0.1);display:inline-block;cursor:text;}.login_form form label a{font-size:90%;}.login_form form label.error{color:#a00;}.login_form form .label label{margin:0;color:black;font-size:95%;}.login_form form .label span{font-size:90%;color:#888;}.login_form form input.text,.login_form form textarea{padding:5px;border:1px solid #d8dee2;margin:.2em 0 1em 0;}.login_form form input.text{font-size:110%;}.login_form form textarea{;}.login_form button{margin:0 8px 0 0;}.login_form form input[type=submit]{display:inline-block;height:34px;padding:0;position:relative;top:1px;margin-left:10px;font-family:helvetica,arial,freesans,clean,sans-serif;font-weight:bold;font-size:12px;color:#333;text-shadow:1px 1px 0 #fff;white-space:nowrap;border:none;overflow:visible;background:#ddd;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#ffffff',endColorstr='#e1e1e1');background:-webkit-gradient(linear,0% 0,0% 100%,from(#fff),to(#e1e1e1));background:-moz-linear-gradient(-90deg,#fff,#e1e1e1);border-bottom:1px solid #ebebeb;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;-webkit-box-shadow:0 1px 4px rgba(0,0,0,0.3);-moz-box-shadow:0 1px 4px rgba(0,0,0,0.3);box-shadow:0 1px 4px rgba(0,0,0,0.3);cursor:pointer;margin-left:1px;padding:0 13px;-webkit-font-smoothing:subpixel-antialiased!important;}.login_form form input[type=submit]:hover{color:#fff;text-shadow:-1px -1px 0 rgba(0,0,0,0.3);border-bottom-color:#0770a0;background:#0770a0;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#0ca6dd',endColorstr='#0770a0');background:-webkit-gradient(linear,0% 0,0% 100%,from(#0ca6dd),to(#0770a0));background:-moz-linear-gradient(-90deg,#0ca6dd,#0770a0);}.login_form form .error_box,.login_form form .notification{margin-bottom:1em;}input[type=text].error,.login_form form label.error input.text,.login_form form label.error textarea{border:1px solid #a00;background-color:#f2e1e1;}.login_form form p.hint{margin:-1em 0 1em 0;color:gray;}.forgot_password_form{margin:5em auto;}.forgot_password_form .formbody{padding:2em;background-color:#e9f1f4;overflow:hidden;border-style:solid;border-width:1px 1px 2px;border-color:#e9f1f4 #d8dee2 #d8dee2;border-radius:0 0 3px 3px;-moz-border-radius:0 0 3px 3px;-webkit-border-radius:0 0 3px 3px;}.forgot_password_form .nothing-to-see-here{font-size:18px;font-weight:bold;color:#222;margin-top:0;}.forgot_password_form pre{font-size:13px;}.forgot_password_form h1{color:#fff;font-size:16px;font-weight:bold;background-color:#405a6a;background:-moz-linear-gradient(center top,'#829AA8','#405A6A');filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#829aa8',endColorstr='#405a6a');background:-webkit-gradient(linear,left top,left bottom,from(#829aa8),to(#405a6a));background:-moz-linear-gradient(top,#829aa8,#405a6a);border:1px solid #677c89;border-bottom-color:#6b808d;border-radius:3px 3px 0 0;-moz-border-radius:3px 3px 0 0;-webkit-border-radius:3px 3px 0 0;text-shadow:0 -1px 0 rgba(0,0,0,0.7);margin:0;padding:8px 18px;}.forgot_password_form h1 a{font-size:70%;font-weight:normal;color:#E9F1F4;text-shadow:none;}.forgot_password_form h1 a:hover{;}.forgot_password_form p{color:#2f424e;font-size:12px;font-weight:normal;margin:0;text-shadow:0 -1px 0 rgba(100,100,100,0.1);}.forgot_password_form p.note{color:#a00;}.forgot_password_form ul{border-bottom:1px solid #d8dee2;padding:0 0 2em 0;margin:.2em 0 1.5em 0;}.forgot_password_form ul li{list-style-position:inside;font-weight:bold;color:#2f424e;font-size:12px;}.forgot_password_form form{;}.forgot_password_form form label,.forgot_password_form form .label,label.standard{font-size:110%;color:#2f424e;text-shadow:0 -1px 0 rgba(100,100,100,0.1);display:inline-block;cursor:text;}.forgot_password_form form label a{font-size:90%;}.forgot_password_form form label.error{color:#a00;}.forgot_password_form form .label label{margin:0;color:black;font-size:95%;}.forgot_password_form form .label span{font-size:90%;color:#888;}.forgot_password_form form input.text,.forgot_password_form form textarea{padding:5px;border:1px solid #d8dee2;margin:.2em 0 1em 0;}.forgot_password_form form input.text{font-size:110%;}.forgot_password_form form textarea{;}.forgot_password_form button{margin:0 8px 0 0;}.forgot_password_form form input[type=submit]{display:inline-block;height:34px;padding:0;position:relative;top:1px;margin-left:10px;font-family:helvetica,arial,freesans,clean,sans-serif;font-weight:bold;font-size:12px;color:#333;text-shadow:1px 1px 0 #fff;white-space:nowrap;border:none;overflow:visible;background:#ddd;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#ffffff',endColorstr='#e1e1e1');background:-webkit-gradient(linear,0% 0,0% 100%,from(#fff),to(#e1e1e1));background:-moz-linear-gradient(-90deg,#fff,#e1e1e1);border-bottom:1px solid #ebebeb;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;-webkit-box-shadow:0 1px 4px rgba(0,0,0,0.3);-moz-box-shadow:0 1px 4px rgba(0,0,0,0.3);box-shadow:0 1px 4px rgba(0,0,0,0.3);cursor:pointer;margin-left:1px;padding:0 13px;-webkit-font-smoothing:subpixel-antialiased!important;}.forgot_password_form form input[type=submit]:hover{color:#fff;text-shadow:-1px -1px 0 rgba(0,0,0,0.3);border-bottom-color:#0770a0;background:#0770a0;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#0ca6dd',endColorstr='#0770a0');background:-webkit-gradient(linear,0% 0,0% 100%,from(#0ca6dd),to(#0770a0));background:-moz-linear-gradient(-90deg,#0ca6dd,#0770a0);}.forgot_password_form form .error_box,.forgot_password_form form .notification{margin-bottom:1em;}input[type=text].error,.forgot_password_form form label.error input.text,.forgot_password_form form label.error textarea{border:1px solid #a00;background-color:#f2e1e1;}#password_sent_confirmation{background:url('../../images/modules/account/password-sent-success.png') #fff no-repeat center left;margin:90px 0 100px 120px;padding:15px 0 10px 70px;}#password_sent_confirmation p{width:600px;font-size:16px;}.oauth_form{margin:5em auto;}.oauth_form .formbody{padding:2em;background-color:#e9f1f4;overflow:hidden;border-style:solid;border-width:1px 1px 2px;border-color:#e9f1f4 #d8dee2 #d8dee2;border-radius:0 0 3px 3px;-moz-border-radius:0 0 3px 3px;-webkit-border-radius:0 0 3px 3px;}.oauth_form .nothing-to-see-here{font-size:18px;font-weight:bold;color:#222;margin-top:0;}.oauth_form pre{font-size:13px;}.oauth_form h1{color:#fff;font-size:16px;font-weight:bold;background-color:#405a6a;background:-moz-linear-gradient(center top,'#829AA8','#405A6A');filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#829aa8',endColorstr='#405a6a');background:-webkit-gradient(linear,left top,left bottom,from(#829aa8),to(#405a6a));background:-moz-linear-gradient(top,#829aa8,#405a6a);border:1px solid #677c89;border-bottom-color:#6b808d;border-radius:3px 3px 0 0;-moz-border-radius:3px 3px 0 0;-webkit-border-radius:3px 3px 0 0;text-shadow:0 -1px 0 rgba(0,0,0,0.7);margin:0;padding:8px 18px;}.oauth_form h1 a{font-size:70%;font-weight:normal;}.oauth_form h2{color:#2f424e;font-size:18px;font-weight:normal;margin:0 0 .5em;text-shadow:0 -1px 0 rgba(100,100,100,0.1);}.oauth_form p{color:#2f424e;font-size:12px;font-weight:normal;margin:0;text-shadow:0 -1px 0 rgba(100,100,100,0.1);}.oauth_form p.note{color:#a00;}.oauth_form ul{border-bottom:1px solid #d8dee2;padding:0 0 2em 0;margin:.2em 0 1.5em 0;}.oauth_form ul li{list-style-position:inside;font-weight:bold;color:#2f424e;font-size:12px;}.oauth_form form{;}.oauth_form form label,.oauth_form form .label,label.standard{font-size:110%;color:#666;display:block;margin:0;margin-top:1em;}.oauth_form form label a{font-size:90%;}.oauth_form form label.error{color:#a00;}.oauth_form form .label label{margin:0;color:black;font-size:95%;}.oauth_form form .label span{font-size:90%;color:#888;}.oauth_form form input.text,.oauth_form form textarea{padding:5px;border:1px solid #888;}.oauth_form form input.text{font-size:110%;}.oauth_form form textarea{;}.oauth_form button{margin:0 8px 0 0;}.oauth_form form input.submit{font-size:120%;padding:.1em 1em;}input[type=text].error,.oauth_form form label.error input.text,.oauth_form form label.error textarea{border:1px solid #a00;background-color:#f2e1e1;}.page_form th,.page_form td{padding:5px;}.page_form th{padding-right:10px;text-align:right;}.page_form td textarea{width:400px;height:70px;}#login{width:31em;}#forgot_password{width:31em;}#all_commit_comments .comment .body img{max-width:67.5em;}#path,.breadcrumb{margin:5px 0 5px 0;font-size:20px;}#toc{font-family:Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;font-size:90%;}table#toc{border-top:1px solid #ddd;border-spacing:0;padding:0;margin:10px 0;width:100%;}#toc td{padding:.4em 5px .4em 5px;border-bottom:1px solid #ddd;}#toc td.status{width:20px;padding-left:0;}#toc td.status .stat-icon{display:block;width:20px;height:19px;text-indent:-9999px;background:url('../../images/modules/commit/file_modes.png') 0 0 no-repeat;}#toc td.modified .stat-icon{background-position:0 -50px;}#toc td.added .stat-icon{background-position:0 0;}#toc td.removed .stat-icon{background-position:0 -100px;}#toc td.renamed .stat-icon{background-position:0 -150px;}#toc .diffstat{padding-right:0;width:1%;}#toc .diffstat{white-space:nowrap;text-align:right;}#toc .diffstat a{text-decoration:none;padding-right:15px;background:url('../../images/modules/commit/jump.png') 100% 5px no-repeat;}#toc .diffstat a:hover{background-position:100% -45px;}#toc .diffstat-summary{font-family:helvetica,arial,freesans,clean,sans-serif;text-align:right;color:#666;font-weight:bold;font-size:11px;}#toc .diffstat-bar{display:inline-block;width:50px;height:9px;text-decoration:none;text-align:left;background:url('../../images/modules/commit/diffstat.png') 0 -100px repeat-x;}#toc .diffstat .plus{float:left;display:block;width:10px;height:9px;text-indent:-9999px;background:url('../../images/modules/commit/diffstat.png') 0 0 repeat-x;}#toc .diffstat .minus{float:left;width:10px;height:9px;text-indent:-9999px;background:url('../../images/modules/commit/diffstat.png') 0 -50px repeat-x;}#entice{background-color:#f0fff0;border:1px solid #accbac;display:block;margin:2px 0 15px;overflow:hidden;padding:20px;border-radius:5px;-moz-border-radius:5px;-webkit-border-radius:5px;-moz-box-shadow:0 1px 3px #ddd;-webkit-box-shadow:0 1px 3px #ddd;}#entice h2{color:#333;font-size:20px;font-weight:normal;line-height:normal;margin:0;padding:0;text-shadow:0 1px 0 #fff;}#entice h2 strong{line-height:normal;}#entice .explanation{float:left;width:550px;}#entice .explanation p{margin-bottom:0;text-shadow:0 1px 0 #fff;}#entice .signup{float:right;}#entice .signup #entice-signup-button,#entice .signup #entice-signup-button:visited{border:1px solid #3e9533;border-bottom-color:#3e9533;color:#fff;display:block;font-size:20px;font-weight:bold;line-height:15px;margin:0 0 8px;padding:26px 30px 24px;text-decoration:none;text-shadow:-1px -1px 0 rgba(0,0,0,0.3);border-radius:5px;-moz-border-radius:5px;-moz-box-shadow:0 0 1px #ddd;-webkit-box-shadow:0 0 1px #ddd;background:#3e9533;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#419b36',endColorstr='#357f2c');background:-webkit-gradient(linear,0% 0,0% 100%,from(#419b36),to(#357f2c));background:-moz-linear-gradient(-90deg,#419b36,#357f2c);border-bottom-color:#3e9533;}#entice .signup #entice-signup-button:hover{border:1px solid #2e63a5;color:#fff;text-decoration:none;text-shadow:0 -1px 0 #2e63a5;background:#3570b8;background:-webkit-gradient(linear,center bottom,center top,from(#3570b8),to(#5e9ae2));background:-moz-linear-gradient(90deg,#3570b8,#5e9ae2);filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#3570b8',endColorstr='#5e9ae2');}#entice #oss-caption{color:#666;font-size:10px;font-weight:bold;line-height:normal;margin:0;padding:0;text-align:center;text-shadow:0 1px 0 #fff;text-transform:uppercase;}.blame{background-color:#f8f8f8!important;}.blame table tr td{padding:.2em .5em;}.blame .commit-date{color:#888;}.blame table tr.section-first td{border-top:1px solid #ccc;}.blame .line-number{background-color:#ececec;color:#aaa;padding:0 .5em;text-align:right;border-left:1px solid #ddd;border-right:1px solid #ddd;}.blame .line-data{background-color:#f8f8ff;white-space:pre;}.blame .commitinfo code{font-size:12px;}.blame .commitinfo .date{color:#666;display:block;float:left;padding-right:5px;}.blame .commitinfo .message{display:block;width:210px;overflow:hidden;text-overflow:ellipsis;white-space:nowrap;float:right;}.editbox{border-left:1px solid #ccc;border-top:1px solid #ccc;border-right:1px solid #ccc;background-color:#f8f8ff;margin-top:1.5em;}.editbox .hint{font-style:italic;color:#888;margin:.3em 0;padding-top:.5em;border-top:1px solid #ccc;}.editbox textarea{border:1px solid #888;padding:4px;}.editbox input.text{border:1px solid #888;padding:4px;}.editbox .fail{color:#a00;}.editbox .succeed{color:#0a0;}.editbox h1{padding:.5em;border-bottom:1px solid #ccc;background-color:#eee;font-size:100%;overflow:hidden;}.editbox h1 strong{float:left;}.editbox .body{padding:0 .5em;border-bottom:1px solid #ccc;}.editbox .body p{margin:.5em 0;}.editbox .body ul{margin:.5em;list-style-type:none;}#facebox .key_editing{;}#facebox .key_editing textarea{width:32.5em;height:10em;}#facebox .key_editing .object_error{color:#a00;margin:0 1em 1em 1em;border:1px solid #a00;background-color:#f2e1e1;padding:.5em;}#receipts{;}#receipts table{width:100%;border-left:1px solid #ccc;border-top:1px solid #ccc;border-right:1px solid #ccc;}#receipts table th{padding:.4em;border-bottom:1px solid #ccc;color:#333;background-color:#eee;}#receipts table td{padding:.4em;border-bottom:1px solid #ccc;}#receipts table tr.success td{background-color:#EFFFED;}#receipts table tr.failure td{background-color:#FFEDED;}#receipts table td.empty{color:#a00;font-weight:bold;text-align:center;}#receipts table td.date{color:#888;}#receipts table tr.success td.amount{color:#0a0;font-weight:bold;}#receipts table tr.failure td.amount{color:#a00;font-weight:bold;}#watchers{margin:15px 0;border-top:1px solid #ddd;}#watchers li{border-bottom:1px solid #ddd;}ul.members{list-style:none;}.members li{position:relative;font-size:14px;margin:0;padding:5px 0;height:24px;line-height:24px;font-weight:bold;}.members li em{font-style:normal;color:#999;}.members li a.follow,.members li a.unfollow{position:absolute;top:5px;right:0;}.members li .gravatar{border:1px solid #ddd;padding:1px;background-color:white;float:left;margin-right:10px;}#directory{;}#directory.compact{width:50em;}#directory .news{width:100%;}#directory h1{border-bottom:1px solid #aaa;margin-bottom:.5em;}#directory .news h1{border-bottom:none;margin-bottom:0;}#directory .repo{width:100%;}#directory .repo .gravatar{width:50px;}#directory .repo .gravatar img{border:1px solid #d0d0d0;padding:1px;background-color:white;}#directory .repo .title{font-size:140%;}#directory .repo .owner,#directory .repo .date{text-align:center;}#directory .repo .graph{width:426px;vertical-align:top;padding-top:.2em;text-align:right;border:none;}#directory .repo .desc{;}#directory .repo .sep{font-size:50%;}#directory .repo .border{border-bottom:1px solid #ddd;}#network{;}#network h2{margin-bottom:.25em;}#network p{font-size:120%;margin:1em 0;}#network .repo{font-size:140%;}#network .repo img{vertical-align:middle;}#network .repo img.gravatar{padding-right:4px;padding:1px;border:1px solid #ccc;background-color:white;}#network .repo span{background-color:#FFF6A9;}#network .repo a.commit{color:#888;font-size:80%;line-height:1em;}#network .help_actions{margin-left:5px;}#network .help_actions a{font-size:12px;}#network .network-help .show-help,#network .network-help.open .hide-help{display:block;}#network .network-help .hide-help,#network .network-help.open .show-help{display:none;}#network .network-help #help{display:none;}#network .network-help.open #help{display:block;}#network #help pre{font-size:80%;line-height:1.2em;margin-bottom:1.5em;border:1px solid black;color:#eee;background-color:#222;padding:1em;}#network .notice{border:1px solid #EFCF00;background-color:#FFFAD6;padding:.5em;color:#837200;text-align:center;}#network .explain{color:#666;font-size:13px;font-style:italic;margin:-5px 0 20px 2px;}#network .explain b{color:#333;font-weight:normal;}#network .graph-date{text-align:right;margin:-30px 4px 5px 0;color:#555;font-size:12px;}#network .graph-date abbr{font-style:normal;color:#444;}.facebox{;}.facebox p{margin:.5em 0;}.facebox b{background-color:#FFF6A9;}.facebox ul{margin-left:1em;}.facebox ol{margin-left:1.5em;}#pull_request{;}#pull_request ul{list-style-type:none;}#pull_request label.repo span.name{font-size:160%;}#pull_request label.repo span span.sha{color:#aaa;}#pull_request .label label{display:inline;margin:0;font-size:100%;font-weight:bold;}#pull_request .label div{margin:.2em;}#pull_request .recipients{max-height:200px;overflow:auto;}.blog-comments .comment-form{margin-top:0;}#posts{overflow:hidden;}#posts .list{float:left;width:41em;}#posts li.post{list-style-type:none;margin-bottom:2em;}#posts h2{margin:0;font-size:190%;}#posts h3{margin:1em 0 .5em 0;}#posts .meta{;}#posts .meta .who_when{font-size:130%;}#posts .meta .who_when img,img.who_when{vertical-align:middle;padding:1px;border:1px solid #ccc;position:relative;top:-1px;}#posts .meta .who_when .author a{color:#94bfea;font-weight:bold;}#posts .meta .who_when .published a,#posts .meta .who_when .published{color:#ccc;}#posts .meta .who_when .status{color:#a00;}#posts .meta .respond{margin:.3em 0;padding-left:25px;background:transparent url('../../images/modules/posts/bubble.png') 0 50% no-repeat;font-size:110%;}#posts .meta .respond a{color:#cbb698;}#posts .entry-content{font-size:110%;margin-top:1em;}#posts .entry-content blockquote{padding-left:1em;color:#666;}#posts .entry-content p{margin:1em 0;}#posts .entry-content pre{background-color:#f8f8f8;border:1px solid #ddd;font-size:90%;padding:.5em;}#posts .entry-content pre code{background-color:#f8f8f8;font-size:95%;}#posts .entry-content code{font-size:90%;background-color:#ddd;padding:0 .2em;}#posts .entry-content img{margin:1em 0;padding:.3em;border:1px solid #ddd;max-width:540px;}#posts .entry-content img.emoji{margin:0;padding:0;border:0;}#posts .entry-content p img{margin:0;}#posts .entry-content ul{margin-left:1.25em;}#posts .entry-content ol{margin-left:2em;}#posts .entry-content ul li{margin:.5em 0;}#posts .comments .comment .body img{max-width:39em;}#posts .sidebar{float:right;width:26em;}#posts .sidebar .rss{text-align:center;}#posts .sidebar .others{border-top:2px solid #eee;margin-top:.75em;padding-top:.75em;}#posts .sidebar .others h3{margin-top:.25em;}#posts .sidebar .others ul{list-style-type:none;}#posts .sidebar .others li{padding:.5em 0;}#posts .sidebar .others li a{font-size:140%;line-height:1em;}#posts .sidebar .others .meta{color:#888;}#posts #rss{overflow:hidden;background:#e9f2f5;text-align:left;padding:10px;border-radius:5px;border:1px solid #d9e4e8;}#posts #rss h3{padding:0;margin:0;font-size:13px;}#rss p{margin:0;padding:0;}#rss img{float:right;margin:0 0 0 20px;}#new_comment{;}#new_comment textarea{height:10em;}#posts pre{margin:1em 0;font-size:12px;background-color:#f8f8ff;border:1px solid #dedede;padding:.5em;line-height:1.5em;color:#444;overflow:auto;}#posts pre code{padding:0;font-size:12px;background-color:#f8f8ff;border:none;}#posts code{font-size:12px;background-color:#f8f8ff;color:#444;padding:0 .2em;border:1px solid #dedede;}.commentstyle{border:2px solid #e4e4e4;border-bottom:none;background-color:#f5f5f5;overflow:hidden;}.commentstyle .previewed .comment{background-color:#FFFED6;}.commentstyle .comment{border-bottom:2px solid #e4e4e4;padding:.5em;}.commentstyle .comment .meta{margin-bottom:.4em;}.commentstyle .comment .meta .gravatar{padding:1px;border:1px solid #ccc!important;vertical-align:middle;}.commentstyle .comment .meta span{vertical-align:middle;color:#aaa;}.commentstyle .comment .meta .date{font-style:italic;color:#555;}.commentstyle .comment .body{padding:0 0 0 .2em;}.commentstyle form{padding:.5em;}.commentstyle form textarea{height:5em;width:100%;margin-bottom:.5em;}.commentstyle form .status{color:#a00;font-weight:bold;}.commentstyle form .actions{overflow:hidden;}.commentstyle form .actions .submits{float:left;}.commentstyle form .actions .formatting{float:right;font-size:90%;color:#666;}.pagination{padding:.3em;margin:.3em;}.pagination a{padding:.1em .3em;margin:.2em;border:1px solid #aad;text-decoration:none;color:#369;}.pagination a:hover,.pagination a:active{border:1px solid #369;color:#000;}.pagination span.current{padding:.1em .3em;margin:.2em;border:1px solid #369;font-weight:bold;background-color:#369;color:#FFF;}.pagination span.disabled{padding:.1em .3em;margin:.2em;border:1px solid #eee;color:#ddd;}.ajax_paginate{;}.ajax_paginate a{padding:.5em;width:100%;text-align:center;display:block;}.ajax_paginate.loading a{background:url('../../images/modules/ajax/indicator.gif') no-repeat center center;text-indent:-3000px;}#archives{;}#archives h2{color:#666;margin-bottom:15px;padding-bottom:5px;}#archives h2 span.owner{color:#000;}#archives h4{border-bottom:1px solid #ddd;color:#666;font-size:10px;margin-bottom:7px;padding-bottom:0;text-shadow:0 -1px 0 #fff;text-transform:uppercase;}#archives .source-downloads{margin-bottom:20px;}#archives .source-downloads .minibutton{margin-right:5px;}#archives .source-downloads .current-branch{font-size:10px;font-weight:bold;display:inline-block;margin:0 5px 0 0;}#archives .source-downloads .current-branch code{font-size:10px;font-weight:normal;}#archives .other-downloads h4{margin-bottom:0;}#archives .other-downloads ul{list-style-type:none;margin:0;}#archives .other-downloads ul li{border-bottom:1px solid #ddd;margin:0;padding:6px 10px 5px;}#archives .other-downloads ul li.featured{font-weight:bold;}#archives .other-downloads ul li.tagged-download{background-image:url('../../images/icons/tag.png');background-position:10px 5px;background-repeat:no-repeat;padding-left:33px;}#archives .wait{padding:2em 0 3em 0;}#archives .wait h2,#archives .wait p{text-align:center;}#privacy_terms{;}#privacy_terms h1{margin-bottom:.3em;}#privacy_terms h2{margin-top:1em;}#privacy_terms ul,#privacy_terms ol{margin-left:1.4em;}#privacy_terms p{margin-bottom:1em;}#languages .popular{background-color:#fdfdfd;overflow:hidden;margin:15px 0;}#languages .popular h3{font-size:105%;color:#aaa;margin-bottom:.5em;}#languages .popular .site .left img{border:1px solid #d0d0d0;padding:1px;background-color:white;margin-right:.1em;position:absolute;top:.25em;left:0;}#languages .popular a{color:black;}#languages .popular ul{list-style-type:none;}#languages .popular ul li{line-height:1.6em!important;font-size:125%;color:#888;padding-left:1.6em;position:relative;}#languages .popular ul li a.repo{font-weight:bold;}#languages .popular .left{margin-left:14em;float:left;width:27em;}#languages .popular.compact .left{margin-left:0;float:left;width:25em;padding-bottom:2em;}#languages .popular.compact .left.row{clear:left;}#languages .all_languages{padding-right:3em;text-align:right;}#languages a.bar{display:block;color:#fff;text-decoration:none;padding:3px;background-color:#4183C4;min-width:20px;border-top-right-radius:4px;border-bottom-right-radius:4px;-moz-border-radius-topright:4px;-moz-border-radius-bottomright:4px;-webkit-border-top-right-radius:8px;-webkit-border-bottom-right-radius:8px;}#tip-box{color:#333;font-size:2.5em;font-weight:bold;padding:25px 25px;}#tip-box #octocat-says{font-style:italic;color:#999;font-size:16px;}#tip-box #next{font-size:12px;}#tip-box p{margin:0;padding:0;}.ac_results{-moz-border-radius:8px;-webkit-border-radius:8px;border-radius:8px;padding:3px;}.ac_results ul li:first-child{-moz-border-radius-topright:8px;-moz-border-radius-topleft:8px;-webkit-border-top-right-radius:8px;-webkit-border-top-left-radius:8px;border-top-right-radius:8px;border-top-left-radius:8px;}.ac_results ul li:last-child{-moz-border-radius-bottomright:8px;-moz-border-radius-bottomleft:8px;-webkit-border-bottom-right-radius:8px;-webkit-border-bottom-left-radius:8px;border-bottom-right-radius:8px;border-bottom-left-radius:8px;}.ac_results img{padding:1px;background-color:white;border:1px solid #ccc;vertical-align:middle;}.error-notice{margin:15px 0;text-align:center;font-size:14px;font-weight:bold;color:#900;}.error-notice span{padding-left:30px;background:url('../../images/icons/error_notice.png') 0 50% no-repeat;}.entice{opacity:.5;}.clippy-tooltip{display:inline-block;}#files{position:relative;}#files .add-bubble{position:absolute;left:0;width:30px;height:14px;margin-left:-31px;margin-top:3px;background:url('../../images/modules/comments/add_bubble.png') 0 0 no-repeat #fff;cursor:pointer;opacity:0;filter:alpha(opacity=0);-webkit-transition:opacity .1s linear;}#files tr:hover .add-bubble{opacity:1.0;filter:alpha(opacity=100);}#files.commentable tr:hover td,#files.commentable tr:hover td .gd,#files.commentable tr:hover td .gi,#files.commentable tr:hover td .gc{background-color:#ffc;}#files.commentable tr:hover td.line_numbers a,#files.commentable tr:hover td.line_numbers span{color:#555!important;}table.padded{font-size:1.3em;}table.padded tr th{background:#eee;text-align:right;padding:8px 15px;}table.padded tr td{text-align:left;padding:8px;}.page-notice{margin:15px auto;width:400px;padding:20px;color:#333;font-size:14px;background:#fffeeb;border:1px solid #ddd;-webkit-border-radius:5px;-moz-border-radius:5px;border-radius:5px;}.page-notice h2{margin:0;font-size:16px;color:#000;}.page-notice p:last-child{margin-bottom:0;}.ac-accept{background:#DDFFDA url('../../images/icons/accept.png') 100% 50% no-repeat;}.repo-stats,.user-stats{display:inline-block;margin:0;border:1px solid #ddd;-webkit-border-radius:3px;-moz-border-radius:3px;background:#fff;}.repo-stats li,.user-stats li{list-style-type:none;display:inline-block;margin:0!important;}ul.repo-stats li a,.user-stats li a{display:inline-block;height:21px;padding:0 5px 0 23px;line-height:21px;color:#666;border-left:1px solid #ddd;background-repeat:no-repeat;background-position:5px -2px;}ul.repo-stats li:first-child a,ul.user-stats li:first-child a{border-left:none;margin-right:-3px;}ul.repo-stats li a:hover,ul.user-stats li a:hover{color:#fff!important;background:#4183c4;text-decoration:none;background-repeat:no-repeat;background-position:5px -27px;}ul.repo-stats li:first-child a:hover,ul.user-stats li a:hover{-webkit-border-top-left-radius:3px;-webkit-border-bottom-left-radius:3px;-moz-border-radius-topleft:3px;-moz-border-radius-bottomleft:3px;}ul.repo-stats li:last-child a:hover,ul.user-stats li:last-child a:hover{-webkit-border-top-right-radius:3px;-webkit-border-bottom-right-radius:3px;-moz-border-radius-topright:3px;-moz-border-radius-bottomright:3px;}ul.repo-stats li.watchers a,ul.user-stats li.watchers a{background-image:url('../../images/modules/pagehead/repostat_watchers.png');}ul.repo-stats li.watchers.watching a{background-image:url('../../images/modules/pagehead/repostat_watchers-watching.png');color:#333;}ul.repo-stats li.forks a{background-image:url('../../images/modules/pagehead/repostat_forks.png');}ul.repo-stats li.forks.forked a{background-image:url('../../images/modules/pagehead/repostat_forks-forked.png');color:#333;}ul.repo-stats li.collaborators a{background-image:url('../../images/icons/collab.png');background-position:3px 3px!important;color:#333;margin-left:8px;}ul.repo-stats li.updated a{background-image:url('../../images/modules/search/time-stamp.png');background-position:6px 5px;}#search-box{margin:0 0 20px 0;}#search-box input{float:left;padding:10px 15px;width:580px;border-top:2px solid #ccc;border-left:1px solid #ccc;border-right:1px solid #ccc;border-bottom:1px solid #ccc;font-size:14px;font-family:"Helvetica Neue","Helvetica",Arial,sans-serif;margin:0;box-shadow:inset 0 1px 5px #ddd;}.connected{height:39px;padding:0;margin:-1px 0 0 0;position:relative;top:1px;font-family:helvetica,arial,freesans,clean,sans-serif;font-weight:bold;font-size:12px;color:#333;text-shadow:1px 1px 0 #fff;white-space:nowrap;border:none;overflow:visible;background:#ddd;filter:progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#ffffff',endColorstr='#e1e1e1');background:-webkit-gradient(linear,0% 0,0% 100%,from(#fff),to(#e1e1e1));background:-moz-linear-gradient(-90deg,#fff,#e1e1e1);border-bottom:1px solid #ebebeb;-webkit-border-radius:4px;-moz-border-radius:4px;-webkit-border-top-left-radius:0;-webkit-border-bottom-left-radius:0;border:1px solid #ccc;cursor:pointer;-webkit-font-smoothing:subpixel-antialiased!important;}.connected span{display:block;line-height:37px;padding:0 20px;}#search .main{border-left:1px solid #ddd;padding-left:20px;margin-left:0;float:right;width:700px;}#search .pagination{text-align:right;}#search-results{clear:both;}#search-results>li{list-style:none;display:block;padding:15px 0;margin:0;border-bottom:1px solid #ddd;position:relative;}#search-results>li:last-child{border-bottom:none;}#search-results h3{margin:0 0 5px 0;font-family:"Helvetica-Light";font-weight:normal;}#search-results h3 a strong{font-weight:bold;}#search-results .description{clear:both;font-size:12px;}#search-results .repository .icon{width:25px;height:25px;position:absolute;top:15px;margin:0 0 0 -45px;background:0 -29px no-repeat;}#search-results .repository h3{float:left;}#search-results .repo-stats{float:right;}#search-results p.description{color:#000;}#search-results .vcard dl dt{width:85px;}#search-results .user h3{float:left;}#search-results .user .description{clear:none;margin:0;}#search-results .user-stats{float:right;}#search-results .user-stats .followers a{background-image:url('../../images/modules/pagehead/repostat_watchers.png');}#search-results .user img{clear:left;float:left;margin:0 10px 0 0;padding:2px;border:1px solid #DDD;}#search-results .code .icon{width:25px;height:25px;position:absolute;top:15px;margin:0 0 0 -45px;background:0 4px no-repeat;}#search-results li.code.wikistyle div.highlight pre{background-color:#f8f8ff;}#search-results .highlight em,#search-results .highlight b{background-color:#FAFFA6;padding:.1em;}#search .sidebar{padding-right:0;border-right:none;width:180px;}#search .sidebar h4{margin:0 0 5px 0;}#search .sidebar ul{list-style:none;margin:0 0 10px 0;padding:0 0 10px 0;border-bottom:1px solid #ddd;}#search .sidebar ul:last-child{border:none;}#search .sidebar li{;}#search .sidebar li a{display:block;padding:3px 5px;text-decoration:none;}#search .sidebar li a .count{float:right;color:#777;}#search .sidebar li a.active .count{color:#000;font-weight:bold;}#search .sidebar li a.active{color:#333;border:1px solid #d9e8f6;text-shadow:0 1px 0 rgba(255,255,255,0.7);background:#e9f4ff;font-weight:bold;}hr.clearfix{clear:both;background:transparent;border:none;}.styleguide{overflow:auto;}.styleguide>ul.styleguide-nav{float:left;width:170px;margin:10px 0;}.styleguide>ul.styleguide-nav li{margin:10px 0;}.styleguide>ul.styleguide-nav li a{font-size:13px;color:#999;}.styleguide>ul.styleguide-nav li a.selected{color:#000;font-weight:bold;}.styleguide>.content{float:right;width:750px;font-size:14px;}.styleguide-welcome{overflow:auto;margin:30px 0;padding-left:300px;font-size:20px;color:#666;}.styleguide-welcome h1{margin-top:30px;margin-bottom:0;color:#333;font-size:30px;border:none;}.styleguide-welcome a{font-weight:bold;}.styleguide-welcome img.linktocat{float:left;margin-left:-300px;}.styleguide-example{margin:15px auto;width:740px;background:rgba(255,255,255,0.5);border:1px solid #ddd;box-shadow:0 0 5px rgba(0,0,0,0.1);}.styleguide-example>h3{margin:0;padding:5px;color:#fff;font-size:12px;text-transform:uppercase;background:#333;border-top:1px solid #000;}.styleguide-example>h3>em,.styleguide-example>h3>em>a{float:right;text-transform:none;font-style:normal;font-weight:normal;color:#999;}.styleguide-example .styleguide-description{padding:1px 10px;background:#f1f1f1;border-bottom:1px solid #ddd;}.styleguide-example .styleguide-description p:first-child{margin-top:0;}.styleguide-example .styleguide-description p:last-child{margin-bottom:0;}.styleguide-example .styleguide-element{position:relative;padding:20px;}.styleguide-example .styleguide-element+.styleguide-element{margin-top:-5px;padding-top:15px;border-top:1px solid #eee;}.styleguide-example .styleguide-element .styleguide-modifier-name{display:block;position:absolute;top:0;right:0;padding:5px 15px;font-size:11px;color:#999;background:#f9f9f9;border:1px solid #eee;border-top:none;}.styleguide-example .styleguide-html{padding:15px 15px;background:#edf6f8;border-top:1px solid #dde7ea;overflow:auto;}.styleguide-example .styleguide-html .highlight{background:none;}.styleguide-example ul.styleguide-modifiers{margin:0 0 0 10px;}.styleguide-example ul.styleguide-modifiers li{list-style-type:none;margin-left:0;}.styleguide-example ul.styleguide-modifiers li strong{font-family:Monaco,monospace;font-size:12px;font-weight:normal;color:#222;}.timeout{width:873px;height:280px;border:1px solid #C5D5DD;background:url('../../images/error/octocat_timeout.png') #E6F1F6 no-repeat;background-position:90% 50%;padding:15px 0 0 45px;border-radius:3px;-moz-border-radius:3px;-webkit-border-radius:3px;}.timeout h3{color:#414042;font-size:18px;font-weight:bold;text-shadow:#fff 1px 1px 0;}.timeout h3 strong{font-size:30px;display:block;}.tree-browser{width:100%;margin:0;border-radius:3px;border:1px solid #CACACA;}.tree-browser th{text-align:left;font-weight:bold;padding:6px 3px;color:#555;text-shadow:0 1px 0 #fff;border-bottom:1px solid #d8d8d8;background-color:#fafafa;background:-moz-linear-gradient(#fafafa,#eaeaea);background:-ms-linear-gradient(#fafafa,#eaeaea);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#fafafa),color-stop(100%,#eaeaea));background:-webkit-linear-gradient(#fafafa,#eaeaea);background:-o-linear-gradient(#fafafa,#eaeaea);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#fafafa',endColorstr='#eaeaea')";background:linear-gradient(#fafafa,#eaeaea);}.tree-browser td{background:#f8f8f8;border-bottom:1px solid #eee;padding:7px 3px;color:#484848;vertical-align:middle;}.tree-browser img{vertical-align:text-bottom;}.tree-browser tbody tr:last-child td{border-bottom:0;}.tree-browser-wrapper{margin-bottom:30px;}.tree-browser .history{float:right;padding-right:5px;}.tree-browser tr.navigation-focus td{background:none;background-color:#fffeeb;}.tree-browser td.icon{width:17px;padding-right:2px;padding-left:10px;}.tree-browser td a.message{color:#484848;}.tree-browser td span.ref{color:#aaa;}.tree-browser.downloads td{vertical-align:top;}.tree-browser.downloads td p{margin:0;padding:0;}#files .file,.file-box{border:1px solid #ccc;margin-bottom:1em;position:relative;background-color:#DDD;}#files .file .highlight,.file-box .highlight{border:none;padding:0;}#files .file .meta,.file-box .meta{overflow:hidden;padding:0 5px;font-size:12px;height:33px;text-align:left;color:#555;text-shadow:0 1px 0 #fff;border-bottom:1px solid #d8d8d8;background-color:#fafafa;background:-moz-linear-gradient(#fafafa,#eaeaea);background:-ms-linear-gradient(#fafafa,#eaeaea);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#fafafa),color-stop(100%,#eaeaea));background:-webkit-linear-gradient(#fafafa,#eaeaea);background:-o-linear-gradient(#fafafa,#eaeaea);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#fafafa',endColorstr='#eaeaea')";background:linear-gradient(#fafafa,#eaeaea);}#files .file .meta .info,.file-box .meta .info{float:left;height:33px;line-height:33px;font-family:Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;}#files .file .meta .info span,.file-box .meta .info span{padding-left:9px;margin-left:5px;background:url('../../images/modules/commit/action_separator.png') 0 50% no-repeat;}#files .file .meta .info span:first-child,#files .file .meta .info .icon+span,.file-box .meta .info span:first-child,.file-box .meta .info .icon+span{background:transparent;margin-left:0;padding-left:0;}#files .file .meta .info span.icon,.file-box .meta .info span.icon{line-height:0;float:left;margin:5px 5px 0 0;padding:3px;background:#f7f7f7;border:1px solid #ccc;border-right-color:#e5e5e5;border-bottom-color:#e5e5e5;-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px;}#files .file .meta .actions,.file-box .meta .actions{float:right;height:33px;line-height:33px;}#files .file .meta .actions li,.file-box .meta .actions li{list-style-type:none;float:left;margin:0 0 0 7px;height:33px;line-height:33px;padding-left:9px;font-size:11px;background:url('../../images/modules/commit/action_separator.png') 0 50% no-repeat;}#files .file .meta .actions li:first-child,.file-box .meta .actions li:first-child{background:transparent;margin-left:0;padding-left:0;}#files .file .meta .actions li a,.file-box .meta .actions li a{font-weight:bold;}#files .file .meta .actions li code,.file-box .meta .actions li code{font-size:11px;}#files .file .meta .actions li label input,.file-box .meta .actions li label input{position:relative;top:1px;}#files .file .data,.file-box .data{font-size:80%;overflow:auto;background-color:#f8f8ff;}#files .file .data.empty,.file-box .data.empty{font-size:90%;padding:5px 10px;color:#777;}#files .file .data pre,#files .file .line-data,#files .file .line-number,.file-box .data pre,.file-box .line-data,.file-box .line-number{font-family:'Bitstream Vera Sans Mono','Courier',monospace;font-size:12px;line-height:1.4;}#files .file .lines .highlight,.file-box .lines .highlight{padding:1em 0;}#files .file .data .highlight div,.file-box .data .highlight div{padding-left:1em;}#files .file .data .line_numbers,.file-box .data .line_numbers{background-color:#ececec;color:#aaa;padding:1em .5em;border-right:1px solid #ddd;text-align:right;}#files .file .data td.line_numbers,.file-box .data td.line_numbers{padding:0 .5em;font-family:'Bitstream Vera Sans Mono','Courier',monospace;font-size:12px;-moz-user-select:none;-khtml-user-select:none;user-select:none;}.windows #files .file .data pre,.windows #files .file .line-data,.windows #files .file .line-number,.linux #files .file .data pre,.linux #files .file .line-data,.linux #files .file .line-number,.windows .file-box .data pre,.windows .file-box .line-data,.windows .file-box .line-number,.linux .file-box .data pre,.linux .file-box .line-data,.linux .file-box .line-number,.windows #files .file .data td.line_numbers,.linux #files .file .data td.line_numbers,.windows .file-box .data td.line_numbers,.linux .file-box .data td.line_numbers{font-family:'Bitstream Vera Sans Mono','Courier New',monospace;}td.linkable-line-number{cursor:pointer;}td.linkable-line-number:hover{text-decoration:underline;}#files .file .data .line_numbers span,.file-box .data .line_numbers span{color:#aaa;cursor:pointer;}#files .image,.file-box .image{text-align:center;background-color:#ddd;padding:30px;position:relative;}#files .file .glif,.file-box .glif{background-color:#f0f0f0;border-bottom:1px solid #dedede;padding:.5em 0;}#files .file .glif table,#files .file .image table,.file-box .glif table,.file-box .image table{margin:0 auto;}#files .file .glif table td,#files .file .image table td,.file-box .glif table td,.file-box .image table td{font-size:70%;text-align:center;color:#888;}#files .file .image .added-frame,.file-box .image .added-frame,#files .file .image .deleted-frame,.file-box .image .deleted-frame{border:1px solid #ddd;display:inline-block;line-height:0;position:relative;}#files .file .image .border-wrap,.file-box .image .border-wrap{background-color:white;border:1px solid #999;display:inline-block;line-height:0;position:relative;}#files .file .image .deleted-frame,.file-box .image .deleted-frame{background-color:white;border:1px solid #f77;}#files .file .image .added-frame,.file-box .image .added-frame{border:1px solid #63c363;}#files .file .image a,.file-box .image a{display:inline-block;line-height:0;}#files .file .glif table canvas,.file-box .glif table canvas{border:1px solid #ddd;background-color:white;}#files .file .image table td,.file-box .image table td{vertical-align:top;padding:0 5px;}#files .file .image table td img,.file-box .image table td img{max-width:100%;}#files .file .image img,.file-box .image img,#files .file .image canvas,.file-box .image canvas{background:url('../../images/modules/commit/trans_bg.gif') right bottom #eee;max-width:600px;border:1px solid #fff;}#files .file .image .view img,.file-box .image .view img,#files .file .image .view canvas,.file-box .image .view canvas{background:url('../../images/modules/commit/trans_bg.gif') right bottom #eee;position:relative;top:0;right:0;max-width:inherit;}#files .file .view-modes,.file-box .view-modes{font-size:12px;color:#333;background:url('../../images/modules/commit/file_head.gif') 0 0 repeat-x #eee;text-shadow:1px 1px 0 rgba(255,255,255,0.5);overflow:hidden;text-align:center;position:absolute;width:100%;bottom:0;}#files .file .view-modes ul.menu,.file-box .view-modes ul.menu{display:inline-block;list-style-type:none;background-repeat:no-repeat;height:33px;position:relative;-webkit-transition:background-position .5s ease-in-out;-moz-transition:background-position .5s ease-in-out;-o-transition:background-position .5s ease-in-out;}#files .file .view-modes ul.menu li,.file-box .view-modes ul.menu li{display:inline-block;background:url('../../images/modules/commit/action_separator.png') 0 50% no-repeat;padding:0 0 0 12px;margin:0 10px 0 0;color:#777;cursor:pointer;height:33px;line-height:33px;}#files .file .hidden,.file-box .hidden{display:none!important;}#files .file .view-modes ul.menu li:first-child,.file-box .view-modes ul.menu li:first-child{background:none;}#files .file .view-modes ul.menu li.active,.file-box .view-modes ul.menu li.active{color:#333;cursor:default;}#files .file .view-modes ul.menu li.disabled:hover,.file-box .view-modes ul.menu li.disabled:hover{text-decoration:none;}#files .file .view-modes ul.menu li.disabled,.file-box .view-modes ul.menu li.disabled{color:#ccc;cursor:default;}#files .file .view-modes ul.menu li:hover,.file-box .view-modes ul.menu li:hover{text-decoration:underline;}#files .file .view-modes ul.menu li.active:hover,.file-box .view-modes ul.menu li.active:hover{text-decoration:none;}#files .bubble,.file-box .bubble{background:url('../../images/modules/commit/off_comment_bubble.png') no-repeat;color:white;height:1.4em;margin:-0.2em 0 0 -9.6em;padding:.1em .8em 0 0;padding-left:0!important;position:absolute;width:1.5em;cursor:pointer;}.uncommentable #files .bubble{display:none;}#files .bubble.commented,.file-box .bubble.commented{background:url('../../images/modules/commit/comment_bubble.png') no-repeat;}#files .meta .bubble,.file-box .meta .bubble{font-family:'Bitstream Vera Sans Mono','Courier',monospace;margin:-0.2em 0 0 -3.9em;height:1.5em;}#files .empty,.file-box .empty{background:none;}#files .bubble span,.file-box .bubble span{display:block;line-height:1.4em;text-align:center;}#files .progress,.file-box .progress{margin:30px;z-index:101;position:relative;}#files .progress h3,.file-box .progress h3{color:#555;}#files .progress .progress-frame,.file-box .progress .progress-frame{display:block;height:15px;width:300px;background-color:#eee;border:1px solid #ccc;margin:0 auto;-webkit-border-radius:10px;-moz-border-radius:10px;border-radius:10px;overflow:hidden;}#files .progress .progress-bar,.file-box .progress .progress-bar{display:block;height:15px;width:5%;background-color:#f00;-webkit-border-radius:10px;-moz-border-radius:10px;border-radius:10px;background:#4183C4;background:-moz-linear-gradient(top,#7db9e8 0,#4183c4 100%);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#7db9e8),color-stop(100%,#4183c4));filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#7db9e8',endColorstr='#4183C4',GradientType=0);}#files .image .d-red{color:#F77;}#files .image .a-green{color:#63c363;}#files .image .view>span,.file-box .image .view>span{vertical-align:middle;}#files .image .two-up,.file-box .image .two-up{display:block;letter-spacing:16px;}#files .image .two-up .shell,.file-box .image .two-up .shell{display:inline-block;line-height:0;}#files .image .two-up .shell p,.file-box .image .two-up .shell p{letter-spacing:normal;font-size:.8em;color:#999;}#files .image .two-up .deleted,.file-box .image .two-up .deleted{display:inline-block;}#files .image .two-up .added,.file-box .image .two-up .added{display:inline-block;}#files .image .swipe .swipe-frame,.file-box .image .swipe .swipe-frame,#files .image .onion-skin .onion-skin-frame,.file-box .image .onion-skin .onion-skin-frame{display:block;margin:auto;position:relative;}#files .image .swipe .deleted-frame,.file-box .image .swipe .deleted-frame,#files .image .swipe .swipe-shell,.file-box .image .swipe .swipe-shell{position:absolute;display:block;top:13px;right:7px;}#files .image .swipe .swipe-shell,.file-box .image .swipe .swipe-shell{overflow:hidden;border-left:1px solid #999;}#files .image .swipe .added-frame,.file-box .image .swipe .added-frame{display:block;position:absolute;top:0;right:0;}#files .image .swipe .swipe-bar,.file-box .image .swipe .swipe-bar{display:block;height:100%;width:15px;z-index:100;position:absolute;cursor:pointer;}#files .image .swipe .top-handle,.file-box .image .swipe .top-handle{display:block;height:14px;width:15px;position:absolute;top:0;background:url('../../images/modules/commit/swipemode_sprites.gif') 0 3px no-repeat;}#files .image .swipe .bottom-handle,.file-box .image .swipe .bottom-handle{display:block;height:14px;width:15px;position:absolute;bottom:0;background:url('../../images/modules/commit/swipemode_sprites.gif') 0 -11px no-repeat;}#files .image .swipe .swipe-bar:hover .top-handle,.file-box .image .swipe .swipe-bar:hover .top-handle{background-position:-15px 3px;}#files .image .swipe .swipe-bar:hover .bottom-handle,.file-box .image .swipe .swipe-bar:hover .bottom-handle{background-position:-15px -11px;}#files .image .onion-skin .deleted-frame,.file-box .image .onion-skin .deleted-frame,#files .image .onion-skin .added-frame,.file-box .image .onion-skin .added-frame{position:absolute;display:block;top:0;left:0;}#files .image .onion-skin .controls,.file-box .image .onion-skin .controls{display:block;height:14px;width:300px;z-index:100;position:absolute;bottom:0;left:50%;margin-left:-150px;}#files .image .onion-skin .controls .transparent,.file-box .image .onion-skin .controls .transparent{display:block;position:absolute;top:2px;right:0;height:10px;width:10px;background:url('../../images/modules/commit/onion_skin_sprites.gif') -2px 0 no-repeat;}#files .image .onion-skin .controls .opaque,.file-box .image .onion-skin .controls .opaque{display:block;position:absolute;top:2px;left:0;height:10px;width:10px;background:url('../../images/modules/commit/onion_skin_sprites.gif') -2px -10px no-repeat;}#files .image .onion-skin .controls .drag-track,.file-box .image .onion-skin .controls .drag-track{display:block;position:absolute;left:12px;height:10px;width:276px;background:url('../../images/modules/commit/onion_skin_sprites.gif') -4px -20px repeat-x;}#files .image .onion-skin .controls .dragger,.file-box .image .onion-skin .controls .dragger{display:block;position:absolute;left:0;top:0;height:14px;width:14px;background:url('../../images/modules/commit/onion_skin_sprites.gif') 0 -34px repeat-x;cursor:pointer;}#files .image .onion-skin .controls .dragger:hover,.file-box .image .onion-skin .controls .dragger:hover{background-position:0 -48px;}#files .image .difference .added-frame,.file-box .image .difference .added-frame{display:none;}#files .image .difference .deleted-frame,.file-box .image .difference .deleted-frame{border-color:#999;}.file-editor-textarea{padding:4px;width:908px;border:1px solid #eee;font:12px Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;}textarea.commit-message{margin:10px 0;padding:4px;width:910px;height:50px;font-family:Monaco,"Courier New","DejaVu Sans Mono","Bitstream Vera Sans Mono",monospace;font-size:14px;border:1px solid #ddd;}.commit-message-label{display:block;margin-bottom:-5px;color:#666;}.check-for-fork{display:none;}input.tree-finder-input{border:0;outline:none;font-size:100%;}.tree-finder .results-list tr.navigation-focus td{background:#eee;}.tree-finder .no-results th{text-align:center;}.tree-finder tr td.icon{cursor:pointer;}#slider{position:relative;overflow:hidden;}#slider .frames{width:10000px;}#slider .frames .frame{float:left;width:920px;margin-right:100px;}#slider .frames .frame-loading{height:100%;}#files .file{margin-top:0;}#slider .frames .big-actions{position:absolute;top:5px;right:0;margin:0;}#wiki-wrapper{margin:0 auto 50px 0;overflow:visible;font-size:10px;line-height:1.4;}#wiki-wrapper #head{border-bottom:1px solid #ccc;margin:14px 0 5px;padding:5px 0;overflow:hidden;}#wiki-wrapper #head h1{font-size:33px;float:left;line-height:normal;margin:0;padding:2px 0 0 0;}#wiki-wrapper #head ul.wiki-actions{float:right;margin-top:6px;display:block;list-style-type:none;overflow:hidden;padding:0;}#wiki-wrapper #head ul.wiki-actions li{float:left;font-size:12px;margin-left:7px;}#wiki-wrapper #head ul.wiki-actions a{border:1px solid #d4d4d4;color:#333;display:block;font-weight:bold;margin:0;padding:4px 12px;text-shadow:0 1px 0 #fff;background-color:#fafafa;background:-moz-linear-gradient(#fafafa,#eaeaea);background:-ms-linear-gradient(#fafafa,#eaeaea);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#fafafa),color-stop(100%,#eaeaea));background:-webkit-linear-gradient(#fafafa,#eaeaea);background:-o-linear-gradient(#fafafa,#eaeaea);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#fafafa',endColorstr='#eaeaea')";background:linear-gradient(#fafafa,#eaeaea);border-radius:3px;-moz-border-radius:3px;-webkit-border-radius:3px;}#wiki-wrapper #head ul.wiki-actions a:hover{border-color:#518cc6 #518cc6 #2a65a0;color:#fff;text-shadow:0 -1px 0 rgba(0,0,0,0.3);text-decoration:none;background-color:#599bdc;background:-moz-linear-gradient(#599bdc,#3072b3);background:-ms-linear-gradient(#599bdc,#3072b3);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#599bdc),color-stop(100%,#3072b3));background:-webkit-linear-gradient(#599bdc,#3072b3);background:-o-linear-gradient(#599bdc,#3072b3);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#599bdc',endColorstr='#3072b3')";background:linear-gradient(#599bdc,#3072b3);}#wiki-wrapper #head ul.wiki-actions a:visited{text-decoration:none;}#wiki-rightbar{background-color:#f7f7f7;border:1px solid #ddd;float:right;padding:10px;width:230px;border-radius:5px;-moz-border-radius:5px;-webkit-border-radius:5px;}#wiki-rightbar>*:first-child{margin-top:0;}#wiki-rightbar ul,#wiki-rightbar ol{margin:5px 0 0 15px;padding:0;}#wiki-rightbar ul li,#wiki-rightbar ol li{color:#333;font-size:12px;margin:0;padding:0;line-height:19px;}#wiki-rightbar ul li a,#wiki-rightbar ol li a{font-weight:bold;text-shadow:0 1px 0 #fff;}#wiki-rightbar ul{list-style-type:square;}#wiki-rightbar p{font-size:12px;line-height:1.6;}.has-rightbar #wiki-body,.has-rightbar #wiki-footer{margin-right:280px;}#wiki-footer{clear:both;margin:20px 0 50px;}#wiki-footer #gollum-footer-content{background-color:#f7f7f7;border:1px solid #ddd;font-size:12px;line-height:1.6;margin-top:18px;padding:12px;border-radius:5px;-moz-border-radius:5px;-webkit-border-radius:5px;}#wiki-footer #gollum-footer-content>*:first-child{margin-top:0;}#wiki-footer #gollum-footer-content h3{font-size:14px;color:#333;margin:0;padding:0 0 2px;text-shadow:0 1px 0 #fff;}#wiki-footer #gollum-footer-content p{margin:6px 0 0;padding:0;}#wiki-footer #gollum-footer-content ul,#wiki-footer #gollum-footer-content ol{margin:6px 0 0 18px;}#wiki-footer #gollum-footer-content ul.links{margin:.5em 0 0;overflow:hidden;padding:0;}#wiki-footer #gollum-footer-content ul.links li{color:#999;float:left;list-style-position:inside;list-style-type:square;padding:0;margin-left:.75em;}#wiki-footer #gollum-footer-content ul.links li a{font-weight:bold;text-shadow:0 1px 0 #fff;}#wiki-footer #gollum-footer-content ul.links li:first-child{list-style-type:none;margin:0;}#gollum-footer{font-size:12px;line-height:19px;}#gollum-footer p#last-edit{color:#999;margin:10px 0 0;}#gollum-footer p#delete-link{margin:0 0 10px 0;}#wiki-wrapper.history h1{color:#999;font-weight:normal;}#wiki-wrapper.history h1 strong{color:#000;font-weight:bold;line-height:normal;}#wiki-wrapper.history ul.actions li a{margin:0 5px 0 0;}#wiki-history{margin-top:14px;}#wiki-history fieldset{border:0;margin:20px 0;padding:0;}#wiki-history table,#wiki-history tbody{border-collapse:collapse;padding:0;margin:0;width:100%;}#wiki-history table tr,#wiki-history tbody tr{padding:0;margin:0;background-color:#ebf2f6;}#wiki-history table td,#wiki-history tbody td{border:1px solid #c0dce9;font-size:12px;margin:0;padding:3px 8px;}#wiki-history table td.commit-name,#wiki-history tbody td.commit-name{border-left:0;}#wiki-history table td.commit-name span.time-elapsed,#wiki-history tbody td.commit-name span.time-elapsed{color:#999;}#wiki-history table td.commit-name a,#wiki-history tbody td.commit-name a{font-size:.9em;font-family:Consolas,Monaco,"DejaVu Sans Mono","Bitstream Vera Sans Mono","Courier New",monospace;padding:0 .2em;}#wiki-history table td.checkbox,#wiki-history tbody td.checkbox{min-width:24px;width:24px;padding:3px 0 2px 9px;}#wiki-history table td.checkbox input,#wiki-history tbody td.checkbox input{cursor:pointer;display:block;margin:0;padding:0;}#wiki-history table td.author,#wiki-history tbody td.author{width:20%;}#wiki-history table td.author a,#wiki-history tbody td.author a{color:#000;font-weight:bold;}#wiki-history table td.author span.username,#wiki-history tbody td.author span.username{display:block;padding-top:3px;}#wiki-history table tr:nth-child(2n),#wiki-history table table tr.alt-row,#wiki-history tbody tr:nth-child(2n),#wiki-history tbody table tr.alt-row{background-color:#f3f7fa;}#wiki-history table tr.selected,#wiki-history tbody tr.selected{background-color:#ffffea;z-index:100;}#wiki-history table img,#wiki-history tbody img{background-color:#fff;border:1px solid #999;display:block;float:left;height:18px;overflow:hidden;margin:0 .5em 0 0;width:18px;padding:2px;}#wiki-wrapper.history #gollum-footer ul.actions li{margin:0 .6em 0 0;}#wiki-wrapper.edit h1{color:#999;font-weight:normal;}#wiki-wrapper.edit h1 strong{color:#000;font-weight:bold;line-height:normal;}#wiki-wrapper.results h1{color:#999;font-weight:normal;}#wiki-wrapper.results h1 strong{color:#000;font-weight:bold;line-height:normal;}#wiki-wrapper.results #results{border-bottom:1px solid #ccc;margin-bottom:2em;padding-bottom:2em;}#wiki-wrapper .results #results ul{margin:2em 0 0 0;padding:0;}#wiki-wrapper .results #results ul li{font-size:1.2em;line-height:1.6em;list-style-position:outside;padding:.2em 0;}#wiki-wrapper .results #results ul li span.count{color:#999;}#wiki-wrapper .results p#no-results{font-size:1.2em;line-height:1.6em;margin-top:2em;}#wiki-wrapper .results #gollum-footer ul.actions li{margin:0 1em 0 0;}#wiki-wrapper.compare h1{color:#000;font-weight:bold;}#wiki-wrapper.compare #compare-content{margin-top:3em;}#wiki-wrapper.compare #compare-content ul.actions li,#wiki-wrapper.compare #gollum-footer ul.actions li{margin-left:0;margin-right:.6em;}#wiki-wrapper.compare #compare-content ul.actions{margin-bottom:1.4em;}#wiki-wrapper ul.actions{display:block;list-style-type:none;overflow:hidden;padding:0;}#wiki-wrapper.error{height:1px;position:absolute;overflow:visible;top:50%;width:100%;}#wiki-wrapper #error{background-color:#f9f9f9;border:1px solid #e4e4e4;left:50%;overflow:hidden;padding:2%;margin:-10% 0 0 -35%;position:absolute;width:70%;border-radius:.5em;-moz-border-radius:.5em;-webkit-border-radius:.5em;}#wiki-wrapper #error h1{font-size:3em;line-height:normal;margin:0;padding:0;}#wiki-wrapper #error p{font-size:1.2em;line-height:1.6em;margin:1em 0 .5em;padding:0;}#wiki-wrapper .jaws{display:block;height:1px;left:-5000px;overflow:hidden;position:absolute;top:-5000px;width:1px;}#wiki-wrapper .ie #gollum-editor{padding-bottom:1em;}#gollum-editor{border:1px solid #e4e4e4;background:#f9f9f9;margin:10px 0 50px;overflow:hidden;padding:10px;border-radius:5px;-moz-border-radius:5px;-webkit-border-radius:5px;}#gollum-editor form fieldset{border:0;margin:0;padding:0;}#gollum-editor .singleline{display:block;margin:0 0 7px 0;overflow:hidden;}#gollum-editor .singleline input{background:#fff;border:1px solid #ddd;color:#000;font-size:13px;font-family:'Helvetica Neue',Helvetica,Arial,sans-serif;line-height:23px;margin:13px 0 5px;padding:6px;width:883px;}#gollum-editor .singleline input.ph{color:#999;}#gollum-editor-title-field input#gollum-editor-page-title{font-weight:bold;margin-top:0;}#gollum-editor-title-field.active{border-bottom:1px solid #ddd;display:block;margin:0 0 3px 0;padding:0 0 5px 0;}#gollum-editor-title-field input#gollum-editor-page-title.ph{color:#000;}#gollum-editor-title-field+#gollum-editor-function-bar{margin-top:6px;}#wiki-wrapper #gollum-editor #gollum-editor-type-switcher{display:none;}#gollum-editor-function-bar{border-bottom:1px solid #ddd;overflow:hidden;padding:0;}#gollum-editor-function-bar #gollum-editor-function-buttons{display:none;float:left;overflow:hidden;padding:0 0 11px 0;}#gollum-editor-function-bar.active #gollum-editor-function-buttons{display:block;}#gollum-editor-function-bar a.function-button{background:#f7f7f7;border:1px solid #ddd;color:#333;display:block;float:left;height:25px;overflow:hidden;margin:2px 5px 0 0;text-shadow:0 1px 0 #fff;width:25px;border-radius:3px;-moz-border-radius:3px;-webkit-border-radius:3px;background-color:#fafafa;background:-moz-linear-gradient(#fafafa,#eaeaea);background:-ms-linear-gradient(#fafafa,#eaeaea);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#fafafa),color-stop(100%,#eaeaea));background:-webkit-linear-gradient(#fafafa,#eaeaea);background:-o-linear-gradient(#fafafa,#eaeaea);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#fafafa',endColorstr='#eaeaea')";background:linear-gradient(#fafafa,#eaeaea);}#gollum-editor-function-bar a.function-button:hover{color:#fff;text-shadow:0 -1px 0 rgba(0,0,0,0.3);text-decoration:none;background-color:#599bdc;background:-moz-linear-gradient(#599bdc,#3072b3);background:-ms-linear-gradient(#599bdc,#3072b3);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#599bdc),color-stop(100%,#3072b3));background:-webkit-linear-gradient(#599bdc,#3072b3);background:-o-linear-gradient(#599bdc,#3072b3);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#599bdc',endColorstr='#3072b3')";background:linear-gradient(#599bdc,#3072b3);}#gollum-editor-function-bar a.function-button:hover#function-bold span{background-position:0 -28px;}#gollum-editor-function-bar a.function-button:hover#function-italic span{background-position:-27px -28px;}#gollum-editor-function-bar a.function-button:hover#function-underline span{background-position:-54px -28px;}#gollum-editor-function-bar a.function-button:hover#function-code span{background-position:-82px -28px;}#gollum-editor-function-bar a.function-button:hover#function-ul span{background-position:-109px -28px;}#gollum-editor-function-bar a.function-button:hover#function-ol span{background-position:-136px -28px;}#gollum-editor-function-bar a.function-button:hover#function-blockquote span{background-position:-163px -28px;}#gollum-editor-function-bar a.function-button:hover#function-hr span{background-position:-190px -28px;}#gollum-editor-function-bar a.function-button:hover#function-h1 span{background-position:-217px -28px;}#gollum-editor-function-bar a.function-button:hover#function-h2 span{background-position:-244px -28px;}#gollum-editor-function-bar a.function-button:hover#function-h3 span{background-position:-271px -28px;}#gollum-editor-function-bar a.function-button:hover#function-internal-link span{background-position:-298px -28px;}#gollum-editor-function-bar a.function-button:hover#function-image span{background-position:-324px -28px;}#gollum-editor-function-bar a.function-button:hover#function-help span{background-position:-405px -28px;}#gollum-editor-function-bar a.function-button:hover#function-link span{background-position:-458px -28px;}#gollum-editor-function-bar a.function-button span{background-image:url('../../images/modules/wiki/icon-sprite.png?v2');background-repeat:no-repeat;display:block;height:25px;overflow:hidden;text-indent:-5000px;width:25px;}#gollum-editor-function-bar a.function-button#function-bold span{background-position:0 0;}#gollum-editor-function-bar a.function-button#function-italic span{background-position:-27px 0;}#gollum-editor-function-bar a.function-button#function-underline span{background-position:-54px 0;}#gollum-editor-function-bar a.function-button#function-code span{background-position:-82px 0;}#gollum-editor-function-bar a.function-button#function-ul span{background-position:-109px 0;}#gollum-editor-function-bar a.function-button#function-ol span{background-position:-136px 0;}#gollum-editor-function-bar a.function-button#function-blockquote span{background-position:-163px 0;}#gollum-editor-function-bar a.function-button#function-hr span{background-position:-190px 0;}#gollum-editor-function-bar a.function-button#function-h1 span{background-position:-217px 0;}#gollum-editor-function-bar a.function-button#function-h2 span{background-position:-244px 0;}#gollum-editor-function-bar a.function-button#function-h3 span{background-position:-271px 0;}#gollum-editor-function-bar a.function-button#function-internal-link span{background-position:-298px 0;}#gollum-editor-function-bar a.function-button#function-image span{background-position:-324px 0;}#gollum-editor-function-bar a.function-button#function-help span{background-position:-405px 0;}#gollum-editor-function-bar a.function-button#function-link span{background-position:-458px 0;}#gollum-editor-function-bar a.function-button.disabled{display:none;}#gollum-editor-function-bar span.function-divider{display:block;float:left;width:5px;}#gollum-editor-function-bar div#gollum-editor-format-selector{overflow:hidden;padding:7px 0 0 0;}#gollum-editor-function-bar div#gollum-editor-format-selector select{float:right;font-size:11px;font-weight:bold;margin-bottom:0;padding:0;}#gollum-editor-function-bar div#gollum-editor-format-selector select option{padding:0;}#gollum-editor-function-bar div#gollum-editor-format-selector label{color:#999;float:right;font-size:11px;font-weight:bold;line-height:17px;padding:0 5px 0 0;}#gollum-editor-function-bar div#gollum-editor-format-selector label:after{content:':';}#wiki-wrapper #gollum-error-message{display:none;padding-top:12px;font-size:1.8em;color:#f33;}#gollum-editor textarea#gollum-editor-body{background:#fff;border:1px solid #ddd;font-size:13px;font-family:Consolas,Monaco,"DejaVu Sans Mono","Bitstream Vera Sans Mono","Courier New",monospace;line-height:22px;margin:13px 0 5px;padding:6px;height:390px;resize:vertical;}#gollum-editor textarea#gollum-editor-body+.collapsed,#gollum-editor textarea#gollum-editor-body+.expanded{border-top:1px solid #ddd;margin-top:7px;}#gollum-editor .collapsed,#gollum-editor .expanded{border-bottom:1px solid #ddd;display:block;overflow:hidden;padding:10px 0 5px;}#gollum-editor .collapsed a.button,#gollum-editor .expanded a.button{border:1px solid #ddd;color:#333;display:block;float:left;height:25px;overflow:hidden;margin:2px 5px 7px 0;padding:0;text-shadow:0 1px 0 #fff;width:25px;background-color:#fafafa;background:-moz-linear-gradient(#fafafa,#eaeaea);background:-ms-linear-gradient(#fafafa,#eaeaea);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#fafafa),color-stop(100%,#eaeaea));background:-webkit-linear-gradient(#fafafa,#eaeaea);background:-o-linear-gradient(#fafafa,#eaeaea);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#fafafa',endColorstr='#eaeaea')";background:linear-gradient(#fafafa,#eaeaea);border-radius:3px;-moz-border-radius:3px;-webkit-border-radius:3px;}#gollum-editor .collapsed a.button:hover,#gollum-editor .expanded a.button:hover{color:#fff;text-shadow:0 -1px 0 rgba(0,0,0,0.3);text-decoration:none;background-color:#599bdc;background:-moz-linear-gradient(#599bdc,#3072b3);background:-ms-linear-gradient(#599bdc,#3072b3);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#599bdc),color-stop(100%,#3072b3));background:-webkit-linear-gradient(#599bdc,#3072b3);background:-o-linear-gradient(#599bdc,#3072b3);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#599bdc',endColorstr='#3072b3')";background:linear-gradient(#599bdc,#3072b3);}#gollum-editor .collapsed h4,#gollum-editor .expanded h4{font-size:16px;float:left;margin:0;padding:6px 0 0 4px;text-shadow:0 -1px 0 white;}#gollum-editor .collapsed a span,#gollum-editor .expanded a span{background-image:url('../../images/modules/wiki/icon-sprite.png');background-position:-351px -1px;background-repeat:no-repeat;display:block;height:25px;overflow:hidden;text-indent:-5000px;width:25px;}#gollum-editor .collapsed a:hover span{background-position:-351px -28px;}#gollum-editor .collapsed textarea{display:none;}#gollum-editor .expanded a span{background-position:-378px 0;}#gollum-editor .expanded a:hover span{background-position:-378px -27px;}#gollum-editor .expanded textarea{border:1px solid #ddd;clear:both;display:block;font-size:12px;font-family:Consolas,Monaco,"DejaVu Sans Mono","Bitstream Vera Sans Mono","Courier New",monospace;height:84px;margin:8px 0;padding:6px;width:883px;resize:vertical;}#gollum-editor input#gollum-editor-submit{background-color:#f7f7f7;border:1px solid #d4d4d4;color:#333;cursor:pointer;display:block;float:left;font-size:12px;font-family:'Helvetica Neue',Helvetica,Arial,sans-serif;font-weight:bold;margin:0;padding:5px 12px;text-shadow:0 1px 0 #fff;background-color:#fafafa;background:-moz-linear-gradient(#fafafa,#eaeaea);background:-ms-linear-gradient(#fafafa,#eaeaea);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#fafafa),color-stop(100%,#eaeaea));background:-webkit-linear-gradient(#fafafa,#eaeaea);background:-o-linear-gradient(#fafafa,#eaeaea);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#fafafa',endColorstr='#eaeaea')";background:linear-gradient(#fafafa,#eaeaea);border-radius:3px;-moz-border-radius:3px;-webkit-border-radius:3px;}#gollum-editor input#gollum-editor-submit:hover{background:#3072b3;border-color:#518cc6 #518cc6 #2a65a0;color:#fff;text-shadow:0 -1px 0 rgba(0,0,0,0.3);text-decoration:none;background-color:#599bdc;background:-moz-linear-gradient(#599bdc,#3072b3);background:-ms-linear-gradient(#599bdc,#3072b3);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#599bdc),color-stop(100%,#3072b3));background:-webkit-linear-gradient(#599bdc,#3072b3);background:-o-linear-gradient(#599bdc,#3072b3);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#599bdc',endColorstr='#3072b3')";background:linear-gradient(#599bdc,#3072b3);}#gollum-editor input#gollum-editor-submit:disabled{color:#777;background-color:white;background:-moz-linear-gradient(white,#f5f5f5);background:-ms-linear-gradient(white,#f5f5f5);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,white),color-stop(100%,#f5f5f5));background:-webkit-linear-gradient(white,#f5f5f5);background:-o-linear-gradient(white,#f5f5f5);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='white',endColorstr='#f5f5f5')";background:linear-gradient(white,#f5f5f5);}#gollum-editor input#gollum-editor-submit:disabled:hover{color:#777;background-color:white;background:-moz-linear-gradient(white,#f5f5f5);background:-ms-linear-gradient(white,#f5f5f5);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,white),color-stop(100%,#f5f5f5));background:-webkit-linear-gradient(white,#f5f5f5);background:-o-linear-gradient(white,#f5f5f5);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='white',endColorstr='#f5f5f5')";background:linear-gradient(white,#f5f5f5);border:1px solid #d4d4d4;text-shadow:0 1px 0 #fff;}#gollum-editor a.gollum-minibutton,#gollum-editor a.gollum-minibutton:visited{background-color:#f7f7f7;border:1px solid #d4d4d4;color:#333;cursor:pointer;display:block;font-size:12px;font-family:'Helvetica Neue',Helvetica,Arial,sans-serif;font-weight:bold;margin:0 0 0 9px;padding:5px 12px;text-shadow:0 1px 0 #fff;background-color:#fafafa;background:-moz-linear-gradient(#fafafa,#eaeaea);background:-ms-linear-gradient(#fafafa,#eaeaea);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#fafafa),color-stop(100%,#eaeaea));background:-webkit-linear-gradient(#fafafa,#eaeaea);background:-o-linear-gradient(#fafafa,#eaeaea);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#fafafa',endColorstr='#eaeaea')";background:linear-gradient(#fafafa,#eaeaea);border-radius:3px;-moz-border-radius:3px;-webkit-border-radius:3px;}#gollum-editor a.gollum-minibutton:hover,#gollum-editor a.gollum-minibutton:visited:hover{background:#3072b3;border-color:#518cc6 #518cc6 #2a65a0;color:#fff;text-shadow:0 -1px 0 rgba(0,0,0,0.3);text-decoration:none;background-color:#599bdc;background:-moz-linear-gradient(#599bdc,#3072b3);background:-ms-linear-gradient(#599bdc,#3072b3);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#599bdc),color-stop(100%,#3072b3));background:-webkit-linear-gradient(#599bdc,#3072b3);background:-o-linear-gradient(#599bdc,#3072b3);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#599bdc',endColorstr='#3072b3')";background:linear-gradient(#599bdc,#3072b3);}#gollum-editor #gollum-editor-preview{float:left;font-weight:normal;padding:left;}#wiki-wrapper.outer #gollum-editor textarea#gollum-editor-body{width:883px;}#wiki-wrapper.inner #gollum-editor textarea#gollum-editor-body{width:877px;}#gollum-editor-help{margin:0;overflow:hidden;padding:0;border:1px solid #ddd;border-width:0 1px 1px 1px;}#gollum-editor-help #gollum-editor-help-parent,#gollum-editor-help #gollum-editor-help-list{display:block;float:left;height:170px;list-style-type:none;overflow:auto;margin:0;padding:10px 0;width:160px;border-right:1px solid #eee;}#gollum-editor-help #gollum-editor-help-parent li,#gollum-editor-help #gollum-editor-help-list li{font-size:12px;line-height:1.6;margin:0;padding:0;}#gollum-editor-help #gollum-editor-help-parent li a,#gollum-editor-help #gollum-editor-help-list li a{border:1px solid transparent;border-width:1px 0;display:block;font-weight:bold;padding:2px 12px;text-shadow:0 -1px 0 white;}#gollum-editor-help #gollum-editor-help-parent li a:hover,#gollum-editor-help #gollum-editor-help-list li a:hover{background:#fff;border-color:#f0f0f0;text-decoration:none;box-shadow:none;}#gollum-editor-help #gollum-editor-help-parent li a.selected,#gollum-editor-help #gollum-editor-help-list li a.selected{border:1px solid #eee;border-bottom-color:#e7e7e7;border-width:1px 0;background:#fff;color:#000;box-shadow:0 1px 2px #f0f0f0;}#gollum-editor-help #gollum-editor-help-list{background:#fafafa;}#gollum-editor-help #gollum-editor-help-wrapper{background:#fff;overflow:auto;height:170px;padding:10px;}#gollum-editor-help #gollum-editor-help-content{font-size:12px;margin:0 10px 0 5px;padding:0;line-height:1.8;}#gollum-editor-help #gollum-editor-help-content p{margin:0 0 10px 0;padding:0;}#wiki-wrapper .ie #gollum-editor .singleline input{padding-top:.25em;padding-bottom:.75em;}#wiki-wrapper .markdown-body>h1:first-child,#wiki-wrapper .gollum-rest-content .markdown-body>div:first-child>div:first-child>h1:first-child,#wiki-wrapper .gollum-pod-content .markdown-body>a.dummyTopAnchor:first-child+h1,#wiki-wrapper .gollum-org-content .markdown-body>p.title:first-child,#wiki-wrapper .gollum-asciidoc-content .markdown-body>div#header:first-child>h1:first-child{display:none;}.wiki-git-access #head{border-bottom:1px solid #ccc;margin:14px 0 5px;padding:0 0 6px 0;overflow:hidden;}.wiki-git-access h1{color:#999;font-size:33px;font-weight:normal;float:left;line-height:normal;margin:0;padding:0;}.wiki-git-access #url-box{margin-top:14px;}#gollum-dialog-dialog h4{border-bottom:1px solid #ddd;color:#333;font-size:16px;line-height:normal;font-weight:bold;margin:0 0 12px 0;padding:0 0 6px;text-shadow:0 -1px 0 #f7f7f7;}#gollum-dialog-dialog #gollum-dialog-dialog-body{font-size:12px;line-height:16px;margin:0;padding:0;}#gollum-dialog-dialog #gollum-dialog-dialog-body fieldset{display:block;border:0;margin:0;overflow:hidden;padding:0 12px;}#gollum-dialog-dialog #gollum-dialog-dialog-body fieldset .field{margin:0 0 18px 0;padding:0;}#gollum-dialog-dialog #gollum-dialog-dialog-body fieldset .field:last-child{margin:0 0 12px 0;}#gollum-dialog-dialog #gollum-dialog-dialog-body fieldset label{color:#666;display:block;font-size:14px;font-weight:bold;line-height:1.6;margin:0;padding:0;min-width:80px;}#gollum-dialog-dialog #gollum-dialog-dialog-body fieldset input[type="text"]{border:1px solid #ccc;display:block;font-family:'Helvetica Neue',Helvetica,Arial,sans-serif;font-size:12px;line-height:16px;margin:3px 0 0 0;padding:3px 6px;width:96.5%;}#gollum-dialog-dialog #gollum-dialog-dialog-body fieldset input.code{font-family:'Monaco','Courier New',Courier,monospace;}#gollum-dialog-dialog #gollum-dialog-dialog-buttons{border-top:1px solid #ddd;overflow:hidden;margin:14px 0 0 0;padding:12px 0 0;}#gollum-dialog-dialog a.gollum-minibutton,#gollum-dialog-dialog a.gollum-minibutton:visited{border:1px solid #d4d4d4;color:#333;cursor:pointer;display:inline;font-size:12px;font-family:'Helvetica Neue',Helvetica,Arial,sans-serif;font-weight:bold;float:right;width:auto;margin:0 0 0 9px;padding:4px 12px;text-shadow:0 1px 0 #fff;background-color:#fafafa;background:-moz-linear-gradient(#fafafa,#eaeaea);background:-ms-linear-gradient(#fafafa,#eaeaea);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#fafafa),color-stop(100%,#eaeaea));background:-webkit-linear-gradient(#fafafa,#eaeaea);background:-o-linear-gradient(#fafafa,#eaeaea);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#fafafa',endColorstr='#eaeaea')";background:linear-gradient(#fafafa,#eaeaea);border-radius:3px;-moz-border-radius:3px;-webkit-border-radius:3px;}#gollum-dialog-dialog a.gollum-minibutton:hover,#gollum-dialog-dialog a.gollum-minibutton:visited:hover{border-color:#518cc6 #518cc6 #2a65a0;color:#fff;text-shadow:0 -1px 0 rgba(0,0,0,0.3);text-decoration:none;background-color:#599bdc;background:-moz-linear-gradient(#599bdc,#3072b3);background:-ms-linear-gradient(#599bdc,#3072b3);background:-webkit-gradient(linear,left top,left bottom,color-stop(0%,#599bdc),color-stop(100%,#3072b3));background:-webkit-linear-gradient(#599bdc,#3072b3);background:-o-linear-gradient(#599bdc,#3072b3);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr='#599bdc',endColorstr='#3072b3')";background:linear-gradient(#599bdc,#3072b3);}#wiki-wrapper #files .file .data tr td.line_numbers{width:1%;font-size:12px;}#wiki-content{font-size:14px;line-height:1.4;overflow:hidden;}
@@ -0,0 +1,56 @@
1
+ <!DOCTYPE html>
2
+ <html>
3
+ <head>
4
+ <meta charset='utf-8'>
5
+ <meta http-equiv="X-UA-Compatible" content="chrome=1">
6
+ <title>readme on GitHub</title>
7
+ <link href="github.css" media="screen" rel="stylesheet" type="text/css" />
8
+ <!-- would love to uncomment this to get code highlighting... but the page slider slides the readme away :( -->
9
+ <!-- <script src="jquery.js" type="text/javascript"></script> -->
10
+ <!-- <script src="github.js" type="text/javascript"></script> -->
11
+ </head>
12
+ <body class="logged_in vis-public env-production ">
13
+ <div id="header" class="true clearfix">
14
+
15
+ <div class="container clearfix">
16
+ <a class="site-logo" href="https://github.com/">
17
+ <img alt="GitHub" class="github-logo-4x" height="30" src="github-logo.png" />
18
+ <img alt="GitHub" class="github-logo-4x-hover" height="30" src="github-logo-hover.png" />
19
+ </a>
20
+
21
+ <div class="topsearch ">
22
+ <form action="/search" id="top_search_form" method="get"> <a href="/search" class="advanced-search tooltipped downwards" title="Advanced Search">Advanced Search</a>
23
+ <div class="search placeholder-field js-placeholder-field">
24
+ <label class="placeholder" for="global-search-field">Search…</label>
25
+ <input type="text" class="search my_repos_autocompleter" id="global-search-field" name="q" results="5" /> <input type="submit" value="Search" class="button" />
26
+ </div>
27
+ <input type="hidden" name="type" value="Everything" />
28
+ <input type="hidden" name="repo" value="" />
29
+ <input type="hidden" name="langOverride" value="" />
30
+ <input type="hidden" name="start_value" value="1" />
31
+ </form> <ul class="top-nav">
32
+ <li class="explore"><a href="https://github.com/explore">Explore</a></li>
33
+ <li><a href="https://gist.github.com">Gist</a></li>
34
+ <li><a href="/blog">Blog</a></li>
35
+ <li><a href="http://help.github.com">Help</a></li>
36
+ </ul>
37
+ </div>
38
+
39
+ </div>
40
+ </div>
41
+
42
+ <div class="site">
43
+ <div class="container">
44
+ <div id="slider">
45
+ <div class="frames">
46
+ <div class="frame frame-center">
47
+ <div class="announce instapaper_body md" data-path="/" id="readme"><span class="name"><span class="icon"></span>README.md</span><article class="markdown-body">INSERT_BODY</article></div>
48
+ </div>
49
+ </div>
50
+ <br style="clear:both;"><br style="clear:both;">
51
+ </div>
52
+
53
+ </div>
54
+ </div>
55
+ </body>
56
+ </html>
@@ -0,0 +1,9 @@
1
+ function clippyCopiedCallback(a){var b=$("#clippy_tooltip_"+a);if(b.length==0)return;b.attr("title","copied!").trigger("tipsy.reload"),setTimeout(function(){b.attr("title","copy to clipboard")},500)}((function(){var a,b;if(typeof $=="undefined"||$===null)return;b=!1,$(window).on("beforeunload",function(){b=!0}),$(window).on("unload",function(){b=!0}),a=function(){return $.browser!=null&&($.browser.webkit||$.browser.opera||$.browser.msie&&parseInt($.browser.version)>=8||$.browser.mozilla)&&$.browser.version!=null&&$.browser.version!=="0"}();if(!a)return;window.onerror=function(a,c,d){var e;if(b||!d)return;if(c!=null?!c.match(/assets.github.com|github.dev/):!void 0)return;e={message:a,filename:c,lineno:d,url:window.location.href,readyState:document.readyState,referrer:document.referrer,browser:$.browser},$.ajax({type:"POST",url:"/errors",data:{error:e}}),window.errors==null&&(window.errors=[]),window.errors.push(e)},window.location.hash==="#b00m"&&b00m()})).call(this),window.Modernizr=function(a,b,c){function B(a){k.cssText=a}function C(a,b){return B(o.join(a+";")+(b||""))}function D(a,b){return typeof a===b}function E(a,b){return!!~(""+a).indexOf(b)}function F(a,b){for(var d in a)if(k[a[d]]!==c)return b=="pfx"?a[d]:!0;return!1}function G(a,b){var c=a.charAt(0).toUpperCase()+a.substr(1),d=(a+" "+p.join(c+" ")+c).split(" ");return F(d,b)}function I(){e.input=function(a){for(var b=0,c=a.length;b<c;b++)t[a[b]]=a[b]in l;return t}("autocomplete autofocus list placeholder max min multiple pattern required step".split(" ")),e.inputtypes=function(a){for(var d=0,e,f,h,i=a.length;d<i;d++)l.setAttribute("type",f=a[d]),e=l.type!=="text",e&&(l.value=m,l.style.cssText="position:absolute;visibility:hidden;",/^range$/.test(f)&&l.style.WebkitAppearance!==c?(g.appendChild(l),h=b.defaultView,e=h.getComputedStyle&&h.getComputedStyle(l,null).WebkitAppearance!=="textfield"&&l.offsetHeight!==0,g.removeChild(l)):/^(search|tel)$/.test(f)||(/^(url|email)$/.test(f)?e=l.checkValidity&&l.checkValidity()===!1:/^color$/.test(f)?(g.appendChild(l),g.offsetWidth,e=l.value!=m,g.removeChild(l)):e=l.value!=m)),s[a[d]]=!!e;return s}("search tel url email datetime date month week time datetime-local number range color".split(" "))}var d="2.0.6",e={},f=!0,g=b.documentElement,h=b.head||b.getElementsByTagName("head")[0],i="modernizr",j=b.createElement(i),k=j.style,l=b.createElement("input"),m=":)",n={}.toString,o=" -webkit- -moz- -o- -ms- -khtml- ".split(" "),p="Webkit Moz O ms Khtml".split(" "),q={svg:"http://www.w3.org/2000/svg"},r={},s={},t={},u=[],v,w=function(a,c,d,e){var f,h,j,k=b.createElement("div");if(parseInt(d,10))while(d--)j=b.createElement("div"),j.id=e?e[d]:i+(d+1),k.appendChild(j);return f=["&shy;","<style>",a,"</style>"].join(""),k.id=i,k.innerHTML+=f,g.appendChild(k),h=c(k,a),k.parentNode.removeChild(k),!!h},x=function(b){if(a.matchMedia)return matchMedia(b).matches;var c;return w("@media "+b+" { #"+i+" { position: absolute; } }",function(b){c=(a.getComputedStyle?getComputedStyle(b,null):b.currentStyle)["position"]=="absolute"}),c},y=function(){function d(d,e){e=e||b.createElement(a[d]||"div"),d="on"+d;var f=d in e;return f||(e.setAttribute||(e=b.createElement("div")),e.setAttribute&&e.removeAttribute&&(e.setAttribute(d,""),f=D(e[d],"function"),D(e[d],"undefined")||(e[d]=c),e.removeAttribute(d))),e=null,f}var a={select:"input",change:"input",submit:"form",reset:"form",error:"img",load:"img",abort:"img"};return d}(),z={}.hasOwnProperty,A;!D(z,"undefined")&&!D(z.call,"undefined")?A=function(a,b){return z.call(a,b)}:A=function(a,b){return b in a&&D(a.constructor.prototype[b],"undefined")};var H=function(c,d){var f=c.join(""),g=d.length;w(f,function(c,d){var f=b.styleSheets[b.styleSheets.length-1],h=f.cssRules&&f.cssRules[0]?f.cssRules[0].cssText:f.cssText||"",i=c.childNodes,j={};while(g--)j[i[g].id]=i[g];e.touch="ontouchstart"in a||(j.touch&&j.touch.offsetTop)===9,e.csstransforms3d=(j.csstransforms3d&&j.csstransforms3d.offsetLeft)===9,e.generatedcontent=(j.generatedcontent&&j.generatedcontent.offsetHeight)>=1,e.fontface=/src/i.test(h)&&h.indexOf(d.split(" ")[0])===0},g,d)}(['@font-face {font-family:"font";src:url("https://")}',["@media (",o.join("touch-enabled),("),i,")","{#touch{top:9px;position:absolute}}"].join(""),["@media (",o.join("transform-3d),("),i,")","{#csstransforms3d{left:9px;position:absolute}}"].join(""),['#generatedcontent:after{content:"',m,'";visibility:hidden}'].join("")],["fontface","touch","csstransforms3d","generatedcontent"]);r.flexbox=function(){function a(a,b,c,d){b+=":",a.style.cssText=(b+o.join(c+";"+b)).slice(0,-b.length)+(d||"")}function c(a,b,c,d){a.style.cssText=o.join(b+":"+c+";")+(d||"")}var d=b.createElement("div"),e=b.createElement("div");a(d,"display","box","width:42px;padding:0;"),c(e,"box-flex","1","width:10px;"),d.appendChild(e),g.appendChild(d);var f=e.offsetWidth===42;return d.removeChild(e),g.removeChild(d),f},r.canvas=function(){var a=b.createElement("canvas");return!!a.getContext&&!!a.getContext("2d")},r.canvastext=function(){return!!e.canvas&&!!D(b.createElement("canvas").getContext("2d").fillText,"function")},r.webgl=function(){return!!a.WebGLRenderingContext},r.touch=function(){return e.touch},r.geolocation=function(){return!!navigator.geolocation},r.postmessage=function(){return!!a.postMessage},r.websqldatabase=function(){var b=!!a.openDatabase;return b},r.indexedDB=function(){for(var b=-1,c=p.length;++b<c;)if(a[p[b].toLowerCase()+"IndexedDB"])return!0;return!!a.indexedDB},r.hashchange=function(){return y("hashchange",a)&&(b.documentMode===c||b.documentMode>7)},r.history=function(){return!!a.history&&!!history.pushState},r.draganddrop=function(){var a=b.createElement("div");return"draggable"in a||"ondragstart"in a&&"ondrop"in a},r.websockets=function(){for(var b=-1,c=p.length;++b<c;)if(a[p[b]+"WebSocket"])return!0;return"WebSocket"in a},r.rgba=function(){return B("background-color:rgba(150,255,150,.5)"),E(k.backgroundColor,"rgba")},r.hsla=function(){return B("background-color:hsla(120,40%,100%,.5)"),E(k.backgroundColor,"rgba")||E(k.backgroundColor,"hsla")},r.multiplebgs=function(){return B("background:url(https://),url(https://),red url(https://)"),/(url\s*\(.*?){3}/.test(k.background)},r.backgroundsize=function(){return G("backgroundSize")},r.borderimage=function(){return G("borderImage")},r.borderradius=function(){return G("borderRadius")},r.boxshadow=function(){return G("boxShadow")},r.textshadow=function(){return b.createElement("div").style.textShadow===""},r.opacity=function(){return C("opacity:.55"),/^0.55$/.test(k.opacity)},r.cssanimations=function(){return G("animationName")},r.csscolumns=function(){return G("columnCount")},r.cssgradients=function(){var a="background-image:",b="gradient(linear,left top,right bottom,from(#9f9),to(white));",c="linear-gradient(left top,#9f9, white);";return B((a+o.join(b+a)+o.join(c+a)).slice(0,-a.length)),E(k.backgroundImage,"gradient")},r.cssreflections=function(){return G("boxReflect")},r.csstransforms=function(){return!!F(["transformProperty","WebkitTransform","MozTransform","OTransform","msTransform"])},r.csstransforms3d=function(){var a=!!F(["perspectiveProperty","WebkitPerspective","MozPerspective","OPerspective","msPerspective"]);return a&&"webkitPerspective"in g.style&&(a=e.csstransforms3d),a},r.csstransitions=function(){return G("transitionProperty")},r.fontface=function(){return e.fontface},r.generatedcontent=function(){return e.generatedcontent},r.video=function(){var a=b.createElement("video"),c=!1;try{if(c=!!a.canPlayType){c=new Boolean(c),c.ogg=a.canPlayType('video/ogg; codecs="theora"');var d='video/mp4; codecs="avc1.42E01E';c.h264=a.canPlayType(d+'"')||a.canPlayType(d+', mp4a.40.2"'),c.webm=a.canPlayType('video/webm; codecs="vp8, vorbis"')}}catch(e){}return c},r.audio=function(){var a=b.createElement("audio"),c=!1;try{if(c=!!a.canPlayType)c=new Boolean(c),c.ogg=a.canPlayType('audio/ogg; codecs="vorbis"'),c.mp3=a.canPlayType("audio/mpeg;"),c.wav=a.canPlayType('audio/wav; codecs="1"'),c.m4a=a.canPlayType("audio/x-m4a;")||a.canPlayType("audio/aac;")}catch(d){}return c},r.localstorage=function(){try{return!!localStorage.getItem}catch(a){return!1}},r.sessionstorage=function(){try{return!!sessionStorage.getItem}catch(a){return!1}},r.webworkers=function(){return!!a.Worker},r.applicationcache=function(){return!!a.applicationCache},r.svg=function(){return!!b.createElementNS&&!!b.createElementNS(q.svg,"svg").createSVGRect},r.inlinesvg=function(){var a=b.createElement("div");return a.innerHTML="<svg/>",(a.firstChild&&a.firstChild.namespaceURI)==q.svg},r.smil=function(){return!!b.createElementNS&&/SVG/.test(n.call(b.createElementNS(q.svg,"animate")))},r.svgclippaths=function(){return!!b.createElementNS&&/SVG/.test(n.call(b.createElementNS(q.svg,"clipPath")))};for(var J in r)A(r,J)&&(v=J.toLowerCase(),e[v]=r[J](),u.push((e[v]?"":"no-")+v));return e.input||I(),e.addTest=function(a,b){if(typeof a=="object")for(var d in a)A(a,d)&&e.addTest(d,a[d]);else{a=a.toLowerCase();if(e[a]!==c)return;b=typeof b=="boolean"?b:!!b(),g.className+=" "+(b?"":"no-")+a,e[a]=b}return e},B(""),j=l=null,a.attachEvent&&function(){var a=b.createElement("div");return a.innerHTML="<elem></elem>",a.childNodes.length!==1}()&&function(a,b){function s(a){var b=-1;while(++b<g)a.createElement(f[b])}a.iepp=a.iepp||{};var d=a.iepp,e=d.html5elements||"abbr|article|aside|audio|canvas|datalist|details|figcaption|figure|footer|header|hgroup|mark|meter|nav|output|progress|section|subline|summary|time|video",f=e.split("|"),g=f.length,h=new RegExp("(^|\\s)("+e+")","gi"),i=new RegExp("<(/*)("+e+")","gi"),j=/^\s*[\{\}]\s*$/,k=new RegExp("(^|[^\\n]*?\\s)("+e+")([^\\n]*)({[\\n\\w\\W]*?})","gi"),l=b.createDocumentFragment(),m=b.documentElement,n=b.getElementsByTagName("script")[0].parentNode,o=b.createElement("body"),p=b.createElement("style"),q=/print|all/,r;d.getCSS=function(a,b){try{if(a+""===c)return""}catch(e){return""}var f=-1,g=a.length,h,i=[];while(++f<g){h=a[f];if(h.disabled)continue;b=h.media||b,q.test(b)&&i.push(d.getCSS(h.imports,b),h.cssText),b="all"}return i.join("")},d.parseCSS=function(a){var b=[],c;while((c=k.exec(a))!=null)b.push(((j.exec(c[1])?"\n":c[1])+c[2]+c[3]).replace(h,"$1.iepp-$2")+c[4]);return b.join("\n")},d.writeHTML=function(){var a=-1;r=r||b.body;while(++a<g){var c=b.getElementsByTagName(f[a]),d=c.length,e=-1;while(++e<d)c[e].className.indexOf("iepp-")<0&&(c[e].className+=" iepp-"+f[a])}l.appendChild(r),m.appendChild(o),o.className=r.className,o.id=r.id,o.innerHTML=r.innerHTML.replace(i,"<$1font")},d._beforePrint=function(){if(d.disablePP)return;p.styleSheet.cssText=d.parseCSS(d.getCSS(b.styleSheets,"all")),d.writeHTML()},d.restoreHTML=function(){if(d.disablePP)return;o.swapNode(r)},d._afterPrint=function(){d.restoreHTML(),p.styleSheet.cssText=""},s(b),s(l);if(d.disablePP)return;n.insertBefore(p,n.firstChild),p.media="print",p.className="iepp-printshim",a.attachEvent("onbeforeprint",d._beforePrint),a.attachEvent("onafterprint",d._afterPrint)}(a,b),e._version=d,e._prefixes=o,e._domPrefixes=p,e.mq=x,e.hasEvent=y,e.testProp=function(a){return F([a])},e.testAllProps=G,e.testStyles=w,e.prefixed=function(a){return G(a,"pfx")},g.className=g.className.replace(/(^|\s)no-js(\s|$)/,"$1$2")+(f?" js "+u.join(" "):""),e}(this,this.document),function(){$.ajaxSetup&&$.ajaxSetup({beforeSend:function(a,b){var c,d;if(!b.global)return;return c=b.context||document,d=$.Event("ajaxBeforeSend"),$(c).trigger(d,[a,b]),d.result}})}.call(this),function(){$(document).bind("ajaxBeforeSend",function(a,b,c){if(!c.dataType)return b.setRequestHeader("Accept","*/*;q=0.5, "+c.accepts.script)})}.call(this),function(){$(document).delegate("a[data-confirm]","click",function(a){var b;if(b=$(this).attr("data-confirm"))if(!confirm(b))return a.stopImmediatePropagation(),!1})}.call(this),function(){var a;$(document).bind("ajaxBeforeSend",function(a,b,c){var d;if(c.crossDomain)return;if(c.type==="GET")return;if(d=$('meta[name="csrf-token"]').attr("content"))return b.setRequestHeader("X-CSRF-Token",d)}),$(document).delegate("form","submit",function(b){var c,d,e,f;c=$(this);if(c.is("form[data-remote]"))return;if(c.attr("method").toUpperCase()==="GET")return;if(!a(c.attr("action")))return;e=$('meta[name="csrf-param"]').attr("content"),f=$('meta[name="csrf-token"]').attr("content"),e!=null&&f!=null&&(c.find("input[name="+e+"]")[0]||(d=document.createElement("input"),d.setAttribute("type","hidden"),d.setAttribute("name",e),d.setAttribute("value",f),c.prepend(d)))}),a=function(a){var b;return b=document.createElement("a"),b.href=a,location.protocol===b.protocol&&location.host===b.host}}.call(this),function(){$(document).delegate("form","submit",function(){var a,b,c,d,e,f,g,h,i;h=$(this).find("input[type=submit][data-disable-with]");for(d=0,f=h.length;d<f;d++)b=h[d],b=$(b),b.attr("data-enable-with",b.val()||"Submit"),(c=b.attr("data-disable-with"))&&b.val(c),b[0].disabled=!0;i=$(this).find("button[type=submit][data-disable-with]");for(e=0,g=i.length;e<g;e++)a=i[e],a=$(a),a.attr("data-enable-with",a.html()||""),(c=a.attr("data-disable-with"))&&a.html(c),a[0].disabled=!0}),$(document).delegate("form","ajaxComplete",function(){var a,b,c,d,e,f,g,h;g=$(this).find("input[type=submit][data-enable-with]");for(c=0,e=g.length;c<e;c++)b=g[c],$(b).val($(b).attr("data-enable-with")),b.disabled=!1;h=$(this).find("button[type=submit][data-enable-with]");for(d=0,f=h.length;d<f;d++)a=h[d],$(a).html($(a).attr("data-enable-with")),a.disabled=!1})}.call(this),function(){$(document).delegate("a[data-method]","click",function(a){var b,c,d,e;b=$(this);if(b.is("a[data-remote]"))return;e=b.attr("data-method").toLowerCase();if(e==="get")return;return c=document.createElement("form"),c.method="POST",c.action=b.attr("href"),c.style.display="none",e!=="post"&&(d=document.createElement("input"),d.setAttribute("type","hidden"),d.setAttribute("name","_method"),d.setAttribute("value",e),c.appendChild(d)),document.body.appendChild(c),$(c).submit(),a.preventDefault(),!1})}.call(this),function(){$(document).delegate("a[data-remote]","click",function(a){var b,c,d,e,f;c=$(this),d={},d.context=this;if(e=c.attr("data-method"))d.type=e;if(f=c.attr("href"))d.url=f;if(b=c.attr("data-type"))d.dataType=b;return $.ajax(d),a.preventDefault(),!1}),$(document).delegate("form[data-remote]","submit",function(a){var b,c,d,e,f,g;d=$(this),e={},e.context=this;if(f=d.attr("method"))e.type=f;if(g=d.attr("action"))e.url=g;if(b=d.serializeArray())e.data=b;if(c=d.attr("data-type"))e.dataType=c;return $.ajax(e),a.preventDefault(),!1})}.call(this),function(){var a;a="form[data-remote] input[type=submit],\nform[data-remote] button[type=submit],\nform[data-remote] button:not([type])",$(document).delegate(a,"click",function(){var a,b,c,d,e,f;e=$(this),b=e.closest("form"),c=b.find(".js-submit-button-value"),(d=e.attr("name"))?(a=e.is("input[type=submit]")?"Submit":"",f=e.val()||a,c[0]?(c.attr("name",d),c.attr("value",f)):(c=document.createElement("input"),c.setAttribute("type","hidden"),c.setAttribute("name",d),c.setAttribute("value",f),c.setAttribute("class","js-submit-button-value"),b.prepend(c))):c.remove()})}.call(this),function(){if(window.CanvasRenderingContext2D&&CanvasRenderingContext2D.prototype.getImageData){var a={destX:0,destY:0,sourceX:0,sourceY:0,width:"auto",height:"auto"};CanvasRenderingContext2D.prototype.blendOnto=function(b,c,d){var e={};for(var f in a)a.hasOwnProperty(f)&&(e[f]=d&&d[f]||a[f]);e.width=="auto"&&(e.width=this.canvas.width),e.height=="auto"&&(e.height=this.canvas.height),e.width=Math.min(e.width,this.canvas.width-e.sourceX,b.canvas.width-e.destX),e.height=Math.min(e.height,this.canvas.height-e.sourceY,b.canvas.height-e.destY);var g=this.getImageData(e.sourceX,e.sourceY,e.width,e.height),h=b.getImageData(e.destX,e.destY,e.width,e.height),i=g.data,j=h.data,k,l,m=j.length,n,o,p,q,r,s,t,u;for(var v=0;v<m;v+=4){k=i[v+3]/255,l=j[v+3]/255,t=k+l-k*l,j[v+3]=t*255,n=i[v]/255*k,q=j[v]/255*l,o=i[v+1]/255*k,r=j[v+1]/255*l,p=i[v+2]/255*k,s=j[v+2]/255*l,u=255/t;switch(c){case"normal":case"src-over":j[v]=(n+q-q*k)*u,j[v+1]=(o+r-r*k)*u,j[v+2]=(p+s-s*k)*u;break;case"screen":j[v]=(n+q-n*q)*u,j[v+1]=(o+r-o*r)*u,j[v+2]=(p+s-p*s)*u;break;case"multiply":j[v]=(n*q+n*(1-l)+q*(1-k))*u,j[v+1]=(o*r+o*(1-l)+r*(1-k))*u,j[v+2]=(p*s+p*(1-l)+s*(1-k))*u;break;case"difference":j[v]=(n+q-2*Math.min(n*l,q*k))*u,j[v+1]=(o+r-2*Math.min(o*l,r*k))*u,j[v+2]=(p+s-2*Math.min(p*l,s*k))*u;break;case"src-in":t=k*l,u=255/t,j[v+3]=t*255,j[v]=n*l*u,j[v+1]=o*l*u,j[v+2]=p*l*u;break;case"plus":case"add":t=Math.min(1,k+l),j[v+3]=t*255,u=255/t,j[v]=Math.min(n+q,1)*u,j[v+1]=Math.min(o+r,1)*u,j[v+2]=Math.min(p+s,1)*u;break;case"overlay":j[v]=q<=.5?2*i[v]*q/l:255-(2-2*q/l)*(255-i[v]),j[v+1]=r<=.5?2*i[v+1]*r/l:255-(2-2*r/l)*(255-i[v+1]),j[v+2]=s<=.5?2*i[v+2]*s/l:255-(2-2*s/l)*(255-i[v+2]);break;case"hardlight":j[v]=n<=.5?2*j[v]*n/l:255-(2-2*n/k)*(255-j[v]),j[v+1]=o<=.5?2*j[v+1]*o/l:255-(2-2*o/k)*(255-j[v+1]),j[v+2]=p<=.5?2*j[v+2]*p/l:255-(2-2*p/k)*(255-j[v+2]);break;case"colordodge":case"dodge":i[v]==255&&q==0?j[v]=255:j[v]=Math.min(255,j[v]/(255-i[v]))*u,i[v+1]==255&&r==0?j[v+1]=255:j[v+1]=Math.min(255,j[v+1]/(255-i[v+1]))*u,i[v+2]==255&&s==0?j[v+2]=255:j[v+2]=Math.min(255,j[v+2]/(255-i[v+2]))*u;break;case"colorburn":case"burn":i[v]==0&&q==0?j[v]=0:j[v]=(1-Math.min(1,(1-q)/n))*u,i[v+1]==0&&r==0?j[v+1]=0:j[v+1]=(1-Math.min(1,(1-r)/o))*u,i[v+2]==0&&s==0?j[v+2]=0:j[v+2]=(1-Math.min(1,(1-s)/p))*u;break;case"darken":case"darker":j[v]=(n>q?q:n)*u,j[v+1]=(o>r?r:o)*u,j[v+2]=(p>s?s:p)*u;break;case"lighten":case"lighter":j[v]=(n<q?q:n)*u,j[v+1]=(o<r?r:o)*u,j[v+2]=(p<s?s:p)*u;break;case"exclusion":j[v]=(q+n-2*q*n)*u,j[v+1]=(r+o-2*r*o)*u,j[v+2]=(s+p-2*s*p)*u;break;default:j[v]=j[v+3]=255,j[v+1]=v%8==0?255:0,j[v+2]=v%8==0?0:255}}b.putImageData(h,e.destX,e.destY)};var b=CanvasRenderingContext2D.prototype.blendOnto.supportedBlendModes="normal src-over screen multiply difference src-in plus add overlay hardlight colordodge dodge colorburn burn darken lighten exclusion".split(" "),c=CanvasRenderingContext2D.prototype.blendOnto.supports={};for(var d=0,e=b.length;d<e;++d)c[b[d]]=!0}}(),function(a){a.fn.extend({autocomplete:function(b,c){var d=typeof b=="string";return c=a.extend({},a.Autocompleter.defaults,{url:d?b:null,data:d?null:b,delay:d?a.Autocompleter.defaults.delay:10,max:c&&!c.scroll?10:150},c),c.highlight=c.highlight||function(a){return a},c.formatMatch=c.formatMatch||c.formatItem,this.each(function(){new a.Autocompleter(this,c)})},result:function(a){return this.bind("result",a)},search:function(a){return this.trigger("search",[a])},flushCache:function(){return this.trigger("flushCache")},setOptions:function(a){return this.trigger("setOptions",[a])},unautocomplete:function(){return this.trigger("unautocomplete")}}),a.Autocompleter=function(b,c){function n(){var d=l.selected();if(!d)return!1;var f=d.result;g=f;if(c.multiple){var h=p(e.val());if(h.length>1){var i=c.multipleSeparator.length,j=a(b).selection().start,k,m=0;a.each(h,function(a,b){m+=b.length;if(j<=m)return k=a,!1;m+=i}),h[k]=f,f=h.join(c.multipleSeparator)}f+=c.multipleSeparator}return e.val(f),v(),e.trigger("result",[d.data,d.value]),!0}function o(a,b){if(j==d.DEL){l.hide();return}var f=e.val();if(!b&&f==g)return;g=f,f=q(f),f.length>=c.minChars?(e.addClass(c.loadingClass),c.matchCase||(f=f.toLowerCase()),x(f,w,v)):(z(),l.hide())}function p(b){return b?c.multiple?a.map(b.split(c.multipleSeparator),function(c){return a.trim(b).length?a.trim(c):null}):[a.trim(b)]:[""]}function q(d){if(!c.multiple)return d;var e=p(d);if(e.length==1)return e[0];var f=a(b).selection().start;return f==d.length?e=p(d):e=p(d.replace(d.substring(f),"")),e[e.length-1]}function r(f,h){c.autoFill&&q(e.val()).toLowerCase()==f.toLowerCase()&&j!=d.BACKSPACE&&(e.val(e.val()+h.substring(q(g).length)),a(b).selection(g.length,g.length+h.length))}function s(a,b){if(!c.autoResult||!b.length)return;var d=b[0],f=d.result;q(e.val()).toLowerCase()==f.toLowerCase()&&(e.trigger("result",[d.data,d.value]),b.length==1&&u())}function u(){clearTimeout(f),f=setTimeout(v,200),t=!0}function v(){var a=l.visible();l.hide(),clearTimeout(f),z(),c.mustMatch&&e.search(function(a){if(!a)if(c.multiple){var b=p(e.val()).slice(0,-1);e.val(b.join(c.multipleSeparator)+(b.length?c.multipleSeparator:""))}else e.val(""),e.trigger("result",null)})}function w(a,b){b&&b.length&&i?(z(),t=!1,l.display(b,a),r(a,b[0].value),s(a,b),t||l.show()):v()}function x(d,e,f){c.matchCase||(d=d.toLowerCase());var g=h.load(d);if(g&&g.length)e(d,g);else if(typeof c.url=="string"&&c.url.length>0){var i={timestamp:+(new Date)};a.each(c.extraParams,function(a,b){i[a]=typeof b=="function"?b():b}),a.ajax({mode:"abort",port:"autocomplete"+b.name,dataType:c.dataType,url:c.url,data:a.extend({q:q(d),limit:c.max},i),success:function(a){var b=c.parse&&c.parse(a)||y(a);h.add(d,b),e(d,b)}})}else l.emptyList(),f(d)}function y(b){var d=[],e=b.split("\n");for(var f=0;f<e.length;f++){var g=a.trim(e[f]);g&&(g=g.split("|"),d[d.length]={data:g,value:g[0],result:c.formatResult&&c.formatResult(g,g[0])||g[0]})}return d}function z(){e.removeClass(c.loadingClass)}var d={UP:38,DOWN:40,DEL:46,TAB:9,RETURN:13,ESC:27,COMMA:188,PAGEUP:33,PAGEDOWN:34,BACKSPACE:8},e=a(b).attr("autocomplete","off").addClass(c.inputClass),f,g="",h=a.Autocompleter.Cache(c),i=0,j,k={mouseDownOnSelect:!1},l=a.Autocompleter.Select(c,b,n,k),m;a.browser.opera&&a(b.form).bind("submit.autocomplete",function(){if(m)return m=!1,!1}),e.bind((a.browser.opera?"keypress":"keydown")+".autocomplete",function(b){i=1,j=b.keyCode;switch(b.keyCode){case d.UP:b.preventDefault(),l.visible()?l.prev():o(0,!0);break;case d.DOWN:b.preventDefault(),l.visible()?l.next():o(0,!0);break;case d.PAGEUP:b.preventDefault(),l.visible()?l.pageUp():o(0,!0);break;case d.PAGEDOWN:b.preventDefault(),l.visible()?l.pageDown():o(0,!0);break;case c.multiple&&a.trim(c.multipleSeparator)==","&&d.COMMA:case d.TAB:case d.RETURN:if(n())return b.preventDefault(),m=!0,!1;break;case d.ESC:l.hide();break;default:clearTimeout(f),f=setTimeout(o,c.delay)}}).focus(function(){i++}).blur(function(){i=0,k.mouseDownOnSelect||u()}).click(function(){i++>1&&!l.visible()&&o(0,!0)}).bind("search",function(){function c(a,c){var d;if(c&&c.length)for(var f=0;f<c.length;f++)if(c[f].result.toLowerCase()==a.toLowerCase()){d=c[f];break}typeof b=="function"?b(d):e.trigger("result",d&&[d.data,d.value])}var b=arguments.length>1?arguments[1]:null;a.each(p(e.val()),function(a,b){x(b,c,c)})}).bind("flushCache",function(){h.flush()}).bind("setOptions",function(){a.extend(c,arguments[1]),"data"in arguments[1]&&h.populate()}).bind("unautocomplete",function(){l.unbind(),e.unbind(),a(b.form).unbind(".autocomplete")});var t=!1},a.Autocompleter.defaults={inputClass:"ac_input",resultsClass:"ac_results",loadingClass:"ac_loading",minChars:1,delay:400,matchCase:!1,matchSubset:!0,matchContains:!1,cacheLength:10,max:100,mustMatch:!1,extraParams:{},selectFirst:!0,formatItem:function(a){return a[0]},formatMatch:null,autoFill:!1,autoResult:!0,width:0,multiple:!1,multipleSeparator:", ",highlight:function(a,b){return a.replace(new RegExp("(?![^&;]+;)(?!<[^<>]*)("+b.replace(/([\^\$\(\)\[\]\{\}\*\.\+\?\|\\])/gi,"\\$1")+")(?![^<>]*>)(?![^&;]+;)","gi"),"<strong>$1</strong>")},scroll:!0,scrollHeight:180},a.Autocompleter.Cache=function(b){function e(a,c){b.matchCase||(a=a.toLowerCase());var d=a.indexOf(c);return b.matchContains=="word"&&(d=a.toLowerCase().search("\\b"+c.toLowerCase())),d==-1?!1:d==0||b.matchContains}function f(a,e){d>b.cacheLength&&h(),c[a]||d++,c[a]=e}function g(){if(!b.data)return!1;var c={},d=0;b.url||(b.cacheLength=1),c[""]=[];for(var e=0,g=b.data.length;e<g;e++){var h=b.data[e];h=typeof h=="string"?[h]:h;var i=b.formatMatch(h,e+1,b.data.length);if(i===!1)continue;var j=i.charAt(0).toLowerCase();c[j]||(c[j]=[]);var k={value:i,data:h,result:b.formatResult&&b.formatResult(h)||i};c[j].push(k),d++<b.max&&c[""].push(k)}a.each(c,function(a,c){b.cacheLength++,f(a,c)})}function h(){c={},d=0}var c={},d=0;return setTimeout(g,25),{flush:h,add:f,populate:g,load:function(f){if(!b.cacheLength||!d)return null;if(!b.url&&b.matchContains){var g=[];for(var h in c)if(h.length>0){var i=c[h];a.each(i,function(a,b){e(b.value,f)&&g.push(b)})}return g}if(c[f])return c[f];if(b.matchSubset)for(var j=f.length-1;j>=b.minChars;j--){var i=c[f.substr(0,j)];if(i){var g=[];return a.each(i,function(a,b){e(b.value,f)&&(g[g.length]=b)}),g}}return null}}},a.Autocompleter.Select=function(b,c,d,e){function n(){if(!k)return;l=a("<div/>").hide().addClass(b.resultsClass).css("position","absolute").appendTo(document.body),m=a("<ul/>").appendTo(l).mouseover(function(b){o(b).nodeName&&o(b).nodeName.toUpperCase()=="LI"&&(h=a("li",m).removeClass(f.ACTIVE).index(o(b)),a(o(b)).addClass(f.ACTIVE))}).click(function(b){return a(o(b)).addClass(f.ACTIVE),d(),c.focus(),!1}).mousedown(function(){e.mouseDownOnSelect=!0}).mouseup(function(){e.mouseDownOnSelect=!1}),b.width>0&&l.css("width",b.width),k=!1}function o(a){var b=a.target;while(b&&b.tagName!="LI")b=b.parentNode;return b?b:[]}function p(a){g.slice(h,h+1).removeClass(f.ACTIVE),q(a);var c=g.slice(h,h+1).addClass(f.ACTIVE);if(b.scroll){var d=0;g.slice(0,h).each(function(){d+=this.offsetHeight}),d+c[0].offsetHeight-m.scrollTop()>m[0].clientHeight?m.scrollTop(d+c[0].offsetHeight-m.innerHeight()):d<m.scrollTop()&&m.scrollTop(d)}}function q(a){h+=a,h<0?h=g.size()-1:h>=g.size()&&(h=0)}function r(a){return b.max&&b.max<a?b.max:a}function s(){m.empty();var c=r(i.length);for(var d=0;d<c;d++){if(!i[d])continue;var e=b.formatItem(i[d].data,d+1,c,i[d].value,j);if(e===!1)continue;var k=a("<li/>").html(b.highlight(e,j)).addClass(d%2==0?"ac_even":"ac_odd").appendTo(m)[0];a.data(k,"ac_data",i[d])}g=m.find("li"),b.selectFirst&&(g.slice(0,1).addClass(f.ACTIVE),h=0),a.fn.bgiframe&&m.bgiframe()}var f={ACTIVE:"ac_over"},g,h=-1,i,j="",k=!0,l,m;return{display:function(a,b){n(),i=a,j=b,s()},next:function(){p(1)},prev:function(){p(-1)},pageUp:function(){h!=0&&h-8<0?p(-h):p(-8)},pageDown:function(){h!=g.size()-1&&h+8>g.size()?p(g.size()-1-h):p(8)},hide:function(){l&&l.hide(),g&&g.removeClass(f.ACTIVE),h=-1},visible:function(){return l&&l.is(":visible")},current:function(){return this.visible()&&(g.filter("."+f.ACTIVE)[0]||b.selectFirst&&g[0])},show:function(){var d=a(c).offset();l.css({width:typeof b.width=="string"||b.width>0?b.width:a(c).width(),top:d.top+c.offsetHeight,left:d.left}).show();if(b.scroll){m.scrollTop(0),m.css({maxHeight:b.scrollHeight,overflow:"auto"});if(a.browser.msie&&typeof document.body.style.maxHeight=="undefined"){var e=0;g.each(function(){e+=this.offsetHeight});var f=e>b.scrollHeight;m.css("height",f?b.scrollHeight:e),f||g.width(m.width()-parseInt(g.css("padding-left"))-parseInt(g.css("padding-right")))}}},selected:function(){var b=g&&g.filter("."+f.ACTIVE).removeClass(f.ACTIVE);return b&&b.length&&a.data(b[0],"ac_data")},emptyList:function(){m&&m.empty()},unbind:function(){l&&l.remove()}}},a.fn.selection=function(a,b){if(a!==undefined)return this.each(function(){if(this.createTextRange){var c=this.createTextRange();b===undefined||a==b?(c.move("character",a),c.select()):(c.collapse(!0),c.moveStart("character",a),c.moveEnd("character",b),c.select())}else this.setSelectionRange?this.setSelectionRange(a,b):this.selectionStart&&(this.selectionStart=a,this.selectionEnd=b)});var c=this[0];if(c.createTextRange){var d=document.selection.createRange(),e=c.value,f="<->",g=d.text.length;d.text=f;var h=c.value.indexOf(f);return c.value=e,this.selection(h,h+g),{start:h,end:h+g}}if(c.selectionStart!==undefined)return{start:c.selectionStart,end:c.selectionEnd}}}(jQuery),function(a){a.fn.autocompleteField=function(b){var c=a.extend({searchVar:"q",url:null,delay:250,useCache:!1,extraParams:{},autoClearResults:!0,dataType:"html",minLength:1},b);return a(this).each(function(){function h(e){d&&d.readyState<4&&d.abort();if(c.useCache&&g[e])b.trigger("autocomplete:finish",g[e]);else{var f={};f[c.searchVar]=e,f=a.extend(!0,c.extraParams,f),b.trigger("autocomplete:beforesend"),d=a.get(c.url,f,function(a){c.useCache&&(g[e]=a),b.val()===e&&b.trigger("autocomplete:finish",a)},c.dataType)}}function i(a){a.length>=c.minLength?f!=a&&(h(a),f=a):b.trigger("autocomplete:clear")}var b=a(this),d,e,f,g={};c.url!=null&&(b.attr("autocomplete","off"),b.keyup(function(a){a.preventDefault(),clearTimeout(e),e=setTimeout(function(){clearTimeout(e),i(b.val())},c.delay)}),b.blur(function(){f=null}))})}}(jQuery),function(a){a.fn.autosaveField=function(b){var c=a.extend({},a.fn.autosaveField.defaults,b);return this.each(function(){var b=a(this),d=b.attr("data-field-type")||":text",e=b.find(d),f=b.find(".error"),g=b.find(".success"),h=b.attr("data-action"),i=b.attr("data-name"),j=e.val(),k=function(d){e.spin(),a.ajax({url:h,type:"POST",data:{_method:c.method,field:i,value:e.val()},success:function(){e.stopSpin(),g.show(),j=e.val()},error:function(){e.stopSpin(),b.attr("data-reset-on-error")&&e.val(j),f.show()}})};d==":text"?(e.blur(function(){a(this).val()!=j&&k()}),e.keyup(function(){f.hide(),g.hide()})):d=="input[type=checkbox]"&&e.change(function(){f.hide(),g.hide(),k()})})},a.fn.autosaveField.defaults={method:"put"}}(jQuery),function(a){function b(a){var b=Math.floor(a/1e3),c=Math.floor(b/60);return b%=60,b=b<10?"0"+b:b,c+":"+b}function c(a){var b=0;if(a.offsetParent)while(a.offsetParent)b+=a.offsetLeft,a=a.offsetParent;else a.x&&(b+=a.x);return b}BaconPlayer={sound:null,playing:!1,sm2:"/js/soundmanager2.js",flashURL:"/flash/",playOrPause:function(a){this.initSound(a,function(){this.playing?this.pause():this.play()})},play:function(){if(!this.sound)return;return this.playing=!0,this.sound.play(),a(".baconplayer .play, .baconplayer .pause").toggle(),"playing"},pause:function(){if(!this.sound)return;return this.playing=!1,this.sound.pause(),a(".baconplayer .play, .baconplayer .pause").toggle(),"paused"},initSound:function(b,c){if(!window.soundManager)return a.getScript(this.sm2,function(){soundManager.url=BaconPlayer.flashURL,soundManager.debugMode=!1,soundManager.onready(function(){BaconPlayer.initSound(b,c)})});this.sound=soundManager.createSound({id:"baconplayer",url:b,whileplaying:function(){BaconPlayer.moveProgressBar(this),BaconPlayer.setPositionTiming(this)},whileloading:function(){BaconPlayer.moveLoadingBar(this),BaconPlayer.setDurationTiming(this)},onload:function(){BaconPlayer.setDurationTiming(this,!0)}}),c.call(this)},moveProgressBar:function(b){var c=b.position/b.durationEstimate;a(".baconplayer .inner-progress").width(this.progressBar().width()*c)},moveLoadingBar:function(b){var c=b.bytesLoaded/b.bytesTotal;a(".baconplayer .loading-progress").width(this.progressBar().width()*c)},setPositionTiming:function(c){var d=b(c.position);a(".baconplayer .position").text(d)},setDurationTiming:function(c,d){if(!d&&this.durationTimingTimer)return;this.durationTimingTimer=setTimeout(function(){BaconPlayer.setDurationTiming(c),BaconPlayer.durationTimingTimer=null},2e3);var e=b(c.durationEstimate);a(".baconplayer .duration").text(e)},progressBar:function(){return a(".baconplayer .progress")},setPosition:function(a){var b=this.progressBar()[0],d=this.sound,e=parseInt(a.clientX),f=Math.floor((e-c(b)-4)/b.offsetWidth*d.durationEstimate);isNaN(f)||(f=Math.min(f,d.duration)),isNaN(f)||d.setPosition(f)},startDrag:function(a){if(this.dragging||!this.sound)return;this.attachDragHandlers(),this.dragging=!0,this.pause(),this.setPosition(a)},drag:function(a){this.setPosition(a)},stopDrag:function(a){this.removeDragHandlers(),this.dragging=!1,this.setPosition(a),this.play()},attachDragHandlers:function(){a(document).bind("mousemove.baconplayer",function(a){BaconPlayer.drag(a)}),a(document).bind("mouseup.baconplayer",function(a){BaconPlayer.stopDrag(a)})},removeDragHandlers:function(){a(document).unbind("mousemove.baconplayer"),a(document).unbind("mouseup.baconplayer")}},a(function(){a(".baconplayer .play, .baconplayer .pause").click(function(){return BaconPlayer.playOrPause(this.href),!1}),a(".baconplayer .progress").mousedown(function(a){BaconPlayer.startDrag(a)})})}(jQuery),function(){var a;a=document.documentElement,$.browser.webkit?a.className+=" webkit":$.browser.mozilla?a.className+=" mozilla":$.browser.msie?(a.className+=" msie",$.browser.version==="9.0"?a.className+=" ie9":$.browser.version==="8.0"?a.className+=" ie8":$.browser.version==="7.0"&&(a.className+=" ie7")):$.browser.opera&&(a.className+=" opera")}.call(this),function(a){function b(b){var c;return b&&b.constructor==Array&&b.length==3?b:(c=/rgb\(\s*([0-9]{1,3})\s*,\s*([0-9]{1,3})\s*,\s*([0-9]{1,3})\s*\)/.exec(b))?[parseInt(c[1]),parseInt(c[2]),parseInt(c[3])]:(c=/rgb\(\s*([0-9]+(?:\.[0-9]+)?)\%\s*,\s*([0-9]+(?:\.[0-9]+)?)\%\s*,\s*([0-9]+(?:\.[0-9]+)?)\%\s*\)/.exec(b))?[parseFloat(c[1])*2.55
2
+ ,parseFloat(c[2])*2.55,parseFloat(c[3])*2.55]:(c=/#([a-fA-F0-9]{2})([a-fA-F0-9]{2})([a-fA-F0-9]{2})/.exec(b))?[parseInt(c[1],16),parseInt(c[2],16),parseInt(c[3],16)]:(c=/#([a-fA-F0-9])([a-fA-F0-9])([a-fA-F0-9])/.exec(b))?[parseInt(c[1]+c[1],16),parseInt(c[2]+c[2],16),parseInt(c[3]+c[3],16)]:d[a.trim(b).toLowerCase()]}function c(c,d){var e;do{e=a.curCSS(c,d);if(e!=""&&e!="transparent"||a.nodeName(c,"body"))break;d="backgroundColor"}while(c=c.parentNode);return b(e)}a.each(["backgroundColor","borderBottomColor","borderLeftColor","borderRightColor","borderTopColor","color","outlineColor"],function(d,e){a.fx.step[e]=function(a){a.state==0&&(a.start=c(a.elem,e),a.end=b(a.end)),a.elem.style[e]="rgb("+[Math.max(Math.min(parseInt(a.pos*(a.end[0]-a.start[0])+a.start[0]),255),0),Math.max(Math.min(parseInt(a.pos*(a.end[1]-a.start[1])+a.start[1]),255),0),Math.max(Math.min(parseInt(a.pos*(a.end[2]-a.start[2])+a.start[2]),255),0)].join(",")+")"}});var d={aqua:[0,255,255],azure:[240,255,255],beige:[245,245,220],black:[0,0,0],blue:[0,0,255],brown:[165,42,42],cyan:[0,255,255],darkblue:[0,0,139],darkcyan:[0,139,139],darkgrey:[169,169,169],darkgreen:[0,100,0],darkkhaki:[189,183,107],darkmagenta:[139,0,139],darkolivegreen:[85,107,47],darkorange:[255,140,0],darkorchid:[153,50,204],darkred:[139,0,0],darksalmon:[233,150,122],darkviolet:[148,0,211],fuchsia:[255,0,255],gold:[255,215,0],green:[0,128,0],indigo:[75,0,130],khaki:[240,230,140],lightblue:[173,216,230],lightcyan:[224,255,255],lightgreen:[144,238,144],lightgrey:[211,211,211],lightpink:[255,182,193],lightyellow:[255,255,224],lime:[0,255,0],magenta:[255,0,255],maroon:[128,0,0],navy:[0,0,128],olive:[128,128,0],orange:[255,165,0],pink:[255,192,203],purple:[128,0,128],violet:[128,0,128],red:[255,0,0],silver:[192,192,192],white:[255,255,255],yellow:[255,255,0]}}(jQuery),jQuery.cookie=function(a,b,c){if(typeof b=="undefined"){var i=null;if(document.cookie&&document.cookie!=""){var j=document.cookie.split(";");for(var k=0;k<j.length;k++){var l=jQuery.trim(j[k]);if(l.substring(0,a.length+1)==a+"="){i=decodeURIComponent(l.substring(a.length+1));break}}}return i}c=c||{},b===null&&(b="",c.expires=-1);var d="";if(c.expires&&(typeof c.expires=="number"||c.expires.toUTCString)){var e;typeof c.expires=="number"?(e=new Date,e.setTime(e.getTime()+c.expires*24*60*60*1e3)):e=c.expires,d="; expires="+e.toUTCString()}var f=c.path?"; path="+c.path:"",g=c.domain?"; domain="+c.domain:"",h=c.secure?"; secure":"";document.cookie=[a,"=",encodeURIComponent(b),d,f,g,h].join("")},DateInput=function(a){function b(c,d){typeof d!="object"&&(d={}),a.extend(this,b.DEFAULT_OPTS,d),this.input=a(c),this.bindMethodsToObj("show","hide","hideIfClickOutside","keydownHandler","selectDate"),this.build(),this.selectDate(),this.hide(),this.input.data("datePicker",this)}return b.DEFAULT_OPTS={month_names:["January","February","March","April","May","June","July","August","September","October","November","December"],short_month_names:["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"],short_day_names:["Sun","Mon","Tue","Wed","Thu","Fri","Sat"],start_of_week:1},b.prototype={build:function(){var b=a('<p class="month_nav"><span class="button prev" title="[Page-Up]">&#171;</span> <span class="month_name"></span> <span class="button next" title="[Page-Down]">&#187;</span></p>');this.monthNameSpan=a(".month_name",b),a(".prev",b).click(this.bindToObj(function(){this.moveMonthBy(-1)})),a(".next",b).click(this.bindToObj(function(){this.moveMonthBy(1)}));var c=a('<p class="year_nav"><span class="button prev" title="[Ctrl+Page-Up]">&#171;</span> <span class="year_name"></span> <span class="button next" title="[Ctrl+Page-Down]">&#187;</span></p>');this.yearNameSpan=a(".year_name",c),a(".prev",c).click(this.bindToObj(function(){this.moveMonthBy(-12)})),a(".next",c).click(this.bindToObj(function(){this.moveMonthBy(12)}));var d=a('<div class="nav"></div>').append(b,c),e="<table><thead><tr>";a(this.adjustDays(this.short_day_names)).each(function(){e+="<th>"+this+"</th>"}),e+="</tr></thead><tbody></tbody></table>",this.dateSelector=this.rootLayers=a('<div class="date_selector"></div>').append(d,e).insertAfter(this.input),a.browser.msie&&a.browser.version<7&&(this.ieframe=a('<iframe class="date_selector_ieframe" frameborder="0" src="#"></iframe>').insertBefore(this.dateSelector),this.rootLayers=this.rootLayers.add(this.ieframe),a(".button",d).mouseover(function(){a(this).addClass("hover")}),a(".button",d).mouseout(function(){a(this).removeClass("hover")})),this.tbody=a("tbody",this.dateSelector),this.input.change(this.bindToObj(function(){this.selectDate()})),this.selectDate()},selectMonth:function(b){var c=new Date(b.getFullYear(),b.getMonth(),1);if(!this.currentMonth||this.currentMonth.getFullYear()!=c.getFullYear()||this.currentMonth.getMonth()!=c.getMonth()){this.currentMonth=c;var d=this.rangeStart(b),e=this.rangeEnd(b),f=this.daysBetween(d,e),g="";for(var h=0;h<=f;h++){var i=new Date(d.getFullYear(),d.getMonth(),d.getDate()+h,12,0);this.isFirstDayOfWeek(i)&&(g+="<tr>"),i.getMonth()==b.getMonth()?g+='<td class="selectable_day" date="'+this.dateToString(i)+'">'+i.getDate()+"</td>":g+='<td class="unselected_month" date="'+this.dateToString(i)+'">'+i.getDate()+"</td>",this.isLastDayOfWeek(i)&&(g+="</tr>")}this.tbody.empty().append(g),this.monthNameSpan.empty().append(this.monthName(b)),this.yearNameSpan.empty().append(this.currentMonth.getFullYear()),a(".selectable_day",this.tbody).click(this.bindToObj(function(b){this.changeInput(a(b.target).attr("date"))})),a("td[date='"+this.dateToString(new Date)+"']",this.tbody).addClass("today"),a("td.selectable_day",this.tbody).mouseover(function(){a(this).addClass("hover")}),a("td.selectable_day",this.tbody).mouseout(function(){a(this).removeClass("hover")})}a(".selected",this.tbody).removeClass("selected"),a('td[date="'+this.selectedDateString+'"]',this.tbody).addClass("selected")},selectDate:function(a){typeof a=="undefined"&&(a=this.stringToDate(this.input.val())),a||(a=new Date),this.selectedDate=a,this.selectedDateString=this.dateToString(this.selectedDate),this.selectMonth(this.selectedDate)},changeInput:function(a){this.input.val(a).change(),this.hide()},show:function(){this.rootLayers.css("display","block"),a([window,document.body]).click(this.hideIfClickOutside),this.input.unbind("focus",this.show),this.rootLayers.keydown(this.keydownHandler),this.setPosition()},hide:function(){this.rootLayers.css("display","none"),a([window,document.body]).unbind("click",this.hideIfClickOutside),this.input.focus(this.show),this.rootLayers.unbind("keydown",this.keydownHandler)},hideIfClickOutside:function(a){a.target!=this.input[0]&&!this.insideSelector(a)&&this.hide()},insideSelector:function(a){var b=this.dateSelector.position();return b.right=b.left+this.dateSelector.outerWidth(),b.bottom=b.top+this.dateSelector.outerHeight(),a.pageY<b.bottom&&a.pageY>b.top&&a.pageX<b.right&&a.pageX>b.left},keydownHandler:function(a){switch(a.keyCode){case 9:case 27:this.hide();return;case 13:this.changeInput(this.selectedDateString);break;case 33:this.moveDateMonthBy(a.ctrlKey?-12:-1);break;case 34:this.moveDateMonthBy(a.ctrlKey?12:1);break;case 38:this.moveDateBy(-7);break;case 40:this.moveDateBy(7);break;case 37:this.moveDateBy(-1);break;case 39:this.moveDateBy(1);break;default:return}a.preventDefault()},stringToDate:function(a){var b;return(b=a.match(/^(\d{1,2}) ([^\s]+) (\d{4,4})$/))?new Date(b[3],this.shortMonthNum(b[2]),b[1],12,0):null},dateToString:function(a){return a.getDate()+" "+this.short_month_names[a.getMonth()]+" "+a.getFullYear()},setPosition:function(){var a=this.input.offset();this.rootLayers.css({top:a.top+this.input.outerHeight(),left:a.left}),this.ieframe&&this.ieframe.css({width:this.dateSelector.outerWidth(),height:this.dateSelector.outerHeight()})},moveDateBy:function(a){var b=new Date(this.selectedDate.getFullYear(),this.selectedDate.getMonth(),this.selectedDate.getDate()+a);this.selectDate(b)},moveDateMonthBy:function(a){var b=new Date(this.selectedDate.getFullYear(),this.selectedDate.getMonth()+a,this.selectedDate.getDate());b.getMonth()==this.selectedDate.getMonth()+a+1&&b.setDate(0),this.selectDate(b)},moveMonthBy:function(a){var b=new Date(this.currentMonth.getFullYear(),this.currentMonth.getMonth()+a,this.currentMonth.getDate());this.selectMonth(b)},monthName:function(a){return this.month_names[a.getMonth()]},bindToObj:function(a){var b=this;return function(){return a.apply(b,arguments)}},bindMethodsToObj:function(){for(var a=0;a<arguments.length;a++)this[arguments[a]]=this.bindToObj(this[arguments[a]])},indexFor:function(a,b){for(var c=0;c<a.length;c++)if(b==a[c])return c},monthNum:function(a){return this.indexFor(this.month_names,a)},shortMonthNum:function(a){return this.indexFor(this.short_month_names,a)},shortDayNum:function(a){return this.indexFor(this.short_day_names,a)},daysBetween:function(a,b){return a=Date.UTC(a.getFullYear(),a.getMonth(),a.getDate()),b=Date.UTC(b.getFullYear(),b.getMonth(),b.getDate()),(b-a)/864e5},changeDayTo:function(a,b,c){var d=c*(Math.abs(b.getDay()-a-c*7)%7);return new Date(b.getFullYear(),b.getMonth(),b.getDate()+d)},rangeStart:function(a){return this.changeDayTo(this.start_of_week,new Date(a.getFullYear(),a.getMonth()),-1)},rangeEnd:function(a){return this.changeDayTo((this.start_of_week-1)%7,new Date(a.getFullYear(),a.getMonth()+1,0),1)},isFirstDayOfWeek:function(a){return a.getDay()==this.start_of_week},isLastDayOfWeek:function(a){return a.getDay()==(this.start_of_week-1)%7},adjustDays:function(a){var b=[];for(var c=0;c<a.length;c++)b[c]=a[(c+this.start_of_week)%7];return b}},a.fn.date_input=function(a){return this.each(function(){new b(this,a)})},a.date_input={initialize:function(b){a("input.date_input").date_input(b)}},b}(jQuery),jQuery.easing.jswing=jQuery.easing.swing,jQuery.extend(jQuery.easing,{def:"easeOutQuad",swing:function(a,b,c,d,e){return jQuery.easing[jQuery.easing.def](a,b,c,d,e)},easeInQuad:function(a,b,c,d,e){return d*(b/=e)*b+c},easeOutQuad:function(a,b,c,d,e){return-d*(b/=e)*(b-2)+c},easeInOutQuad:function(a,b,c,d,e){return(b/=e/2)<1?d/2*b*b+c:-d/2*(--b*(b-2)-1)+c},easeInCubic:function(a,b,c,d,e){return d*(b/=e)*b*b+c},easeOutCubic:function(a,b,c,d,e){return d*((b=b/e-1)*b*b+1)+c},easeInOutCubic:function(a,b,c,d,e){return(b/=e/2)<1?d/2*b*b*b+c:d/2*((b-=2)*b*b+2)+c},easeInQuart:function(a,b,c,d,e){return d*(b/=e)*b*b*b+c},easeOutQuart:function(a,b,c,d,e){return-d*((b=b/e-1)*b*b*b-1)+c},easeInOutQuart:function(a,b,c,d,e){return(b/=e/2)<1?d/2*b*b*b*b+c:-d/2*((b-=2)*b*b*b-2)+c},easeInQuint:function(a,b,c,d,e){return d*(b/=e)*b*b*b*b+c},easeOutQuint:function(a,b,c,d,e){return d*((b=b/e-1)*b*b*b*b+1)+c},easeInOutQuint:function(a,b,c,d,e){return(b/=e/2)<1?d/2*b*b*b*b*b+c:d/2*((b-=2)*b*b*b*b+2)+c},easeInSine:function(a,b,c,d,e){return-d*Math.cos(b/e*(Math.PI/2))+d+c},easeOutSine:function(a,b,c,d,e){return d*Math.sin(b/e*(Math.PI/2))+c},easeInOutSine:function(a,b,c,d,e){return-d/2*(Math.cos(Math.PI*b/e)-1)+c},easeInExpo:function(a,b,c,d,e){return b==0?c:d*Math.pow(2,10*(b/e-1))+c},easeOutExpo:function(a,b,c,d,e){return b==e?c+d:d*(-Math.pow(2,-10*b/e)+1)+c},easeInOutExpo:function(a,b,c,d,e){return b==0?c:b==e?c+d:(b/=e/2)<1?d/2*Math.pow(2,10*(b-1))+c:d/2*(-Math.pow(2,-10*--b)+2)+c},easeInCirc:function(a,b,c,d,e){return-d*(Math.sqrt(1-(b/=e)*b)-1)+c},easeOutCirc:function(a,b,c,d,e){return d*Math.sqrt(1-(b=b/e-1)*b)+c},easeInOutCirc:function(a,b,c,d,e){return(b/=e/2)<1?-d/2*(Math.sqrt(1-b*b)-1)+c:d/2*(Math.sqrt(1-(b-=2)*b)+1)+c},easeInElastic:function(a,b,c,d,e){var f=1.70158,g=0,h=d;if(b==0)return c;if((b/=e)==1)return c+d;g||(g=e*.3);if(h<Math.abs(d)){h=d;var f=g/4}else var f=g/(2*Math.PI)*Math.asin(d/h);return-(h*Math.pow(2,10*(b-=1))*Math.sin((b*e-f)*2*Math.PI/g))+c},easeOutElastic:function(a,b,c,d,e){var f=1.70158,g=0,h=d;if(b==0)return c;if((b/=e)==1)return c+d;g||(g=e*.3);if(h<Math.abs(d)){h=d;var f=g/4}else var f=g/(2*Math.PI)*Math.asin(d/h);return h*Math.pow(2,-10*b)*Math.sin((b*e-f)*2*Math.PI/g)+d+c},easeInOutElastic:function(a,b,c,d,e){var f=1.70158,g=0,h=d;if(b==0)return c;if((b/=e/2)==2)return c+d;g||(g=e*.3*1.5);if(h<Math.abs(d)){h=d;var f=g/4}else var f=g/(2*Math.PI)*Math.asin(d/h);return b<1?-0.5*h*Math.pow(2,10*(b-=1))*Math.sin((b*e-f)*2*Math.PI/g)+c:h*Math.pow(2,-10*(b-=1))*Math.sin((b*e-f)*2*Math.PI/g)*.5+d+c},easeInBack:function(a,b,c,d,e,f){return f==undefined&&(f=1.70158),d*(b/=e)*b*((f+1)*b-f)+c},easeOutBack:function(a,b,c,d,e,f){return f==undefined&&(f=1.70158),d*((b=b/e-1)*b*((f+1)*b+f)+1)+c},easeInOutBack:function(a,b,c,d,e,f){return f==undefined&&(f=1.70158),(b/=e/2)<1?d/2*b*b*(((f*=1.525)+1)*b-f)+c:d/2*((b-=2)*b*(((f*=1.525)+1)*b+f)+2)+c},easeInBounce:function(a,b,c,d,e){return d-jQuery.easing.easeOutBounce(a,e-b,0,d,e)+c},easeOutBounce:function(a,b,c,d,e){return(b/=e)<1/2.75?d*7.5625*b*b+c:b<2/2.75?d*(7.5625*(b-=1.5/2.75)*b+.75)+c:b<2.5/2.75?d*(7.5625*(b-=2.25/2.75)*b+.9375)+c:d*(7.5625*(b-=2.625/2.75)*b+.984375)+c},easeInOutBounce:function(a,b,c,d,e){return b<e/2?jQuery.easing.easeInBounce(a,b*2,0,d,e)*.5+c:jQuery.easing.easeOutBounce(a,b*2-e,0,d,e)*.5+d*.5+c}}),function(a){function b(b){if(a.facebox.settings.inited)return!0;a.facebox.settings.inited=!0,a(document).trigger("init.facebox"),e();var c=a.facebox.settings.imageTypes.join("|");a.facebox.settings.imageTypesRegexp=new RegExp(".("+c+")$","i"),b&&a.extend(a.facebox.settings,b),a("body").append(a.facebox.settings.faceboxHtml);var d=[new Image,new Image];d[0].src=a.facebox.settings.closeImage,d[1].src=a.facebox.settings.loadingImage,a("#facebox").find(".b:first, .bl").each(function(){d.push(new Image),d.slice(-1).src=a(this).css("background-image").replace(/url\((.+)\)/,"$1")}),a("#facebox .close").click(a.facebox.close).append('<img src="'+a.facebox.settings.closeImage+'" class="close_image" title="close">')}function c(){var a,b;return self.pageYOffset?(b=self.pageYOffset,a=self.pageXOffset):document.documentElement&&document.documentElement.scrollTop?(b=document.documentElement.scrollTop,a=document.documentElement.scrollLeft):document.body&&(b=document.body.scrollTop,a=document.body.scrollLeft),new Array(a,b)}function d(){var a;return self.innerHeight?a=self.innerHeight:document.documentElement&&document.documentElement.clientHeight?a=document.documentElement.clientHeight:document.body&&(a=document.body.clientHeight),a}function e(){var b=a.facebox.settings;b.loadingImage=b.loading_image||b.loadingImage,b.closeImage=b.close_image||b.closeImage,b.imageTypes=b.image_types||b.imageTypes,b.faceboxHtml=b.facebox_html||b.faceboxHtml}function f(b,c){if(b.match(/#/)){var d=window.location.href.split("#")[0],e=b.replace(d,"");if(e=="#")return;a.facebox.reveal(a(e).html(),c)}else b.match(a.facebox.settings.imageTypesRegexp)?g(b,c):h(b,c)}function g(b,c){var d=new Image;d.onload=function(){a.facebox.reveal('<div class="image"><img src="'+d.src+'" /></div>',c)},d.src=b}function h(b,c){a.get(b,function(b){a.facebox.reveal(b,c)})}function i(){return a.facebox.settings.overlay==0||a.facebox.settings.opacity===null}function j(){if(i())return;return a("#facebox_overlay").length==0&&a("body").append('<div id="facebox_overlay" class="facebox_hide"></div>'),a("#facebox_overlay").hide().addClass("facebox_overlayBG").css("opacity",a.facebox.settings.opacity).click(function(){a(document).trigger("close.facebox")}).fadeIn(200),!1}function k(){if(i())return;return a("#facebox_overlay").fadeOut(200,function(){a("#facebox_overlay").removeClass("facebox_overlayBG"),a("#facebox_overlay").addClass("facebox_hide"),a("#facebox_overlay").remove()}),!1}a.facebox=function(b,c){a.facebox.loading(),b.ajax?h(b.ajax,c):b.image?g(b.image,c):b.div?f(b.div,c):a.isFunction(b)?b.call(a):a.facebox.reveal(b,c)},a.extend(a.facebox,{settings:{opacity:.2,overlay:!0,loadingImage:"/facebox/loading.gif",closeImage:"/facebox/closelabel.png",imageTypes:["png","jpg","jpeg","gif"],faceboxHtml:' <div id="facebox" style="display:none;"> <div class="popup"> <div class="content"> </div> <a href="#" class="close"></a> </div> </div>'},loading:function(){b();if(a("#facebox .loading").length==1)return!0;j(),a("#facebox .content").empty().append('<div class="loading"><img src="'+a.facebox.settings.loadingImage+'"/></div>'),a("#facebox").show().css({top:c()[1]+d()/10,left:a(window).width()/2-a("#facebox .popup").outerWidth()/2}),a(document).bind("keydown.facebox",function(b){return b.keyCode==27&&a.facebox.close(),!0}),a(document).trigger("loading.facebox")},reveal:function(b,c){a(document).trigger("beforeReveal.facebox"),c&&a("#facebox .content").addClass(c),a("#facebox .content").append(b),a("#facebox .loading").remove(),a("#facebox .popup").children().fadeIn("normal"),a("#facebox").css("left",a(window).width()/2-a("#facebox .popup").outerWidth()/2),a(document).trigger("reveal.facebox").trigger("afterReveal.facebox")},close:function(){return a(document).trigger("close.facebox"),!1}}),a.fn.facebox=function(c){function d(){a.facebox.loading(!0);var b=this.rel.match(/facebox\[?\.(\w+)\]?/);return b&&(b=b[1]),f(this.href,b),!1}if(a(this).length==0)return;return b(c),this.bind("click.facebox",d)},a(document).bind("close.facebox",function(){a(document).unbind("keydown.facebox"),a("#facebox").fadeOut(function(){a("#facebox .content").removeClass().addClass("content"),a("#facebox .loading").remove(),a(document).trigger("afterClose.facebox")}),k()})}(jQuery),function(a){a.fn.fancyplace=function(b){var c=a.extend({},a.fn.fancyplace.defaults,b);return this.each(function(){var b=a(this).hide(),c=a("#"+b.attr("for")),d=b.attr("data-placeholder-mode")=="sticky";d?(c.keyup(function(){a.trim(c.val())==""?b.show():b.hide()}),c.keyup()):(c.focus(function(){b.hide()}),c.blur(function(){a.trim(c.val())==""&&b.show()}),c.blur())})},a.fn.fancyplace.defaults={}}(jQuery),jQuery.fn.farbtastic=function(a){return $.farbtastic(this,a),this},jQuery.farbtastic=function(a,b){var a=$(a).get(0);return a.farbtastic||(a.farbtastic=new jQuery._farbtastic(a,b))},jQuery._farbtastic=function(a,b){var c=this;$(a).html('<div class="farbtastic"><div class="color"></div><div class="wheel"></div><div class="overlay"></div><div class="h-marker marker"></div><div class="sl-marker marker"></div></div>');var d=$(".farbtastic",a);c.wheel=$(".wheel",a).get(0),c.radius=84,c.square=100,c.width=194,navigator.appVersion.match(/MSIE [0-6]\./)&&$("*",d).each(function(){if(this.currentStyle.backgroundImage!="none"){var a=this.currentStyle.backgroundImage;a=this.currentStyle.backgroundImage.substring(5,a.length-2),$(this).css({backgroundImage:"none",filter:"progid:DXImageTransform.Microsoft.AlphaImageLoader(enabled=true, sizingMethod=crop, src='"+a+"')"})}}),c.linkTo=function(a){typeof c.callback=="object"&&$(c.callback).unbind("keyup",c.updateValue),c.color=null;if(typeof a=="function")c.callback=a;else if(typeof a=="object"||typeof a=="string")c.callback=$(a),c.callback.bind("keyup",c.updateValue),c.callback.get(0).value&&c.setColor(c.callback.get(0).value);return this},c.updateValue=function(a){this.value&&this.value!=c.color&&c.setColor(this.value)},c.setColor=function(a){var b=c.unpack(a);return c.color!=a&&b&&(c.color=a,c.rgb=b,c.hsl=c.RGBToHSL(c.rgb),c.updateDisplay()),this},c.setHSL=function(a){return c.hsl=a,c.rgb=c.HSLToRGB(a),c.color=c.pack(c.rgb),c.updateDisplay(),this},c.widgetCoords=function(a){var b,d,e=a.target||a.srcElement,f=c.wheel;if(typeof a.offsetX!="undefined"){var g={x:a.offsetX,y:a.offsetY},h=e;while(h)h.mouseX=g.x,h.mouseY=g.y,g.x+=h.offsetLeft,g.y+=h.offsetTop,h=h.offsetParent;var h=f,i={x:0,y:0};while(h){if(typeof h.mouseX!="undefined"){b=h.mouseX-i.x,d=h.mouseY-i.y;break}i.x+=h.offsetLeft,i.y+=h.offsetTop,h=h.offsetParent}h=e;while(h)h.mouseX=undefined,h.mouseY=undefined,h=h.offsetParent}else{var g=c.absolutePosition(f);b=(a.pageX||0*(a.clientX+$("html").get(0).scrollLeft))-g.x,d=(a.pageY||0*(a.clientY+$("html").get(0).scrollTop))-g.y}return{x:b-c.width/2,y:d-c.width/2}},c.mousedown=function(a){document.dragging||($(document).bind("mousemove",c.mousemove).bind("mouseup",c.mouseup),document.dragging=!0);var b=c.widgetCoords(a);return c.circleDrag=Math.max(Math.abs(b.x),Math.abs(b.y))*2>c.square,c.mousemove(a),!1},c.mousemove=function(a){var b=c.widgetCoords(a);if(c.circleDrag){var d=Math.atan2(b.x,-b.y)/6.28;d<0&&(d+=1),c.setHSL([d,c.hsl[1],c.hsl[2]])}else{var e=Math.max(0,Math.min(1,-(b.x/c.square)+.5)),f=Math.max(0,Math.min(1,-(b.y/c.square)+.5));c.setHSL([c.hsl[0],e,f])}return!1},c.mouseup=function(){$(document).unbind("mousemove",c.mousemove),$(document).unbind("mouseup",c.mouseup),document.dragging=!1},c.updateDisplay=function(){var a=c.hsl[0]*6.28;$(".h-marker",d).css({left:Math.round(Math.sin(a)*c.radius+c.width/2)+"px",top:Math.round(-Math.cos(a)*c.radius+c.width/2)+"px"}),$(".sl-marker",d).css({left:Math.round(c.square*(.5-c.hsl[1])+c.width/2)+"px",top:Math.round(c.square*(.5-c.hsl[2])+c.width/2)+"px"}),$(".color",d).css("backgroundColor",c.pack(c.HSLToRGB([c.hsl[0],1,.5]))),typeof c.callback=="object"?($(c.callback).css({backgroundColor:c.color,color:c.hsl[2]>.5?"#000":"#fff"}),$(c.callback).each(function(){this.value&&this.value!=c.color&&(this.value=c.color)})):typeof c.callback=="function"&&c.callback.call(c,c.color)},c.absolutePosition=function(a){var b={x:a.offsetLeft,y:a.offsetTop};if(a.offsetParent){var d=c.absolutePosition(a.offsetParent);b.x+=d.x,b.y+=d.y}return b},c.pack=function(a){var b=Math.round(a[0]*255),c=Math.round(a[1]*255),d=Math.round(a[2]*255);return"#"+(b<16?"0":"")+b.toString(16)+(c<16?"0":"")+c.toString(16)+(d<16?"0":"")+d.toString(16)},c.unpack=function(a){if(a.length==7)return[parseInt("0x"+a.substring(1,3))/255,parseInt("0x"+a.substring(3,5))/255,parseInt("0x"+a.substring(5,7))/255];if(a.length==4)return[parseInt("0x"+a.substring(1,2))/15,parseInt("0x"+a.substring(2,3))/15,parseInt("0x"+a.substring(3,4))/15]},c.HSLToRGB=function(a){var b,c,d,e,f,g=a[0],h=a[1],i=a[2];return c=i<=.5?i*(h+1):i+h-i*h,b=i*2-c,[this.hueToRGB(b,c,g+.33333),this.hueToRGB(b,c,g),this.hueToRGB(b,c,g-.33333)]},c.hueToRGB=function(a,b,c){return c=c<0?c+1:c>1?c-1:c,c*6<1?a+(b-a)*c*6:c*2<1?b:c*3<2?a+(b-a)*(.66666-c)*6:a},c.RGBToHSL=function(a){var b,c,d,e,f,g,h=a[0],i=a[1],j=a[2];return b=Math.min(h,Math.min(i,j)),c=Math.max(h,Math.max(i,j)),d=c-b,g=(b+c)/2,f=0,g>0&&g<1&&(f=d/(g<.5?2*g:2-2*g)),e=0,d>0&&(c==h&&c!=i&&(e+=(i-j)/d),c==i&&c!=j&&(e+=2+(j-h)/d),c==j&&c!=h&&(e+=4+(h-i)/d),e/=6),[e,f,g]},$("*",d).mousedown(c.mousedown),c.setColor("#000000"),b&&c.linkTo(b)},function($){function clickHandler(a){var b=this.form;b.clk=this;if(this.type=="image")if(a.offsetX!=undefined)b.clk_x=a.offsetX,b.clk_y=a.offsetY;else if(typeof $.fn.offset=="function"){var c=$(this).offset();b.clk_x=a.pageX-c.left,b.clk_y=a.pageY-c.top}else b.clk_x=a.pageX-this.offsetLeft,b.clk_y=a.pageY-this.offsetTop;setTimeout(function(){b.clk=b.clk_x=b.clk_y=null},10)}function submitHandler(){var a=this.formPluginId,b=$.fn.ajaxForm.optionHash[a];return $(this).ajaxSubmit(b),!1}$.fn.ajaxSubmit=function(options){function fileUpload(){function cb(){if(cbInvoked++)return;io.detachEvent?io.detachEvent("onload",cb):io.removeEventListener("load",cb,!1);var ok=!0;try{if(timedOut)throw"timeout";var data,doc;doc=io.contentWindow?io.contentWindow.document:io.contentDocument?io.contentDocument:io.document,xhr.responseText=doc.body?doc.body.innerHTML:null,xhr.responseXML=doc.XMLDocument?doc.XMLDocument:doc;if(opts.dataType=="json"||opts.dataType=="script"){var ta=doc.getElementsByTagName("textarea")[0];data=ta?ta.value:xhr.responseText,opts.dataType=="json"?eval("data = "+data):$.globalEval(data)}else opts.dataType=="xml"?(data=xhr.responseXML,!data&&xhr.responseText!=null&&(data=toXml(xhr.responseText))):data=xhr.responseText}catch(e){ok=!1,$.handleError(opts,xhr,"error",e)}ok&&(opts.success(data,"success"),g&&$.event.trigger("ajaxSuccess",[xhr,opts])),g&&$.event.trigger("ajaxComplete",[xhr,opts]),g&&!--$.active&&$.event.trigger("ajaxStop"),opts.complete&&opts.complete(xhr,ok?"success":"error"),setTimeout(function(){$io.remove(),xhr.responseXML=null},100)}function toXml(a,b){return window.ActiveXObject?(b=new ActiveXObject("Microsoft.XMLDOM"),b.async="false",b.loadXML(a)):b=(new DOMParser).parseFromString(a,"text/xml"),b&&b.documentElement&&b.documentElement.tagName!="parsererror"?b:null}var form=$form[0],opts=$.extend({},$.ajaxSettings,options),id="jqFormIO"+$.fn.ajaxSubmit.counter++,$io=$('<iframe id="'+id+'" name="'+id+'" />'),io=$io[0],op8=$.browser.opera&&window.opera.version()<9;if($.browser.msie||op8)io.src='javascript:false;document.write("");';$io.css({position:"absolute",top:"-1000px",left:"-1000px"});var xhr={responseText:null,responseXML:null,status:0,statusText:"n/a",getAllResponseHeaders:function(){},getResponseHeader:function(){},setRequestHeader:function(){}},g=opts.global;g&&!($.active++)&&$.event.trigger("ajaxStart"),g&&$.event.trigger("ajaxSend",[xhr,opts]);var cbInvoked=0,timedOut=0;setTimeout(function(){var a=form.encoding?"encoding":"enctype",b=$form.attr("target"),c=$form.attr("action");$form.attr({target:id,method:"POST",action:opts.url}),form[a]="multipart/form-data",opts.timeout&&setTimeout(function(){timedOut=!0,cb()},opts.timeout),$io.appendTo("body"),io.attachEvent?io.attachEvent("onload",cb):io.addEventListener("load",cb,!1),form.submit(),$form.attr({action:c,target:b})},10)}typeof options=="function"&&(options={success:options}),options=$.extend({url:this.attr("action")||window.location.toString(),type:this.attr("method")||"GET"},options||{});var veto={};$.event.trigger("form.pre.serialize",[this,options,veto]);if(veto.veto)return this;var a=this.formToArray(options.semantic);if(options.data)for(var n in options.data)a.push({name:n,value:options.data[n]});if(options.beforeSubmit&&options.beforeSubmit(a,this,options)===!1)return this;$.event.trigger("form.submit.validate",[a,this,options,veto]);if(veto.veto)return this;var q=$.param(a);options.type.toUpperCase()=="GET"?(options.url+=(options.url.indexOf("?")>=0?"&":"?")+q,options.data=null):options.data=q;var $form=this,callbacks=[];options.resetForm&&callbacks.push(function(){$form.resetForm()}),options.clearForm&&callbacks.push(function(){$form.clearForm()});if(!options.dataType&&options.target){var oldSuccess=options.success||function(){};callbacks.push(function(a){this.evalScripts?$(options.target).attr("innerHTML",a).evalScripts().each(oldSuccess,arguments):$(options.target).html(a).each(oldSuccess,arguments)})}else options.success&&callbacks.push(options.success);options.success=function(a,b){for(var c=0,d=callbacks.length;c<d;c++)callbacks[c](a,b,$form)};var files=$("input:file",this).fieldValue(),found=!1;for(var j=0;j<files.length;j++)files[j]&&(found=!0);return options.iframe||found?$.browser.safari&&options.closeKeepAlive?$.get(options.closeKeepAlive,fileUpload):fileUpload():$.ajax(options),$.event.trigger("form.submit.notify",[this,options]),this},$.fn.ajaxSubmit.counter=0,$.fn.ajaxForm=function(a){return this.ajaxFormUnbind().submit(submitHandler).each(function(){this.formPluginId=$.fn.ajaxForm.counter++,$.fn.ajaxForm.optionHash[this.formPluginId]=a,$(":submit,input:image",this).click(clickHandler)})},$.fn.ajaxForm.counter=1,$.fn.ajaxForm.optionHash={},$.fn.ajaxFormUnbind=function(){return this.unbind("submit",submitHandler),this.each(function(){$(":submit,input:image",this).unbind("click",clickHandler)})},$.fn.formToArray=function(a){var b=[];if(this.length==0)return b;var c=this[0],d=a?c.getElementsByTagName("*"):c.elements;if(!d)return b;for(var e=0,f=d.length;e<f;e++){var g=d[e],h=g.name;if(!h)continue;if(a&&c.clk&&g.type=="image"){!g.disabled&&c.clk==g&&b.push({name:h+".x",value:c.clk_x},{name:h+".y",value:c.clk_y});continue}var i=$.fieldValue(g,!0);if(i&&i.constructor==Array)for(var j=0,k=i.length;j<k;j++)b.push({name:h,value:i[j]});else i!==null&&typeof i!="undefined"&&b.push({name:h,value:i})}if(!a&&c.clk){var l=c.getElementsByTagName("input");for(var e=0,f=l.length;e<f;e++){var m=l[e],h=m.name;h&&!m.disabled&&m.type=="image"&&c.clk==m&&b.push({name:h+".x",value:c.clk_x},{name:h+".y",value:c.clk_y})}}return b},$.fn.formSerialize=function(a){return $.param(this.formToArray(a))},$.fn.fieldSerialize=function(a){var b=[];return this.each(function(){var c=this.name;if(!c)return;var d=$.fieldValue(this,a);if(d&&d.constructor==Array)for(var e=0,f=d.length;e<f;e++)b.push({name:c,value:d[e]});else d!==null&&typeof d!="undefined"&&b.push({name:this.name,value:d})}),$.param(b)},$.fn.fieldValue=function(a){for(var b=[],c=0,d=this.length;c<d;c++){var e=this[c],f=$.fieldValue(e,a);if(f===null||typeof f=="undefined"||f.constructor==Array&&!f.length)continue;f.constructor==Array?$.merge(b,f):b.push(f)}return b},$.fieldValue=function(a,b){var c=a.name,d=a.type,e=a.tagName.toLowerCase();typeof b=="undefined"&&(b=!0);if(b&&(!c||a.disabled||d=="reset"||d=="button"||(d=="checkbox"||d=="radio")&&!a.checked||(d=="submit"||d=="image")&&a.form&&a.form.clk!=a||e=="select"&&a.selectedIndex==-1))return null;if(e=="select"){var f=a.selectedIndex;if(f<0)return null;var g=[],h=a.options,i=d=="select-one",j=i?f+1:h.length;for(var k=i?f:0;k<j;k++){var l=h[k];if(l.selected){var m=$.browser.msie&&!l.attributes.value.specified?l.text:l.value;if(i)return m;g.push(m)}}return g}return a.value},$.fn.clearForm=function(){return this.each(function(){$("input,select,textarea",this).clearFields()})},$.fn.clearFields=$.fn.clearInputs=function(){return this.each(function(){var a=this.type,b=this.tagName.toLowerCase();a=="text"||a=="password"||b=="textarea"?this.value="":a=="checkbox"||a=="radio"?this.checked=!1:b=="select"&&(this.selectedIndex=-1)})},$.fn.resetForm=function(){return this.each(function(){(typeof this.reset=="function"||typeof this.reset=="object"&&!this.reset.nodeType)&&this.reset()})},$.fn.enable=function(a){return a==undefined&&(a=!0),this.each(function(){this.disabled=!a})},$.fn.select=function(a){return a==undefined&&(a=!0),this.each(function(){var b=this.type;if(b=="checkbox"||b=="radio")this.checked=a;else if(this.tagName.toLowerCase()=="option"){var c=$(this).parent("select");a&&c[0]&&c[0].type=="select-one"&&c.find("option").select(!1),this.selected=a}})}}(jQuery),function(a){a.fn.gfmPreview=function(b){b=b||{};var c=a("<div>").attr("class","gfm-preview").text("Preview goes here"),d=this;d.after(c);var e=!1;d.keyup(function(){e=!0}),setInterval(function(){if(e){e=!1;var b=d.val();a.post("/preview",{text:b},function(a){c.html(a)})}},2e3)}}(jQuery),function(a){a.fn.gfmPreview=function(b){var c=a.extend({},a.fn.gfmPreview.defaults,b);return this.each(function(){var b=!1,d=a(this),e=a("<div>").attr("class","gfm-preview").text("Preview goes here"),f=c.outputContainer||e;c.outputContainer==null&&d.after(e);var g=!1;d.keyup(function(){g=!0,b||(c.onInit.call(this),b=!0)});var h=setInterval(function(){if(g){g=!1;var b=d.val();a.post("/preview",{text:b},function(a){f.html(a)})}},c.refresh)})},a.fn.gfmPreview.defaults={outputContainer:null,refresh:2e3,onInit:function(){}}}(jQuery),function(a){a.fn.assigneeFilter=function(b){function f(a){c.find(".current").removeClass("current"),c.find(":checked").removeAttr("checked"),a.addClass("current"),a.find(":radio").attr("checked","checked")}var c=this,d=c.find("li"),e=d.map(function(){return a(this).text().toLowerCase()});return c.find(".js-assignee-filter-submit").live("click",function(a){b(a),a.preventDefault()}),c.find(".js-assignee-filter").keydown(function(a){switch(a.which){case 9:case 38:case 40:return!1;case 13:return b(a),!1}}).keyup(function(b){c.find(".selected").removeClass("selected");var g=c.find(".current:visible"),h=null;switch(b.which){case 9:case 16:case 17:case 18:case 91:case 93:case 13:return c.find(".current label").trigger("click"),!1;case 38:case 40:if(g.length==0)return f(c.find("li:visible:first")),!1;return h=b.which==38?g.prevAll(":visible:first"):g.nextAll(":visible:first"),h.length&&f(h),!1}var i=a.trim(a(this).val().toLowerCase()),j=[];if(!i)return c.find(".current").removeClass("current"),d.show();d.hide(),e.each(function(a){var b=this.score(i);b>0&&j.push([b,a])}),a.each(j.sort(function(a,b){return b[0]-a[0]}),function(){a(d[this[1]]).show()}),c.find(".current:visible").length==0&&f(c.find("li:visible:first"))}),c}}(jQuery),function(a){a.fn.cardsSelect=function(b){var c=a.extend({},a.fn.cardsSelect.defaults,b);return this.each(function(){var b=a(this),c=b.next("dl.form").find("input[type=text]"),d=b.find(".card"),e=b.find("input[name='billing[type]']"),f=function(b){d.each(function(){var c=a(this);c.attr("data-name")==b?c.removeClass("disabled"):c.addClass("disabled"),e.val(b)})};c.bind("keyup blur",function(){var b=a(this).val();b.match(/^5[1-5]/)?f("master"):b.match(/^4/)?f("visa"):b.match(/^3(4|7)/)?f("american_express"
3
+ ):b.match(/^6011/)?f("discover"):b.match(/^(30[0-5]|36|38)/)?f("diners_club"):b.match(/^(3|2131|1800)/)?f("jcb"):(d.removeClass("disabled"),e.val(""))}).keyup()})},a.fn.cardsSelect.defaults={}}(jQuery),function(a){function b(a){var b=a.toString(10);return(new Array(2-b.length+1)).join("0")+b}a.toISO8601=function(a){return a.getUTCFullYear()+"-"+b(a.getUTCMonth()+1)+"-"+b(a.getUTCDate())+"T"+b(a.getUTCHours())+":"+b(a.getUTCMinutes())+":"+b(a.getUTCSeconds())},a.parseISO8601=function(a){a=(a||"").replace(/-/,"/").replace(/-/,"/").replace(/T/," ").replace(/Z/," UTC").replace(/([\+-]\d\d)\:?(\d\d)/," $1$2");var b=new Date(a);return isNaN(b)?null:b};var c=["Sun","Mon","Tue","Wed","Thu","Fri","Sat"],d=["Sunday","Monday","Tuesday","Wednesday","Thursday","Friday","Saturday"],e=["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"],f=["January","February","March","April","May","June","July","August","September","October","November","December"];a.strftime=function(a,g){var h=a.getDay(),i=a.getMonth(),j=a.getHours(),k=a.getMinutes();return g.replace(/\%([aAbBcdHImMpSwyY])/g,function(g){switch(g.substr(1,1)){case"a":return c[h];case"A":return d[h];case"b":return e[i];case"B":return f[i];case"c":return a.toString();case"d":return b(a.getDate());case"H":return b(j);case"I":return b((j+12)%12);case"m":return b(i+1);case"M":return b(k);case"p":return j>12?"PM":"AM";case"S":return b(a.getSeconds());case"w":return h;case"y":return b(a.getFullYear()%100);case"Y":return a.getFullYear().toString()}})},a.distanceOfTimeInWords=function(b,c){c||(c=new Date);var d=parseInt((c.getTime()-b.getTime())/1e3);if(d<60)return"just now";if(d<120)return"about a minute ago";if(d<2700)return parseInt(d/60).toString()+" minutes ago";if(d<7200)return"about an hour ago";if(d<86400)return"about "+parseInt(d/3600).toString()+" hours ago";if(d<172800)return"1 day ago";var e=parseInt(d/86400).toString();return e>5?a.strftime(b,"%B %d, %Y"):e+" days ago"}}(jQuery),function(a,b){function c(b){return!a(b).parents().andSelf().filter(function(){return a.curCSS(this,"visibility")==="hidden"||a.expr.filters.hidden(this)}).length}a.ui=a.ui||{},a.ui.version||(a.extend(a.ui,{version:"1.8.10",keyCode:{ALT:18,BACKSPACE:8,CAPS_LOCK:20,COMMA:188,COMMAND:91,COMMAND_LEFT:91,COMMAND_RIGHT:93,CONTROL:17,DELETE:46,DOWN:40,END:35,ENTER:13,ESCAPE:27,HOME:36,INSERT:45,LEFT:37,MENU:93,NUMPAD_ADD:107,NUMPAD_DECIMAL:110,NUMPAD_DIVIDE:111,NUMPAD_ENTER:108,NUMPAD_MULTIPLY:106,NUMPAD_SUBTRACT:109,PAGE_DOWN:34,PAGE_UP:33,PERIOD:190,RIGHT:39,SHIFT:16,SPACE:32,TAB:9,UP:38,WINDOWS:91}}),a.fn.extend({_focus:a.fn.focus,focus:function(b,c){return typeof b=="number"?this.each(function(){var d=this;setTimeout(function(){a(d).focus(),c&&c.call(d)},b)}):this._focus.apply(this,arguments)},scrollParent:function(){var b;return b=a.browser.msie&&/(static|relative)/.test(this.css("position"))||/absolute/.test(this.css("position"))?this.parents().filter(function(){return/(relative|absolute|fixed)/.test(a.curCSS(this,"position",1))&&/(auto|scroll)/.test(a.curCSS(this,"overflow",1)+a.curCSS(this,"overflow-y",1)+a.curCSS(this,"overflow-x",1))}).eq(0):this.parents().filter(function(){return/(auto|scroll)/.test(a.curCSS(this,"overflow",1)+a.curCSS(this,"overflow-y",1)+a.curCSS(this,"overflow-x",1))}).eq(0),/fixed/.test(this.css("position"))||!b.length?a(document):b},zIndex:function(c){if(c!==b)return this.css("zIndex",c);if(this.length){c=a(this[0]);for(var d;c.length&&c[0]!==document;){d=c.css("position");if(d==="absolute"||d==="relative"||d==="fixed"){d=parseInt(c.css("zIndex"),10);if(!isNaN(d)&&d!==0)return d}c=c.parent()}}return 0},disableSelection:function(){return this.bind((a.support.selectstart?"selectstart":"mousedown")+".ui-disableSelection",function(a){a.preventDefault()})},enableSelection:function(){return this.unbind(".ui-disableSelection")}}),a.each(["Width","Height"],function(c,d){function e(b,c,d,e){return a.each(f,function(){c-=parseFloat(a.curCSS(b,"padding"+this,!0))||0,d&&(c-=parseFloat(a.curCSS(b,"border"+this+"Width",!0))||0),e&&(c-=parseFloat(a.curCSS(b,"margin"+this,!0))||0)}),c}var f=d==="Width"?["Left","Right"]:["Top","Bottom"],g=d.toLowerCase(),h={innerWidth:a.fn.innerWidth,innerHeight:a.fn.innerHeight,outerWidth:a.fn.outerWidth,outerHeight:a.fn.outerHeight};a.fn["inner"+d]=function(c){return c===b?h["inner"+d].call(this):this.each(function(){a(this).css(g,e(this,c)+"px")})},a.fn["outer"+d]=function(b,c){return typeof b!="number"?h["outer"+d].call(this,b):this.each(function(){a(this).css(g,e(this,b,!0,c)+"px")})}}),a.extend(a.expr[":"],{data:function(b,c,d){return!!a.data(b,d[3])},focusable:function(b){var d=b.nodeName.toLowerCase(),e=a.attr(b,"tabindex");return"area"===d?(d=b.parentNode,e=d.name,!b.href||!e||d.nodeName.toLowerCase()!=="map"?!1:(b=a("img[usemap=#"+e+"]")[0],!!b&&c(b))):(/input|select|textarea|button|object/.test(d)?!b.disabled:"a"==d?b.href||!isNaN(e):!isNaN(e))&&c(b)},tabbable:function(b){var c=a.attr(b,"tabindex");return(isNaN(c)||c>=0)&&a(b).is(":focusable")}}),a(function(){var b=document.body,c=b.appendChild(c=document.createElement("div"));a.extend(c.style,{minHeight:"100px",height:"auto",padding:0,borderWidth:0}),a.support.minHeight=c.offsetHeight===100,a.support.selectstart="onselectstart"in c,b.removeChild(c).style.display="none"}),a.extend(a.ui,{plugin:{add:function(b,c,d){b=a.ui[b].prototype;for(var e in d)b.plugins[e]=b.plugins[e]||[],b.plugins[e].push([c,d[e]])},call:function(a,b,c){if((b=a.plugins[b])&&a.element[0].parentNode)for(var d=0;d<b.length;d++)a.options[b[d][0]]&&b[d][1].apply(a.element,c)}},contains:function(a,b){return document.compareDocumentPosition?a.compareDocumentPosition(b)&16:a!==b&&a.contains(b)},hasScroll:function(b,c){if(a(b).css("overflow")==="hidden")return!1;c=c&&c==="left"?"scrollLeft":"scrollTop";var d=!1;return b[c]>0?!0:(b[c]=1,d=b[c]>0,b[c]=0,d)},isOverAxis:function(a,b,c){return a>b&&a<b+c},isOver:function(b,c,d,e,f,g){return a.ui.isOverAxis(b,d,f)&&a.ui.isOverAxis(c,e,g)}}))}(jQuery),function(a,b){if(a.cleanData){var c=a.cleanData;a.cleanData=function(b){for(var d=0,e;(e=b[d])!=null;d++)a(e).triggerHandler("remove");c(b)}}else{var d=a.fn.remove;a.fn.remove=function(b,c){return this.each(function(){return c||(!b||a.filter(b,[this]).length)&&a("*",this).add([this]).each(function(){a(this).triggerHandler("remove")}),d.call(a(this),b,c)})}}a.widget=function(b,c,d){var e=b.split(".")[0],f;b=b.split(".")[1],f=e+"-"+b,d||(d=c,c=a.Widget),a.expr[":"][f]=function(c){return!!a.data(c,b)},a[e]=a[e]||{},a[e][b]=function(a,b){arguments.length&&this._createWidget(a,b)},c=new c,c.options=a.extend(!0,{},c.options),a[e][b].prototype=a.extend(!0,c,{namespace:e,widgetName:b,widgetEventPrefix:a[e][b].prototype.widgetEventPrefix||b,widgetBaseClass:f},d),a.widget.bridge(b,a[e][b])},a.widget.bridge=function(c,d){a.fn[c]=function(e){var f=typeof e=="string",g=Array.prototype.slice.call(arguments,1),h=this;return e=!f&&g.length?a.extend.apply(null,[!0,e].concat(g)):e,f&&e.charAt(0)==="_"?h:(f?this.each(function(){var d=a.data(this,c),f=d&&a.isFunction(d[e])?d[e].apply(d,g):d;if(f!==d&&f!==b)return h=f,!1}):this.each(function(){var b=a.data(this,c);b?b.option(e||{})._init():a.data(this,c,new d(e,this))}),h)}},a.Widget=function(a,b){arguments.length&&this._createWidget(a,b)},a.Widget.prototype={widgetName:"widget",widgetEventPrefix:"",options:{disabled:!1},_createWidget:function(b,c){a.data(c,this.widgetName,this),this.element=a(c),this.options=a.extend(!0,{},this.options,this._getCreateOptions(),b);var d=this;this.element.bind("remove."+this.widgetName,function(){d.destroy()}),this._create(),this._trigger("create"),this._init()},_getCreateOptions:function(){return a.metadata&&a.metadata.get(this.element[0])[this.widgetName]},_create:function(){},_init:function(){},destroy:function(){this.element.unbind("."+this.widgetName).removeData(this.widgetName),this.widget().unbind("."+this.widgetName).removeAttr("aria-disabled").removeClass(this.widgetBaseClass+"-disabled ui-state-disabled")},widget:function(){return this.element},option:function(c,d){var e=c;if(arguments.length===0)return a.extend({},this.options);if(typeof c=="string"){if(d===b)return this.options[c];e={},e[c]=d}return this._setOptions(e),this},_setOptions:function(b){var c=this;return a.each(b,function(a,b){c._setOption(a,b)}),this},_setOption:function(a,b){return this.options[a]=b,a==="disabled"&&this.widget()[b?"addClass":"removeClass"](this.widgetBaseClass+"-disabled ui-state-disabled").attr("aria-disabled",b),this},enable:function(){return this._setOption("disabled",!1)},disable:function(){return this._setOption("disabled",!0)},_trigger:function(b,c,d){var e=this.options[b];c=a.Event(c),c.type=(b===this.widgetEventPrefix?b:this.widgetEventPrefix+b).toLowerCase(),d=d||{};if(c.originalEvent){b=a.event.props.length;for(var f;b;)f=a.event.props[--b],c[f]=c.originalEvent[f]}return this.element.trigger(c,d),!(a.isFunction(e)&&e.call(this.element[0],c,d)===!1||c.isDefaultPrevented())}}}(jQuery),function(a){a.widget("ui.mouse",{options:{cancel:":input,option",distance:1,delay:0},_mouseInit:function(){var b=this;this.element.bind("mousedown."+this.widgetName,function(a){return b._mouseDown(a)}).bind("click."+this.widgetName,function(d){if(!0===a.data(d.target,b.widgetName+".preventClickEvent"))return a.removeData(d.target,b.widgetName+".preventClickEvent"),d.stopImmediatePropagation(),!1}),this.started=!1},_mouseDestroy:function(){this.element.unbind("."+this.widgetName)},_mouseDown:function(b){b.originalEvent=b.originalEvent||{};if(!b.originalEvent.mouseHandled){this._mouseStarted&&this._mouseUp(b),this._mouseDownEvent=b;var d=this,e=b.which==1,f=typeof this.options.cancel=="string"?a(b.target).parents().add(b.target).filter(this.options.cancel).length:!1;if(!e||f||!this._mouseCapture(b))return!0;this.mouseDelayMet=!this.options.delay,this.mouseDelayMet||(this._mouseDelayTimer=setTimeout(function(){d.mouseDelayMet=!0},this.options.delay));if(this._mouseDistanceMet(b)&&this._mouseDelayMet(b)){this._mouseStarted=this._mouseStart(b)!==!1;if(!this._mouseStarted)return b.preventDefault(),!0}return this._mouseMoveDelegate=function(a){return d._mouseMove(a)},this._mouseUpDelegate=function(a){return d._mouseUp(a)},a(document).bind("mousemove."+this.widgetName,this._mouseMoveDelegate).bind("mouseup."+this.widgetName,this._mouseUpDelegate),b.preventDefault(),b.originalEvent.mouseHandled=!0}},_mouseMove:function(b){return!a.browser.msie||document.documentMode>=9||!!b.button?this._mouseStarted?(this._mouseDrag(b),b.preventDefault()):(this._mouseDistanceMet(b)&&this._mouseDelayMet(b)&&((this._mouseStarted=this._mouseStart(this._mouseDownEvent,b)!==!1)?this._mouseDrag(b):this._mouseUp(b)),!this._mouseStarted):this._mouseUp(b)},_mouseUp:function(b){return a(document).unbind("mousemove."+this.widgetName,this._mouseMoveDelegate).unbind("mouseup."+this.widgetName,this._mouseUpDelegate),this._mouseStarted&&(this._mouseStarted=!1,b.target==this._mouseDownEvent.target&&a.data(b.target,this.widgetName+".preventClickEvent",!0),this._mouseStop(b)),!1},_mouseDistanceMet:function(a){return Math.max(Math.abs(this._mouseDownEvent.pageX-a.pageX),Math.abs(this._mouseDownEvent.pageY-a.pageY))>=this.options.distance},_mouseDelayMet:function(){return this.mouseDelayMet},_mouseStart:function(){},_mouseDrag:function(){},_mouseStop:function(){},_mouseCapture:function(){return!0}})}(jQuery),function(a){a.ui=a.ui||{};var b=/left|center|right/,c=/top|center|bottom/,d=a.fn.position,e=a.fn.offset;a.fn.position=function(e){if(!e||!e.of)return d.apply(this,arguments);e=a.extend({},e);var f=a(e.of),g=f[0],h=(e.collision||"flip").split(" "),i=e.offset?e.offset.split(" "):[0,0],j,k,l;return g.nodeType===9?(j=f.width(),k=f.height(),l={top:0,left:0}):g.setTimeout?(j=f.width(),k=f.height(),l={top:f.scrollTop(),left:f.scrollLeft()}):g.preventDefault?(e.at="left top",j=k=0,l={top:e.of.pageY,left:e.of.pageX}):(j=f.outerWidth(),k=f.outerHeight(),l=f.offset()),a.each(["my","at"],function(){var a=(e[this]||"").split(" ");a.length===1&&(a=b.test(a[0])?a.concat(["center"]):c.test(a[0])?["center"].concat(a):["center","center"]),a[0]=b.test(a[0])?a[0]:"center",a[1]=c.test(a[1])?a[1]:"center",e[this]=a}),h.length===1&&(h[1]=h[0]),i[0]=parseInt(i[0],10)||0,i.length===1&&(i[1]=i[0]),i[1]=parseInt(i[1],10)||0,e.at[0]==="right"?l.left+=j:e.at[0]==="center"&&(l.left+=j/2),e.at[1]==="bottom"?l.top+=k:e.at[1]==="center"&&(l.top+=k/2),l.left+=i[0],l.top+=i[1],this.each(function(){var b=a(this),c=b.outerWidth(),d=b.outerHeight(),f=parseInt(a.curCSS(this,"marginLeft",!0))||0,g=parseInt(a.curCSS(this,"marginTop",!0))||0,m=c+f+(parseInt(a.curCSS(this,"marginRight",!0))||0),n=d+g+(parseInt(a.curCSS(this,"marginBottom",!0))||0),o=a.extend({},l),p;e.my[0]==="right"?o.left-=c:e.my[0]==="center"&&(o.left-=c/2),e.my[1]==="bottom"?o.top-=d:e.my[1]==="center"&&(o.top-=d/2),o.left=Math.round(o.left),o.top=Math.round(o.top),p={left:o.left-f,top:o.top-g},a.each(["left","top"],function(b,f){a.ui.position[h[b]]&&a.ui.position[h[b]][f](o,{targetWidth:j,targetHeight:k,elemWidth:c,elemHeight:d,collisionPosition:p,collisionWidth:m,collisionHeight:n,offset:i,my:e.my,at:e.at})}),a.fn.bgiframe&&b.bgiframe(),b.offset(a.extend(o,{using:e.using}))})},a.ui.position={fit:{left:function(b,c){var d=a(window);d=c.collisionPosition.left+c.collisionWidth-d.width()-d.scrollLeft(),b.left=d>0?b.left-d:Math.max(b.left-c.collisionPosition.left,b.left)},top:function(b,c){var d=a(window);d=c.collisionPosition.top+c.collisionHeight-d.height()-d.scrollTop(),b.top=d>0?b.top-d:Math.max(b.top-c.collisionPosition.top,b.top)}},flip:{left:function(b,c){if(c.at[0]!=="center"){var d=a(window);d=c.collisionPosition.left+c.collisionWidth-d.width()-d.scrollLeft();var e=c.my[0]==="left"?-c.elemWidth:c.my[0]==="right"?c.elemWidth:0,f=c.at[0]==="left"?c.targetWidth:-c.targetWidth,g=-2*c.offset[0];b.left+=c.collisionPosition.left<0?e+f+g:d>0?e+f+g:0}},top:function(b,c){if(c.at[1]!=="center"){var d=a(window);d=c.collisionPosition.top+c.collisionHeight-d.height()-d.scrollTop();var e=c.my[1]==="top"?-c.elemHeight:c.my[1]==="bottom"?c.elemHeight:0,f=c.at[1]==="top"?c.targetHeight:-c.targetHeight,g=-2*c.offset[1];b.top+=c.collisionPosition.top<0?e+f+g:d>0?e+f+g:0}}}},a.offset.setOffset||(a.offset.setOffset=function(b,c){/static/.test(a.curCSS(b,"position"))&&(b.style.position="relative");var d=a(b),e=d.offset(),f=parseInt(a.curCSS(b,"top",!0),10)||0,g=parseInt(a.curCSS(b,"left",!0),10)||0;e={top:c.top-e.top+f,left:c.left-e.left+g},"using"in c?c.using.call(b,e):d.css(e)},a.fn.offset=function(b){var c=this[0];return!c||!c.ownerDocument?null:b?this.each(function(){a.offset.setOffset(this,b)}):e.call(this)})}(jQuery),function(a){a.widget("ui.draggable",a.ui.mouse,{widgetEventPrefix:"drag",options:{addClasses:!0,appendTo:"parent",axis:!1,connectToSortable:!1,containment:!1,cursor:"auto",cursorAt:!1,grid:!1,handle:!1,helper:"original",iframeFix:!1,opacity:!1,refreshPositions:!1,revert:!1,revertDuration:500,scope:"default",scroll:!0,scrollSensitivity:20,scrollSpeed:20,snap:!1,snapMode:"both",snapTolerance:20,stack:!1,zIndex:!1},_create:function(){this.options.helper=="original"&&!/^(?:r|a|f)/.test(this.element.css("position"))&&(this.element[0].style.position="relative"),this.options.addClasses&&this.element.addClass("ui-draggable"),this.options.disabled&&this.element.addClass("ui-draggable-disabled"),this._mouseInit()},destroy:function(){if(this.element.data("draggable"))return this.element.removeData("draggable").unbind(".draggable").removeClass("ui-draggable ui-draggable-dragging ui-draggable-disabled"),this._mouseDestroy(),this},_mouseCapture:function(b){var c=this.options;return this.helper||c.disabled||a(b.target).is(".ui-resizable-handle")?!1:(this.handle=this._getHandle(b),this.handle?!0:!1)},_mouseStart:function(b){var c=this.options;return this.helper=this._createHelper(b),this._cacheHelperProportions(),a.ui.ddmanager&&(a.ui.ddmanager.current=this),this._cacheMargins(),this.cssPosition=this.helper.css("position"),this.scrollParent=this.helper.scrollParent(),this.offset=this.positionAbs=this.element.offset(),this.offset={top:this.offset.top-this.margins.top,left:this.offset.left-this.margins.left},a.extend(this.offset,{click:{left:b.pageX-this.offset.left,top:b.pageY-this.offset.top},parent:this._getParentOffset(),relative:this._getRelativeOffset()}),this.originalPosition=this.position=this._generatePosition(b),this.originalPageX=b.pageX,this.originalPageY=b.pageY,c.cursorAt&&this._adjustOffsetFromHelper(c.cursorAt),c.containment&&this._setContainment(),this._trigger("start",b)===!1?(this._clear(),!1):(this._cacheHelperProportions(),a.ui.ddmanager&&!c.dropBehaviour&&a.ui.ddmanager.prepareOffsets(this,b),this.helper.addClass("ui-draggable-dragging"),this._mouseDrag(b,!0),!0)},_mouseDrag:function(b,c){this.position=this._generatePosition(b),this.positionAbs=this._convertPositionTo("absolute");if(!c){c=this._uiHash();if(this._trigger("drag",b,c)===!1)return this._mouseUp({}),!1;this.position=c.position}if(!this.options.axis||this.options.axis!="y")this.helper[0].style.left=this.position.left+"px";if(!this.options.axis||this.options.axis!="x")this.helper[0].style.top=this.position.top+"px";return a.ui.ddmanager&&a.ui.ddmanager.drag(this,b),!1},_mouseStop:function(b){var c=!1;a.ui.ddmanager&&!this.options.dropBehaviour&&(c=a.ui.ddmanager.drop(this,b)),this.dropped&&(c=this.dropped,this.dropped=!1);if((!this.element[0]||!this.element[0].parentNode)&&this.options.helper=="original")return!1;if(this.options.revert=="invalid"&&!c||this.options.revert=="valid"&&c||this.options.revert===!0||a.isFunction(this.options.revert)&&this.options.revert.call(this.element,c)){var e=this;a(this.helper).animate(this.originalPosition,parseInt(this.options.revertDuration,10),function(){e._trigger("stop",b)!==!1&&e._clear()})}else this._trigger("stop",b)!==!1&&this._clear();return!1},cancel:function(){return this.helper.is(".ui-draggable-dragging")?this._mouseUp({}):this._clear(),this},_getHandle:function(b){var c=!this.options.handle||!a(this.options.handle,this.element).length?!0:!1;return a(this.options.handle,this.element).find("*").andSelf().each(function(){this==b.target&&(c=!0)}),c},_createHelper:function(b){var c=this.options;return b=a.isFunction(c.helper)?a(c.helper.apply(this.element[0],[b])):c.helper=="clone"?this.element.clone():this.element,b.parents("body").length||b.appendTo(c.appendTo=="parent"?this.element[0].parentNode:c.appendTo),b[0]!=this.element[0]&&!/(fixed|absolute)/.test(b.css("position"))&&b.css("position","absolute"),b},_adjustOffsetFromHelper:function(b){typeof b=="string"&&(b=b.split(" ")),a.isArray(b)&&(b={left:+b[0],top:+b[1]||0}),"left"in b&&(this.offset.click.left=b.left+this.margins.left),"right"in b&&(this.offset.click.left=this.helperProportions.width-b.right+this.margins.left),"top"in b&&(this.offset.click.top=b.top+this.margins.top),"bottom"in b&&(this.offset.click.top=this.helperProportions.height-b.bottom+this.margins.top)},_getParentOffset:function(){this.offsetParent=this.helper.offsetParent();var b=this.offsetParent.offset();this.cssPosition=="absolute"&&this.scrollParent[0]!=document&&a.ui.contains(this.scrollParent[0],this.offsetParent[0])&&(b.left+=this.scrollParent.scrollLeft(),b.top+=this.scrollParent.scrollTop());if(this.offsetParent[0]==document.body||this.offsetParent[0].tagName&&this.offsetParent[0].tagName.toLowerCase()=="html"&&a.browser.msie)b={top:0,left:0};return{top:b.top+(parseInt(this.offsetParent.css("borderTopWidth"),10)||0),left:b.left+(parseInt(this.offsetParent.css("borderLeftWidth"),10)||0)}},_getRelativeOffset:function(){if(this.cssPosition=="relative"){var a=this.element.position();return{top:a.top-(parseInt(this.helper.css("top"),10)||0)+this.scrollParent.scrollTop(),left:a.left-(parseInt(this.helper.css("left"),10)||0)+this.scrollParent.scrollLeft()}}return{top:0,left:0}},_cacheMargins:function(){this.margins={left:parseInt(this.element.css("marginLeft"),10)||0,top:parseInt(this.element.css("marginTop"),10)||0}},_cacheHelperProportions:function(){this.helperProportions={width:this.helper.outerWidth(),height:this.helper.outerHeight()}},_setContainment:function(){var b=this.options;b.containment=="parent"&&(b.containment=this.helper[0].parentNode);if(b.containment=="document"||b.containment=="window")this.containment=[(b.containment=="document"?0:a(window).scrollLeft())-this.offset.relative.left-this.offset.parent.left,(b.containment=="document"?0:a(window).scrollTop())-this.offset.relative.top-this.offset.parent.top,(b.containment=="document"?0:a(window).scrollLeft())+a(b.containment=="document"?document:window).width()-this.helperProportions.width-this.margins.left,(b.containment=="document"?0:a(window).scrollTop())+(a(b.containment=="document"?document:window).height()||document.body.parentNode.scrollHeight)-this.helperProportions.height-this.margins.top];if(!/^(document|window|parent)$/.test(b.containment)&&b.containment.constructor!=Array){var c=a(b.containment)[0];if(c){b=a(b.containment).offset();var e=a(c).css("overflow")!="hidden";this.containment=[b.left+(parseInt(a(c).css("borderLeftWidth"),10)||0)+(parseInt(a(c).css("paddingLeft"),10)||0)-this.margins.left,b.top+(parseInt(a(c).css("borderTopWidth"),10)||0)+(parseInt(a(c).css("paddingTop"),10)||0)-this.margins.top,b.left+(e?Math.max(c.scrollWidth,c.offsetWidth):c.offsetWidth)-(parseInt(a(c).css("borderLeftWidth"),10)||0)-(parseInt(a(c).css("paddingRight"),10)||0)-this.helperProportions.width-this.margins.left,b.top+(e?Math.max(c.scrollHeight,c.offsetHeight):c.offsetHeight)-(parseInt(a(c).css("borderTopWidth"),10)||0)-(parseInt(a(c).css("paddingBottom"),10)||0)-this.helperProportions.height-this.margins.top]}}else b.containment.constructor==Array&&(this.containment=b.containment)},_convertPositionTo:function(b,c){c||(c=this.position),b=b=="absolute"?1:-1;var e=this.cssPosition!="absolute"||this.scrollParent[0]!=document&&!!a.ui.contains(this.scrollParent[0],this.offsetParent[0])?this.scrollParent:this.offsetParent,f=/(html|body)/i.test(e[0].tagName);return{top:c.top+this.offset.relative.top*b+this.offset.parent.top*b-(a.browser.safari&&a.browser.version<526&&this.cssPosition=="fixed"?0:(this.cssPosition=="fixed"?-this.scrollParent.scrollTop():f?0:e.scrollTop())*b),left:c.left+this.offset.relative.left*b+this.offset.parent.left*b-(a.browser.safari&&a.browser.version<526&&this.cssPosition=="fixed"?0:(this.cssPosition=="fixed"?-this.scrollParent.scrollLeft():f?0:e.scrollLeft())*b)}},_generatePosition:function(b){var c=this.options,e=this.cssPosition!="absolute"||this.scrollParent[0]!=document&&!!a.ui.contains(this.scrollParent[0],this.offsetParent[0])?this.scrollParent:this.offsetParent,f=/(html|body)/i.test(e[0].tagName),g=b.pageX,h=b.pageY;return this.originalPosition&&(this.containment&&(b.pageX-this.offset.click.left<this.containment[0]&&(g=this.containment[0]+this.offset.click.left),b.pageY-this.offset.click.top<this.containment[1]&&(h=this.containment[1]+this.offset.click.top),b.pageX-this.offset.click.left>this.containment[2]&&(g=this.containment[2]+this.offset.click.left),b.pageY-this.offset.click.top>this.containment[3]&&(h=this.containment[3]+this.offset.click.top)),c.grid&&(h=this.originalPageY+Math.round((h-this.originalPageY)/c.grid[1])*c.grid[1],h=this.containment?h-this.offset.click.top<this.containment[1]||h-this.offset.click.top>this.containment[3]?h-this.offset.click.top<this.containment[1]?h+c.grid[1]:h-c.grid[1]:h:h,g=this.originalPageX+Math.round((g-this.originalPageX)/c.grid[0])*c.grid[0],g=this.containment?g-this.offset.click.left<this.containment[0]||g-this.offset.click.left>this.containment[2]?g-this.offset.click.left<this.containment[0]?g+c.grid[0]:g-c.grid[0]:g:g)),{top:h-this.offset.click.top-this.offset.relative.top-this.offset.parent.top+(a.browser.safari&&a.browser.version<526&&this.cssPosition=="fixed"?0:this.cssPosition=="fixed"?-this.scrollParent.scrollTop():f?0:e.scrollTop()),left:g-this.offset.click.left-this.offset.relative.left-this.offset.parent.left+(a.browser.safari&&a.browser.version<526&&this.cssPosition=="fixed"?0:this.cssPosition=="fixed"?-this.scrollParent.scrollLeft():f?0:e.scrollLeft())}},_clear:function(){this.helper.removeClass("ui-draggable-dragging"),this.helper[0]!=this.element[0]&&!this.cancelHelperRemoval&&this.helper.remove(),this.helper=null,this.cancelHelperRemoval=!1},_trigger:function(b,c,e){return e=e||this._uiHash(),a.ui.plugin.call(this,b,[c,e]),b=="drag"&&(this.positionAbs=this._convertPositionTo("absolute")),a.Widget.prototype._trigger.call(this,b,c,e)},plugins:{},_uiHash:function(){return{helper:this.helper,position:this.position,originalPosition:this.originalPosition,offset:this.positionAbs}}}),a.extend(a.ui.draggable,{version:"1.8.10"}),a.ui.plugin.add("draggable","connectToSortable",{start:function(b,c){var e=a(this).data("draggable"),f=e.options,g=a.extend({},c,{item:e.element});e.sortables=[],a(f.connectToSortable).each(function(){var c=a.data(this,"sortable");c&&!c.options.disabled&&(e.sortables.push({instance:c,shouldRevert:c.options.revert}),c._refreshItems(),c._trigger("activate",b,g))})},stop:function(b,c){var e=a(this).data("draggable"),f=a.extend({},c,{item:e.element});a.each(e.sortables,function(){this.instance.isOver?(this.instance.isOver=0,e.cancelHelperRemoval=!0,this.instance.cancelHelperRemoval=!1,this.shouldRevert&&(this.instance.options.revert=!0),this.instance._mouseStop(b),this.instance.options.helper=this.instance.options._helper,e.options.helper=="original"&&this.instance.currentItem.css({top:"auto",left:"auto"})):(this.instance.cancelHelperRemoval=!1,this.instance._trigger("deactivate",b,f))})},drag:function(b,c){var e=a(this).data("draggable"),f=this;a.each(e.sortables,function(){this.instance.positionAbs=e.positionAbs,this.instance.helperProportions=e.helperProportions,this.instance.offset.click=e.offset.click,this.instance._intersectsWith(this.instance.containerCache)?(this.instance.isOver||(this.instance.isOver=1,this.instance.currentItem=a(f).clone().appendTo(this.instance.element).data("sortable-item",!0),this.instance.options._helper=this.instance.options.helper,this.instance.options.helper=function(){return c.helper[0]},b.target=this.instance.currentItem[0],this.instance._mouseCapture(b,!0),this.instance._mouseStart(b,!0,!0),this.instance.offset.click.top=e.offset.click.top,this.instance.offset.click.left=e.offset.click.left,this.instance.offset.parent.left-=e.offset.parent.left-this.instance.offset.parent.left,this.instance.offset.parent.top-=e.offset.parent.top-this.instance.offset.parent.top,e._trigger("toSortable",b),e.dropped=this.instance.element,e.currentItem=e.element,this.instance.fromOutside=e),this.instance.currentItem&&this.instance._mouseDrag(b)):this.instance.isOver&&(this.instance.isOver=0,this.instance.cancelHelperRemoval=!0,this.instance.options.revert=!1,this.instance._trigger("out",b,this.instance._uiHash(this.instance)),this.instance._mouseStop(b,!0),this.instance.options.helper=this.instance.options._helper,this.instance.currentItem.remove(),this.instance.placeholder&&this.instance.placeholder.remove(),e._trigger("fromSortable",b),e.dropped=!1)})}}),a.ui.plugin.add("draggable","cursor",{start:function(){var b=a("body"),c=a(this).data("draggable").options;b.css("cursor")&&(c._cursor=b.css("cursor")),b.css("cursor",c.cursor)},stop:function(){var b=a(this).data("draggable").options;b._cursor&&a("body").css("cursor",b._cursor)}}),a.ui.plugin.add("draggable","iframeFix",{start:function(){var b=a(this).data("draggable").options;a(b.iframeFix===!0?"iframe":b.iframeFix).each(function(){a('<div class="ui-draggable-iframeFix" style="background: #fff;"></div>').css({width:this.offsetWidth+"px",height:this.offsetHeight+"px",position:"absolute",opacity:"0.001",zIndex:1e3}).css(a(this).offset()).appendTo("body")})},stop:function(){a("div.ui-draggable-iframeFix").each(function(){this.parentNode.removeChild(this)})}}),a.ui.plugin.add("draggable","opacity",{start:function(b,c){b=a(c.helper),c=a(this).data("draggable").options,b.css("opacity")&&(c._opacity=b.css("opacity")),b.css("opacity",c.opacity)},stop:function(b,c){b=a(this).data("draggable").options,b._opacity&&a(c.helper).css("opacity",b._opacity)}}),a.ui.plugin.add("draggable","scroll",{start:function(){var b=a(this).data("draggable");b.scrollParent[0]!=document&&b.scrollParent[0].tagName!="HTML"&&(b.overflowOffset=b.scrollParent.offset())},drag:function(b){var c=a(this).data("draggable"),e=c.options,f=!1;if(c.scrollParent[0]!=document&&c.scrollParent[0].tagName!="HTML"){if(!e.axis||e.axis!="x")c.overflowOffset.top+c.scrollParent[0].offsetHeight-b.pageY<e.scrollSensitivity?c.scrollParent[0].scrollTop=f=c.scrollParent[0].scrollTop+e.scrollSpeed:b.pageY-c.overflowOffset.top<e.scrollSensitivity&&(c.scrollParent[0].scrollTop=f=c.scrollParent[0].scrollTop-e.scrollSpeed);if(!e.axis||e.axis!="y")c.overflowOffset.left+c.scrollParent[0].offsetWidth-b.pageX<e.scrollSensitivity?c.scrollParent[0].scrollLeft=f=c.scrollParent[0].scrollLeft+e.scrollSpeed:b.pageX-c.overflowOffset.left<e.scrollSensitivity&&(c.scrollParent[0].scrollLeft=f=c.scrollParent[0].scrollLeft-e.scrollSpeed)}else{if(!e.axis||e.axis!="x")b.pageY-a(document).scrollTop()<e.scrollSensitivity?f=a(document).scrollTop(a(document).scrollTop()-e.scrollSpeed):a(window).height()-(b.pageY-a(document).scrollTop())<e.scrollSensitivity&&(f=a(document).scrollTop(a(document).scrollTop()+e.scrollSpeed));if(!e.axis||e.axis!="y")b.pageX-a(document).scrollLeft()<e.scrollSensitivity?f=a(document).scrollLeft(a(document).scrollLeft()-e.scrollSpeed):a(window).width()-(b.pageX-a(document).scrollLeft())<e.scrollSensitivity&&(f=a(document).scrollLeft(a(document).scrollLeft()+e.scrollSpeed))}f!==!1&&a.ui.ddmanager&&!e.dropBehaviour&&a.ui.ddmanager.prepareOffsets(c,b)}}),a.ui.plugin.add("draggable","snap",{start:function(){var b=a(this).data("draggable"),c=b.options;b.snapElements=[],a(c.snap.constructor!=String?c.snap.items||":data(draggable)":c.snap).each(function(){var c=a(this),e=c.offset();this!=b.element[0]&&b.snapElements.push({item:this,width:c.outerWidth(),height:c.outerHeight(),top:e.top,left:e.left})})},drag:function(b,c){for(var e=a(this).data("draggable"),f=e.options,g=f.snapTolerance,h=c.offset.left,i=h+e.helperProportions.width,j=c.offset.top,k=j+e.helperProportions.height,l=e.snapElements.length-1;l>=0;l--){var m=e.snapElements[l].left,n=m+e.snapElements[l].width,o=e.snapElements[l].top,p=o+e.snapElements[l].height;if(m-g<h&&h<n+g&&o-g<j&&j<p+g||m-g<h&&h<n+g&&o-g<k&&k<p+g||m-g<i&&i<n+g&&o-g<j&&j<p+g||m-g<i&&i<n+g&&o-g<k&&k<p+g){if(f.snapMode!="inner"){var q=Math.abs(o-k)<=g,r=Math.abs(p-j)<=g,s=Math.abs(m-i)<=g,t=Math.abs(n-h)<=g;q&&(c.position.top=e._convertPositionTo("relative",{top:o-e.helperProportions.height,left:0}).top-e.margins.top),r&&(c.position.top=e._convertPositionTo("relative",{top:p,left:0}).top-e.margins.top),s&&(c.position.left=e._convertPositionTo("relative",{top:0,left:m-e.helperProportions.width}).left-e.margins.left),t&&(c.position.left=e._convertPositionTo("relative",{top:0,left:n}).left-e.margins.left)}var u=q||r||s||t;f.snapMode!="outer"&&(q=Math.abs(o-j)<=g,r=Math.abs(p-k)<=g,s=Math.abs(m-h)<=g,t=Math.abs(n-i)<=g,q&&(c.position.top=e._convertPositionTo("relative",{top:o,left:0}).top-e.margins.top),r&&(c.position.top=e._convertPositionTo("relative",{top:p-e.helperProportions.height,left:0}).top-e.margins.top),s&&(c.position.left=e._convertPositionTo("relative",{top:0,left:m}).left-e.margins.left),t&&(c.position.left=e._convertPositionTo("relative",{top:0,left:n-e.helperProportions.width}).left-e.margins.left)),!e.snapElements[l].snapping&&(q||r||s||t||u)&&e.options.snap.snap&&e.options.snap.snap.call(e.element,b,a.extend(e._uiHash(),{snapItem:e.snapElements[l].item})),e.snapElements[l].snapping=q||r||s||t||u}else e.snapElements[l].snapping&&e.options.snap.release&&e.options.snap.release.call(e.element,b,a.extend(e._uiHash(),{snapItem:e.snapElements[l].item})),e.snapElements[l].snapping=!1}}}),a.ui.plugin.add("draggable","stack",{start:function(){var b=a(this).data("draggable").options;b=a.makeArray(a(b.stack)).sort(function(b,c){return(parseInt(a(b).css("zIndex"),10)||0)-(parseInt(a(c).css("zIndex"),10)||0)});if(b.length){var c=parseInt(b[0].style.zIndex)||0;a(b).each(function(a){this.style.zIndex=c+a}),this[0].style.zIndex=c+b.length}}}),a.ui.plugin.add("draggable","zIndex",{start:function(b,c){b=a(c.helper),c=a(this).data("draggable").options,b.css("zIndex")&&(c._zIndex=b.css("zIndex")),b.css("zIndex",c.zIndex)},stop:function(b,c){b=a(this).data("draggable").options,b._zIndex&&a(c.helper).css("zIndex",b._zIndex)}})}(jQuery),function(a){a.widget("ui.droppable",{widgetEventPrefix:"drop",options
4
+ :{accept:"*",activeClass:!1,addClasses:!0,greedy:!1,hoverClass:!1,scope:"default",tolerance:"intersect"},_create:function(){var b=this.options,c=b.accept;this.isover=0,this.isout=1,this.accept=a.isFunction(c)?c:function(a){return a.is(c)},this.proportions={width:this.element[0].offsetWidth,height:this.element[0].offsetHeight},a.ui.ddmanager.droppables[b.scope]=a.ui.ddmanager.droppables[b.scope]||[],a.ui.ddmanager.droppables[b.scope].push(this),b.addClasses&&this.element.addClass("ui-droppable")},destroy:function(){for(var b=a.ui.ddmanager.droppables[this.options.scope],c=0;c<b.length;c++)b[c]==this&&b.splice(c,1);return this.element.removeClass("ui-droppable ui-droppable-disabled").removeData("droppable").unbind(".droppable"),this},_setOption:function(b,c){b=="accept"&&(this.accept=a.isFunction(c)?c:function(a){return a.is(c)}),a.Widget.prototype._setOption.apply(this,arguments)},_activate:function(b){var c=a.ui.ddmanager.current;this.options.activeClass&&this.element.addClass(this.options.activeClass),c&&this._trigger("activate",b,this.ui(c))},_deactivate:function(b){var c=a.ui.ddmanager.current;this.options.activeClass&&this.element.removeClass(this.options.activeClass),c&&this._trigger("deactivate",b,this.ui(c))},_over:function(b){var c=a.ui.ddmanager.current;!!c&&(c.currentItem||c.element)[0]!=this.element[0]&&this.accept.call(this.element[0],c.currentItem||c.element)&&(this.options.hoverClass&&this.element.addClass(this.options.hoverClass),this._trigger("over",b,this.ui(c)))},_out:function(b){var c=a.ui.ddmanager.current;!!c&&(c.currentItem||c.element)[0]!=this.element[0]&&this.accept.call(this.element[0],c.currentItem||c.element)&&(this.options.hoverClass&&this.element.removeClass(this.options.hoverClass),this._trigger("out",b,this.ui(c)))},_drop:function(b,c){var e=c||a.ui.ddmanager.current;if(!e||(e.currentItem||e.element)[0]==this.element[0])return!1;var f=!1;return this.element.find(":data(droppable)").not(".ui-draggable-dragging").each(function(){var b=a.data(this,"droppable");if(b.options.greedy&&!b.options.disabled&&b.options.scope==e.options.scope&&b.accept.call(b.element[0],e.currentItem||e.element)&&a.ui.intersect(e,a.extend(b,{offset:b.element.offset()}),b.options.tolerance))return f=!0,!1}),f?!1:this.accept.call(this.element[0],e.currentItem||e.element)?(this.options.activeClass&&this.element.removeClass(this.options.activeClass),this.options.hoverClass&&this.element.removeClass(this.options.hoverClass),this._trigger("drop",b,this.ui(e)),this.element):!1},ui:function(a){return{draggable:a.currentItem||a.element,helper:a.helper,position:a.position,offset:a.positionAbs}}}),a.extend(a.ui.droppable,{version:"1.8.10"}),a.ui.intersect=function(b,c,e){if(!c.offset)return!1;var f=(b.positionAbs||b.position.absolute).left,g=f+b.helperProportions.width,h=(b.positionAbs||b.position.absolute).top,i=h+b.helperProportions.height,j=c.offset.left,k=j+c.proportions.width,l=c.offset.top,m=l+c.proportions.height;switch(e){case"fit":return j<=f&&g<=k&&l<=h&&i<=m;case"intersect":return j<f+b.helperProportions.width/2&&g-b.helperProportions.width/2<k&&l<h+b.helperProportions.height/2&&i-b.helperProportions.height/2<m;case"pointer":return a.ui.isOver((b.positionAbs||b.position.absolute).top+(b.clickOffset||b.offset.click).top,(b.positionAbs||b.position.absolute).left+(b.clickOffset||b.offset.click).left,l,j,c.proportions.height,c.proportions.width);case"touch":return(h>=l&&h<=m||i>=l&&i<=m||h<l&&i>m)&&(f>=j&&f<=k||g>=j&&g<=k||f<j&&g>k);default:return!1}},a.ui.ddmanager={current:null,droppables:{"default":[]},prepareOffsets:function(b,c){var e=a.ui.ddmanager.droppables[b.options.scope]||[],f=c?c.type:null,g=(b.currentItem||b.element).find(":data(droppable)").andSelf(),h=0;b:for(;h<e.length;h++)if(!(e[h].options.disabled||b&&!e[h].accept.call(e[h].element[0],b.currentItem||b.element))){for(var i=0;i<g.length;i++)if(g[i]==e[h].element[0]){e[h].proportions.height=0;continue b}e[h].visible=e[h].element.css("display")!="none",e[h].visible&&(e[h].offset=e[h].element.offset(),e[h].proportions={width:e[h].element[0].offsetWidth,height:e[h].element[0].offsetHeight},f=="mousedown"&&e[h]._activate.call(e[h],c))}},drop:function(b,c){var e=!1;return a.each(a.ui.ddmanager.droppables[b.options.scope]||[],function(){this.options&&(!this.options.disabled&&this.visible&&a.ui.intersect(b,this,this.options.tolerance)&&(e=e||this._drop.call(this,c)),!this.options.disabled&&this.visible&&this.accept.call(this.element[0],b.currentItem||b.element)&&(this.isout=1,this.isover=0,this._deactivate.call(this,c)))}),e},drag:function(b,c){b.options.refreshPositions&&a.ui.ddmanager.prepareOffsets(b,c),a.each(a.ui.ddmanager.droppables[b.options.scope]||[],function(){if(!(this.options.disabled||this.greedyChild||!this.visible)){var e=a.ui.intersect(b,this,this.options.tolerance);if(e=!e&&this.isover==1?"isout":e&&this.isover==0?"isover":null){var f;if(this.options.greedy){var g=this.element.parents(":data(droppable):eq(0)");g.length&&(f=a.data(g[0],"droppable"),f.greedyChild=e=="isover"?1:0)}f&&e=="isover"&&(f.isover=0,f.isout=1,f._out.call(f,c)),this[e]=1,this[e=="isout"?"isover":"isout"]=0,this[e=="isover"?"_over":"_out"].call(this,c),f&&e=="isout"&&(f.isout=0,f.isover=1,f._over.call(f,c))}}})}}}(jQuery),function(a){a.fn.editableComment=function(){a(this).delegate(".comment .edit-button","click",function(b){var c=a(this).closest(".comment");return c.addClass("editing"),!1}),a(this).delegate(".comment .delete-button","click",function(b){var c=a(this).closest(".comment"),d=a(this).closest(".js-comment-container");return d.length||(d=c),confirm("Are you sure you want to delete this?")&&(c.addClass("loading"),c.find("button").attr("disabled",!0),c.find(".minibutton").addClass("disabled"),a.ajax({type:"DELETE",url:c.find(".form-content form").attr("action"),context:d,complete:function(){c.removeClass("loading"),c.find("button").removeAttr("disabled"),c.find(".minibutton").removeClass("disabled")},success:function(){c.removeClass("error"),d.fadeOut(function(){c.removeClass("editing"),d.trigger("pageUpdate")})},error:function(){c.addClass("error")}})),!1}),a(this).delegate(".comment .cancel","click",function(){return a(this).closest(".comment").removeClass("editing"),!1}),a(this).delegate(".comment .form-content form","submit",function(){var b=a(this).closest(".comment"),c=a(this).closest(".js-comment-container");return c.length||(c=b),b.addClass("loading"),b.find("button").attr("disabled",!0),b.find(".minibutton").addClass("disabled"),a.ajax({type:"PUT",url:b.find(".form-content form").attr("action"),dataType:"json",data:a(this).serialize(),context:c,complete:function(){b.removeClass("loading"),b.find("button").removeAttr("disabled"),b.find(".minibutton").removeClass("disabled")},success:function(a){b.removeClass("error"),a.title&&b.find(".content-title").html(a.title),b.find(".formatted-content .content-body").html(a.body),b.removeClass("editing"),c.trigger("pageUpdate")},error:function(){b.addClass("error")}}),!1})}}(jQuery),function(a){a.fn.enticeToAction=function(b){var c=a.extend({},a.fn.enticeToAction.defaults,b);return this.each(function(){var b=a(this);b.addClass("entice"),b.attr("title",c.title);switch(c.direction){case"downwards":var d="n";case"upwards":var d="s";case"rightwards":var d="w";case"leftwards":var d="e"}b.tipsy({gravity:d}),this.onclick=function(){return!1}})},a.fn.enticeToAction.defaults={title:"You must be logged in to use this feature",direction:"downwards"}}(jQuery),function(a){a.fn.errorify=function(b,c){var d=a.extend({},a.fn.errorify.defaults,c);return this.each(function(){var c=a(this);c.addClass("error"),c.find("p.note").hide(),c.find("dd.error").remove();var d=a("<dd>").addClass("error").text(b);c.append(d)})},a.fn.errorify.defaults={},a.fn.unErrorify=function(b){var c=a.extend({},a.fn.unErrorify.defaults,b);return this.each(function(){var b=a(this);b.removeClass("error"),b.find("p.note").show(),b.find("dd.error").remove()})},a.fn.unErrorify.defaults={}}(jQuery),$(document).ready(function(){$(document.body).trigger("pageUpdate")}),$(document).bind("end.pjax",function(a){$(a.target).trigger("pageUpdate")}),$.fn.pageUpdate=function(a){$(this).bind("pageUpdate",function(b){a.apply(b.target,arguments)})},function(a){a.fn.previewableCommentForm=function(b){var c=a.extend({},a.fn.previewableCommentForm.defaults,b);return this.each(function(){var b=a(this);if(b.hasClass("previewable-comment-form-attached"))return;b.addClass("previewable-comment-form-attached");var d=b.find("textarea"),e=b.find(".content-body"),f=b.prev(".comment-form-error"),g=b.find(".form-actions button"),h=d.val(),i=b.attr("data-repository"),j=!1,k=null,l=a.merge(b.find(".preview-dirty"),d);l.blur(function(){h!=d.val()&&(j=!0,h=d.val()),m()});var m=function(){if(!j)return;if(a.trim(h)==""){e.html("<p>Nothing to preview</p>");return}e.html("<p>Loading preview&hellip;</p>"),k&&k.abort();var b=a.extend({text:h,repository:i},c.previewOptions);k=a.post(c.previewUrl,b,function(a){e.html(a),c.onSuccess.call(e)})};a.trim(h)==""&&e.html("<p>Nothing to preview</p>"),f.length>0&&b.closest("form").submit(function(){f.hide();if(a.trim(d.val())=="")return f.show(),!1;g.attr("disabled","disabled")})})},a.fn.previewableCommentForm.defaults={previewUrl:"/preview",previewOptions:{},onSuccess:function(){}}}(jQuery),function(a){a.fn.redirector=function(b){var c=a.extend({},a.fn.redirector.defaults,b);if(this.length==0)return;a.smartPoller(c.time,function(b){a.getJSON(c.url,function(a){a?b():window.location=c.to})})},a.fn.redirector.defaults={time:100,url:null,to:"/"}}(jQuery),function(a){a.fn.repoList=function(b){var c=a.extend({},a.fn.repoList.defaults,b);return this.each(function(){var b=a(this),d=b.find(".repo_list"),e=b.find(".show-more"),f=b.find(".filter_input").val(""),g=f.val(),h=e.length==0?!0:!1,i=null,j=!1;e.click(function(){if(j)return!1;var b=e.spin();return j=!0,a(c.selector).load(c.ajaxUrl,function(){h=!0,b.parents(".repos").find(".filter_selected").click(),b.stopSpin()}),b.hide(),!1});var k=function(){var a=d.children("li");i?(a.hide(),d.find("li."+i).show()):a.show(),f.val()!=""&&a.filter(":not(:Contains('"+f.val()+"'))").hide()};b.find(".repo_filter").click(function(){var c=a(this);return b.find(".repo_filterer a").removeClass("filter_selected"),c.addClass("filter_selected"),i=c.attr("rel"),h?k():e.click(),!1});var l="placeholder"in document.createElement("input"),m=function(){l||(f.val()==""?f.addClass("placeholder"):f.removeClass("placeholder"))};f.bind("keyup blur click",function(){if(this.value==g)return;g=this.value,h?k():e.click(),m()}),m()})},a.fn.repoList.defaults={selector:"#repo_listing",ajaxUrl:"/dashboard/ajax_your_repos"}}(jQuery),$.fn.selectableList=function(a,b){return $(this).each(function(){var c=$(this),d=$.extend({toggleClassName:"selected",wrapperSelector:"a",mutuallyExclusive:!1,itemParentSelector:"li",enableShiftSelect:!1,ignoreLinks:!1},b);return c.delegate(a+" "+d.itemParentSelector+" "+d.wrapperSelector,"click",function(b){if(b.which>1||b.metaKey||d.ignoreLinks&&$(b.target).closest("a").length)return!0;var e=$(this),f=e.find(":checkbox, :radio"),g=c.find(a+" ."+d.toggleClassName),h=c.find(a+" *[data-last]");!e.is(":checkbox, :radio")&&b.target!=f[0]&&(f.attr("checked")&&!f.is(":radio")?f.attr("checked",!1):f.attr("checked",!0)),d.mutuallyExclusive&&g.removeClass(d.toggleClassName),e.toggleClass(d.toggleClassName),f.change();if(d.enableShiftSelect&&b.shiftKey&&g.length>0&&h.length>0){var i=h.offset().top,j=e.offset().top,k="#"+e.attr("id"),l=$,m=$,n=$;i>j?l=h.prevUntil(k):i<j&&(l=h.nextUntil(k)),m=l.find(":checkbox"),n=l.find(":checked"),n.length==m.length?(l.removeClass(d.toggleClassName),m.attr("checked",!1)):(l.addClass(d.toggleClassName),m.attr("checked",!0))}h.removeAttr("data-last"),e.attr("data-last",!0)}),c.delegate(a+" li :checkbox,"+a+" li :radio","change",function(b){var e=$(this),f=e.closest(d.wrapperSelector);d.mutuallyExclusive&&c.find(a+" ."+d.toggleClassName).removeClass(d.toggleClassName),$(this).attr("checked")?f.addClass(d.toggleClassName):f.removeClass(d.toggleClassName)}),c.find(a)})},$.fn.sortableHeader=function(a,b){return $(this).each(function(){var c=$(this),d=$.extend({itemSelector:"li",ascendingClass:"asc",descendingClass:"desc"},b);c.delegate(a+" "+d.itemSelector,"click",function(a){a.preventDefault();var b=$(this);b.hasClass(d.ascendingClass)?(b.removeClass(d.ascendingClass),b.addClass(d.descendingClass)):b.hasClass(d.descendingClass)?(b.removeClass(d.descendingClass),b.addClass(d.ascendingClass)):(b.parent().find("."+d.ascendingClass+", ."+d.descendingClass).removeClass(d.ascendingClass+" "+d.descendingClass),b.addClass(d.descendingClass))})})},function(a){a.fn.hardTabs=function(b){var c=a.extend({},a.fn.hardTabs.defaults,b);a(this).hasClass("js-large-data-tabs")&&(c.optimizeLargeContents=!0);var d=function(b){return c.optimizeLargeContents?b[0]==null?a():(b.is(":visible")&&!b[0].style.width&&b.css({width:b.width()+"px"}),b.css({position:"absolute",left:"-9999px"})):b.hide()},e=function(b){return c.optimizeLargeContents?b[0]==null?a():(b.is(":visible")||b.show(),b.css({position:"",left:""})):b.show()};return this.each(function(){var b=a(this),c=a(),f=a();b.find("a.selected").length==0&&a(b.find("a")[0]).addClass("selected"),b.find("a").each(function(){var g=a(this),h=a.fn.hardTabs.findLastPathSegment(g.attr("href")),i=g.attr("data-container-id")?g.attr("data-container-id"):h,j=a("#"+i);d(j);var k=function(h){return h.which==2||h.metaKey?!0:(j=a("#"+i),j.length==0?!0:(d(f),c.removeClass("selected"),f=e(j),c=g.addClass("selected"),"replaceState"in window.history&&h!="stop-url-change"&&window.history.replaceState(null,document.title,g.attr("href")),b.trigger("tabChanged",{link:g}),!1))};g.click(k),a('.js-secondary-hard-link[href="'+g.attr("href")+'"]').click(k),g.hasClass("selected")&&k("stop-url-change")})})},a.fn.hardTabs.defaults={optimizeLargeContents:!1},a.fn.hardTabs.findLastPathSegment=function(a){a==null&&(a=document.location.pathname),a=a.replace(/\?.+|#.+/,"");var b=a.match(/[^\/]+\/?$/);return b.length==0&&alert("Invalid tab link!"),b[0].replace("/","")}}(jQuery),function(){var a;Modernizr.hashchange||(a=window.location.hash,setInterval(function(){if(window.location.hash!==a)return a=window.location.hash,$(window).trigger("hashchange")},50))}.call(this),function(){var a,b,c,d,e,f,g,h,i;a=jQuery,d={8:"backspace",9:"tab",13:"enter",16:"shift",17:"ctrl",18:"alt",19:"pause",20:"capslock",27:"esc",32:"space",33:"pageup",34:"pagedown",35:"end",36:"home",37:"left",38:"up",39:"right",40:"down",45:"insert",46:"del",48:"0",49:"1",50:"2",51:"3",52:"4",53:"5",54:"6",55:"7",56:"8",57:"9",65:"a",66:"b",67:"c",68:"d",69:"e",70:"f",71:"g",72:"h",73:"i",74:"j",75:"k",76:"l",77:"m",78:"n",79:"o",80:"p",81:"q",82:"r",83:"s",84:"t",85:"u",86:"v",87:"w",88:"x",89:"y",90:"z",91:"meta",93:"meta",96:"0",97:"1",98:"2",99:"3",100:"4",101:"5",102:"6",103:"7",104:"8",105:"9",106:"*",107:"+",109:"-",110:".",111:"/",112:"f1",113:"f2",114:"f3",115:"f4",116:"f5",117:"f6",118:"f7",119:"f8",120:"f9",121:"f10",122:"f11",123:"f12",144:"numlock",145:"scroll",186:";",187:"=",188:",",189:"-",190:".",191:"/",192:"`",219:"[",220:"\\",221:"]",222:"'"},f={48:")",49:"!",50:"@",51:"#",52:"$",53:"%",54:"^",55:"&",56:"*",57:"(",65:"A",66:"B",67:"C",68:"D",69:"E",70:"F",71:"G",72:"H",73:"I",74:"J",75:"K",76:"L",77:"M",78:"N",79:"O",80:"P",81:"Q",82:"R",83:"S",84:"T",85:"U",86:"V",87:"W",88:"X",89:"Y",90:"Z",186:":",187:"+",188:"<",189:"_",190:">",191:"?",192:"~",219:"{",220:"|",221:"}",222:'"'},b=function(a){var b,c,e;return a.type==="keypress"?b=String.fromCharCode(a.which):b=d[a.which],c="",a.ctrlKey&&b!=="ctrl"&&(c+="ctrl+"),a.altKey&&b!=="alt"&&(c+="alt+"),a.metaKey&&!a.ctrlKey&&b!=="meta"&&(c+="meta+"),a.shiftKey?a.type==="keypress"?""+c+b:(e=f[a.which])?""+c+e:b==="shift"?""+c+"shift":b?""+c+"shift+"+b:null:b?""+c+b:null},i=["keydown","keyup","keypress"];for(g=0,h=i.length;g<h;g++)e=i[g],a.event.special[e]={add:function(a){var c;return c=a.handler,a.handler=function(a){return a.hotkey==null&&(a.hotkey=b(a)),c.apply(this,arguments)}}};c={},a(document).bind("keydown",function(b){var d;if(a(b.target).is(":input"))return;if(d=c[b.hotkey])return d.apply(this,arguments)}),a.hotkeys=function(b){var c,d;for(c in b)d=b[c],a.hotkey(c,d);return this},a.hotkey=function(a,b){return c[a]=b,this}}.call(this),function($){$.fn.editable=function(a,b){var c={target:a,name:"value",id:"id",type:"text",width:"auto",height:"auto",event:"click",onblur:"cancel",loadtype:"GET",loadtext:"Loading...",placeholder:"Click to edit",submittype:"post",loaddata:{},submitdata:{}};b&&$.extend(c,b);var d=$.editable.types[c.type].plugin||function(){},e=$.editable.types[c.type].submit||function(){},f=$.editable.types[c.type].buttons||$.editable.types.defaults.buttons,g=$.editable.types[c.type].content||$.editable.types.defaults.content,h=$.editable.types[c.type].element||$.editable.types.defaults.element,i=c.callback||function(){};return $.isFunction($(this)[c.event])||($.fn[c.event]=function(a){return a?this.bind(c.event,a):this.trigger(c.event)}),$(this).attr("title",c.tooltip),c.autowidth="auto"==c.width,c.autoheight="auto"==c.height,this.each(function(){$.trim($(this).html())||$(this).html(c.placeholder),$(this)[c.event](function(a){function o(){$(b).html(b.revert),b.editing=!1,$.trim($(b).html())||$(b).html(c.placeholder)}var b=this;if(b.editing)return;$(b).css("visibility","hidden"),c.width!="none"&&(c.width=c.autowidth?$(b).width():c.width),c.height!="none"&&(c.height=c.autoheight?$(b).height():c.height),$(this).css("visibility",""),$(this).html().toLowerCase().replace(/;/,"")==c.placeholder.toLowerCase().replace(/;/,"")&&$(this).html(""),b.editing=!0,b.revert=$(b).html(),$(b).html("");var j=$("<form/>");c.cssclass&&("inherit"==c.cssclass?j.attr("class",$(b).attr("class")):j.attr("class",c.cssclass)),c.style&&("inherit"==c.style?(j.attr("style",$(b).attr("style")),j.css("display",$(b).css("display"))):j.attr("style",c.style));var k=h.apply(j,[c,b]),l;if(c.loadurl){var m=setTimeout(function(){k.disabled=!0,g.apply(j,[c.loadtext,c,b])},100),n={};n[c.id]=b.id,$.isFunction(c.loaddata)?$.extend(n,c.loaddata.apply(b,[b.revert,c])):$.extend(n,c.loaddata),$.ajax({type:c.loadtype,url:c.loadurl,data:n,async:!1,success:function(a){window.clearTimeout(m),l=a,k.disabled=!1}})}else c.data?(l=c.data,$.isFunction(c.data)&&(l=c.data.apply(b,[b.revert,c]))):l=b.revert;g.apply(j,[l,c,b]),k.attr("name",c.name),f.apply(j,[c,b]),d.apply(j,[c,b]),$(b).append(j),$(":input:visible:enabled:first",j).focus(),c.select&&k.select(),k.keydown(function(a){a.keyCode==27&&(k.blur(),a.preventDefault(),o())});var m;"cancel"==c.onblur?k.blur(function(a){m=setTimeout(o,500)}):"submit"==c.onblur?k.blur(function(a){j.submit()}):$.isFunction(c.onblur)?k.blur(function(a){c.onblur.apply(b,[k.val(),c])}):k.blur(function(a){}),j.submit(function(a){m&&clearTimeout(m),a.preventDefault(),e.apply(j,[c,b]);if($.isFunction(c.target)){var d=c.target.apply(b,[k.val(),c]);$(b).html(d),b.editing=!1,i.apply(b,[b.innerHTML,c]),$.trim($(b).html())||$(b).html(c.placeholder)}else{var f={};f[c.name]=k.val(),f[c.id]=b.id,$.isFunction(c.submitdata)?$.extend(f,c.submitdata.apply(b,[b.revert,c])):$.extend(f,c.submitdata),$(b).html(c.indicator),$.ajax({type:c.submittype,url:c.target,data:f,success:function(a){$(b).html(a),b.editing=!1,i.apply(b,[b.innerHTML,c]),$.trim($(b).html())||$(b).html(c.placeholder)}})}return!1}),$(b).bind("reset",o)})})},$.editable={types:{defaults:{element:function(a,b){var c=$('<input type="hidden">');return $(this).append(c),c},content:function(a,b,c){$(":input:first",this).val(a)},buttons:function(a,b){if(a.submit){var c=$('<input type="submit">');c.val(a.submit),$(this).append(c)}if(a.cancel){var d=$('<input type="button">');d.val(a.cancel),$(this).append(d),$(d).click(function(){$(b).html(b.revert),b.editing=!1})}}},text:{element:function(a,b){var c=$("<input>");return a.width!="none"&&c.width(a.width),a.height!="none"&&c.height(a.height),c.attr("autocomplete","off"),$(this).append(c),c}},textarea:{element:function(a,b){var c=$("<textarea>");return a.rows?c.attr("rows",a.rows):c.height(a.height),a.cols?c.attr("cols",a.cols):c.width(a.width),$(this).append(c),c}},select:{element:function(a,b){var c=$("<select>");return $(this).append(c),c},content:function(string,settings,original){if(String==string.constructor){eval("var json = "+string);for(var key in json){if(!json.hasOwnProperty(key))continue;if("selected"==key)continue;var option=$("<option>").val(key).append(json[key]);$("select",this).append(option)}}$("select",this).children().each(function(){$(this).val()==json["selected"]&&$(this).attr("selected","selected")})}}},addInputType:function(a,b){$.editable.types[a]=b}}}(jQuery),function(a){a(".js-oneclick").live("click",function(b){b.preventDefault();var c=a(this),d=c.attr("data-afterclick")||"Loading…";return c.attr("disabled")?!0:(c.attr("disabled","disabled"),setTimeout(function(){c.find("span").length>0?c.find("span").text(d):c.text(d)},50),a(this).parents("form").submit(),!0)})}(jQuery),function(a){a.fn.pjax=function(b,c){c?c.container=b:c=a.isPlainObject(b)?b:{container:b};if(c.container&&typeof c.container!="string")throw"pjax container must be a string selector!";return this.live("click",function(b){if(b.which>1||b.metaKey)return!0;var d={url:this.href,container:a(this).attr("data-pjax"),clickedElement:a(this),fragment:null};a.pjax(a.extend({},d,c)),b.preventDefault()})};var b=a.pjax=function(c){var d=a(c.container),e=c.success||a.noop;delete c.success;if(typeof c.container!="string")throw"pjax container must be a string selector!";c=a.extend(!0,{},b.defaults,c),a.isFunction(c.url)&&(c.url=c.url()),c.context=d,c.success=function(d){if(c.fragment){var f=a(d).find(c.fragment);if(f.length)d=f.children();else return window.location=c.url}else if(!a.trim(d)||/<html/i.test(d))return window.location=c.url;this.html(d);var g=document.title,h=a.trim(this.find("title").remove().text());h&&(document.title=h),!h&&c.fragment&&(h=f.attr("title")||f.data("title"));var i={pjax:c.container,fragment:c.fragment,timeout:c.timeout},j=a.param(c.data);j!="_pjax=true"&&(i.url=c.url+(/\?/.test(c.url)?"&":"?")+j),c.replace?window.history.replaceState(i,document.title,c.url):c.push&&(b.active||(window.history.replaceState(a.extend({},i,{url:null}),g),b.active=!0),window.history.pushState(i,document.title,c.url)),(c.replace||c.push)&&window._gaq&&_gaq.push(["_trackPageview"]);var k=window.location.hash.toString();k!==""&&(window.location.href=k),e.apply(this,arguments)};var f=b.xhr;return f&&f.readyState<4&&(f.onreadystatechange=a.noop,f.abort()),b.options=c,b.xhr=a.ajax(c),a(document).trigger("pjax",[b.xhr,c]),b.xhr};b.defaults={timeout:650,push:!0,replace:!1,data:{_pjax:!0},type:"GET",dataType:"html",beforeSend:function(a){this.trigger("pjax:start",[a,b.options]),this.trigger("start.pjax",[a,b.options]),a.setRequestHeader("X-PJAX","true")},error:function(a,c,d){c!=="abort"&&(window.location=b.options.url)},complete:function(a){this.trigger("pjax:end",[a,b.options]),this.trigger("end.pjax",[a,b.options])}};var c="state"in window.history,d=location.href;a(window).bind("popstate",function(b){var e=!c&&location.href==d;c=!0;if(e)return;var f=b.state;if(f&&f.pjax){var g=f.pjax;a(g+"").length?a.pjax({url:f.url||location.href,fragment:f.fragment,container:g,push:!1,timeout:f.timeout}):window.location=location.href}}),a.inArray("state",a.event.props)<0&&a.event.props.push("state"),a.support.pjax=window.history&&window.history.pushState&&window.history.replaceState&&!navigator.userAgent.match(/(iPod|iPhone|iPad|WebApps\/.+CFNetwork)/),a.support.pjax||(a.pjax=function(b){window.location=a.isFunction(b.url)?b.url():b.url},a.fn.pjax=function(){return this})}(jQuery),function(a){function b(a,b){var c=a.find("a");if(c.length>1){var d=c.filter(".selected"),e=c.get().indexOf(d.get(0));return e+=b,e>=c.length?e=0:e<0&&(e=c.length-1),d.removeClass("selected"),c.eq(e).addClass("selected"),!0}}a.fn.quicksearch=function(c){var d=a.extend({url:null,delay:150,spinner:null,insertSpinner:null,loading:a(".quicksearch-loading")},c);d.insertSpinner&&!d.spinner&&(d.spinner=a('<img src="'+GitHub.Ajax.spinner+'" alt="" class="spinner" />'));var e=function(a){return d.results.html(a).show()};return d.results.delegate("a","mouseover",function(b){var c=a(this);c.hasClass("selected")||(d.results.find("a.selected").removeClass("selected"),c.addClass("selected"))}),this.each(function(){function f(){d.insertSpinner&&(d.spinner.parent().length||d.insertSpinner.call(c,d.spinner),d.spinner.show()),c.trigger("quicksearch.loading"),d.loading&&e(d.loading.html())}function g(){d.insertSpinner&&d.spinner.hide(),c.trigger("quicksearch.loaded")}var c=a(this);c.autocompleteField({url:d.url||c.attr("data-url"),dataType:d.dataType,delay:d.delay,useCache:!0,minLength:2}).bind("keyup",function(a){a.which!=13&&c.val().length>=2&&d.results.is(":empty")&&f()}).bind("autocomplete:beforesend",function(a,b){f()}).bind("autocomplete:finish",function(a,b){e(b||{}),g()}).bind("autocomplete:clear",function(a){d.results.html("").hide(),g()}).bind("focus",function(a){c.val()&&c.trigger("keyup")}).bind("blur",function(a){setTimeout(function(){c.trigger("autocomplete:clear")},150)}).bind("keydown",function(c){switch(c.hotkey){case"up":if(b(d.results,-1))return!1;break;case"down":if(b(d.results,1))return!1;break;case"esc":return a(this).blur(),!1;case"enter":var e,f=d.results.find("a.selected");if(f.length)return a(this).blur(),f.hasClass("initial")?f.closest("form").submit():window.location=f.attr("href"),!1;a(this).trigger("autocomplete:clear")}})})}}(jQuery),function(a){a.put=function(a,b,c,d){var e=null;return jQuery.isFunction(b)&&(c=b,b={}),jQuery.isPlainObject(c)&&(e=c.error,c=c.success),jQuery.ajax({type:"PUT",url:a,data:b,success:c,error:e,dataType:d})},a.del=function(a,b,c,d){var e=null;return jQuery.isFunction(b)&&(c=b,b={}),jQuery.isPlainObject(c)&&(e=c.error,c=c.success),jQuery.ajax({type:"DELETE",url:a,data:b,success:c,error:e,dataType:d})}}(jQuery),function(a){a.smartPoller=function(b,c){a.isFunction(b)&&(c=b,b=1e3),function d(){setTimeout(function(){c.call(this,d)},b),b*=1.1}()}}(jQuery),jQuery.fn.tabs=function(){var a=function(a){return/#([a-z][\w.:-]*)$/i.exec(a)[1]},b=window.location.hash.substr(1);return this.each(function(){var c=null,d=null;$(this).find("li a").each(function(){var b=$("#"+a(this.href));if(b==[])return;b.hide(),$(this).click(function(){var a=$(this),e=function(){d&&d.hide(),c&&c.removeClass("selected"),c=a.addClass("selected"),d=b.show().trigger("tabChanged",{link:c})};return a.attr("ajax")?(a.addClass("loading"),$.ajax({url:a.attr("ajax"),success:function(c){b.html(c),a.removeClass("loading"),a[0].removeAttribute("ajax"),e()},failure:function(a){alert("An error occured, please reload the page")}})):e(),!1}),$(this).hasClass("selected")&&$(this).click()}),$(this).find("li a[href='#"+b+"']").click(),d==null&&$($(this).find("li a")[0]).click()})},function(a){var b=function(){var a=typeof document.selection!="undefined"&&typeof document.selection.createRange!="undefined";return{getSelectionRange:function(b){var c,d,e,f,g,h;b.focus();if(typeof b.selectionStart!="undefined")c=b.selectionStart,d=b.selectionEnd;else{if(!a)throw"Unable to get selection range.";e=document.selection.createRange(),f=e.text.length;if(e.parentElement()!==b)throw"Unable to get selection range.";b.type==="textarea"?(g=e.duplicate(),g.moveToElementText(b),g.setEndPoint("EndToEnd",e),c=g.text.length-f):(h=b.createTextRange(),h.setEndPoint("EndToStart",e),c=h.text.length),d=c+f}return{start:c,end:d}},getSelectionStart:function(a){return this.getSelectionRange(a).start},getSelectionEnd:function(a){return this.getSelectionRange(a).end},setSelectionRange:function(b,c,d){var e,f;b.focus(),typeof d=="undefined"&&(d=c);if(typeof b.selectionStart!="undefined")b.setSelectionRange(c,d);else if(a)e=b.value,f=b.createTextRange(),d-=c+e.slice(c+1,d).split("\n").length-1,c-=e.slice(0,c).split("\n").length-1,f.move("character",c),f.moveEnd("character",d),f.select();else throw"Unable to set selection range."},getSelectedText:function(a){var b=this.getSelectionRange(a);return a.value.substring(b.start,b.end)},insertText:function(a,b,c,d,e){d=d||c;var f=b.length,g=c+f,h=a.value.substring(0,c),i=a.value.substr(d);a.value=h+b+i,e===!0?this.setSelectionRange(a,c,g):this.setSelectionRange(a,g)},replaceSelectedText:function(a,b,c){var d=this.getSelectionRange(a);this.insertText(a,b,d.start,d.end,c)},wrapSelectedText:function(a,b,c,d){var e=b+this.getSelectedText(a)+c;this.replaceSelectedText(a,e,d)}}}();window.Selection=b,a.fn.extend({getSelectionRange:function(){return b.getSelectionRange(this[0])},getSelectionStart:function(){return b.getSelectionStart(this[0])},getSelectionEnd:function(){return b.getSelectionEnd(this[0])},getSelectedText:function(){return b.getSelectedText(this[0])},setSelectionRange:function(a,c){return this.each(function(){b.setSelectionRange(this,a,c)})},insertText:function(a,c,d,e){return this.each(function(){b.insertText(this,a,c,d,e)})},replaceSelectedText:function(a,c){return this.each(function(){b.replaceSelectedText(this,a,c)})},wrapSelectedText:function(a,c,d){return this.each(function(){b.wrapSelectedText(this,a,c,d)})}})}(jQuery),function(){var a,b,c;a=jQuery,a.fn.selectionEndPosition=function(){return b(this[0])},c=["height","width","padding-top","padding-right","padding-bottom","padding-left","lineHeight","textDecoration","letterSpacing","font-family","font-size","font-style","font-variant","font-weight"],b=function(b){var d,e,f,g,h,i,j;b==null&&(b=document.activeElement);if(!a(b).is("textarea"))return;if(b.selectionEnd==null)return;h={position:"absolute",overflow:"auto","white-space":"pre-wrap",top:0,left:-9999};for(i=0,j=c.length;i<j;i++)f=c[i],h[f]=a(b).css(f);return d=document.createElement("div"),a(d).css(h),a(b).after(d),d.textContent=b.value.substring(0,b.selectionEnd),d.scrollTop=d.scrollHeight,e=document.createElement("span"),e.innerHTML="&nbsp;",d.appendChild(e),g=a(e).position(),a(d).remove(),g}}.call(this),function(a){a.fn.tipsy=function(b){b=a.extend({fade:!1,gravity:"n",title:"title",fallback:""},b||{});var c=null;a(this).hover(function(){a.data(this,"cancel.tipsy",!0);var c=a.data(this,"active.tipsy");c||(c=a('<div class="tipsy"><div class="tipsy-inner"/></div>'),c.css({position:"absolute",zIndex:1e5}),a.data(this,"active.tipsy",c)),(a(this).attr("title")||!a(this).attr("original-title"))&&a(this).attr("original-title",a(this).attr("title")||"").removeAttr("title");var d;typeof b.title=="string"?d=a(this).attr(b.title=="title"?"original-title":b.title):typeof b.title=="function"&&(d=b.title.call(this)),c.find(".tipsy-inner").html(d||b.fallback);var e=a.extend({},a(this).offset(),{width:this.offsetWidth,height:this.offsetHeight});c.get(0).className="tipsy",c.remove().css({top:0,left:0,visibility:"hidden",display:"block"}).appendTo(document.body);var f=c[0].offsetWidth,g=c[0].offsetHeight,h=typeof b.gravity=="function"?b.gravity.call(this):b.gravity;switch(h.charAt(0)){case"n":c.css({top:e.top+e.height,left:e.left+e.width/2-f/2}).addClass("tipsy-north");break;case"s":c.css({top:e.top-g,left:e.left+e.width/2-f/2}).addClass("tipsy-south");break;case"e":c.css({top:e.top+e.height/2-g/2,left:e.left-f}).addClass("tipsy-east");break;case"w":c.css({top:e.top+e.height/2-g/2,left:e.left+e.width}).addClass("tipsy-west")}b.fade?c.css({opacity:0,display:"block",visibility:"visible"}).animate({opacity:.8}):c.css({visibility:"visible"})},function(){a.data(this,"cancel.tipsy",!1);var c=this;setTimeout(function(){if(a.data(this,"cancel.tipsy"))return;var d=a.data(c,"active.tipsy");d&&(b.fade?d.stop().fadeOut(function(){a(this).remove()}):d.remove())},100)}),a(this).bind("tipsy.reload",function(){a(this).attr("title")&&a(this).attr("original-title",a(this).attr("title")||"").removeAttr("title");var c;typeof b.title=="string"?c=a(this).attr(b.title=="title"?"original-title":b.title):typeof b.title=="function"&&(c=b.title.call(this));var d=a.data(this,"active.tipsy");d.find(".tipsy-inner").text(c||b.fallback);var e=a.extend({},a(this).offset(),{width:this.offsetWidth,height:this.offsetHeight}),f=d[0].offsetWidth,g=d[0].offsetHeight,h=typeof b.gravity=="function"?b.gravity.call(this):b.gravity;switch(h.charAt(0)){case"n":d.css({top:e.top+e.height,left:e.left+e.width/2-f/2});break;case"s":d.css({top:e.top-g,left:e.left+e.width/2-f/2});break;case"e":d.css({top:e.top+e.height/2-g/2,left:e.left-f});break;case"w":d.css({top:e.top+e.height/2-g/2,left:e.left+e.width})}})},a.fn.tipsy.autoNS=function(){return a(this).offset().top>a(document).scrollTop()+a(window).height()/2?"s":"n"}}(jQuery),function(a){function e
5
+ (a){return"tagName"in a?a:a.parentNode}try{window.document.createEvent("TouchEvent")}catch(b){return!1}var c={},d;a(document).ready(function(){a(document.body).bind("touchstart",function(a){var b=Date.now(),f=b-(c.last||b);c.target=e(a.originalEvent.touches[0].target),d&&clearTimeout(d),c.x1=a.originalEvent.touches[0].pageX,f>0&&f<=250&&(c.isDoubleTap=!0),c.last=b}).bind("touchmove",function(a){c.x2=a.originalEvent.touches[0].pageX}).bind("touchend",function(b){c.isDoubleTap?(a(c.target).trigger("doubleTap"),c={}):c.x2>0?(Math.abs(c.x1-c.x2)>30&&a(c.target).trigger("swipe")&&a(c.target).trigger("swipe"+(c.x1-c.x2>0?"Left":"Right")),c.x1=c.x2=c.last=0):"last"in c&&(d=setTimeout(function(){d=null,a(c.target).trigger("tap"),c={}},250))}).bind("touchcancel",function(){c={}})}),["swipe","swipeLeft","swipeRight","doubleTap","tap"].forEach(function(b){a.fn[b]=function(a){return this.bind(b,a)}})}(jQuery),jQuery.fn.truncate=function(a,b){function e(a){d&&a.style.removeAttribute("filter")}b=jQuery.extend({chars:/\s/,trail:["...",""]},b);var c={},d=$.browser.msie;return this.each(function(){var d=jQuery(this),f=d.html().replace(/\r\n/gim,""),g=f,h=/<\/?[^<>]*\/?>/gim,i,j={},k=$("*").index(this);while((i=h.exec(g))!=null)j[i.index]=i[0];g=jQuery.trim(g.split(h).join(""));if(g.length>a){var l;while(a<g.length){l=g.charAt(a);if(l.match(b.chars)){g=g.substring(0,a);break}a--}if(f.search(h)!=-1){var m=0;for(eachEl in j)g=[g.substring(0,eachEl),j[eachEl],g.substring(eachEl,g.length)].join(""),eachEl<g.length&&(m=g.length);d.html([g.substring(0,m),g.substring(m,g.length).replace(/<(\w+)[^>]*>.*<\/\1>/gim,"").replace(/<(br|hr|img|input)[^<>]*\/?>/gim,"")].join(""))}else d.html(g);c[k]=f,d.html(["<div class='truncate_less'>",d.html(),b.trail[0],"</div>"].join("")).find(".truncate_show",this).click(function(){return d.find(".truncate_more").length==0&&d.append(["<div class='truncate_more' style='display: none;'>",c[k],b.trail[1],"</div>"].join("")).find(".truncate_hide").click(function(){return d.find(".truncate_more").css("background","#fff").fadeOut("normal",function(){d.find(".truncate_less").css("background","#fff").fadeIn("normal",function(){e(this),$(this).css("background","none")}),e(this)}),!1}),d.find(".truncate_less").fadeOut("normal",function(){d.find(".truncate_more").fadeIn("normal",function(){e(this)}),e(this)}),jQuery(".truncate_show",d).click(function(){return d.find(".truncate_less").css("background","#fff").fadeOut("normal",function(){d.find(".truncate_more").css("background","#fff").fadeIn("normal",function(){e(this),$(this).css("background","none")}),e(this)}),!1}),!1})}})},function(a){function o(){return window.DeviceMotionEvent!=undefined}function p(b){if((new Date).getTime()<d+c)return;if(o()){var e=b.accelerationIncludingGravity,f=e.x,g=e.y;l.xArray.length>=5&&l.xArray.shift(),l.yArray.length>=5&&l.yArray.shift(),l.xArray.push(f),l.yArray.push(g),l.xMotion=Math.round((n(l.xArray)-m(l.xArray))*1e3)/1e3,l.yMotion=Math.round((n(l.yArray)-m(l.yArray))*1e3)/1e3,(l.xMotion>1.5||l.yMotion>1.5)&&i!=10&&(i=10),l.xMotion>j||l.yMotion>j?k++:k=0,k>=5?(h=!0,a(document).unbind("mousemove.plax"),a(window).bind("devicemotion",q(b))):(h=!1,a(window).unbind("devicemotion"),a(document).bind("mousemove.plax",function(a){q(a)}))}}function q(a){if((new Date).getTime()<d+c)return;d=(new Date).getTime();var b=a.pageX,j=a.pageY;if(h==1){var k=window.orientation?(window.orientation+180)%360/90:2,l=a.accelerationIncludingGravity,m=k%2==0?-l.x:l.y,n=k%2==0?l.y:l.x;b=k>=2?m:-m,j=k>=2?n:-n,b=(b+i)/2,j=(j+i)/2,b<0?b=0:b>i&&(b=i),j<0?j=0:j>i&&(j=i)}var o=b/(h==1?i:f),p=j/(h==1?i:g),q,k;for(k=e.length;k--;)q=e[k],q.invert!=1?q.obj.css("left",q.startX+q.xRange*o).css("top",q.startY+q.yRange*p):q.obj.css("left",q.startX-q.xRange*o).css("top",q.startY-q.yRange*p)}var b=25,c=1/b*1e3,d=(new Date).getTime(),e=[],f=a(window).width(),g=a(window).height(),h=!1,i=1,j=.05,k=0,l={xArray:[0,0,0,0,0],yArray:[0,0,0,0,0],xMotion:0,yMotion:0};a(window).resize(function(){f=a(window).width(),g=a(window).height()}),a.fn.plaxify=function(b){return this.each(function(){var c={xRange:0,yRange:0,invert:!1};for(var d in b)c[d]==0&&(c[d]=b[d]);c.obj=a(this),c.startX=this.offsetLeft,c.startY=this.offsetTop,c.invert==0?(c.startX-=Math.floor(c.xRange/2),c.startY-=Math.floor(c.yRange/2)):(c.startX+=Math.floor(c.xRange/2),c.startY+=Math.floor(c.yRange/2)),e.push(c)})};var m=function(a){return Math.min.apply({},a)},n=function(a){return Math.max.apply({},a)};a.plax={enable:function(){a(document).bind("mousemove.plax",function(a){q(a)}),o()&&(window.ondevicemotion=function(a){p(a)})},disable:function(){a(document).unbind("mousemove.plax"),window.ondevicemotion=undefined}},typeof ender!="undefined"&&a.ender(a.fn,!0)}(function(){return typeof jQuery!="undefined"?jQuery:ender}()),String.prototype.score=function(a,b){var c=0,d=a.length,e=this,f=e.length,g,h,i=1,j;if(e==a)return 1;for(var k=0,l,m,n,o,p,q;k<d;++k){n=a[k],o=e.indexOf(n.toLowerCase()),p=e.indexOf(n.toUpperCase()),q=Math.min(o,p),m=q>-1?q:Math.max(o,p);if(m===-1){if(b){i+=1-b;break}return 0}l=.1,e[m]===n&&(l+=.1),m===0&&(l+=.6,k===0&&(g=1)),e.charAt(m-1)===" "&&(l+=.8),e=e.substring(m+1,f),c+=l}return h=c/d,j=(h*(d/f)+h)/2,j/=i,g&&j+.15<1&&(j+=.15),j},window.GitHub={};if(typeof console=="undefined"||typeof console.log=="undefined")window.console={log:function(){}};window.GitHub.debug=!1,window.debug=function(){},navigator.userAgent.match("Propane")||top!=window&&(top.location.replace(document.location),alert("For security reasons, framing is not allowed.")),GitHub.gravatar=function(a,b){b=b||35;var c=location.protocol=="https:"?"https://secure.gravatar.com":"http://gravatar.com",d=location.protocol=="https:"?"https":"http";return'<img src="'+c+"/avatar/"+a+"?s=140&d="+d+'%3A%2F%2Fgithub.com%2Fimages%2Fgravatars%2Fgravatar-140.png" width="'+b+'" height="'+b+'" />'},String.prototype.capitalize=function(){return this.replace(/\w+/g,function(a){return a.charAt(0).toUpperCase()+a.substr(1).toLowerCase()})},jQuery.expr[":"].Contains=function(a,b,c){return(a.textContent||a.innerText||"").toLowerCase().indexOf(c[3].toLowerCase())>=0},$.fn.scrollTo=function(a,b){var c,d;typeof a=="number"||!a?(b=a,c=this,d="html,body"):(c=a,d=this);var e=$(c).offset().top-30;return $(d).animate({scrollTop:e},b||1e3),this},$.fn.spin=function(){return this.after('<img src="'+GitHub.Ajax.spinner+'" id="spinner"/>')},$.fn.stopSpin=function(){return $("#spinner").remove(),this},$.fn.contextLoader=function(a){var b='<div class="context-loader">Sending Request&hellip;</div>';return this.after($(b).css("top",a))},GitHub.Ajax={spinner:"https://a248.e.akamai.net/assets.github.com/images/modules/ajax/indicator.gif",error:"https://a248.e.akamai.net/assets.github.com/images/modules/ajax/error.png"},$(function(){function c(){$("#facebox .shortcuts:visible").length?$.facebox.close():($(document).one("reveal.facebox",function(){$(".js-see-all-keyboard-shortcuts").click(function(){return $(this).remove(),$("#facebox :hidden").show(),!1})}),$.facebox({div:"#keyboard_shortcuts_pane"},"shortcuts"))}function d(){$("#facebox .cheatsheet:visible").length?$.facebox.close():$.facebox({div:"#markdown-help"},"cheatsheet")}var a=new Image;a.src=GitHub.Ajax.spinner,$(".previewable-comment-form").previewableCommentForm(),$(".cards_select").cardsSelect(),$(document).bind("reveal.facebox",function(){$(".cards_select").cardsSelect()}),$(".flash .close").click(function(){$(this).closest(".flash").fadeOut(300)}),$(".tooltipped").each(function(){var a=$(this),b=a.hasClass("downwards")?"n":"s";b=a.hasClass("rightwards")?"w":b,b=a.hasClass("leftwards")?"e":b,a.tipsy({gravity:b})}),$(".toggle_link").click(function(){return $($(this).attr("href")).toggle(),!1}),$(".hide_alert").live("click",function(){return $("#site_alert").slideUp(),$.cookie("hide_alert_vote","t",{expires:7,path:"/"}),!1}),$(".hide_div").click(function(){return $(this).parents("div:first").fadeOut(),!1});var b=$("#login_field");b.val()?b.length&&$("#password").focus():b.focus(),$("#versions_select").change(function(){location.href=this.value}),$(document).pageUpdate(function(){$(this).find("a[rel*=facebox]").facebox()}),$(this).find("a[rel*=facebox]").facebox(),$(document).bind("loading.facebox",function(){$(".clippy").hide()}),$(document).bind("reveal.facebox",function(){$("#facebox .clippy").show()}),$(document).bind("close.facebox",function(){$(".clippy").show()}),$(".pjax a").pjax(".site:first .container"),$(".js-date-input").date_input(),$.fn.truncate&&$(".truncate").bind("truncate",function(){$(this).truncate(50,{chars:/.*/})}).trigger("truncate"),$.hotkeys({s:function(){return e.focus(),!1},m:function(){d()}}),$(document).on("keypress",function(a){if($(a.target).is(":input"))return;if(a.hotkey==="?")return c(),!1}),$(".gfm-help").click(function(a){a.preventDefault(),d()});var e=$(".topsearch input[name=q]");$("button, .minibutton").live("mousedown",function(){$(this).addClass("mousedown")}).live("mouseup mouseleave",function(){$(this).removeClass("mousedown")}),$("ul.inline-tabs").tabs(),$(".js-hard-tabs").hardTabs(),BaconPlayer.sm2="/javascripts/soundmanager/sm2.js",$("button.classy, a.button.classy").mousedown(function(){$(this).addClass("mousedown")}).bind("mouseup mouseleave",function(){$(this).removeClass("mousedown")}),$(document).editableComment()}),$(document).pageUpdate(function(){$(this).find(".js-placeholder-field label.placeholder").fancyplace(),$(this).find(".js-entice").each(function(){$(this).enticeToAction({title:$(this).attr("data-entice")})})}),$.extend($.facebox.settings,{loadingImage:"https://a248.e.akamai.net/assets.github.com/images/modules/facebox/loading.gif",closeImage:"https://a248.e.akamai.net/assets.github.com/images/modules/facebox/closelabel.png"}),function(){$(document).on("ajaxError","[data-remote]",function(a,b,c,d){if(a.isDefaultPrevented())return;return debug("AJAX Error",d),$(document.documentElement).addClass("ajax-error")}),$(document).on("ajaxBeforeSend","[data-remote]",function(a,b,c){return $(document.documentElement).removeClass("ajax-error")}),$(document).on("click",".ajax-error-dismiss",function(){return $(document.documentElement).removeClass("ajax-error"),!1})}.call(this),function(){var a,b,c,d;window._gaq==null&&(window._gaq=[]),_gaq.push(["_setAccount","UA-3769691-2"]),_gaq.push(["_setDomainName","none"]),_gaq.push(["_trackPageview"]),_gaq.push(["_trackPageLoadTime"]),document.title==="404 - GitHub"&&(d=document.location.pathname+document.location.search,a=document.referrer,_gaq.push(["_trackPageview","/404.html?page="+d+"&from="+a])),b=document.createElement("script"),b.type="text/javascript",b.async=!0,c=document.location.protocol==="https:"?"https://ssl":"http://www",b.src=""+c+".google-analytics.com/ga.js",document.getElementsByTagName("head")[0].appendChild(b)}.call(this),GitHub.Autocomplete=function(){},GitHub.Autocomplete.gravatars={},GitHub.Autocomplete.visibilities={},GitHub.Autocomplete.acceptable=function(a){a.result(function(a,b){var c=$(this);setTimeout(function(){c.val()&&(c.addClass("ac-accept"),c.data("accept-val",c.val()))},30)}),a.keypress(function(a){$(this).data("accept-val")!=$(this).val()&&$(this).removeClass("ac-accept")}),a.keydown(function(a){$(this).data("accept-val")!=$(this).val()&&$(this).removeClass("ac-accept")}),a.keyup(function(a){$(this).data("accept-val")!=$(this).val()&&$(this).removeClass("ac-accept")}),a.parents("form:first").submit(function(){$(this).removeClass("ac-accept")})},GitHub.Autocomplete.prototype={usersURL:"/autocomplete/users",reposURL:"/autocomplete/repos",myReposURL:"/autocomplete/repos/mine",branchesURL:"/autocomplete/branches",settings:{},repos:function(a){a=$(a);if(!$.fn.autocomplete||a.length==0)return a;var b=a.autocomplete(this.reposURL,$.extend({delay:10,width:210,minChars:2,selectFirst:!1,formatItem:function(a){a=a[0].split(" ");var b=a[0],c=a[1];return GitHub.Autocomplete.visibilities[b]=c,b},formatResult:function(a){return a[0].split(" ")[0]},autoResult:!0},this.settings));return GitHub.Autocomplete.acceptable(b),b},myRepos:function(a){return a=$(a),!$.fn.autocomplete||a.length==0?a:$(document.body).hasClass("logged_in")?a.autocomplete(this.myReposURL,$.extend({delay:10,width:210,selectFirst:!1,formatItem:function(a){a=a[0].split(" ");var b=a[0],c=a[1];return GitHub.Autocomplete.visibilities[b]=c,b},formatResult:function(a){return a[0].split(" ")[0]}},this.settings)).result(function(a,b,c){return window.location="/"+b[0].split(" ")[0],!1}).keydown(function(b){if(!/\//.test(a.val())&&b.keyCode==9){var c=$(".ac_results li:first").text();if(c)return a.val(c),window.location="/"+c,!1}}).end():a},users:function(a){a=$(a);if(!$.fn.autocomplete||a.length==0)return a;var b=a.autocomplete(this.usersURL,$.extend({delay:10,minChars:1,formatItem:function(a){a=a[0].split(" ");var b=a[0],c=GitHub.gravatar(a[1],20);return GitHub.Autocomplete.gravatars[b]=c,c+" "+b},formatResult:function(a){return a[0].split(" ")[0]},autoResult:!0},this.settings));return GitHub.Autocomplete.acceptable(b),b},branches:function(a,b){a=$(a);if(!$.fn.autocomplete||a.length==0)return a;b||(b={}),b=$.extend({matchCase:!0,minChars:0,matchContains:!0,selectFirst:!0,autoResult:!0},b);var c=a.autocomplete(this.branchesURL,$.extend(this.settings,b));return GitHub.Autocomplete.acceptable(c),c}},$.userAutocomplete=function(){$(".autocompleter, .user-autocompleter").userAutocomplete()},$.fn.userAutocomplete=function(){return(new GitHub.Autocomplete).users(this)},$.repoAutocomplete=function(){},$.fn.repoAutocomplete=function(){return(new GitHub.Autocomplete).repos(this)},$.myReposAutocomplete=function(){$(".my_repos_autocompleter").myReposAutocomplete()},$.fn.myReposAutocomplete=function(){return(new GitHub.Autocomplete).myRepos(this)},$.fn.branchesAutocomplete=function(a){return(new GitHub.Autocomplete).branches(this,a)},$(function(){$.userAutocomplete(),$.myReposAutocomplete()}),function(){var a=function(a,b){return function(){return a.apply(b,arguments)}};GitHub.DetailsBehavior=function(){function b(){this.onToggle=a(this.onToggle,this),this.onClick=a(this.onClick,this),$(document).on("click",".js-details-container .js-details-target",this.onClick),$(document).on("toggle.details",".js-details-container",this.onToggle)}return b.prototype.onClick=function(a){return $(a.target).trigger("toggle.details"),!1},b.prototype.onToggle=function(a){return this.toggle(a.currentTarget)},b.prototype.toggle=function(a){return $(a).toggleClass("open")},b}(),new GitHub.DetailsBehavior}.call(this),function(){var a=function(a,b){return function(){return a.apply(b,arguments)}},b=Array.prototype.indexOf||function(a){for(var b=0,c=this.length;b<c;b++)if(b in this&&this[b]===a)return b;return-1};GitHub.MenuBehavior=function(){function c(){this.onDeactivate=a(this.onDeactivate,this),this.onActivate=a(this.onActivate,this),this.onClose=a(this.onClose,this),this.onContainerClick=a(this.onContainerClick,this),this.onKeyDown=a(this.onKeyDown,this),this.onClick=a(this.onClick,this),$(document).on("click",this.onClick),$(document).on("keydown",this.onKeyDown),$(document).on("click",".js-menu-container",this.onContainerClick),$(document).on("click",".js-menu-container .js-menu-close",this.onClose),$(document).on("menu:activate",".js-menu-container",this.onActivate),$(document).on("menu:deactivate",".js-menu-container",this.onDeactivate)}return c.prototype.onClick=function(a){if(!this.activeContainer)return;if(!$(a.target).closest(this.activeContainer)[0])return $(this.activeContainer).trigger("menu:deactivate")},c.prototype.onKeyDown=function(a){var c;if(!this.activeContainer)return;if(a.keyCode===27)return(c=this.activeContainer,b.call($(document.activeElement).parents(),c)>=0)&&document.activeElement.blur(),$(this.activeContainer).trigger("menu:deactivate")},c.prototype.onContainerClick=function(a){var b,c,d;b=a.currentTarget;if(d=$(a.target).closest(".js-menu-target")[0])return b===this.activeContainer?$(b).trigger("menu:deactivate"):$(b).trigger("menu:activate");if(!(c=$(a.target).closest(".js-menu-content")[0]))return $(b).trigger("menu:deactivate")},c.prototype.onClose=function(a){return $(a.target).closest(".js-menu-container").trigger("menu:deactivate"),!1},c.prototype.onActivate=function(a){return this.activate(a.currentTarget)},c.prototype.onDeactivate=function(a){return this.deactivate(a.currentTarget)},c.prototype.activate=function(a){return this.activeContainer&&this.deactivate(this.activeContainer),$(document.body).addClass("menu-active"),this.activeContainer=a,$(a).addClass("active"),$(a).trigger("menu:activated")},c.prototype.deactivate=function(a){return $(document.body).removeClass("menu-active"),this.activeContainer=null,$(a).removeClass("active"),$(a).trigger("menu:deactivated")},c}(),new GitHub.MenuBehavior}.call(this),function(){var a,b=function(a,b){return function(){return a.apply(b,arguments)}};a=function(){function a(){this.onFocus=b(this.onFocus,this),this.onDeactivate=b(this.onDeactivate,this),this.onActivate=b(this.onActivate,this),this.onClick=b(this.onClick,this),this.onItemMouseOver=b(this.onItemMouseOver,this),this.onContainerKeyDown=b(this.onContainerKeyDown,this),this.onItemKeyDown=b(this.onItemKeyDown,this),this.onKeyDown=b(this.onKeyDown,this),this.onContainerMouseOver=b(this.onContainerMouseOver,this),this.onPageUpdate=b(this.onPageUpdate,this),$(document).on("pageUpdate",this.onPageUpdate),$(document).on("keydown",this.onKeyDown),$(document).on("click","#js-active-navigation-container .js-navigation-target",this.onClick),$(document).on("navigation:activate",".js-navigation-container",this.onActivate),$(document).on("navigation:deactivate",".js-navigation-container",this.onDeactivate),$(document).on("navigation:focus",".js-navigation-container",this.onFocus),$(document).on("navigation:keydown","#js-active-navigation-container .js-navigation-item",this.onItemKeyDown),$(document).on("navigation:keydown","#js-active-navigation-container",this.onContainerKeyDown),$(document).on("navigation:mouseover","#js-active-navigation-container[data-navigation-enable-mouse] .js-navigation-item",this.onItemMouseOver)}return a.prototype.ctrlBindings=navigator.userAgent.match(/Macintosh/),a.prototype.onPageUpdate=function(a){return $(a.target).find(".js-navigation-container").off("mouseover.navigation").on("mouseover.navigation",this.onContainerMouseOver)},a.prototype.onContainerMouseOver=function(a){$(a.target).trigger("navigation:mouseover")},a.prototype.onKeyDown=function(a){var b,c,d;if(!(b=this.getActiveContainer()))return;if($(a.target).is(":input")&&!$(a.target).is(".js-navigation-enable"))return;return c=$.Event("navigation:keydown"),d=$(b).find(".js-navigation-item.navigation-focus")[0]||b,c.hotkey=a.hotkey,$(d).trigger(c,a),c.result},a.prototype.onItemKeyDown=function(a,b){var c;c=a.currentTarget;if($(b.target).is(":input")){if(this.ctrlBindings)switch(a.hotkey){case"ctrl+n":return this.cursorDown(c);case"ctrl+p":return this.cursorUp(c)}switch(a.hotkey){case"up":return this.cursorUp(c);case"down":return this.cursorDown(c);case"enter":return this.open(c)}}else{if(this.ctrlBindings)switch(a.hotkey){case"ctrl+n":return this.cursorDown(c);case"ctrl+p":return this.cursorUp(c);case"alt+v":return this.pageUp(c);case"ctrl+v":return this.pageDown(c);case"ctrl+b":return this.pageUp(c);case"ctrl+f":return this.pageDown(c)}switch(a.hotkey){case"up":return this.cursorUp(c);case"down":return this.cursorDown(c);case"j":return this.cursorDown(c);case"k":return this.cursorUp(c);case"o":return this.open(c);case"enter":return this.open(c)}}},a.prototype.onContainerKeyDown=function(a,b){var c;c=this.getItems()[0];if($(b.target).is(":input")){if(this.ctrlBindings)switch(a.hotkey){case"ctrl+n":return this.focusItem(c)}switch(a.hotkey){case"down":return this.focusItem(c)}}else{if(this.ctrlBindings)switch(a.hotkey){case"ctrl+n":return this.focusItem(c);case"ctrl+v":return this.focusItem(c);case"ctrl+f":return this.focusItem(c)}switch(a.hotkey){case"down":return this.focusItem(c);case"j":return this.focusItem(c)}}},a.prototype.open=function(a){var b;return(b=$(a).find(".js-navigation-open").attr("href"))?window.location=b:$(a).trigger("navigation:open"),!1},a.prototype.onItemMouseOver=function(a){this.focusItem(a.currentTarget)},a.prototype.onClick=function(a){if(a.altKey||a.ctrlKey||a.metaKey)return;if($(a.target).is("a[href]"))return;return this.open(a.currentTarget)},a.prototype.onActivate=function(a){this.activate(a.currentTarget)},a.prototype.onDeactivate=function(a){this.deactivate(a.currentTarget)},a.prototype.onFocus=function(a){var b,c,d;b=a.currentTarget,c=this.getItems()[0],d=$(a.target).closest(".js-navigation-item")[0]||c,this.activate(b),this.focusItem(d)},a.prototype.activate=function(a){var b;b=this.getActiveContainer();if(a!==b)return b&&(b.id=null),a.id="js-active-navigation-container"},a.prototype.deactivate=function(a){return a.id=null},a.prototype.cursorUp=function(a){var b,c,d;c=this.getItems(),b=$.inArray(a,c);if(d=c[b-1])this.focusItem(d),this.scrollIntoView(d);return!1},a.prototype.cursorDown=function(a){var b,c,d;c=this.getItems(),b=$.inArray(a,c);if(d=c[b+1])this.focusItem(d),this.scrollIntoView(d);return!1},a.prototype.pageUp=function(a){var b,c,d;c=this.getItems(),b=$.inArray(a,c);while((d=c[b-1])&&this.topViewOffset(d)>=0)b--;if(d)return this.focusItem(d),this.scrollIntoView(d)},a.prototype.pageDown=function(a){var b,c,d;c=this.getItems(),b=$.inArray(a,c);while((d=c[b+1])&&this.bottomViewOffset(d)>=0)b++;return d&&(this.focusItem(d),this.scrollIntoView(d)),!1},a.prototype.focusItem=function(a){return $("#js-active-navigation-container .js-navigation-item.navigation-focus").removeClass("navigation-focus"),$(a).addClass("navigation-focus"),!1},a.prototype.scrollIntoView=function(a){var b,c;if(this.bottomViewOffset(a)<=0)return c=$(a).offset().top,$("html, body").animate({scrollTop:c-30},200);if(this.topViewOffset(a)<=0)return b=$(a).offset().top+$(a).outerHeight()-$(window).height(),$("html, body").animate({scrollTop:b+30},200)},a.prototype.topViewOffset=function(a){return $(a).offset().top-$(window).scrollTop()},a.prototype.bottomViewOffset=function(a){return $(window).height()-this.topViewOffset(a)-$(a).outerHeight()},a.prototype.getItems=function(){return $("#js-active-navigation-container .js-navigation-item:visible")},a.prototype.getActiveContainer=function(){return document.getElementById("js-active-navigation-container")},a}(),new a}.call(this),function(){var a,b=function(a,b){return function(){return a.apply(b,arguments)}};a=function(){function a(){this.onToggle=b(this.onToggle,this),this.onError=b(this.onError,this),this.onSuccess=b(this.onSuccess,this),this.onComplete=b(this.onComplete,this),this.onBeforeSend=b(this.onBeforeSend,this),this.onClick=b(this.onClick,this),$(document).on("click",".js-toggler-container .js-toggler-target",this.onClick),$(document).on("ajaxBeforeSend",".js-toggler-container",this.onBeforeSend),$(document).on("ajaxComplete",".js-toggler-container",this.onComplete),$(document).on("ajaxSuccess",".js-toggler-container",this.onSuccess),$(document).on("ajaxError",".js-toggler-container",this.onError),$(document).on("toggler:toggle",".js-toggler-container",this.onToggle)}return a.prototype.onClick=function(a){return $(a.target).trigger("toggler:toggle"),!1},a.prototype.onBeforeSend=function(a){var b;return b=a.currentTarget,$(b).removeClass("success error"),$(b).addClass("loading")},a.prototype.onComplete=function(a){return $(a.currentTarget).removeClass("loading")},a.prototype.onSuccess=function(a){return $(a.currentTarget).addClass("success")},a.prototype.onError=function(a){return $(a.currentTarget).addClass("error")},a.prototype.onToggle=function(a){var b;return b=a.currentTarget,$(b).toggleClass("on")},a}(),new a}.call(this),GitHub.Blob||(GitHub.Blob={}),GitHub.Blob.highlightLines=function(a){var b,c;$(".line").css("background-color","transparent"),a?(b=$(this).attr("rel"),a.shiftKey&&(b=window.location.hash.replace(/-\d+/,"")+"-"+b.replace(/\D/g,"")),window.location.hash=b):b=window.location.hash;if(c=b.match(/#?(?:L|l|-)(\d+)/g)){c=$.map(c,function(a){return parseInt(a.replace(/\D/g,""))});if(c.length==1)return $("#LC"+c[0]).css("background-color","#ffc");for(var d=c[0];d<=c[1];d++)$("#LC"+d).css("background-color","#ffc");$("#LC"+c[0]).scrollTo(1)}return!1},GitHub.Blob.scrollToHilightedLine=function(){var a,b=window.location.hash;if(a=b.match(/^#?(?:L|-)(\d+)$/g))a=$.map(a,function(a){return parseInt(a.replace(/\D/g,""))}),$("#L"+a[0]).scrollTo(1)},GitHub.Blob.show=function(){$(".file-edit-link").hide(),$(".frame-center .file-edit-link").show(),$.hotkeys({e:function(){var a=$(".file-edit-link:visible");a.hasClass("js-edit-link-disabled")||(window.location=a.attr("href"))},l:function(){return $(document).one("reveal.facebox",function(){var a=$("#facebox").find(":text");a.focus(),$("#facebox form").submit(function(){return window.location="#L"+parseInt(a.val()),GitHub.Blob.highlightLines(),a.blur(),$(document).trigger("close.facebox"),!1})}),$.facebox({div:"#jump-to-line"}),!1}});var a=$(".repo-tree").attr("data-ref");if(!$(document.body).hasClass("logged_in")||!a){$(".file-edit-link").enticeToAction({title:"You must be logged in and on a branch to make or propose changes",direction:"leftwards"}),$(".file-edit-link").addClass("js-edit-link-disabled");return}if($(document.body).hasClass("logged_in")&&a){var b=$(".file-edit-link:visible"),c=b[0];if(c&&!$(".btn-pull-request")[0]){var d=$(".file-edit-link > span");d.text("Fork and edit this file"),b.attr("title","Clicking this button will automatically fork this project so you can edit the file"),b.tipsy({gravity:"e"})}}},$(function(){$(".page-blob").length>0&&(GitHub.Blob.scrollToHilightedLine(),GitHub.Blob.highlightLines(),GitHub.Blob.show()),$(".line_numbers span[rel]").live("mousedown",GitHub.Blob.highlightLines),$(".file-edit-link").live("click",function(){return $(this).hasClass("entice")?!1:!0}),$(".file").delegate(".linkable-line-number","click",function(a){return document.location.hash=this.id,!1});var a=function(){var a=$(".line_numbers").outerWidth();$(".pull-participation").css("margin-left",a-1+"px")};$(document).pageUpdate(a),a()}),$(function(){$(".js-blob-edit-form").show(),$(".js-blob-edit-progress").hide(),window.editor=new GitHub.CodeEditor(".file-editor-textarea",{indentModeControl:"#indent-mode",indentWidthControl:"#indent-width",wrapModeControl:"#wrap-mode"});if("sharejs"in window)var a=new GitHub.Thunderhorse(editor);$(".js-blob-edit-actions .code").click(function(){return $(this).is(".selected")?!1:($(".js-blob-edit-actions a").toggleClass("selected"),$(".js-commit-create").show(),$(".js-commit-preview").empty(),!1)}),$(".js-blob-edit-actions .preview").click(function(){return $(this).is(".selected")?!1:($(".js-blob-edit-form").contextLoader(36),$(".js-blob-edit-actions a").toggleClass("selected"),$.ajax({url:location.pathname.replace("/edit/","/preview/"),type:"POST",data:{code:CodeEditor.code()},success:function(a){var b=$(a).find(".data.highlight");b.length||(b=$(a).filter("#readme")),b.length||(b='<h3 class="no-preview">No changes</h3>'),$(".js-commit-preview").append(b)},error:function(){$(".js-commit-preview").append('<h3 class="no-preview">Error loading preview.</h3>')},complete:function(){$(".context-loader").remove(),$(".js-commit-create").hide()}}),!1)});if($("#utc_offset").length){var b=(new Date).getTimezoneOffset()*60;$("#utc_offset").val(-b)}}),$(function(){var a=2,b=7,c=30,d=1e4;$(".diverge-widget").each(function(){var d=$(this),e=new Date(d.attr("last-updated")),f=(new Date-e)/1e3/3600/24;f<=a?d.addClass("hot"):f<=b?d.addClass("fresh"):f<=c?d.addClass("stale"):d.addClass("old")})}),$(function(){$.hotkeys({y:function(){var a=$("link[rel='permalink']").attr("href"),b=$("title");a&&(a+=location.hash,Modernizr.history?window.history.pushState({},b,a):window.location.href=a)}})}),GitHub.CodeEditor=function(a,b){this.options=b=b||{};if(!window.ace)return;if(navigator.userAgent.match(/(iPod|iPhone|iPad)/))return;if($.browser.msie||$.browser.opera)return;this.textarea=$(a);if(this.textarea.length==0)return;this.frame={width:"100%",height:this.textarea.height()};var c=this.textarea.text(),d=this.textarea.attr("data-language");this.filename=this.textarea.attr("data-filename"),this.ace=this.createEditor(c),this.setTheme("twilight"),this.ace.setShowPrintMargin(!1),this.setMode(b.mode||d),this.setUseSoftTabs(b.useSoftTabs||this.usesSoftTabs(c)),this.setTabSize(b.tabSize||this.useSoftTabs?this.guessTabSize(c):8),b.useWrapMode&&this.setUseWrapMode(b.useWrapMode),this.setupKeyBindings(),this.setupFormBindings(),this.setupControlBindings(),this.setupHacks();var e=this.ace;window.onbeforeunload=function(){if(e.getSession().getUndoManager().hasUndo())return"Are you sure you want to leave? Your changes will be lost."},this.useSoftTabs?console.log("indent: %d",this.tabSize):console.log("indent: \\t"),window.CodeEditor=this},GitHub.CodeEditor.prototype={modeMap:{"c++":"c_cpp",c:"c_cpp",coffeescript:"coffee","objective-c":"c_cpp","html+erb":"html","c#":"csharp"},frame:{width:0,height:0},code:function(){return this.ace.getSession().getValue()},setCode:function(a){return this.ace.getSession().setValue(a)},createEditor:function(a){return this.div=this.swapTextareaWithEditorDiv(a),ace.edit(this.div[0])},guessTabSize:function(a){var b=/^( +)[^*]/im.exec(a||this.code());return b?b[1].length:2},modeNameForLanguage:function(a){return a?(a=a.toLowerCase(),this.modeMap[a]||a):"text"},modeForLanguage:function(a){if(!a)return;var b=this.modeNameForLanguage(a);console.log("mode: %s",b);try{return require("ace/mode/"+b).Mode}catch(c){return null}},swapTextareaWithEditorDiv:function(a){return this.textarea.hide(),$('<div id="ace-editor">').css("height",this.frame.height).css("width",this.frame.width).text(a).insertAfter(this.textarea)},setMode:function(a){var b=this.modeForLanguage(a);b&&this.ace.getSession().setMode(new b)},setupFormBindings:function(){var a=this;a.textarea.parents("form").bind("submit",function(){window.onbeforeunload=$.noop,a.textarea.text(a.code())})},setupControlBindings:function(){var a=this.options,b=this;$(a.indentModeControl).change(function(){b.setUseSoftTabs(this.value=="spaces")}).val(b.useSoftTabs?"spaces":"tabs"),$(a.indentWidthControl).change(function(){b.setTabSize(parseInt(this.value))}).val(b.tabSize),$(a.wrapModeControl).change(function(){b.setUseWrapMode(this.value=="on")})},setupHacks:function(){$(".ace_gutter").css("height",this.frame.height)},setupKeyBindings:function(){var a=this,b=require("pilot/canon");b.removeCommand("gotoline"),b.addCommand({name:"togglecomment",bindKey:{win:"Ctrl-/",mac:"Command-/",sender:"editor"},exec:function(a){a.editor.toggleCommentLines()}})},setUseSoftTabs:function(a){this.useSoftTabs=a,this.ace.getSession().setUseSoftTabs(a)},setTabSize:function(a){this.tabSize=a,this.ace.getSession().setTabSize(a)},setUseWrapMode:function(a){this.ace.getSession().setUseWrapMode(a)},setTheme:function(a){var b=this.div[0].className.split(" ");for(var c in b)/ace-/.test(b[c])&&this.div.removeClass(b[c]);this.div.addClass("ace-"+a)},usesSoftTabs:function(a){return!/^\t/m.test(a||this.code())}},Comment={enhanceEmailToggles:function(){$(".email-hidden-toggle").each(function(){var a=$(this),b=a.find("a"),c=a.next(".email-hidden-reply");b.click(function(){return c.is(":visible")?(c.hide(),b.html("Show quoted text")):(c.show(),b.html("Hide quoted text")),!1})})}},$(Comment.enhanceEmailToggles),$(function(){if(!$(".js-new-comment-form")[0])return;$(document).delegate(".js-add-a-comment","click",function(){var a=$(this).attr("href");$(a).find("*[tabindex=1]").focus()}),$(document).delegate(".js-new-comment-form .action-bar a","ajaxSend",function(){$(this).addClass("disabled")}),$(document).delegate(".js-new-comment-form","ajaxBeforeSend",function(a){if($(a.target).is("form")&&$.trim($(this).find('textarea[name="comment[body]"]').val())=="")return!1}),$(document).delegate(".js-new-comment-form","ajaxSend",function(a){$(a.target).is("form")&&$(this).find(".form-actions button").attr("disabled","true")}),$(document).delegate(".js-new-comment-form","ajaxComplete",function(a){$(this).find(".form-actions button").attr("disabled",!1)}),$(document).delegate(".js-new-comment-form","ajaxSuccess",function(a,b,c,d){d.discussionStats&&$(".discussion-stats").html(d.discussionStats),d.discussion&&$(".discussion-timeline > .new-comments").append(d.discussion),d.formActionBar&&$(".js-new-comment-form .action-bar").html(d.formActionBar),d.formActions&&$(".js-new-comment-form .form-actions").html(d.formActions),$("#discussion_bucket, #show_issue").trigger("pageUpdate"),$(a.target).is("form")&&($(this).find("textarea").val("").blur(),$(this).find("a[action=write]"
6
+ ).click())}),$(document).delegate(".js-new-comment-form","ajaxError",function(){$(this).find(".comment-form-error").show().html("There was an error posting your comment")})}),GitHub.G_vmlCanvasManager,GitHub.Commit={dumpEmptyClass:function(){$(this).removeClass("empty")},addEmptyClass:function(){!$(this).data("clicked")&&$(this).text()=="0"&&$(this).addClass("empty")},highlightLine:function(){$(this).parent().css("background","#ffc")},unhighlightLine:function(){$(this).data("clicked")||$(this).parent().css("background","")},jumpToHashFile:function(){if(!window.location.hash)return;var a,b,c=window.location.hash.substr(1);if(/^diff-\d+$/.test(c))return;if(c.match(/^r\d+$/)&&(b=$("#files #"+c)).length>0){console.log("jumping to review comment",b),$(b).addClass("selected"),$("html,body").animate({scrollTop:b.offset().top-200},1);return}(a=c.match(/(.+)-P(\d+)$/)||c.match(/(.+)/))&&(b=GitHub.Commit.files[a[1]])&&(a[2]?(b=$(b).closest(".file").find('tr[data-position="'+a[2]+'"] pre'),b.length>0&&(b.scrollTo(1),setTimeout(function(){GitHub.Commit.highlightLine.call(b)},50))):$(b).closest(".file").scrollTo(1))}},$(function(){function c(a){a.find(".inline-comment-form").show().find("textarea").focus(),a.find(".show-inline-comment-form a").hide()}var a={};$("#files.diff-view > .file > .meta").each(function(){a[$(this).attr("data-path")]=this}),GitHub.Commit.files=a;var b=function(a){a.find("ul.inline-tabs").tabs(),a.find(".show-inline-comment-form a").click(function(){return a.find(".inline-comment-form").show().find("textarea").focus(),$(this).hide(),!1}),a.delegate(".close-form","click",function(){return a.find(".inline-comment-form").hide(),a.find(".commit-comment",".review-comment").length>0?a.find(".show-inline-comment-form a").show():(console.log(a),a.remove()),!1}),$(a).bind("pageUpdate",function(){$(this).find(".comment-holder").children(":visible")[0]||$(this).remove()});var b=a.find(".previewable-comment-form").previewableCommentForm().closest("form");b.submit(function(){return b.find(".ajaxindicator").show(),b.find("button").attr("disabled","disabled"),b.ajaxSubmit({complete:function(){b.find(".ajaxindicator").hide(),b.find("button").attr("disabled",!1)},success:function(a){var c=b.closest(".clipper"),d=c.find(".comment-holder");d.length==0&&(d=c.prepend($('<div class="inset comment-holder"></div>')).find(".comment-holder")),a=$(a),d.append(a),a.trigger("pageUpdate"),b.find("textarea").val(""),c.find(".inline-comment-form").hide(),c.find(".show-inline-comment-form a").show();var e=c.closest(".inline-comments").find(".comment-count .counter");e.text(parseInt(e.text().replace(",",""))+1),$(c.closest(".file-box, .file")).trigger("commentChange",a)},error:function(){b.find(".comment-form-error").show().html("There was an error posting your comment")}}),!1})};$(".inline-review-comment tr.inline-comments").each(function(){b($(this))}),$("#diff-comment-data > table").each(function(){var c=$(this).attr("data-path"),d=$(this).attr("data-position"),e=$(a[c]).closest(".file"),f=e.find('.data table tr[data-position="'+d+'"]');f.after($(this).find("tr").detach()),b(f.next("tr.inline-comments")),e.find(".show-inline-comments-toggle").closest("li").show()}),$("#diff-comment-data > div").each(function(){var b=$(this).attr("data-path");$(a[b]).closest(".file").find(".file-comments-place-holder").replaceWith($(this).detach())}),$(window).bind("hashchange",GitHub.Commit.jumpToHashFile),setTimeout(GitHub.Commit.jumpToHashFile,50),$('.inline-comment-form div[id^="write_bucket_"]').live("tabChanged",function(){var a=$(this);setTimeout(function(){a.find("textarea").focus()},13)});var d=!1;$(".add-bubble").live("click",function(){if(d)return;var a=$(this).closest("tr"),e=a.next("tr.inline-comments");if(e.length>0){c(e);return}$(".error").remove(),d=!0,$.ajax({url:$(this).attr("remote"),complete:function(){d=!1},success:function(d){a.after(d),e=a.next("tr.inline-comments"),b(e),c(e)},error:function(){a.after('<tr class="error"><td colspan=3><p><img src="'+GitHub.Ajax.error+'"> Something went wrong! Please try again.</p></td></tr>')}})}),$("#files .show-inline-comments-toggle").change(function(){this.checked?$(this).closest(".file").find("tr.inline-comments").show():$(this).closest(".file").find("tr.inline-comments").hide()}).change(),$("#inline_comments_toggle input").change(function(){this.checked?$("#comments").removeClass("only-commit-comments"):$("#comments").addClass("only-commit-comments")}).change(),$(".js-show-suppressed-diff").click(function(){return $(this).parent().next().show(),$(this).parent().hide(),!1}),$(".js-commit-link, .js-tree-link, .js-parent-link").each(function(){var a=$(this).attr("href");$.hotkey($(this).attr("data-key"),function(){window.location=a})})}),$(function(){if($("#files .image").length){var a=$("#files .file:has(.onion-skin)"),b=[];$.each(a,function(c,d){function C(){z++,F();if(z>=y){var a=e.find(".progress");a.is(":visible")?a.fadeOut(250,function(){E()}):(a.hide(),E())}}function D(a){var b=v.find(".active"),c=v.find(".active").first().index(),d=w.eq(c),f=v.children().eq(a);if(f.hasClass("active")==0&&f.hasClass("disabled")==0){b.removeClass("active"),f.addClass("active");if(f.is(":visible")){var g=f.position(),h=f.outerWidth(),i=String(g.left+h/2)+"px 0px";v.css("background-image","url(/images/modules/commit/menu_arrow.gif)"),v.css("background-position",i)}z>=2&&(animHeight=parseInt(w.eq(a).css("height"))+127,e.animate({height:animHeight},250,"easeOutQuart"),d.animate({opacity:"hide"},250,"easeOutQuart",function(){w.eq(a).fadeIn(250)}))}}function E(){var a=858,d=Math.max(A.width,B.width),j=Math.max(A.height,B.height),k=0;A.marginHoriz=Math.floor((d-A.width)/2),A.marginVert=Math.floor((j-A.height)/2),B.marginHoriz=Math.floor((d-B.width)/2),B.marginVert=Math.floor((j-B.height)/2),$.each($.getUrlVars(),function(a,c){c==e.attr("id")&&(diffNum=parseInt(c.replace(/\D*/g,"")),x=$.getUrlVar(c)[0],k=$.getUrlVar(c)[1]/100,b[diffNum].view=$.getUrlVar(c)[0],b[diffNum].pct=$.getUrlVar(c)[1],b[diffNum].changed=!0)});var w=1;d>(a-30)/2&&(w=(a-30)/2/d),l.attr({width:A.width*w,height:A.height*w}),m.attr({width:B.width*w,height:B.height*w}),f.find(".deleted-frame").css({margin:A.marginVert*w+"px "+A.marginHoriz*w+"px",width:A.width*w+2,height:A.height*w+2}),f.find(".added-frame").css({margin:B.marginVert*w+"px "+B.marginHoriz*w+"px",width:B.width*w+2,height:B.height*w+2}),f.find(".aWMeta").eq(0).text(B.width+"px"),f.find(".aHMeta").eq(0).text(B.height+"px"),f.find(".dWMeta").eq(0).text(A.width+"px"),f.find(".dHMeta").eq(0).text(A.height+"px"),B.width!=A.width&&(f.find(".aWMeta").eq(0).addClass("a-green"),f.find(".dWMeta").eq(0).addClass("d-red")),B.height!=A.height&&(f.find(".aHMeta").eq(0).addClass("a-green"),f.find(".dHMeta").eq(0).addClass("d-red"));var y=1,z;d>a-12&&(y=(a-12)/d),z=0,z=d*y+3,n.attr({width:A.width*y,height:A.height*y}),o.attr({width:B.width*y,height:B.height*y}),g.find(".deleted-frame").css({margin:A.marginVert*y+"px "+A.marginHoriz*y+"px",width:A.width*y+2,height:A.height*y+2}),g.find(".added-frame").css({margin:B.marginVert*y+"px "+B.marginHoriz*y+"px",width:B.width*y+2,height:B.height*y+2}),g.find(".swipe-shell").css({width:d*y+3+"px",height:j*y+4+"px"}),g.find(".swipe-frame").css({width:d*y+18+"px",height:j*y+30+"px"}),g.find(".swipe-bar").css("left",k*z+"px"),e.find(".swipe .swipe-shell").css("width",z-z*k),g.find(".swipe-bar").draggable({axis:"x",containment:"parent",drag:function(a,d){var f=Math.round(d.position.left/(parseInt(e.find(".swipe-frame").css("width"))-15)*1e4)/1e4;e.find(".swipe .swipe-shell").css("width",z-z*f),b[c].pct=f*100,b[c].changed=!0},stop:function(a,b){G()}});var C=1;d>a-12&&(C=(a-12)/d),p.attr({width:A.width*C,height:A.height*C}),q.attr({width:B.width*C,height:B.height*C}),h.find(".deleted-frame").css({margin:A.marginVert*C+"px "+A.marginHoriz*C+"px",width:A.width*C+2,height:A.height*C+2}),h.find(".added-frame").css({margin:B.marginVert*C+"px "+B.marginHoriz*C+"px",width:B.width*C+2,height:B.height*C+2}),h.find(".onion-skin-frame").css({width:d*C+4+"px",height:j*C+30+"px"}),e.find(".dragger").css("left",262-k*262+"px"),e.find(".onion-skin .added-frame").css("opacity",k),e.find(".onion-skin .added-frame img").css("opacity",k),e.find(".dragger").draggable({axis:"x",containment:"parent",drag:function(a,d){var f=Math.round(d.position.left/262*100)/100;e.find(".onion-skin .added-frame").css("opacity",f),e.find(".onion-skin .added-frame img").css("opacity",f),b[c].pct=f*100,b[c].changed=!0},stop:function(a,b){G()}});var E=1;d>a-4&&(E=(a-4)/d),Modernizr.canvas&&(r.attr({width:d*E,height:j*E}),s.attr({width:d*E,height:j*E}),i.find(".added-frame").css({width:d*E+2,height:j*E+2}),i.find(".deleted-frame").css({width:d*E+2,height:j*E+2}),t.drawImage(A,A.marginHoriz*E,A.marginVert*E,A.width*E,A.height*E),u.drawImage(B,B.marginHoriz*E,B.marginVert*E,B.width*E,B.height*E),u.blendOnto(t,"difference")),f.css("height",j*w+30),g.css("height",j*y+30),h.css("height",j*y+30),i.css("height",j*y+30),v.children().removeClass("disabled"),D(x)}function F(){var a=z/y*100+"%";e.find(".progress-bar").animate({width:a},250,"easeOutQuart")}function G(){var a="?";$.each(b,function(b,c){c["changed"]==1&&(b!=0&&(a+="&"),a+="diff-"+b+"="+c.view+"-"+Math.round(c.pct))}),Modernizr.history&&window.history.replaceState({},"",a)}var e=a.eq(c),f=e.find(".two-up").eq(0),g=e.find(".swipe").eq(0),h=e.find(".onion-skin").eq(0),i=e.find(".difference").eq(0),j=e.find(".deleted"),k=e.find(".added"),l=j.eq(0),m=k.eq(0),n=j.eq(1),o=k.eq(1),p=j.eq(2),q=k.eq(2),r=e.find("canvas.deleted").eq(0),s=e.find("canvas.added").eq(0),t,u,v=e.find("ul.menu"),w=e.find(".view"),x=0,y=e.find(".asset").length,z=0,A=new Image,B=new Image;b.push({name:e.attr("id"),view:0,pct:0,changed:!1}),Modernizr.canvas?(t=r[0].getContext("2d"),u=s[0].getContext("2d")):v.children().eq(3).addClass("hidden"),e.find(".two-up").hide(),e.find(".two-up p").removeClass("hidden"),e.find(".progress").removeClass("hidden"),e.find(".view-modes").removeClass("hidden"),A.src=e.find(".deleted").first().attr("src"),B.src=e.find(".added").first().attr("src"),l.attr("src",A.src).load(function(){C()}),m.attr("src",B.src).load(function(){C()}),n.attr("src",A.src).load(function(){C()}),o.attr("src",B.src).load(function(){C()}),p.attr("src",A.src).load(function(){C()}),q.attr("src",B.src).load(function(){C()}),v.children("li").click(function(){D($(this).index()),b[c].view=$(this).index(),b[c].changed=!0,G()}),$.extend({getUrlVars:function(){var a=[],b,c=window.location.href.slice(window.location.href.indexOf("?")+1).split("&");for(var d=0;d<c.length;d++)b=c[d].split("="),b[1]&&(b[1]=b[1].split("-")),a.push(b[0]),a[b[0]]=b[1];return a},getUrlVar:function(a){return $.getUrlVars()[a]}})})}}),function(){$(document).on("navigation:open",".page-commits .commit-group-item",function(){return window.location=$(this).find("a").attr("href"),!1}),$(document).on("navigation:keydown",".page-commits .commit-group-item",function(a){if(a.hotkey==="c")return window.location=$(this).find("a").attr("href"),!1})}.call(this),$(function(){$("#imma_student").click(function(){return $("#student_contact").slideToggle(),!1}),$("#imma_teacher").click(function(){return $("#teacher_contact").slideToggle(),!1}),$("#imma_school_admin").click(function(){return $("#school_admin_contact").slideToggle(),!1})}),$(function(){$("#your_repos").repoList({selector:"#repo_listing",ajaxUrl:"/dashboard/ajax_your_repos"}),$("#watched_repos").repoList({selector:"#watched_repo_listing",ajaxUrl:"/dashboard/ajax_watched_repos"}),$("#org_your_repos").length>0&&$("#org_your_repos").repoList({selector:"#repo_listing",ajaxUrl:location.pathname+"/ajax_your_repos"}),$(".reveal_commits, .hide_commits").live("click",function(){var a=$(this).parents(".details");return a.find(".reveal, .hide_commits, .commits").toggle(),!1}),$(".octofication .hide a").click(function(){return $.post(this.href,null,function(){$(".octofication").fadeOut()}),!1}),$(".dashboard-notice .dismiss").click(function(){var a=$(this).closest(".dashboard-notice");return $.del(this.href,null,function(){a.fadeOut()}),!1}),$(".js-dismiss-bootcamp").click(function(){var a=$(this).closest(".bootcamp");return $.post(this.href,null,function(){a.fadeOut()}),!1})}),Date._isoRegexp=/(\d{4,})(?:-(\d{1,2})(?:-(\d{1,2})(?:[T ](\d{1,2}):(\d{1,2})(?::(\d{1,2})(?:\.(\d+))?)?(?:(Z)|([+-])(\d{1,2})(?::(\d{1,2}))?)?)?)?)?/,Date.parseISO8601=function(a){a+="";if(typeof a!="string"||a.length===0)return null;var b=a.match(Date._isoRegexp);if(typeof b=="undefined"||b===null)return null;var c,d,e,f,g,h,i;c=parseInt(b[1],10);if(typeof b[2]=="undefined"||b[2]==="")return new Date(c);d=parseInt(b[2],10)-1,e=parseInt(b[3],10);if(typeof b[4]=="undefined"||b[4]==="")return new Date(c,d,e);f=parseInt(b[4],10),g=parseInt(b[5],10),h=typeof b[6]!="undefined"&&b[6]!==""?parseInt(b[6],10):0,typeof b[7]!="undefined"&&b[7]!==""?i=Math.round(1e3*parseFloat("0."+b[7])):i=0;if(typeof b[8]!="undefined"&&b[8]!==""||typeof b[9]!="undefined"&&b[9]!==""){var j;return typeof b[9]!="undefined"&&b[9]!==""?(j=parseInt(b[10],10)*36e5,typeof b[11]!="undefined"&&b[11]!==""&&(j+=parseInt(b[11],10)*6e4),b[9]=="-"&&(j=-j)):j=0,new Date(Date.UTC(c,d,e,f,g,h,i)-j)}return new Date(c,d,e,f,g,h,i)},$(function(){if($(".repohead").length==0)return;var a=$("#repo_details"),b=GitHub.hasAdminAccess,c=GitHub.watchingRepo,d=GitHub.hasForked,e=$("#repository_description"),f=$("#repository_homepage"),g=$("#repo_details_loader");if($(".js-edit-details").length){var h=$(".repo-desc-homepage"),i=$(".edit-repo-desc-homepage"),j=i.find(".error");$(".repo-desc-homepage").delegate(".js-edit-details","click",function(a){a.preventDefault(),h.hide(),i.show(),i.find(".description-field").focus()}),i.find(".cancel a").click(function(a){a.preventDefault(),h.show(),i.hide()}),$("#js-update-repo-meta-form").submit(function(a){a.preventDefault();var b=$(this);j.hide(),g.show(),i.css({opacity:.5}),$.ajax({url:b.attr("action"),type:"put",data:b.serialize(),success:function(a){i.hide(),h.html(a).show(),g.hide(),i.css({opacity:1})},error:function(){j.show(),g.hide(),i.css({opacity:1})}})})}b&&($(".editable-only").show(),$(".for-owner").show()),$("#repo_details").length&&$(".pagehead ul.tabs").addClass("with-details-box")}),$(function(){$(".url-box").each(function(){var a=$(this),b=a.find("ul.clone-urls a"),c=a.find(".url-field"),d=a.find(".url-description strong"),e=a.find(".clippy-text");b.click(function(){var b=$(this);return c.val(b.attr("href")),e.text(b.attr("href")),d.text(b.attr("data-permissions")),a.find("ul.clone-urls li.selected").removeClass("selected"),b.parent("li").addClass("selected"),!1}),$(b[0]).click(),c.mouseup(function(){this.select()})})}),GitHub.Uploader={hasFlash:!1,hasFileAPI:!1,fallbackEnabled:!0,fallbackFileSaved:!1,uploadForm:null,defaultRow:null,files:{},init:function(){this.uploadForm=$("#upload_form"),this.defaultRow=this.uploadForm.find("tr.default"),this.uploadForm.submit(GitHub.Uploader.uploadFormSubmitted),GitHub.Uploader.Flash.init(),GitHub.Uploader.File.init()},disableFallback:function(){if(!this.fallbackEnabled)return;this.defaultRow.addClass("fallback-disabled"),this.defaultRow.find("input[type=text]").attr("disabled","disabled"),this.defaultRow.find("button").attr("disabled","disabled"),this.fallbackEnabled=!1},uploadFormSubmitted:function(){var a=GitHub.Uploader;if(a.fallbackEnabled){if(a.fallbackFileSaved)return!0;var b=a.uploadForm.find(".html-file-field").val();b=b.replace("C:\\fakepath\\","");if(b=="")return!1;var c="application/octet-stream";typeof FileList!="undefined"&&(c=a.uploadForm.find("input[type=file]")[0].files[0].type);var d=new GitHub.UploadFile({name:b,size:1,type:c,row:a.defaultRow});return a.saveFile(d),!1}return!1},addFileRow:function(a){var b=this.uploadForm.find("tr.template"),c=b.clone().css("display","").addClass("filechosen").removeClass("template");a.row=c,this.files[a.id]=a,a.row.find(".js-waiting").hide(),a.row.find(".js-filename").text(a.name.substr(0,12)).attr("title",a.escapedName).tipsy(),a.row.find(".js-filesize").text(Math.round(a.size/1048576*10)/10+"MB"),a.row.find(".js-start-upload").click(function(){return a.row.hasClass("error")?!1:(GitHub.Uploader.saveFile(a),!1)}),this.defaultRow.before(c)},showUploadStarted:function(a){a.row.find(".js-label").text("Uploading…0%")},showProgress:function(a,b){a.row.find(".description label").text("Upload in progress… "+b+"%")},showSuccess:function(a){a.row.addClass("succeeded"),a.row.find(".js-label").text("Upload complete!"),a.row.find("button").remove(),$.get(document.location.href,function(a){$(".nodownloads").fadeOut(),$("#uploaded_downloads").hide().html(a).fadeIn()})},saveFile:function(a){a.row.addClass("uploading"),a.row.find(".js-label").text("Preparing upload"),a.row.find(".js-description").attr("disabled","disabled"),a.row.find("button").attr("disabled","disabled").find("span").text("Uploading…"),this.uploadForm.find(".js-not-waiting").hide(),this.uploadForm.find(".js-waiting").show();var b=this.uploadForm.attr("prepare_action");$.ajax({type:"POST",url:b,data:{file_size:a.size,file_name:a.name,content_type:a.type,description:a.row.find(".js-description").val(),redirect:this.fallbackEnabled},datatype:"json",success:function(b){GitHub.Uploader.fileSaveSucceeded(a,b)},error:function(b,c,d){b.status==422?GitHub.Uploader.fileSaveFailed(a,b.responseText):GitHub.Uploader.fileSaveFailed(a)},complete:function(a,b){GitHub.Uploader.uploadForm.find(".js-not-waiting").show(),GitHub.Uploader.uploadForm.find(".js-waiting").hide()}})},fileSaveSucceeded:function(a,b){a.params.key=b.path,a.params.acl=b.acl,a.params.Filename=a.name,a.params.policy=b.policy,a.params.AWSAccessKeyId=b.accesskeyid,a.params.signature=b.signature,a.params["Content-Type"]=b.mime_type,a.uploader=="flash"&&(a.params.success_action_status="201",GitHub.Uploader.Flash.upload(a)),this.fallbackEnabled&&(a.params.redirect=b.redirect,this.fallbackFileSaved=!0,$("#s3_redirect").val(a.params.redirect),$("#s3_key").val(a.params.key),$("#s3_acl").val(a.params.acl),$("#s3_filename").val(a.params.Filename),$("#s3_policy").val(a.params.policy),$("#s3_accesskeyid").val(a.params.AWSAccessKeyId),$("#s3_signature").val(a.params.signature),$("#s3_mime_type").val(a.params["Content-Type"]),this.uploadForm.submit())},fileSaveFailed:function(a,b){b==null&&(b="Something went wrong that shouldn't have. Please try again or contact support if the problem persists."),a.row.addClass("error"),a.row.find(".js-label").text(b),a.row.find("button").attr("disabled","").addClass("danger").find("span").text("Remove"),a.row.find("button").click(function(b){return a.row.remove(),!1})}},GitHub.UploadFile=function(a){this.id=a.id,this.name=a.name,this.escapedName=$("<div>").text(a.name).html(),this.row=a.row,this.size=a.size,this.type=a.type,this.uploader=a.uploader,this.params={}},GitHub.Uploader.Flash={swfupload:null,init:function(){if(typeof SWFUpload=="undefined")return!1;this.swfupload=new SWFUpload({upload_url:GitHub.Uploader.uploadForm.attr("action"),file_post_name:"file",flash_url:"/flash/swfupload.swf",button_cursor:SWFUpload.CURSOR.HAND,button_window_mode:SWFUpload.WINDOW_MODE.TRANSPARENT,button_placeholder_id:"flash_choose_file_btn",swfupload_loaded_handler:this.flashLoaded,file_queued_handler:this.fileQueued,upload_start_handler:this.uploadStarted,upload_progress_handler:this.uploadProgress,upload_error_handler:this.uploadFailure,upload_success_handler:this.uploadSuccess})},upload:function(a){this.swfupload.setPostParams(a.params),this.swfupload.startUpload(a.id)},flashLoaded:function(){GitHub.Uploader.hasFlash=!0,GitHub.Uploader.disableFallback(),GitHub.Uploader.uploadForm.addClass("swfupload-ready")},fileQueued:function(a){var b=new GitHub.UploadFile({id:a.id,name:a.name,size:a.size,type:a.type,uploader:"flash"});GitHub.Uploader.addFileRow(b)},uploadStarted:function(a){var b=GitHub.Uploader.files[a.id];GitHub.Uploader.showUploadStarted(b)},uploadProgress:function(a,b,c){var d=GitHub.Uploader.files[a.id],e=Math.round(b/c*100);GitHub.Uploader.showProgress(d,e)},uploadSuccess:function(a,b,c){var d=GitHub.Uploader.files[a.id];GitHub.Uploader.showSuccess(d)},uploadFailure:function(a,b,c){var d=GitHub.Uploader.files[a.id];GitHub.Uploader.fileSaveFailed(d,null)}},GitHub.Uploader.File={init:function(){if(typeof DataTransfer=="undefined")return!1;if(!("files"in DataTransfer.prototype))return!1;if(!Modernizr.draganddrop)return!1;GitHub.Uploader.hasFileAPI=!0}},$(function(){GitHub.Uploader.init(),$(".page-downloads .manage-button").live("click",function(){return $("#manual_downloads").toggleClass("managing"),!1})}),$(function(){$(".site .nspr .btn-pull-request").click(function(){return GitHub.metric("Hit Pull Request Button",{"Pull Request Type":"New School",Action:GitHub.currentAction,"Ref Type":GitHub.revType}),!0}),$(".test_hook").click(function(){var a=$(this),b=a.prev(".test_hook_message");b.text("Sending payload...");var c=a.attr("href");return $.post(c,{name:a.attr("rel")||""},function(){b.text("Payload deployed")}),!1}),$(".add_postreceive_url").click(function(){var a=$(this).prev("dl.form").clone();return console.log(a),a.find("input").val(""),$(this).before(a),!1}),$(".remove_postreceive_url").live("click",function(){return $(this).closest(".fields").find("dl.form").length<2?(alert("You cannot remove the last post-receive URL"),!1):($(this).closest("dl.form").remove(),!1)}),$(".unlock_branch").click(function(){var a=location.pathname.split("/"),b="/"+a[1]+"/"+a[2]+"/unlock_branch/"+a[4],c=$(this).parents(".notification");$(this).spin().remove();var d=this;return $.post(b,function(){c.hide()}),!1});if($("#edit_repo").length>0){var a=$("#change_default_branch"),b=a.find("select"),c=b.val();b.change(function(){a.removeClass("success").removeClass("error").addClass("loading"),$.put(a.closest("form").attr("action"),{field:"repository_master_branch",value:b.val()},{success:function(){a.removeClass("loading").addClass("success"),c=b.val()},error:function(){b.val(c),a.removeClass("loading").addClass("error")}})}),$(".addon.feature").each(function(){var a=$(this);a.find(":checkbox").change(function(){var b=this;a.removeClass("success").removeClass("error").addClass("loading"),$.put(a.closest("form").attr("action"),{field:b.name,value:b.checked?1:0},{success:function(){a.removeClass("loading").addClass("success")},error:function(){b.checked=!b.checked,a.removeClass("loading").addClass("error")}})})}),$("#pages_toggle :checkbox").change(function(){$.facebox({div:"#pages_box"}),this.checked=!this.checked}),$("#autoresponse_toggle :checkbox").change(function(){if(!this.checked){var a=$(this).closest(".addon");a.removeClass("success").removeClass("error").addClass("loading"),$.put(window.location.pathname.replace("edit","update_pull_request_auto_response"),{success:function(){a.removeClass("loading").addClass("success"),a.find(".editlink").remove()}});return}$.facebox({div:"#auto_response_editor"}),this.checked=!this.checked});var d=function(){debug("Setting data.completed to %s",$(this).val()),$(this).data("completed",$(this).val())};$("#push_pull_collabs input.ac-add-user-input").userAutocomplete().result(d),$("#push_pull_collabs form").submit(function(){var a=$(this).find(":text"),b=a.val();debug("Trying to add %s...",b);if(!b||!a.data("completed"))return!1;var c=function(a){a!=null?$("#push_pull_collabs .error").text(a).show():$("#push_pull_collabs .error").hide()};return c(),$.ajax({url:this.action,data:{member:b},type:"POST",dataType:"json",success:function(b){a.val("").removeClass("ac-accept"),b.error?c(b.error):$("#push_pull_collabs ul.usernames").append(b.html)},error:function(){c("An unidentfied error occurred, try again?")}}),!1}),$("#push_pull_collabs .remove-user").live("click",function(){return $.del(this.href),$(this).closest("li").remove(),!1}),$("#teams form").submit(function(){var a=$(this).find("select"),b=a.val(),c=function(a){a!=null?$("#push_pull_collabs .error").text(a).show():$("#push_pull_collabs .error").hide()};return b==""?(c("You must select a team"),!1):(c(),$.ajax({url:this.action,data:{team:b},type:"POST",dataType:"json",success:function(b){a.val(""),b.error?c(b.error):$("#teams ul.teams").append(b.html)},error:function(){c("An unidentfied error occurred, try again?")}}),!1)}),$("#teams .remove-team").live("click",function(){return $.del(this.href),$(this).closest("li").remove(),!1}),$(".site").is(".vis-public")?$(".private-only").hide():$(".public-only").hide(),$("#custom_tabs .remove-tab").live("click",function(){return $.del(this.href),$(this).closest("li").remove(),!1});var e=$("#toggle_visibility");e.find("input[type=radio]").change(function(a){if($(this).attr("value")=="public")return a.preventDefault(),$("input[value=private]").attr("checked","checked"),$.facebox({div:"#gopublic_confirm"}),$("#facebox .gopublic_button").click(function(){var a=$("#toggle_visibility input[value=public]");a.attr("checked","checked"),f(a),$.facebox.close()}),$("#facebox .footer").hide(),!1;if($(this).attr("value")=="private"){if(!confirm("Are you POSITIVE you want to make this public repository private? All public watchers will be removed."))return $("input[value=public]").attr("checked","checked"),!1;f($(this))}});var f=function(a){var b=$("#toggle_visibility");b.removeClass("success").removeClass("error").addClass("loading"),$.ajax({type:"POST",url:b.closest("form").attr("action"),success:function(){$(".repohead").is(".vis-public")?($(".site").removeClass("vis-public").addClass("vis-private"),$(".private-only").show(),$(".public-only").hide()):($(".repohead").removeClass("vis-private").addClass("vis-public"),$(".private-only").hide(),$(".public-only").show()),b.removeClass("loading").addClass("success")},error:function(){a.checked=!1,b.removeClass("loading").addClass("error")}})};$("#copy_permissions ul li a").click(function(){return $(this).parents("form").submit(),!1}),$("#delete_repo").click(function(){var a="Are you sure you want to delete this repository? There is no going back.";return confirm(a)}),$("#reveal_delete_repo_info").click(function(){return $(this).toggle(),$("#delete_repo_info").toggle(),!1}),$(document).bind("reveal.facebox",function(){$("#facebox .renaming_to_field").val($("#rename_field").val()),$("#facebox .transfer_to_field").val($("#transfer_field").val())})}}),function(){$(function(){var a;a=$(".js-enterprise-notice-dismiss");if(!a[0])return;return a.click(function(){return $.ajax({type:"POST",url:a.attr("href"),dataType:"json",success:function(b){return a.closest("div").fadeOut()},error:function(a){return alert("Failed to dismiss license expiration notice. Sorry!")}}),!1})})}.call(this),function(a){typeof define=="function"&&define.amd?define(["jquery"],a):a(jQuery)}(function(a){function f(){a(this).closest(".expandingText").find("div").text(this.value+" ")}a.expandingTextarea=a.extend({autoInitialize:!0,initialSelector:"textarea.expanding"},a.expandingTextarea||{});var b=["lineHeight","textDecoration","letterSpacing","fontSize","fontFamily","fontStyle","fontWeight","textTransform","textAlign","direction","wordSpacing","fontSizeAdjust","wordWrap","borderLeftWidth","borderRightWidth","borderTopWidth","borderBottomWidth","paddingLeft","paddingRight","paddingTop","paddingBottom","marginLeft","marginRight","marginTop","marginBottom","boxSizing","webkitBoxSizing","mozBoxSizing","msBoxSizing"],c={position:"absolute",height:"100%",resize:"none"},d={visibility:"hidden",border:"0 solid",whiteSpace:"pre-wrap"},e={position:"relative"};a.fn.expandingTextarea=function(g){return g==="resize"?this.trigger("input.expanding"):g==="destroy"?(this.filter(".expanding-init").each(function(){var b=a(this).removeClass("expanding-init"),c=b.closest(".expandingText");c.before(b).remove(),b.attr("style",b.data("expanding-styles")||"").removeData("expanding-styles")}),this):(this.filter("textarea").not(".expanding-init").each(function(){var g=a(this).addClass("expanding-init");g.wrap("<div class='expandingText'></div>"),g.after("<pre class='textareaClone'><div></div></pre>");var h=g.parent().css(e),i=h.find("pre").css(d);g.data("expanding-styles",g.attr("style")),g.css(c),a.each(b,function(a,b){var c=g.css(b);i.css(b)!==c&&i.css(b,c)}),g.bind("input.expanding propertychange.expanding",f),f.apply(this)}),this)},a(function(){a.expandingTextarea.autoInitialize&&a(a.expandingTextarea.initialSelector).expandingTextarea()})}),$(function(){if(!$.support.pjax)return;$(".trending-repositories .times a").live("click",function(a){$(".trending-repositories .ranked-repositories").fadeTo(200,.5),$(".trending-repositories .trending-heading").contextLoader(28),a.preventDefault()}).pjax(".trending-repositories",{data:{trending:!0},timeout:null,error:function(a,b){$(".trending-repositories .context-loader").remove(),$(".trending-repositories .ranked-repositories").fadeTo(0,1),$(".trending-repositories ol").empty().append("<li>Something went wrong: "+b+"</li>")}})}),$(function(){var a=$(".community .bigcount"),b=function(){var b=a.width()+parseInt(a.css("padding-left"))+parseInt(a.css("padding-right"));a.css("margin-left","-"+b/2+"px"),a.fadeIn()};a.length>0&&setTimeout(b,500);var c=$(".js-slidy-highlight");if(c.length>0){var d=c.find("li.highlight"),e=d.width()/2;e+=-1;var f=function(a){var b=a.closest("li"),c=b.position(),d=c.left+b.width()/2-e;return d+=parseInt(b.css("margin-left")),d};c.bind("tabChanged",function(a,b){var c=f(b.link);d.animate({left:c},300)});var g=f(c.find(".selected"));d.css({left:g})}}),GitHub.FileEditForkPoller=function(a,b){var c=$(b||document).find(".check-for-fork");if(c.length==0)return;var d=$(b||document).find("#submit-file");d.attr("disabled","disabled"),c.show();var e=c.data("check-url");$.smartPoller(a||2e3,function(a){$.ajax({url:e,error:function(b,d,e){b.status==404?a():c.html('<img src="/images/modules/ajax/error.png"> Something went wrong. Please fork the project, then edit this file.')},success:function(a,b,e){c.hide(),d.removeAttr("disabled")}})})},$(function(){GitHub.FileEditForkPoller()}),$(function(){function b(){var a=$("#forkqueue .untested").length,c=$("#head-sha").text();if(a>0){var d=$("#forkqueue .untested:first"),e=d.attr("name");$(".icons",d).html('<img src="/images/modules/ajax/indicator.gif" alt="Processing" />'),$.get("forkqueue/applies/"+c+"/"+e,function(a){d.removeClass("untested"),a=="NOPE"?(d.addClass("unclean"),$(".icons",d).html("")):a=="YUP"?(d.addClass("clean"),$(".icons",d).html("")):$(".icons",d).html("err"),b()})}}function d(){var a=$("table#queue tr.not-applied").length,b=$("#head-sha").text();if(a>0){var c=$("#total-commits").text();$("#current-commit").text(c-a+1);var e=$("table#queue tr.not-applied:first"),f=e.attr("name");$(".date",e).html("applying"),$(".icons",e).html('<img src="/images/modules/ajax/indicator.gif" alt="Processing" />'),$.post("patch/"+b+"/"+f,function(a){e.removeClass("not-applied"),a=="NOPE"?(e.addClass("unclean_failure"),$(".date",e).html("failed"),$(".icons",e).html('<img src="/images/icons/exclamation.png" alt="Failed" />')):($("#head-sha").text(a),e.addClass("clean"),$(".date",e).html("applied"),$(".apply-status",e).attr("value","1"),$(".icons",e).html('<img src="/images/modules/dashboard/news/commit.png" alt="Applied" />')),d()})}else $("#new-head-sha").attr("value",b),$("#finalize").show()}var a=$("#forkqueue #head-sha").text();$("#forkqueue .untested:first").each(function(){b()}),$(".action-choice").change(function(a){var b=$(this).attr("value");if(b=="ignore"){var c=$(this).parents("form"),d=c.find("tr:not(:first)"),e=c.find("input:checked");e.each(function(a,b){var c=$(b).attr("ref");$(b).parents("tr").children(".icons").html("ignoring..."),$.post("forkqueue/ignore/"+c,{})});var f=d.length==e.length?c:e.parents("tr");f.fadeOut("normal",function(){$(this).remove()})}else if(b=="apply"){var c=$(this).parents("form");c.submit()}$(this).children(".default").attr("selected",1)});var c=[];$("#forkqueue input[type=checkbox]").click(function(a){var b=$(this).attr("class").match(/^r-(\d+)-(\d+)$/),d=parseInt(b[1]),e=parseInt(b[2]);if(a.shiftKey&&c.length>0){var f=c[c.length-1],g=f.match(/^r-(\d+)-(\d+)$/),h=parseInt(g[1]),i=parseInt(g[2]);if(d==h){var j=$(this).attr("checked")==1,k=[e,i].sort(),l=k[0],m=k[1];for(var n=l;n<m;n++)j==1?$("#forkqueue input.r-"+d+"-"+n).attr("checked","true"):$("#forkqueue input.r-"+d+"-"+n).removeAttr("checked")}}c.push($(this).attr("class"))}),$("#forkqueue a.select_all").click(function(){$(this).removeClass("select_all");var a=$(this).attr("class");return $(this).addClass("select_all"),$("#forkqueue tr."+a+" input[type=checkbox]").attr("checked","true"),c=[],!1}),$("#forkqueue a.select_none").click(function(){$(this).removeClass("select_none");var a=$(this).attr("class");return $(this).addClass("select_none"
7
+ ),$("#forkqueue tr."+a+" input[type=checkbox]").removeAttr("checked"),c=[],!1}),$("table#queue tr.not-applied:first").each(function(){d()}),$("#change-branch").click(function(){return $("#int-info").hide(),$("#int-change").show(),!1}),$("#change-branch-nevermind").click(function(){return $("#int-change").hide(),$("#int-info").show(),!1}),$(".js-fq-new-version").each(function(){var a=$("#fq-repo").text();console.log("repo:",a);var b=$(this).hasClass("reload");$.smartPoller(function(c){$.getJSON("/cache/network_current/"+a,function(a){a&&a.current?(b&&window.location.reload(!0),$(".js-fq-polling").hide(),$(".js-fq-new-version").show()):c()})})})}),$(function(){if($(".business .logos").length>0){var a=[["Shopify","shopify.png","http://shopify.com/"],["CustomInk","customink.png","http://customink.com/"],["Pivotal Labs","pivotallabs.png","http://pivotallabs.com/"],["FiveRuns","fiveruns.png","http://fiveruns.com/"],["PeepCode","peepcode.png","http://peepcode.com/"],["Frogmetrics","frogmetrics.png","http://frogmetrics.com/"],["Upstream","upstream.png","http://upstream-berlin.com/"],["Terralien","terralien.png","http://terralien.com/"],["Planet Argon","planetargon.png","http://planetargon.com/"],["Tightrope Media Systems","tightropemediasystems.png","http://trms.com/"],["Rubaidh","rubaidh.png","http://rubaidh.com/"],["Iterative Design","iterativedesigns.png","http://iterativedesigns.com/"],["GiraffeSoft","giraffesoft.png","http://giraffesoft.com/"],["Evil Martians","evilmartians.png","http://evilmartians.com/"],["Crimson Jet","crimsonjet.png","http://crimsonjet.com/"],["Alonetone","alonetone.png","http://alonetone.com/"],["EntryWay","entryway.png","http://entryway.net/"],["Fingertips","fingertips.png","http://fngtps.com/"],["Run Code Run","runcoderun.png","http://runcoderun.com/"],["Be a Magpie","beamagpie.png","http://be-a-magpie.com/"],["Rocket Rentals","rocketrentals.png","http://rocket-rentals.de/"],["Connected Flow","connectedflow.png","http://connectedflow.com/"],["Dwellicious","dwellicious.png","http://dwellicious.com/"],["Assay Depot","assaydepot.png","http://www.assaydepot.com/"],["Centro","centro.png","http://www.centro.net/"],["Debuggable Ltd.","debuggable.png","http://debuggable.com/"],["Blogage.de","blogage.png","http://blogage.de/"],["ThoughtBot","thoughtbot.png","http://www.thoughtbot.com/"],["Viget Labs","vigetlabs.png","http://www.viget.com/"],["RateMyArea","ratemyarea.png","http://www.ratemyarea.com/"],["Abloom","abloom.png","http://abloom.at/"],["LinkingPaths","linkingpaths.png","http://www.linkingpaths.com/"],["MIKAMAI","mikamai.png","http://mikamai.com/"],["BEKK","bekk.png","http://www.bekk.no/"],["Reductive Labs","reductivelabs.png","http://www.reductivelabs.com/"],["Sexbyfood","sexbyfood.png","http://www.sexbyfood.com/"],["Factorial, LLC","yfactorial.png","http://yfactorial.com/"],["SnapMyLife","snapmylife.png","http://www.snapmylife.com/"],["Scrumy","scrumy.png","http://scrumy.com/"],["TinyMassive","tinymassive.png","http://www.tinymassive.com/"],["SOCIALTEXT","socialtext.png","http://www.socialtext.com/"],["All-Seeing Interactive","allseeinginteractive.png","http://allseeing-i.com/"],["Howcast","howcast.png","http://www.howcast.com/"],["Relevance Inc","relevance.png","http://thinkrelevance.com/"],["Nitobi Software Inc","nitobi.png","http://www.nitobi.com/"],["99designs","99designs.png","http://99designs.com/"],["EdgeCase, LLC","edgecase.png","http://edgecase.com"],["Plinky","plinky.png","http://www.plinky.com/"],["One Design Company","onedesigncompany.png","http://onedesigncompany.com/"],["CollectiveIdea","collectiveidea.png","http://collectiveidea.com/"],["Stateful Labs","statefullabs.png","http://stateful.net/"],["High Groove Studios","highgroove.png","http://highgroove.com/"],["Exceptional","exceptional.png","http://www.getexceptional.com/"],["DealBase","dealbase.png","http://www.dealbase.com/"],["Silver Needle","silverneedle.png","http://silverneedlesoft.com/"],["No Kahuna","nokahuna.png","http://nokahuna.com/"],["Double Encore","doubleencore.png","http://www.doubleencore.com/"],["Yahoo","yahoo.gif","http://yahoo.com/"],["EMI Group Limited","emi.png","http://emi.com/"],["TechCrunch","techcrunch.png","http://techcrunch.com/"],["WePlay","weplay.png","http://weplay.com/"]],b=function(){var b=$(".business .logos table");$.each(a,function(a,c){b.append('<tr><td><a href="'+c[2]+'" rel="nofollow"><img src="http://assets'+a%4+".github.com/images/modules/home/customers/"+c[1]+'" alt="'+c[0]+'" /></a></td></tr>')});var c=parseInt($(".business .slide").css("top")),d=$(".business .logos td").length-4,e=0,f=function(){e+=1;var a=parseInt($(".business .slide").css("top"));Math.abs(a+d*75)<25?($(".business .slide").css("top",0),e=0):$(".business .slide").animate({top:"-"+e*75+"px"},1500)};setInterval(f,3e3)};setTimeout(b,1e3)}}),$(function(){var a={success:function(){$.smartPoller(3e3,function(a){$.getJSON($("#new_import").attr("action")+"/grab_authors",{},function(b){if(b==0)return a();b.length==0?($("#new_import input[type=submit]").attr("disabled","").val("Import SVN Authors").show(),alert("No authors were returned, please try a different URL")):($.each(b,function(a,b){var c=$('<tr><td><input type="text" readonly="readonly" value="'+b+'" name="svn_authors[]" /></td><td><input type="text" class="git_author" name="git_authors[]"/></td></tr>');c.appendTo("#authors-list")}),$("#import-submit").show()),$("#wait").slideUp(),$("#import_repo").show(),$("#author_entry").slideDown()})})},beforeSubmit:function(a,b){var c=$("#svn_url").val();if(!c.match(/^https?:\/\//)&&!c.match(/^svn:\/\//))return alert("Please enter a valid subversion url"),!1;b.find("input[type=submit]").hide(),$("#authors").slideDown()}};$("#new_import").ajaxForm(a),$("#import-submit").click(function(){$(this).attr("disabled","disabled");var a=!1,b=$("#authors-list input.git_author[value=]").size(),c=$("#authors-list input.git_author").size()-b;b>0&&c>0&&(alert("You must either fill in all author names or none."),a=!0),$("#authors-list input.git_author").each(function(){var b=$(this).val();!a&&b!=""&&!/^[^<]+<[^>]+>$/.test(b)&&(alert("'"+b+"' is not a valid git author. Authors must match the format 'User Name <user@domain>'"),a=!0)});if(a)return $("#import-submit").attr("disabled",""),!1;$("form#new_repository").submit()})}),$(function(){$(".cancel-compose").click(function(){return window.location="/inbox",!1}),$("#inbox .del a").click(function(){var a=$(this),b=a.parents(".item"),c=b.attr("data-type")=="message"?"inbox":"notification",d=".js-"+c+"-count";return a.find("img").attr("src",GitHub.Ajax.spinner),$.ajax({type:"DELETE",url:a.attr("rel"),error:function(){a.find("img").attr("src",GitHub.Ajax.error)},success:function(){if(b.is(".unread")){var a=parseInt($(d+":first").text());a>0&&$(d).text(a-=1),a==0&&$(d).each(function(){var a=$(this);a.is(".new")?a.removeClass("new"):a.parent().is(".new")&&a.parent().removeClass("new")})}b.remove()}}),!1}),$("#reveal_deleted").click(function(){return $(this).parent().hide(),$(".hidden_message").show(),!1})}),$(function(){Modernizr.canvas&&$("#impact_graph").length>0&&GitHub.ImpactGraph.drawImpactGraph()}),GitHub.ImpactGraph={colors:null,data:null,chunkVerticalSpace:2,initColors:function(a){seedColors=[[222,0,0],[255,141,0],[255,227,0],[38,198,0],[0,224,226],[0,33,226],[218,0,226]],this.colors=new Array;var b=0;for(var c in a){var d=seedColors[b%7];b>6&&(d=[this.randColorValue(d[0]),this.randColorValue(d[1]),this.randColorValue(d[2])]),this.colors.push(d),b+=1}},drawImpactGraph:function(){var a={},b=$("#impact_graph").attr("rel"),c=this;$.smartPoller(function(d){$.getJSON("/"+b+"/graphs/impact_data",function(b){if(b&&b.authors){c.initColors(b.authors);var e=c.createCanvas(b);b=c.padChunks(b),c.data=b,$.each(b.buckets,function(b,d){c.drawBucket(a,d,b)}),c.drawAll(e,b,a),c.authorHint()}else d()})})},createCanvas:function(a){var b=a.buckets.length*50*2-50,c=0,d,e;for(d=0;d<a.buckets.length;d++){var f=a.buckets[d],g=0;for(e=0;e<f.i.length;e++){var h=f.i[e];g+=this.normalizeImpact(h[1])+this.chunkVerticalSpace}g>c&&(c=g)}$("#impact_graph div").remove();var i=$("#impact_graph");i.height(c+50).css("border","1px solid #aaa"),$("#caption").show(),i.append('<canvas width="'+b+'" height="'+(c+30)+'"></canvas>');var j=$("#impact_graph canvas")[0];return j.getContext("2d")},padChunks:function(a){for(var b in a.authors){var c=this.findFirst(b,a),d=this.findLast(b,a);for(var e=c+1;e<d;e++)this.bucketHasAuthor(a.buckets[e],b)||a.buckets[e].i.push([b,0])}return a},bucketHasAuthor:function(a,b){for(var c=0;c<a.i.length;c++)if(a.i[c][0]==parseInt(b))return!0;return!1},findFirst:function(a,b){for(var c=0;c<b.buckets.length;c++)if(this.bucketHasAuthor(b.buckets[c],a))return c},findLast:function(a,b){for(var c=b.buckets.length-1;c>=0;c--)if(this.bucketHasAuthor(b.buckets[c],a))return c},colorFor:function(a){var b=this.colors[a];return"rgb("+b[0]+","+b[1]+","+b[2]+")"},randColorValue:function(a){var b=Math.round(Math.random()*100)-50,c=a+b;return c>255&&(c=255),c<0&&(c=0),c},drawBucket:function(a,b,c){var d=0,e=this;$.each(b.i,function(b,f){var g=f[0],h=e.normalizeImpact(f[1]);a[g]||(a[g]=new Array),a[g].push([c*100,d,50,h,f[1]]),d=d+h+e.chunkVerticalSpace})},normalizeImpact:function(a){return a<=9?a+1:a<=5e3?Math.round(10+a/50):Math.round(100+Math.log(a)*10)},drawAll:function(a,b,c){this.drawStreams(a,c,null),this.drawDates(b)},drawStreams:function(a,b,c){a.clearRect(0,0,1e4,500),$(".activator").remove();for(var d in b)d!=c&&this.drawStream(d,b,a,!0);c!=null&&this.drawStream(c,b,a,!1)},drawStream:function(a,b,c,d){c.fillStyle=this.colorFor(a),chunks=b[a];for(var e=0;e<chunks.length;e++){var f=chunks[e];c.fillRect(f[0],f[1],f[2],f[3]),d&&this.placeActivator(a,b,c,f[0],f[1],f[2],f[3],f[4]),e!=0&&(c.beginPath(),c.moveTo(previousChunk[0]+50,previousChunk[1]),c.bezierCurveTo(previousChunk[0]+75,previousChunk[1],f[0]-25,f[1],f[0],f[1]),c.lineTo(f[0],f[1]+f[3]),c.bezierCurveTo(f[0]-25,f[1]+f[3],previousChunk[0]+75,previousChunk[1]+previousChunk[3],previousChunk[0]+50,previousChunk[1]+previousChunk[3]),c.fill()),previousChunk=f}},drawStats:function(a,b){chunks=b[a];for(var c=0;c<chunks.length;c++){var d=chunks[c],e=d[4];e>10&&this.drawStat(e,d[0],d[1]+d[3]/2)}},drawStat:function(a,b,c){var d="";d+="position: absolute;",d+="left: "+b+"px;",d+="top: "+c+"px;",d+="width: 50px;",d+="text-align: center;",d+="color: #fff;",d+="font-size: 9px;",d+="z-index: 0;",$("#impact_graph").append('<p class="stat" style="'+d+'">'+a+"</p>")},drawDate:function(a,b,c){c+=3;var d="";d+="position: absolute;",d+="left: "+b+"px;",d+="top: "+c+"px;",d+="width: 50px;",d+="text-align: center;",d+="color: #888;",d+="font-size: 9px;",$("#impact_graph").append('<p style="'+d+'">'+a+"</p>")},placeActivator:function(a,b,c,d,e,f,g,h){e+=5;var i="";i+="position: absolute;",i+="left: "+d+"px;",i+="top: "+e+"px;",i+="width: "+f+"px;",i+="height: "+g+"px;",i+="z-index: 100;",i+="cursor: pointer;";var j="a"+d+"-"+e;$("#impact_graph").append('<div class="activator" id="'+j+'" style="'+i+'">&nbsp;</div>');var k=this;$("#"+j).mouseover(function(b){$(b.target).css("background-color","black").css("opacity","0.08"),k.drawAuthor(a)}).mouseout(function(a){$(a.target).css("background-color","transparent"),k.clearAuthor(),k.authorHint()}).mousedown(function(){$(".stat").remove(),k.clearAuthor(),k.drawStreams(c,b,a),k.drawStats(a,b),k.drawSelectedAuthor(a),k.authorHint()})},drawDates:function(a){var b=this;$.each(a.buckets,function(a,c){var d=0;$.each(c.i,function(a,c){d+=b.normalizeImpact(c[1])+1});var e=["JAN","FEB","MAR","APR","MAY","JUN","JUL","AUG","SEP","OCT","NOV","DEC"],f=new Date;f.setTime(c.d*1e3);var g=""+f.getDate()+" "+e[f.getMonth()]+" "+f.getFullYear();b.drawDate(g,a*100,d+7)})},authorText:function(a,b,c){var d=null;c<25?d="selected_author_text":d="author_text";var e="";e+="position: absolute;",e+="left: "+b+"px;",e+="top: "+c+"px;",e+="width: 920px;",e+="color: #444;",e+="font-size: 18px;",$("#impact_legend").append('<p id="'+d+'" style="'+e+'">'+a+"</p>")},authorHint:function(){this.authorText('<span style="color: #aaa;">mouse over the graph for more details</span>',0,30)},drawAuthor:function(a){this.clearAuthor();var b=$("#impact_legend canvas")[0].getContext("2d");b.fillStyle=this.colorFor(a),b.strokeStyle="#888888",b.fillRect(0,30,20,20),b.strokeRect(.5,30.5,19,19);var c=this.data.authors[a].n;this.authorText(c+' <span style="color: #aaa;">(click for more info)</span>',25,30)},drawSelectedAuthor:function(a){this.clearSelectedAuthor();var b=$("#impact_legend canvas")[0].getContext("2d");b.fillStyle=this.colorFor(a),b.strokeStyle="#000000",b.fillRect(0,0,20,20),b.strokeRect(.5,.5,19,19);var c=this.data.authors[a],d=c.n,e=c.c,f=c.a,g=c.d;this.authorText(d+" ("+e+" commits, "+f+" additions, "+g+" deletions)",25,0)},clearAuthor:function(){var a=$("#impact_legend canvas")[0].getContext("2d");a.clearRect(0,30,920,20),$("#author_text").remove()},clearSelectedAuthor:function(){var a=$("#impact_legend canvas")[0].getContext("2d");a.clearRect(0,0,920,20),$("#selected_author_text").remove()}},GitHub.BaseBrowser={pagingLimit:99,showingClosed:!1,showingOpen:!0,showingRead:!0,activeSort:["created","desc"],currentPage:1,initialized:!1,errored:!1,lastUrl:null,lastPage:1,listings:$(),openListings:$(),closedListings:$(),unreadListings:$(),filteredListings:$(),listingsElement:null,noneShownElement:null,errorElement:null,loaderElement:null,titleElement:null,footerElement:null,sortElements:null,pagingElement:null,init:function(a){var b=this;this.wrapper=$(a);if(this.initialized)return alert("Only one IssueBrowser per page can exist");if(this.wrapper.length==0)return!1;this.listingsElement=this.wrapper.find(".listings"),this.noneShownElement=this.wrapper.find(".none"),this.errorElement=this.wrapper.find(".error"),this.loaderElement=this.wrapper.find(".context-loader"),this.titleElement=this.wrapper.find("h2"),this.footerElement=this.wrapper.find(".footerbar-text"),this.pagingElement=this.wrapper.find(".paging");var c=this.wrapper.find("ul.filters li");c.each(function(){var a=$(this);switch(a.attr("data-filter")){case"open":b.showingOpen&&a.addClass("selected"),a.click(function(){a.toggleClass("selected"),b.showOpen(a.hasClass("selected"))});break;case"closed":b.showingClosed&&a.addClass("selected"),a.click(function(){a.toggleClass("selected"),b.showClosed(a.hasClass("selected"))});break;case"read":b.showingRead&&a.addClass("selected"),a.click(function(){a.toggleClass("selected"),b.showRead(a.hasClass("selected"))})}}),this.sortElements=this.wrapper.find("ul.sorts li");var d=null;this.sortElements.each(function(){var a=$(this);a.attr("data-sort")==b.activeSort[0]&&(d=a.addClass(b.activeSort[1])),a.click(function(){var a=$(this);d&&d.attr("data-sort")!=a.attr("data-sort")&&d.removeClass("asc").removeClass("desc"),a.hasClass("desc")?(b.sortBy(a.attr("data-sort"),"asc"),a.removeClass("desc").addClass("asc")):(b.sortBy(a.attr("data-sort"),"desc"),a.removeClass("asc").addClass("desc")),d=a})}),this.pagingElement.find(".button-pager").click(function(){return b.showMore(),!1}),this.initNavigation(),this.initialized=!0;var e=this.listingsElement.find(".preloaded-content");e.length>0&&(this.selectedLink=$(this.wrapper.find('a[href="'+e.attr("data-url")+'"]').get(0)),this.selectedLink.addClass("selected"),this.lastUrl=this.selectedLink.attr("href"),this.render(this.listingsElement.innerHTML))},initNavigation:function(){var a=this;this.selectedLink=null,this.wrapper.find("ul.bignav a, ul.smallnav a").click(function(b){var c=$(this);return b.which==2||b.metaKey?!0:(Modernizr.history&&!c.hasClass("js-stateless")&&window.history.replaceState(null,document.title,c.attr("href")),a.selectedLink&&c.attr("href")==a.selectedLink.attr("href")&&!a.errored?!1:(a.remoteUpdate(c.attr("href")),a.selectedLink&&a.selectedLink.removeClass("selected"),a.selectedLink=$(this).addClass("selected"),!1))});var b=this.wrapper.find(".filterbox input"),c=this.wrapper.find("ul.smallnav"),d=c.find("li"),e=function(){d.show(),b.val()!=""&&d.filter(":not(:Contains('"+b.val()+"'))").hide()},f=b.val();b.bind("keyup blur click",function(){if(this.value==f)return;f=this.value,e()})},getPulls:function(a,b){var c=this;b==undefined&&(b={}),a!=this.lastUrl&&(this.currentPage=1),this.startLoading(),$.ajax({url:a,data:b,success:function(d){c.errored=!1,c.cancelLoading(),c.errorElement.hide(),c.lastPage==b["page"]||b["page"]==1||b["page"]==undefined?c.render(d):c.render(d,!0),c.lastUrl=a,b.page&&(c.lastPage=b.page)},error:function(){c.errored=!0,c.showError()}})},startLoading:function(){this.listingsElement.fadeTo(200,.5),this.noneShownElement.is(":visible")&&this.noneShownElement.fadeTo(200,.5),this.loaderElement.show()},cancelLoading:function(){this.listingsElement.fadeTo(200,1),this.noneShownElement.is(":visible")&&this.noneShownElement.fadeTo(200,1),this.loaderElement.hide()},showError:function(){this.cancelLoading(),this.listings&&this.listings.hide(),this.noneShownElement.hide(),this.errorElement.show()},render:function(a,b){b==undefined&&(b=!1),b?this.listingsElement.append(a):this.listingsElement.html(a),this.listings=this.listingsElement.find(".listing"),this.listingsElement.trigger("pageUpdate"),this.currentPage==1&&this.listings.length>=this.pagingLimit&&(this.pagingElement.show(),$(this.listings[this.listings.length-1]).remove(),this.listings=this.listingsElement.find(".listing"));if(b){this.pagingElement.hide();var c=$("<div>").append(a).find(".listing");c>this.pagingLimit&&(this.pagingElement.show(),$(this.listings[this.listings.length-1]).remove(),this.listings=this.listingsElement.find(".listing"))}this.closedListings=this.listings.filter("[data-state=closed]"),this.openListings=this.listings.filter("[data-state=open]"),this.readListings=this.listings.filter("[data-read=1]"),this.setCounts(this.openListings.length,this.closedListings.length),this.update()},plural:function(a){return a==1?"request":"requests"},setCounts:function(a,b){var c=a+" open "+this.plural(a),d=a+" open "+this.plural(a)+" and "+b+" closed "+this.plural(b);this.titleElement.text(c),this.footerElement.text(d)},showOpen:function(a){this.currentPage=1,a?this.showingOpen=!0:this.showingOpen=!1,this.remoteUpdate()},showRead:function(a){a?this.showingRead=!0:this.showingRead=!1,this.update()},showClosed:function(a){this.currentPage=1,a?this.showingClosed=!0:this.showingClosed=!1,this.remoteUpdate()},showMore:function(){return this.currentPage++,this.remoteUpdate(),!0},sortBy:function(a,b){return this.activeSort=[a,b],this.currentPage=1,this.remoteUpdate()},update:function(){if(this.listings==null)return;this.listings.show(),this.showingClosed||this.closedListings.hide(),this.showingOpen||this.openListings.hide(),this.showingRead||this.readListings.hide(),this.filteredListings.hide();var a=this.listings.filter(":visible").length;a==0?this.noneShownElement.show():this.noneShownElement.hide()},remoteUpdate:function(a){a||(a=this.lastUrl);var b={sort:this.activeSort[0],direction:this.activeSort[1],page:this.currentPage,exclude:["none"]};if(!this.showingClosed||!this.showingOpen)this.showingOpen||b.exclude.push("open"),this.showingClosed||b.exclude.push("closed"),b.exclude=b.exclude.join(",");this.getPulls(a,b)}},GitHub.PullRequestBrowser={},jQuery.extend(!0,GitHub.PullRequestBrowser,GitHub.BaseBrowser),$(function(){$("#js-issue-list").length>0&&GitHub.PullRequestBrowser.init("#js-issue-list")}),$(function(){var a=$("#issues_next");if(a.length==0)return;var b=function(a,b){$.pjax({container:a,timeout:null,url:b})};$(".js-editable-labels-container .js-manage-labels").live("click",function(){var a=$(this),b=a.closest(".js-editable-labels-container"),c=b.find(".js-editable-labels-show"),d=b.find(".js-editable-labels-edit");return c.is(":visible")?(c.hide(),d.show(),a.addClass("selected"),$(document).bind("keydown.manage-labels",function(b){b.keyCode==27&&a.click()})):(d.hide(),c.show(),a.removeClass("selected"),$(document).unbind("keydown.manage-labels")),!1}),$(".js-custom-color-field a").live("click",function(){var a=$(this).closest(".js-custom-color-field");return a.find(".field").show(),!1}),$(".js-custom-color-field input[type=text]").live("keyup",function(){var a=$(this).closest(".js-custom-color-field"),b=$(this).val();b.length==6&&(a.find(".field").find("input[type=radio]").val(b).attr("checked","checked"),a.find("a").html("Custom color: <strong>#"+b+"</strong>"))}),$(".js-new-label-form .js-label-field").live("focus",function(){$(this).closest(".js-new-label-form").find(".js-color-chooser-fade-in").fadeIn(300)});var c=function(){var a=(new RegExp("page=([^&#]+)")).exec(window.location.search);return a?parseInt(a[1]):1},d=a.find("#issues_list");if(d.length>0){var e=d.attr("data-params");e&&!location.search&&Modernizr.history&&window.history.replaceState(null,document.title,location.pathname+"?"+e),d.pageUpdate(function(){var a=d.find(".js-filterable-milestones").milestoneSelector();a.unbind(".milestoneSelector"),a.bind("beforeAssignment.milestoneSelector",function(){var a=[];d.find(".issues :checked").each(function(b,c){a.push($(c).val())}),$(this).attr("data-issue-numbers",a.join(","))}),$(this).trigger("menu:deactivate"),a.bind("afterAssignment.milestoneSelector",function(){b(d.selector,f({preservePage:!0}))})}),d.trigger("pageUpdate"),d.bind("start.pjax",function(a){d.find(".context-loader").show(),d.find(".issues").fadeTo(200,.5)}).bind("end.pjax",function(a){d.find(".issues").fadeTo(200,1),d.find(".context-loader").hide()});var f=function(a){a||(a={});var b={labels:[],sort:"",direction:"",state:"",page:a.preservePage?c():1},e=d.find(".milestone-context").attr("data-selected-milestone");e!=""&&e!=null&&(b.milestone=e),d.find(".sidebar ul.labels").find(".selected").each(function(a,c){b.labels.push($(c).attr("data-label"))}),b.labels=b.labels.join(","),b.labels==""&&delete b.labels;var f=d.find(".main .filterbar ul.sorts").find(".asc, .desc");b.sort=f.attr("data-sort"),b.direction=f.attr("class"),b.state=d.find(".main .filterbar ul.filters").find(".selected").attr("data-filter");var g=d.find("ul.bignav").find(".selected").attr("href");return g+"?"+$.param(b)},g=[".sidebar ul.bignav a",".sidebar ul.labels a",".main .filterbar ul.filters li",".main .filterbar ul.sorts li",".milestone-context .pane-selector .milestone"];d.find(g.join(",")).pjax(d.selector,{timeout:null,url:f}),d.delegate(".pagination a, #clear-active-filters","click",function(a){a.preventDefault(),b(d.selector,$(this).attr("href"))}),d.selectableList(".sidebar ul.bignav",{mutuallyExclusive:!0}),d.selectableList(".sidebar ul.labels"),d.selectableList(".main .filterbar ul.filters",{wrapperSelector:"",mutuallyExclusive:!0}),d.selectableList(".js-selectable-issues",{wrapperSelector:"",itemParentSelector:".issue",enableShiftSelect:!0,ignoreLinks:!0}),d.sortableHeader(".main .filterbar ul.sorts"),d.delegate(".milestone-context .pane-selector .milestone","click",function(a){var b=$(this);b.closest(".milestone-context").attr("data-selected-milestone",b.attr("data-milestone")),b.trigger("menu:deactivate")}),d.delegate(".issues table","click",function(a){var b=$(a.target);if(a.which>1||a.metaKey||b.closest("a").length)return!0;var c=$(this),e=c.find(".issue.selected"),f=d.find(".issues .actions .buttons");e.length>0?(f.addClass("activated"),f.removeClass("deactivated")):(f.removeClass("activated"),f.addClass("deactivated"))}),d.find(":checked").removeAttr("checked"),$(document).on("navigation:keydown",".issues .issue",function(a){a.hotkey=="x"&&$(this).click()});var h=function(a){var c={issues:[]};d.find(".issues :checked").each(function(a,b){c.issues.push($(b).val())}),$.ajax({url:a||d.find(".issues .btn-close").attr("data-url"),method:"put",data:$.param(c),success:function(a,c,e){b(d.selector,f({preservePage:!0}))}})},i=function(){window.location=a.find(".btn-new-issue").attr("href")},j=function(a){a.preventDefault(),$("#new_label_form .namefield").focus()};$.hotkeys({e:h,c:i,l:j});var k="#issues_list .label-context";d.delegate(".label-context button.update-labels","click",function(a){var c=$(this),e={labels:[],issues:[]};d.find(".label-context ul.labels :checked").each(function(a,b){e.labels.push($(b).val())}),d.find(".issues :checked").each(function(a,b){e.issues.push($(b).val())}),$(this).trigger("menu:deactivate"),$.ajax({url:d.find(".label-context ul.labels").attr("data-url"),method:"put",data:e,complete:function(a,c){b(d.selector,f({preservePage:!0}))}})}),d.selectableList(".label-context ul.labels"),d.delegate(".issues .btn-close, .issues .btn-reopen","click",function(a){h($(this).attr("data-url"))}),d.delegate(".issues .btn-label","click",function(b){var c=d.find(".issues :checked").closest(".issue").find(".label");a.find(k+" .label a.selected").removeClass("selected"),a.find(k+" :checked").attr("checked",!1),c.each(function(b,c){var d=$(c).attr("data-name");a.find(k+" .label[data-name='"+d+"'] a").addClass("selected"),a.find(k+" .label[data-name='"+d+"'] :checkbox").attr("checked",!0)})});var l=function(a){var c=$(a.target).closest(".assignee-assignment-context").find(":checked"),e={issues:[],assignee:c.val()};d.find(".issues :checked").each(function(a,b){e.issues.push($(b).val())}),$(this).trigger("menu:deactivate"),$.ajax({url:c.attr("data-url"),method:"put",data:$.param(e),success:function(a,c,e){b(d.selector,f({preservePage:!0}))}})};d.delegate(".issues .btn-assignee","click",function(a){var b=$(".assignee-assignment-context");b.data("applied")!=1&&(b.data("applied",!0),b.assigneeFilter(l))}),d.delegate(".assignee-assignment-context :radio","change",l),d.selectableList("ul.color-chooser",{wrapperSelector:"li.color",mutuallyExclusive:!0}),d.delegate("ul.color-chooser li.color","click",function(a){var b=$(this).find("input[type=radio]").val(),c=$("#custom_label_text");c.text(c.attr("data-orig"))}),d.delegate(g.join(","),"click",function(a){Modernizr.history||(a.preventDefault(),window.location=f())})}var m=a.find("#milestone_list");if(m.length>0){m.bind("start.pjax",function(a){m.find(".context-loader").show(),m.find(".milestones").fadeTo(200,.5)}).bind("end.pjax",function(a){m.find(".milestones").fadeTo(200,1),m.find(".context-loader").hide()});var g=[".sidebar ul.bignav a",".main .filterbar ul.filters li",".main .filterbar ul.sorts li"];m.delegate(g.join(","),"click",function(a){if(a.which==1&&!a.metaKey){a.preventDefault();var c=$(this).attr("href")||$(this).attr("data-href");b(m.selector,c)}}),m.selectableList(".sidebar ul.bignav",{mutuallyExclusive:!0}),m.selectableList(".main .filterbar ul.filters",{wrapperSelector:"",mutuallyExclusive:!0}),m.sortableHeader(".main .filterbar ul.sorts")}}),function(a){a.fn.milestoneSelector=function(b){var c=a.extend({},a.fn.milestoneSelector.defaults,b);return this.each(function(){var b=a(this),d=b.closest(".context-pane"),e=b.find(".selector-item"),f=b.find(".milestone-item"),g=f.filter(".open-milestone"),h=f.filter(".closed-milestone"),i=e.filter(".for-selected"),j=b.find(".new-milestone-item"),k=b.find(".no-results"),l=b.find(".milestone-filter"),m=a(".js-milestone-infobar-item-wrapper");if(b.find("form").length==0){c.newMode=!0;var n=a("input[name='issue[milestone_id]']"),o=a("input[name='new_milestone_title']")}var p="open",q=null;b.find(".tabs a").click(function(){return b.find(".tabs a.selected").removeClass("selected"),a(this).addClass("selected"),p=a(this).attr("data-filter"),v(),!1}),l.keydown(function(a){switch(a.which){case 38:case 40:case 13:return!1}}),l.keyup(function(b){var c=e.filter(".current:visible");switch(b.which){case 38:return r(c.prevAll(".selector-item:visible:first")),!1;case 40:return c.length?r(c.nextAll(".selector-item:visible:first")):r(a(e.filter(":visible:first"))),!1;case 13:return s(c),!1}q=a(this).val(),v()}),e.click(function(){s(this)}),d.bind("deactivated.contextPane",function(){z(),l.val(""),l.trigger("keyup")});var r=function(a){if(a.length==0)return;e.filter(".current").removeClass("current"),a.addClass("current")},s=function(e){e=a(e);if(e.length==0)return;if(e.hasClass("new-milestone-item"))return t(e);var g=e.find("input[type=radio]");if(g[0].checked)return;g[0].checked=!0,b.trigger("beforeAssignment.milestoneSelector"),c.newMode?(n.val(g[0].value),f.removeClass("selected"),e.addClass("selected"),d.trigger("menu:deactivate"),b.trigger("afterAssignment.milestoneSelector")):u({url:g[0].form.action,params:{milestone:g[0].value,issues:b.attr("data-issue-numbers").split(",")}})},t=function(a){b.trigger("beforeAssignment.milestoneSelector"),c.newMode?(n.val("new"),o.val(l.val()),f.removeClass("selected"),a.addClass("selected"),d.trigger("menu:deactivate"),b.trigger("afterAssignment.milestoneSelector")):u({url:a.closest("form").attr("action"),params:{new_milestone:l.val(),issues:b.attr("data-issue-numbers").split(",")}})},u=function(c){w(),a.ajax({type:"PUT",url:c.url,data:c.params,success:function(a){x(),m.html(a.infobar_body).trigger("pageUpdate"),d.trigger("menu:deactivate"),b.html(a.context_pane_body).milestoneSelector().trigger("pageUpdate"),b.trigger("afterAssignment.milestoneSelector")},error:function(){x(),y()}})},v=function(){var b=null;p=="open"?(i.show(),h.hide(),b=g):(i.hide(),g.hide(),b=h),q!=""&&q!=null?(b.each(function(){var b=a(this),c=b.find(".milestone-title").text().toLowerCase();c.score(q)>0?b.show():b.hasClass("selected")||b.hide()}),j.find(".milestone-title").text(q),j.show(),k.hide(),i.hide()):(b.each(function(){a(this).show()}),b.length==0?k.show():k.hide(),j.hide())};v();var w=function(){d.find(".context-body").append('<div class="loader">Loading…</div>')},x=function(){d.find("context-.body .loader").remove()},y=function(a){a==null&&(a="Sorry, an error occured"),d.find(".context-body").append('<div class="error-message">'+a+"</div>")},z=function(){d.find(".context-body .error-message").remove()}})},a.fn.milestoneSelector.defaults={}}(jQuery),$(function(){var a=$("#issues_next #js-new-issue-form");if(a.length==0)return;a.selectableList("ul.labels");var b=function(b){var c=a.find("input.title");c.val().length>0?(c.addClass("valid"),$(".js-title-missing-error").hide()):(c.removeClass("valid"),$(".js-title-missing-error").show())};a.bind("submit",function(a){b();if($(".js-title-missing-error").is(":visible"))return!1}),a.find("input.title").keyup(b).change(b);var c=a.find(".infobar .milestone .text"),d=a.find(".js-filterable-milestones").milestoneSelector();d.bind("afterAssignment.milestoneSelector",function(){d.trigger("menu:deactivate");var a=d.find(".selected");a.hasClass("clear")?c.html("No milestone"):a.hasClass("new-milestone-item")?c.html("Milestone: <strong>"+a.find("p").text()):c.html("Milestone: <strong>"+a.find("h4").text())}),a.on("menu:activated",function(){$(this).find(".context-pane:visible :text").focus()});var e=a.find(".js-assignee-context"),f=a.find(".infobar .assignee .text");e.assigneeFilter(function(){e.find(".current").click()}),e.find(".selector-item").click(function(){var a=$(this).find("input[type=radio]");a.val()==""?f.html("No one is assigned"):f.html("Assignee: <strong>"+$(this).find("h4").html())}),a.find(".js-pane-radio-selector").each(function(){var a=$(this),b=a.closest(".context-pane");a.find("label").click(function(){var b=$(this);a.find(".selected").removeClass("selected"),b.addClass("selected"),a.trigger("menu:deactivate")})})}),$(function(){var a=$("#issues_next #issues_search");if(a.length==0)return;var b=$("#js-issues-quicksearch").val();a.find("input[type=radio], select").change(function(a){var c=$(this).closest("form");c.find("#search_q").val(b),c.submit()})}),$(function(){var a=$("#issues_next #show_issue");if(a.length==0)return;var b=function(a){window.location=$("#to_isssues_list").attr("href")},c=function(){$("#issues_next .btn-close-issue").click()},d=function(){window.location=$("#issues_next .btn-new-issue").attr("href")};$.hotkeys({u:b,e:c,c:d}),a.on("menu:activated",function(){$(this).find(".context-pane:visible :text").focus()}),a.find(".assignee-context").assigneeFilter(function(){a.find(".assignee-context").closest("form").submit()}),a.find(".js-filterable-milestones").milestoneSelector(),$(a).on("keyup",".js-label-filter",function(b){var c=a.find(".js-filterable-labels li"),d=$(this).val();d!=""&&d!=null?c.each(function(){var a=$(this),b=a.text().toLowerCase();b.score(d)>0?a.show():a.hide()}):c.show()}),$(a).on("keydown",".js-label-filter",function(a){if(a.hotkey==="enter")return!1}),$(a).on("change",".js-autosubmitting-labels input[type=checkbox]",function(){var a=$(this).closest("form");$.post(a.attr("action"),a.serialize(),function(a){$(".discussion-stats > .labels").html(a.labels)},"json")}),$(document).on("pageUpdate",function(){a.selectableList(".js-selectable-labels")}),a.selectableList(".js-selectable-labels"),$(a).on("change",".js-pane-selector-autosubmit input[type=radio]"
8
+ ,function(){$(this).closest("form").submit()}),$(a).on("click",".js-assignee-context .selector-item",function(a){radio=$(a.currentTarget).find("input[type=radio]"),radio.attr("checked","checked"),radio.trigger("change")})}),function(){$(function(){var a,b,c,d,e=this;b=$("#issues-dashboard");if(b.length>0)return d=b.attr("data-url"),d&&!location.search&&Modernizr.history&&window.history.replaceState(null,document.title,d),a=$("#issues-dashboard .list"),c=[""+a.selector+" .nav.big a",""+a.selector+" .nav.small a","#clear-active-filters",""+a.selector+" .filterbar .filters a",""+a.selector+" .filterbar .sorts a"].join(", "),$(c).pjax(a.selector,{timeout:null}),a.bind("start.pjax",function(){return $(e).find(".context-loader").show(),$(e).find(".listings").fadeTo(200,.5)}).bind("end.pjax",function(){return $(e).find(".listings").fadeTo(200,1),$(e).find(".context-loader").hide()})})}.call(this),function(){var a=location.pathname+location.hash,b=a.match(/#issue\/(\d+)(\/comment\/(\d+))?/);if(b){var c=b[1],d=b[3];c&&(d?window.location=a.replace(/\/?#issue\/\d+\/comment\/\d+/,"/"+c+"#issuecomment-"+d):window.location=a.replace(/\/?#issue\/\d+/,"/"+c))}}(),jQuery(function(a){var b=a("#issues_next");if(b.length==0)return;var c=function(b){b.preventDefault(),a("#js-issues-quicksearch").focus()};a.hotkeys({"/":c});var d=a("#js-issues-quicksearch");if(d.length>0){var e=b.find(".btn-new-issue"),f=d.offset();b.find(".search .autocomplete-results").css({left:d.position().left,width:e.offset().left-f.left+e.outerWidth(!0)}),d.quicksearch({results:b.find(".search .autocomplete-results"),insertSpinner:function(a){d.closest("form").prepend(a)}}).bind("focus",function(b){a(this).closest(".fieldwrap").addClass("focused")}).bind("blur",function(b){a(this).closest(".fieldwrap").removeClass("focused")}).css({outline:"none"})}}),$(function(){var a=$(".github-jobs-promotion");if(a.get(0)==null)return;a.css({visibility:"hidden"}),window.jobsWidgetCallback=function(b){var c=Math.floor(Math.random()*b.jobs.length),d=b.jobs[c];a.find(".job-link").attr("href",d.url),a.find(".job-company").text(d.company),a.find(".job-position").text(d.position),a.find(".job-location").text(d.location),a.css({visibility:"visible"})},$.getScript(a.attr("url"))}),$(function(){$("#add_key_action").click(function(){return $(this).toggle(),$("#new_key_form_wrap").toggle().find(":text").focus(),!1}),$(".edit_key_action").live("click",function(){var a=$(this).attr("href");return $.facebox(function(){$.get(a,function(a){$.facebox(a),$("#facebox .footer").hide()})}),!1}),$("#cancel_add_key").click(function(){return $("#add_key_action").toggle(),$("#new_key_form_wrap").toggle().find("textarea").val(""),$("#new_key").find(":text").val(""),$("#new_key .error_box").remove(),!1}),$(".cancel_edit_key").live("click",function(){return $.facebox.close(),$("#new_key .error_box").remove(),!1}),$(".delete_key").live("click",function(){if(confirm("Are you sure you want to delete this key?")){$.ajax({type:"POST",data:{_method:"delete"},url:$(this).attr("href")});var a=$(this).parents("ul");$(this).parent().remove()}return!1}),$("body").delegate("form.key_editing","submit",function(a){var b=this;return $(b).find(".error_box").remove(),$(b).find(":submit").attr("disabled",!0).spin(),$(b).ajaxSubmit(function(a){a.substring(0,3)=="<li"?($(b).attr("id").substring(0,4)=="edit"?($("#"+$(b).attr("id").substring(5)).replaceWith(a),$.facebox.close()):($("ul.public_keys").append(a),$("#add_key_action").toggle(),$("#new_key_form_wrap").toggle()),$(b).find("textarea").val(""),$(b).find(":text").val("")):$(b).append(a),$(b).find(":submit").attr("disabled",!1).stopSpin()}),!1})}),GitHub=GitHub||{},GitHub.metric=function(a,b){if(!window.mpq)return GitHub.metric=$.noop;b?mpq.push([b.type||"track",a,b]):mpq.push(["track",a])},GitHub.trackClick=function(a,b,c){if(!window.mpq)return GitHub.trackClick=$.noop;$(a).click(function(){return c=$.isFunction(c)?c.call(this):c,GitHub.metric(b,c),!0})},$(function(){var a=GitHub.trackClick;a("#entice-signup-button","Entice banner clicked"),a("#coupon-redeem-link","Clicked Dec 2010 Sale Notice"),a(".watch-button","Watched Repo",{repo:GitHub.nameWithRepo}),a(".unwatch-button","Unwatched Repo",{repo:GitHub.nameWithRepo}),a(".btn-follow","Followed User",function(){return{user:$(this).attr("data-user")}}),a(".btn-unfollow","Unfollowed User",function(){return{user:$(this).attr("data-user")}})}),DateInput.prototype.resetDate=function(){$(".date_selector .selected").removeClass("selected"),this.changeInput("")},$(function(){$("input.js-date-input").each(function(){var a=new DateInput(this);a.hide=$.noop,a.show(),$(this).hide(),$(".date_selector").addClass("no_shadow")}),$("label.js-date-input a").click(function(a){var b=$("input.js-date-input").data("datePicker");b.resetDate()})}),function(){$(document).pageUpdate(function(){return $(this).find(".js-obfuscate-email").each(function(){var a,b,c,d;if(d=$(this).attr("data-email"))return a=decodeURIComponent(d),c=$(this).text().replace(/{email}/,a),b=$(this).attr("href").replace(/{email}/,a),$(this).text(c),$(this).attr("href",b)})})}.call(this),$(function(){var a=$("#organization-transforming");a.redirector({url:a.data("url"),to:"/login"}),$("#members_bucket .remove-user").click(function(){var a,b=$(this),c=b.parents("li:first").find(".login").text(),d="Are you POSITIVE you want to remove "+c+" from "+"your organization?";return confirm(d)?(b.spin().remove(),a=$("#spinner").addClass("remove"),$.del(b.attr("href"),function(){a.parent().remove()}),!1):!1})}),$(function(){if(!$("body").hasClass("page-account"))return!1;var a=$("#add_email_action a"),b=$("#cancel_add_email"),c=$("#add_email_form_wrap"),d=$(".add-emails-form .error_box");a.click(function(){return $(this).toggle(),c.fadeIn(200).find(":text").focus(),!1}),b.click(function(){return a.toggle(),c.hide().find(":text").val(""),d.hide(),!1}),$(".delete_email").live("click",function(){return $("ul.user_emails li.email").length==1?($.facebox("You must always have at least one email address. If you want to delete this address, add a new one first."),!1):($.post($(this).attr("href"),{email:$(this).prev().text()}),$(this).parent().remove(),!1)}),$(".delete_connection").live("click",function(){return $.post($(this).attr("href"),{_method:"delete"}),$(this).parent().remove(),!1}),$("ul.user_emails li.email").length>0&&$("#add_email_form").submit(function(){$("#add_email_form :submit").attr("disabled",!0).spin();var a=this;return $(this).ajaxSubmit(function(b){b?$("ul.user_emails").append(b):d.show(),$("#add_email_form :submit").attr("disabled",!1).stopSpin(),$(a).find(":text").val("").focus()}),!1}),$(".user_toggle").click(function(){var a={};a[this.name]=this.checked?"1":"0",a._method="put",$.post("/account",a),$("#notify_save").show(),setTimeout("$('#notify_save').fadeOut()",1e3)}),$("dl.form.autosave").autosaveField(),$("button.dummy").click(function(){return $(this).prev(".success").show().fadeOut(5e3),!1}),$(".js-preview-job-profile").click(function(){return $.get("/preview",{text:$("#user_profile_bio").val()},function(a){$.facebox(a,"job-profile-preview")}),!1}),$(".js-leave-collaborated-repo",$("#facebox")[0]).live("click",function(a){var b=$(this).parents("form").attr("data-repo"),c=$('ul.repositories li[data-repo="'+b+'"]'),d=$(this).parents("div.full-button");return d.addClass("no-bg"),d.html('<img src="/images/modules/ajax/indicator.gif">'),$.ajax({url:"/account/leave_repo/"+b,type:"POST",success:function(){$.facebox.close(),c.fadeOut()},error:function(){d.html('<img src="/images/modules/ajax/error.png">')}}),a.preventDefault(),!1}),$("body").delegate(".change-gravatar-email form","submit",function(){var a=$(this),b=a.find("button").attr("disabled",!0),c=a.find(".spinner").html('<img src="/images/modules/ajax/indicator.gif"/>');return $.ajax({url:a.attr("action"),type:"PUT",data:{email:a.find("input").val()},success:function(b){c.html('<img src="/images/modules/ajax/success.png"/>'),a.find(".error").text("");var d=$(".change-gravatar-email .gravatar img").attr("src");$(".change-gravatar-email .gravatar img").attr("src",d.replace(/[a-f0-9]{32}/,b)),$(document).unbind("close.facebox").bind("close.facebox",function(){window.location=window.location})},error:function(b){c.html('<img src="/images/modules/ajax/error.png"/>'),a.find(".error").text(b.responseText)},complete:function(){b.attr("disabled",!1)}}),!1})}),$(function(){if($(".page-billing, .page-account").length==0)return!1;$(".js-coupon-click-onload").click(),$(".js-add-cc").click(function(){return $(document).one("reveal.facebox",function(){$("#facebox .js-thanks, #facebox .rule:first").hide()}),$.facebox({div:this.href}),!1}),$(".js-close-facebox").live("click",function(){$(document).trigger("close.facebox")}),$(".js-edit-org-select-billing").click(function(){return $("a[href=#billing_bucket]").click(),!1});var a=$("table.upgrades");if(a.length==0)return!1;a.find(".choose_plan").click(function(){var a=$(this).closest("tr").attr("data-name");$(".js-new-plan-name-val").val(a),$(".js-new-plan-name").text(a),a=="free"?$(".js-new-plan-card-on-file").hide():$(".js-new-plan-card-on-file").show()}),$("body").delegate(".js-coupon-form","submit",function(){return $(this).find("button").attr("disabled",!0).after(' <img src="/images/modules/ajax/indicator.gif">'),$.ajax({url:this.action,type:this.method,data:{code:$(this).find(":text").val()},error:function(a){$("#facebox .content").html(a.responseText)},success:function(a){$("#facebox .content").html(a),$(document).unbind("close.facebox").bind("close.facebox",function(){var a=window.location.pathname;window.location=/organizations/.test(a)?a:"/account/billing"})}}),!1}),$(".selected .choose_plan").click(),$(".js-show-credit-card-form")[0]&&($.facebox({div:"#credit_card_form"}),$(document).unbind("close.facebox").bind("close.facebox",function(){window.location="/account/billing"}))}),$(function(){if(!$("body").hasClass("page-compare"))return!1;var a=function(a){return a.charAt(0).toUpperCase()+a.slice(1)},b=$("#compare").data("base"),c=$("#compare").data("head"),d=null;$(".compare-range .commit-ref.to").click(function(){return d="end",$.facebox({div:"#compare_chooser"}),!1}),$(".compare-range .commit-ref.from").click(function(){return d="start",$.facebox({div:"#compare_chooser"}),!1});var e=function(){var e=$("#facebox .ref-autocompleter"),f=$("#facebox button.choose-end"),g=$("#facebox button.refresh");e.val(d=="start"?b:c),$("#facebox .mode-upper").text(a(d)),$("#facebox .mode-lower").text(d),d=="start"?f.show():f.hide()},f=function(){var a=$("#facebox .ref-autocompleter");if(a.length==0)return;var f=$("#facebox .commit-preview-holder"),g=$("#facebox button.refresh"),h=$(".compare-range").attr("url-base");e(),g.click(function(){return d=="start"?b=a.val():c=a.val(),$(document).trigger("close.facebox"),document.location=h+b+"..."+c,!1}),a.click(function(){return this.focus(),this.select(),!1});var i=!1,j=null,k=function(){i&&j.abort(),i=!0,j=$.get(f.attr("url_base")+a.val(),null,function(a){a.length>0&&(f.html(a),f.find("a").attr("target","_blank"),f.trigger("pageUpdate")),i=!1})};k();var l=a.val(),m=null,n=function(){if(l!=a.val()||m==a.val()){l=a.val();return}k(),m=a.val()};a.keyup(function(){l=this.value,setTimeout(n,1e3)}),a.click()};$(document).bind("reveal.facebox",f),b==c&&$(".compare-range .commit-ref.from").click();var g=window.location.hash.substr(1);(/^diff-/.test(g)||/^L\d+/.test(g))&&$("li a[href='#files_bucket']").click()}),function(){$(function(){var a;if($(".js-leaving-form")[0])return a=function(){var a;return a=new WufooForm,a.initialize({userName:"github",formHash:"q7x4a9",autoResize:!0,height:"504",ssl:!0}),$(".js-leaving-form").html(a.generateFrameMarkup())},function(){var b,c;return b=document.location.protocol==="https:"?"https://secure.":"http://",c=document.createElement("script"),c.type="text/javascript",c.src=""+b+"wufoo.com/scripts/embed/form.js",c.onload=a,$("head")[0].appendChild(c)}()})}.call(this),$(function(){function c(){var a=b.find("input.title");a.val().length>0?(a.addClass("valid"),b.find(".js-title-missing-error").hide()):(a.removeClass("valid"),b.find(".js-title-missing-error").show())}if(!$("body").hasClass("page-newpullrequest"))return!1;$(".pull-form a[action=preview]").click(function(){var a=$(".pull-form .content-body"),b=$(".pull-form").attr("data-preview-url"),c=$(this).closest("form");a.html("<p>Loading preview ...</p>"),$.post(b,c.serialize(),function(b){a.html(b)})});var a=$(".btn-change");a.data("expand-text",a.text()),a.data("collapse-text",a.attr("data-collapse-text")),a.data("state","collapsed"),$(".editor-expander").click(function(){return a.data("state")=="collapsed"?(a.find("span").text(a.data("collapse-text")),a.data("state","expanded"),$(".range-editor").slideDown("fast"),$(".pull-form-main .form-actions button").hide(),$(".pull-tabs, .tab-content").css({opacity:.45})):(a.find("span").text(a.data("expand-text")),a.data("state","collapsed"),$(".range-editor").slideUp("fast"),$(".pull-form-main .form-actions button").show(),$(".pull-tabs, .tab-content").css({opacity:1})),!1});var b=$(".new-pull-request form");b.submit(function(){if(!b.attr("data-update")){c();if($(".js-title-missing-error").is(":visible"))return!1;GitHub.metric("Sent Pull Request",{"Pull Request Type":"New School",Action:GitHub.currentAction,"Ref Type":GitHub.revType})}}),$("button#update_commit_range").click(function(){b.attr("data-update","yes"),b.attr("action",$(this).data("url")),b.submit()}),$(".range-editor").find("input, select").keypress(function(a){a.keyCode==13&&a.preventDefault()}),$(".js-refchooser").each(function(){$(this).refChooser({change:function(){$(this).attr("data-ref-valid",!1),$("button#update_commit_range").attr("disabled",!0)},found:function(){$(this).attr("data-ref-valid",!0),$(".js-refchooser[data-ref-valid=false]").length==0&&$("button#update_commit_range").removeAttr("disabled")}});var a=$(this).find(".js-ref"),b=$(this).find("select"),c=a.branchesAutocomplete({extraParams:{repository:b.val()}});b.change(function(){c.flushCache(),c.setOptions({extraParams:{repository:$(this).val()}}),c.click()}),a.focus(function(){window.setTimeout(function(){a.selection(0,a.val().length)},1)})})}),function(a){a.fn.refChooser=function(b){var c=a.extend({},a.fn.refChooser.defaults,b);return this.each(function(){var b=this,d=a(this),e=d.find(".js-source"),f=d.find(".js-ref"),g=d.find(".js-commit-preview"),h=d.attr("data-preview-url-base"),i={repo:d.attr("data-error-repo")},j=!1,k=null,l=function(){if(e.val()==""){g.html('<p class="error">'+i.repo+"</p>"),c.missing.call(d);return}var l=h+e.val().split("/")[0]+":"+f.val();j&&k.abort(),j=!0,k=a.get(l,null,function(a){a.length>0&&(g.html(a),g.trigger("pageUpdate"),g.find(".error").length==0?c.found.call(b):c.missing.call(b)),j=!1})},m=f.val(),n=function(){if(this.value==m)return;c.change.call(b),m=this.value,l()};f.keyup(n),f.bind("result",n);var o=e.val();e.change(function(){if(this.value==o)return;c.change.call(b),o=this.value,l()})})},a.fn.refChooser.defaults={found:function(){},change:function(){},missing:function(){}}}(jQuery),$(function(){if(!$("body").hasClass("page-notifications"))return!1;$("table.notifications input[type=checkbox]").change(function(){$.post("/account/toggle_notification",{_method:"put",enable:this.checked?"true":"false",notification_action:this.value})}),$("button.dummy").click(function(){return $(this).prev(".success").show().fadeOut(5e3),!1}),$(".user_toggle").click(function(){var a=this.checked,b={};b[this.name]=this.checked?"1":"0",b._method="put",$.post("/account",b,function(){a?$("#notifications_global_wrapper").removeClass("ignored"):$("#notifications_global_wrapper").addClass("ignored")})})}),$(function(){if(!$("body").hasClass("page-profile"))return!1;var a=$("ul.repositories>li"),b=$(".repo-filter input").val(""),c=b.val(),d=null,e=function(){a.show(),b.val()!=""&&a.filter(":not(:Contains('"+b.val()+"'))").hide()};b.bind("keyup blur click",function(){if(this.value==c)return;c=this.value,e()}),$("ul.repositories>li.simple").each(function(){var a=$(this),b=a.find("p.description").html();$.trim(b)!=""&&a.find("h3").attr("title",b).tipsy({gravity:"w"})});var f=$("ul#placeholder-members li").remove();f.length>0&&$("ul.org-members").prepend(f)}),$(function(){if(!$("body").hasClass("page-pullrequest"))return!1;var a=$(".discussion-timeline");a.on("menu:activated",function(){$(this).find(".context-pane:visible :text").focus()}),a.find(".assignee-context").assigneeFilter(function(){a.find(".assignee-context form").submit()}),a.on("click",".js-assignee-context .selector-item",function(a){radio=$(a.currentTarget).find("input[type=radio]"),radio.attr("checked","checked"),radio.trigger("change")}),a.find(".js-filterable-milestones").milestoneSelector();var b=$(".js-pane-selector-autosubmit");b.delegate("input[type=radio]","change",function(){var a=$(this);a.closest("form").submit()}),$(".file, .file-box").live("commentChange",function(a){$(a.target).closest("#discussion_bucket").length>0?$("#files_bucket").remove():$("#discussion_bucket").remove()}),$("#reply-to-pr").click(function(){$("#comment_body").focus()}),$("#pull_closed_warning a").click(function(){return $("#pull_closed_warning").hide(),$("#pull_comment_form").show(),!1});var c=$(".js-toggle-merging");if(c.length>0){var d=$(".js-shown-merging"),e=$(".js-shown-notmerging");c.click(function(){return d.is(":visible")?(d.hide(),e.show()):(d.show(),e.hide()),!1})}var f=$("#js-mergeable-unknown");f.length>0&&f.is(":visible")&&$.smartPoller(function(a){$.ajax({url:f.data("status-url"),dataType:"json",success:function(b){b===!0?(f.hide(),$("#js-mergeable-clean").show()):b===!1?(f.hide(),$("#js-mergeable-dirty").show()):a()},error:function(){f.hide(),$("#js-mergeable-error").show()}})})}),$(function(){$(".ajax_paginate a").live("click",function(){var a=$(this).parent(".ajax_paginate");return a.hasClass("loading")?!1:(a.addClass("loading"),$.ajax({url:$(this).attr("href"),complete:function(){a.removeClass("loading")},success:function(b){a.replaceWith(b),a.parent().trigger("pageUpdate")}}),!1)})}),function(){var a=function(a,b){return function(){return a.apply(b,arguments)}};if(!Modernizr.canvas)return;GitHub.ParticipationGraph=function(){function b(b){this.el=b,this.onSuccess=a(this.onSuccess,this),this.canvas=this.el.getContext("2d"),this.refresh()}return b.prototype.barWidth=7,b.prototype.barMaxHeight=20,b.prototype.getUrl=function(){return $(this.el).data("source")},b.prototype.setData=function(a){var b,c;this.data=a;if(((b=this.data)!=null?b.all:void 0)==null||((c=this.data)!=null?c.owner:void 0)==null)this.data=null;this.scale=this.getScale(this.data)},b.prototype.getScale=function(a){var b,c,d,e,f;if(a==null)return;b=a.all[0],f=a.all;for(d=0,e=f.length;d<e;d++)c=f[d],c>b&&(b=c);return b>=this.barMaxHeight?(this.barMaxHeight-.1)/b:1},b.prototype.refresh=function(){$.ajax({url:this.getUrl(),dataType:"json",success:this.onSuccess})},b.prototype.onSuccess=function(a){this.setData(a),this.draw()},b.prototype.draw=function(){if(this.data==null)return;this.drawCommits(this.data.all,"#cacaca"),this.drawCommits(this.data.owner,"#336699")},b.prototype.drawCommits=function(a,b){var c,d,e,f,g,h,i,j,k;d=this.el.getContext("2d"),f=0;for(j=0,k=a.length;j<k;j++)c=a[j],g=this.barWidth,e=c*this.scale,h=f*(this.barWidth+1),i=this.barMaxHeight-e,this.canvas.fillStyle=b,this.canvas.fillRect(h,i,g,e),f++},b}(),$(document).pageUpdate(function(){return $(this).find(".participation-graph").each(function(){if($(this).is(":hidden"))return $(this).removeClass("disabled"),new GitHub.ParticipationGraph($(this).find("canvas")[0])})})}.call(this),$(function(){var a=$("table.upgrades");if(a.length==0)return!1;var b=a.find("tr.current"),c=$("#plan"),d=$("#credit_card_fields"),e=function(b){newPlan=b,a.find("tr.selected").removeClass("selected"),b.addClass("selected"),a.addClass("selected"),c.val(newPlan.attr("data-name")),newPlan.attr("data-cost")==0?d.hide():d.show()};a.find(".choose_plan").click(function(){return e($(this).closest("tr")),!1}),$(".selected .choose_plan").click()}),function(){$(function(){var a,b,c,d;b=$(".js-plaxify");if(b.length>0){for(c=0,d=b.length;c<d;c++)a=b[c],$(a).plaxify({xRange:$(a).data("xrange")||0,yRange:$(a).data("yrange")||0,invert:$(a).data("invert")||!1});return $.plax.enable()}})}.call(this),function(){function a(a){$(a||document).find("time.js-relative-date").each(function(){var a=$.parseISO8601($(this).attr("datetime"));a&&$(this).text($.distanceOfTimeInWords(a))})}$(document).pageUpdate(function(){a(this)}),$(function(){setInterval(a,6e4)})}(),$(function(){$(".plan").dblclick(function(){var a=$(this).find("a.classy");a.length>0&&(document.location=a.attr("href"))}),$("#signup_form").submit(function(){$("#signup_button").attr("disabled",!0).find("span").text("Creating your GitHub account...")}),$("dl.form.autocheck").each(function(){var a=$(this);a.find("input").blur(function(){var b=$(this);if(!$.trim(b.val()))return;if(!b.attr("check-url"))return;b.css("background-image",'url("/images/modules/ajax/indicator.gif")'),$.ajax({type:"POST",url:b.attr("check-url"),data:{value:b.val()},success:function(){b.next().is(".note")&&b.next().find("strong").text(b.val()),a.unErrorify(),b.css("background-image",'url("/images/modules/ajax/success.png")')},error:function(c){a.errorify(c.responseText),b.css("background-image",'url("/images/modules/ajax/error.png")')}})})})}),function(){$(function(){var a,b;if(b=$(".js-current-repository").attr("href"))return a={path:"/",expires:1},$.cookie("spy_repo",b.substr(1),a),$.cookie("spy_repo_at",new Date,a)})}.call(this),function(){var a;GitHub.Stats=function(){function a(a){this.namespace=a,this.stats=[],this.flushTimer=null}return a.prototype.increment=function(a,b){return b==null&&(b=1),this.namespace&&(a=""+this.namespace+"."+a),this.stats.push({metric:a,type:"increment",count:b}),this.queueFlush()},a.prototype.timing=function(a,b){if(b<0)return;return this.namespace&&(a=""+this.namespace+"."+a),this.stats.push({metric:a,type:"timing",ms:b}),this.queueFlush()},a.prototype.queueFlush=function(){var a=this;return this.flushTimer&&clearTimeout(this.flushTimer),this.flushTimer=setTimeout(function(){return a.flush()},2e3)},a.prototype.flush=function(){var a,b;a=$(document.body);if(this.stats.length&&a.hasClass("env-production")&&!a.hasClass("enterprise"))return b=this.stats,this.stats=[],$.ajax({url:"/_stats",type:"POST",data:JSON.stringify(b),contentType:"application/json; charset=utf-8",dataType:"json"})},a}(),a=GitHub.stats=new GitHub.Stats("github.browser"),typeof window!="undefined"&&window!==null&&(window.$stats=a);if(typeof $=="undefined"||$===null)return;window.performance||$(window).bind("unload",function(){window.name=JSON.stringify((new Date).getTime())}),$(function(){var b,c;if(window.performance)return b=window.performance.timing,b.navigationStart&&a.timing("performance.navigation",(new Date).getTime()-b.navigationStart),b.secureConnectionStart&&b.connectStart&&a.timing("performance.ssl",b.secureConnectionStart-b.connectStart),b.connectEnd&&b.connectStart&&(b.secureConnectionStart?a.timing("performance.tcp",b.connectEnd-b.secureConnectionStart):a.timing("performance.tcp",b.connectEnd-b.connectStart)),b.domainLookupStart!==b.domainLookupEnd&&a.timing("performance.dns",b.domainLookupEnd-b.domainLookupStart),b.requestStart&&b.responseStart&&b.responseEnd&&(a.timing("performance.request",b.responseStart-b.requestStart),a.timing("performance.response",b.responseEnd-b.responseStart)),$(window).bind("load",function(){b.domContentLoadedEventEnd&&b.domLoading&&a.timing("performance.DOMContentLoaded",b.domContentLoadedEventEnd-b.domLoading),b.domComplete&&b.domLoading&&a.timing("performance.load",b.domComplete-b.domLoading);if(b.domInteractive&&b.domLoading)return a.timing("performance.interactive",b.domInteractive-b.domLoading)});if(window.name&&window.name.match(/^\d+$/)){try{c=JSON.parse(window.name),a.timing("pageload",(new Date).getTime()-c)}catch(d){}return window.name=""}})}.call(this),function(){$(function(){var a;if($(".js-styleguide-ace")[0])return a=new GitHub.CodeEditor(".js-styleguide-ace"),$(".js-styleguide-themes").change(function(){return a.setTheme($(this).find(":selected").val())})})}.call(this),function(){var a,b=function(a,b){return function(){return a.apply(b,arguments)}};a=function(){function a(){this.onNavigationOpen=b(this.onNavigationOpen,this),this.onNavigationKeyDown=b(this.onNavigationKeyDown,this),this.onFocusOut=b(this.onFocusOut,this),this.onFocusIn=b(this.onFocusIn,this),this.onKeyUp=b(this.onKeyUp,this),$(document).on("keyup","textarea[data-suggester-list]",this.onKeyUp),$(document).on("focusin","textarea[data-suggester-list]",this.onFocusIn),$(document).on("focusout","textarea[data-suggester-list]",this.onFocusOut),$(document).on("navigation:keydown",".suggester [data-user]",this.onNavigationKeyDown),$(document).on("navigation:open",".suggester [data-user]",this.onNavigationOpen),this.focusedTextarea=null,this.focusedSuggester=null}return a.prototype.onKeyUp=function(a){var b,c,d;d=this.focusedTextarea,c=this.focusedSuggester;if(!this.focusedTextarea||!this.focusedSuggester)return;b=this.searchQuery(d);if(b!=null){if(b===this.query)return;return this.query=b,this.activate(d,c),this.search(c,this.query),!1}this.query=null,this.deactivate()},a.prototype.onFocusIn=function(a){return this.focusTimeout&&clearTimeout(this.focusTimeout),this.focusedTextarea=a.currentTarget,this.focusedSuggester=document.getElementById($(a.currentTarget).attr("data-suggester-list"))},a.prototype.onFocusOut=function(a){var b=this;return this.focusTimeout=setTimeout(function(){return b.deactivate(),b.focusedTextarea=b.focusedSuggester=null,b.focusTimeout=null},200)},a.prototype.onNavigationKeyDown=function(a){switch(a.hotkey){case"tab":return this.onNavigationOpen(a),!1;case"esc":return this.deactivate(),!1}},a.prototype.onNavigationOpen=function(a){var b,c,d,e;return e=$(a.target).attr("data-user"),d=this.focusedTextarea,c=d.value.substring(0,d.selectionEnd),b=d.value.substring(d.selectionEnd),c=c.replace(/@(\w*)$/,"@"+e+" "),d.value=c+b,this.deactivate(),d.focus(),d.selectionStart=c.length,d.selectionEnd=c.length,!1},a.prototype.activate=function(a,b){if($(b).is(".active"))return;if(!$(b).find("[data-user]")[0])return;return $(b).addClass("active"),$(b).css($(a).selectionEndPosition()),$(a).addClass("js-navigation-enable"),$(b).trigger("navigation:focus")},a.prototype.deactivate=function(a,b){a==null&&(a=this.focusedTextarea),b==null&&(b=this.focusedSuggester);if(!$(b).is(".active"))return;return $(b).removeClass("active"),$(a).removeClass("js-navigation-enable"),$(b).trigger("navigation:deactivate")},a.prototype.searchQuery=function(a){var b,c;c=a.value.substring(0,a.selectionEnd),b=c.match(/(^|\s)@(\w*)$/);if(b)return b[2]},a.prototype.search=function(a,b){var c,d;return d=$(a).find("ul"),c=d.children("li"),c.sort(function(a,c){var d,e;return d=a.textContent.score(b),e=c.textContent.score(b),d>e?-1:d<e?1:0}),d.append(c),c.hide().slice(0,5).show(),$(a).trigger("navigation:focus")},a}(),new a}.call(this),GitHub.Team=function(a){this.url=window.location.pathname,this.orgUrl=this.url.split(/\/(teams|invite)/)[0],a&&(this.url=this.orgUrl+"/teams/"+a)},GitHub.Team.prototype={name:function(){return $("#team-name").val()},newRecord:function(){return!/\/invite/.test(location.pathname)&&!/\d/.test(location.pathname)},addMember:function(a){return/\//.test(a)?this.addRepo(a):this.addUser(a)},repos:function(){return $.makeArray($(".repositories li:visible a span").map(function(){return $(this).text()}))},addRepo:function(a){debug("Adding repo %s",a);if(!a||$.inArray(a,this.repos())>-1)return!1;this.addRepoAjax(a);var b=$(".repositories").find("li:first").clone(),c=b.find("input[type=hidden]");return b.find("a").attr("href","/"+a).text(a),b.find(".remove-repository").attr("data-repo",a),GitHub.Autocomplete.visibilities[a]=="private"&&b.addClass("private"),c.length>0&&c.val(a).attr("disabled",!1),$(".repositories").append(b.show()),!0},addRepoAjax:function(a){if(this.newRecord())return;debug("Ajaxily adding %s",a),$.post(this.url+"/repo/"+a)},removeRepo:function(a){debug("Removing %s",a);if(!a||$.inArray(a,this.repos())==-1)return!1;var b=$(".repositories li:visible a").filter(function(){return $(this).find("span").text()==a}),c=function(){b.parents("li:first").remove()},d=function(){b.parent().find(".remove-repository").show().removeClass("remove").html('<img class="dingus" src="/images/modules/ajax/error.png">').end().find(".spinner").hide()};return this.newRecord()?c():(b.parent().find(".remove-repository").after('<img class="dingus spinner" src="/images/modules/ajax/indicator.gif"/>').hide(),this.removeRepoAjax(a,c,d)),!0},removeRepoAjax:function(a,b,c){if(this.newRecord())return;debug("Ajaxily removing %s",a),$.del(this.url+"/repo/"+a,{},{success:b,error:c})},users:function(){return $.makeArray($(".usernames li:visible").map(function(){return $(this).find("a:first").text()}))},addUser:function(a){debug("Adding %s",a);if(!a||$.inArray(a,this.users())>-1)return!1;this.addUserAjax(a);var b=$(".usernames").find("li:first").clone(),c=GitHub.Autocomplete.gravatars[a],d=b.find("input[type=hidden]");return c&&b.find("img").replaceWith(c),b.find("a").attr("href","/"+a).text(a),d.length>0&&d.val(a).attr("disabled",!1),$(".usernames").append(b.show()),!0},removeUser:function(a){debug("Removing %s",a);if(!a||$.inArray(a,this.users())==-1)return!1;var b=$(".usernames li:visible a:contains("+a+")"),c=function(){b.parents("li:first").remove()};return this.newRecord()?c():(b.parent().find(".remove-user").spin().remove(),$("#spinner").addClass("remove"),this.removeUserAjax(a,c)),!0},addUserAjax:function(a){if(this.newRecord())return;debug("Ajaxily adding %s",a),$.post(this.url+"/member/"+a)},removeUserAjax:function(a,b){if(this.newRecord())return;debug("Ajaxily removing %s",a),$.del(this.url+"/member/"+a,b)}},$(function(){if(!$(".js-team")[0])return;var a=new GitHub.Team($(".js-team").data("team")),b=function(){debug("Setting data.completed to %s",$(this).val()),$(this).data("completed",$(this).val())},c=new GitHub.Autocomplete;c.settings.selectFirst=!0,c.reposURL=a.orgUrl+"/autocomplete/repos",c.repos($(".add-repository-form input")).result(b),$(".remove-repository").live("click",function(){return a.removeRepo($(this).attr("data-repo")),!1}),$(".add-username-form input").userAutocomplete().result(b),$(".remove-user").live("click",function(){return a.removeUser($(this).prev().text()),!1}),$(".add-username-form button, .add-repository-form button").click(function(){var b=$(this).parent(),c=b.find(":text"),d=c.val();return debug("Trying to add %s...",d),!d||!c.data("completed")?!1:(c.val("").removeClass("ac-accept"),a.addMember(d),!1)}),$(".add-username-form :text, .add-repository-form :text").keydown(function(a){if(a.hotkey=="enter")return $(this).next("button").click(),!1;a.hotkey!="tab"&&(debug("Clearing data.completed (was %s)",$(this).data("completed")||"null"),$(this).data("completed",null))})}),$(function(){$(".remove-team").click(function(){if(!confirm("Are you POSITIVE you want to remove this team?"))return!1;var a=$(this).parents("li.team");return $.del(this.href,function(){a.remove()}),$(this).spin().remove(),!1})}),GitHub.Thunderhorse=function(a){if(!window.ace||!window.sharejs)return;location.hash||(location.hash=GitHub.Thunderhorse.generateSessionID());var b={host:"thunderhorse.herokuapp.com",secure:!0},c=location.pathname+location.hash;sharejs.open(c,"text",b,function(b,c){b.created&&b.submitOp({i:a.code(),p:0}),b.attach_ace(a.ace),a.ace.focus(),a.ace.renderer.scrollToRow(0),a.ace.moveCursorTo(0,0),GitHub.Thunderhorse.showHorse()})},GitHub.Thunderhorse.generateSessionID=function(){return Math.ceil(Math.random()*Math.pow(36,5)).toString(36)},GitHub.Thunderhorse.showHorse=function(){$("body").append('<img class="thunder-horse" src="https://img.skitch.com/20110810-njy5tnyabug5fn5j6sdcs9urk.png">'),$(".thunder-horse").css({position:"fixed",bottom:10,left:10})},$(function(){function d(a,b){arguments.length<2&&(b=location.href);if(arguments.length>0&&a!=""){if(a=="#")var c=new RegExp("[#]([^$]*)");else if(a=="?")var c=new RegExp("[?]([^#$]*)");else var c=new RegExp("[?&]"+a+"=([^&#]*)");var d=c.exec(b);return d==null?"":d[1]}b=b.split("?");var d={};return b.length>1&&(b=b[1].split("#"),b.length>1&&(d.hash=b[1]),$.each(b[0].split("&"),function(a,b){b=b.split("="),d[b[0]]=b[1]})),d}var a=$.cookie("tracker"),b=null;a==null&&(b=document.referrer?document.referrer:"direct");var c=d();c.utm_campaign&&$.trim(c.utm_campaign)!=""&&(b=c.utm_campaign),c.referral_code&&$.trim(c.referral_code)!=""&&(b=c.referral_code),b!=null&&$
9
+ .cookie("tracker",b,{expires:7,path:"/"})}),function(a){a.fn.commitishSelector=function(b){var c=a.extend({},a.fn.commitishSelector.defaults,b);return this.each(function(){var b=a(this),c=b.closest(".js-menu-container"),d=b.closest(".context-pane"),e=b.find(".selector-item"),f=b.find(".branch-commitish"),g=b.find(".tag-commitish"),h=b.find(".no-results"),i=b.find(".commitish-filter"),j="branches",k=null;b.find(".tabs a").click(function(){return b.find(".tabs a.selected").removeClass("selected"),a(this).addClass("selected"),j=a(this).attr("data-filter"),n(),!1}),i.keydown(function(a){switch(a.which){case 38:case 40:case 13:return!1}}),i.keyup(function(b){var c=e.filter(".current:visible");switch(b.which){case 38:return l(c.prevAll(".selector-item:visible:first")),!1;case 40:return c.length?l(c.nextAll(".selector-item:visible:first")):l(a(e.filter(":visible:first"))),!1;case 13:var d=c;if(d.length==0){var f=e.filter(":visible");f.length==1&&(d=a(f[0]))}return m(d),!1}k=a(this).val(),n()}),c.bind("menu:deactivate",function(){r(),i.val(""),i.trigger("keyup")}),c.bind("menu:activated",function(){setTimeout(function(){i.focus()},100)});var l=function(a){if(a.length==0)return;e.filter(".current").removeClass("current"),a.addClass("current")},m=function(a){if(a.length==0)return;document.location=a.find("a").attr("href")},n=function(){var b=null;j=="branches"?(g.hide(),b=f):(f.hide(),b=g);if(k!=""&&k!=null){var c=!0;b.each(function(){var b=a(this),d=b.find("h4").text().toLowerCase();d.score(k)>0?(b.show(),c=!1):b.hasClass("selected")||b.hide()}),c?h.show():h.hide()}else b.each(function(){a(this).show()}),b.length==0?h.show():h.hide()};n();var o=function(){d.find(".body").append('<div class="loader">Loading…</div>')},p=function(){d.find(".body .loader").remove()},q=function(a){a==null&&(a="Sorry, an error occured"),d.find(".body").append('<div class="error-message">'+a+"</div>")},r=function(){d.find(".body .error-message").remove()}})},a.fn.commitishSelector.defaults={}}(jQuery),$(document).pageUpdate(function(){var a=$(".repo-tree");if(!a[0])return;var b=a.attr("data-master-branch"),c=a.attr("data-ref");$(this).find("a.js-rewrite-sha").each(function(){var a=$(this).attr("href");if(!c){$(this).attr("rel","nofollow");return}var d=a.replace(/[0-9a-f]{40}/,c),e=new RegExp("/tree/"+b+"$");d=d.replace(e,""),d!=a&&$(this).attr("href",d)})}),GitHub.CachedCommitDataPoller=function(a,b){var c=$(b||document).find(".js-loading-commit-data");if(c.length==0)return;var d=$("#slider .frame-center"),e=d.data("path").replace(/\/$/,"");$.smartPoller(a||2e3,function(a){$.ajax({url:d.data("cached-commit-url"),dataType:"json",error:function(b){b.status==201?a():c.html('<img src="/images/modules/ajax/error.png"> Something went wrong.')},success:function(a,c,e){debug("success: %s",this.url);var f=d.data("cached-commit-url").replace(/\/cache\/.+/,"/commit/");for(var g in a){if($("#"+g).length==0)continue;var h=$("#"+g).parents("tr:first");h.find(".age").html('<time class="js-relative-date" datetime="'+$.toISO8601(new Date(a[g].date))+'">'+a[g].date+"</time>");var i;a[g].login?i='<a href="/'+a[g].login+'">'+a[g].login+"</a>":i=a[g].author,h.find(".message").html('<a href="'+f+a[g].commit+'" class="message">'+a[g].message+"</a>"+" ["+i+"]")}$(b||document.body).trigger("pageUpdate")}})})},$(document).pageUpdate(function(){$("#slider .frame-center #readme").length>0?$("#read_more").show():$("#read_more").hide()}),$(function(){$(".subnav-bar").delegate(".js-commitish-button","click",function(a){a.preventDefault()}),$.hotkey("w",function(){$(".js-commitish-button").click()}),$(".js-filterable-commitishes").commitishSelector(),$(".pagehead .subnav-bar")[0]&&$(".pagehead .subnav-bar a[data-name]").live("mousedown",function(){if(GitHub.actionName!="show")return;var a=$(this).attr("data-name");console.log("REF",a);var b="/"+GitHub.nameWithOwner+"/"+GitHub.controllerName+"/"+a;GitHub.currentPath!=""&&(b+="/"+GitHub.currentPath),b!=$(this).attr("href")&&$(this).attr("href",b)}),GitHub.CachedCommitDataPoller(),$("#colorpicker")[0]&&$("#colorpicker").farbtastic("#color")}),GitHub.TreeFinder=function(){if($("#slider").length==0)return;var a=this;$.hotkeys({t:function(){return a.show(),!1}})},GitHub.TreeFinder.prototype={fileList:null,recentFiles:[],currentFinder:null,currentInput:null,currentQuery:null,show:function(){if(this.currentFinder)return;var a=this,b;a.currentFinder=$(".tree-finder").clone().show(),a.currentInput=a.currentFinder.find("input"),a.currentQuery=null,slider.slideForwardToLoading(),b=a.currentFinder.find(".breadcrumb").detach().addClass("js-tree-finder-breadcrumb"),$("#slider .breadcrumb:visible").hide().after(b),$("#slider").bind("slid",function(){$("#slider .frame-center").is(":not(.tree-finder)")&&a.hide()}),a.attachBehaviors()},hide:function(){if(!this.currentFinder)return;var a=this;a.currentInput.blur(),a.currentFinder.remove(),$(".js-tree-finder-breadcrumb").remove(),a.currentFinder=a.currentInput=null,$("#slider").unbind("slid")},attachBehaviors:function(){var a=this,b=null,c=null;a.loadFileList(),$(".js-dismiss-tree-list-help").live("click",function(){return $.post(this.getAttribute("href")),$(this).closest(".octotip").fadeOut(function(){$(".tree-finder .octotip").remove()}),a.currentInput.focus(),!1}),a.currentFinder.find(".js-results-list").delegate("a","click",function(){var b=$(this).text(),c=$.inArray(b,a.recentFiles);c>-1&&a.recentFiles.splice(c,1),a.recentFiles.unshift(b),a.currentInput.blur(),$(document).unbind("keydown.treeFinder");if(slider.enabled)return!0;document.location=$(this).attr("href")}),$("tr td.icon",a.currentFinder).live("click",function(){$(this).parents("tr:first").find("td a").click()}),$(document).bind("keydown.treeFinder",function(a){if(a.keyCode==27)return!slider.sliding&&$("#slider .frame-center").is(".tree-finder")&&(slider.slideBackTo(location.pathname),$(document).unbind("keydown.treeFinder")),!1}),a.currentFinder.on("navigation:open","tr",function(){$(this).find("a").click()}),a.currentInput.focus().keyup(function(){b&&clearTimeout(b),b=setTimeout(function(){b=null},250)}).keydown(function(){c&&clearTimeout(c),c=setTimeout(function(){c=null,a.updateResults()},100)})},loadFileList:function(){var a=this,b=function(){a.loadedFileList()};a.fileList?b():$.ajax({url:$("#slider .frame-center").data("tree-list-url"),error:function(c){a.currentFinder&&(a.fileList=[],a.currentFinder.find(".js-no-results th").text("Something went wrong"),b())},success:function(c,d,e){c?a.fileList=$.trim(c).split("\n"):a.fileList=[],b()}})},loadedFileList:function(){var a=this;if(!a.currentFinder)return;$("#slider .frame-center").replaceWith(a.currentFinder),a.updateResults()},updateResults:function(){var a=this;if(a.currentFinder&&a.fileList){var b=a.currentInput.val(),c=[],d=a.currentFinder.find(".js-results-list"),e="",f=0;if(this.currentQuery==b)return;this.currentQuery=b,b?c=a.findMatchingFiles(b):a.recentFiles.length?(c=a.recentFiles.slice(1,6),c.length<20&&(c=c.concat(a.fileList.slice(0,20-c.length)))):c=a.fileList;if(c.length<=0)d[0].innerHTML="",a.currentFinder.find(".js-no-results").show(),a.currentFinder.find(".js-header").hide();else{a.currentFinder.find(".js-no-results").hide(),a.currentFinder.find(".js-header").show(),c=c.slice(0,50);var g,h=this.regexpForQuery(b),i=function(a,b){return b%2==1?"<b>"+a+"</b>":a};for(f=0;f<c.length;f++){g=(c[f].match(h)||[]).slice(1).map(i).join("");var j=$("#slider .frame-center").data("blob-url-prefix")+"/"+c[f];e+='<tr class="js-navigation-item"><td class="icon"><img src="/images/icons/txt.png"></td><td><a class="js-slide-to js-rewrite-sha" href="'+j+'">'+g+"</a></td></tr>"}d[0].innerHTML=e,$(d).trigger("pageUpdate"),$(d).trigger("navigation:focus")}}},findMatchingFiles:function(a){if(!a)return[];var b=this,c=[],d=0,e,f,g,h;a=a.toLowerCase(),e=this.regexpForQuery(a);for(d=0;d<b.fileList.length;d++){f=b.fileList[d],g=f.toLowerCase();if(f.match(/^vendor\/(cache|rails|gems)/))continue;if(f.match(/(dot_git|\.git\/)/))continue;g.match(e)&&(h=g.score(a),h>0&&(a.match("/")||(g.match("/")?h+=g.replace(/^.*\//,"").score(a):h*=2),c.push([h,f])))}return $.map(c.sort(function(a,b){return b[0]-a[0]}),function(a){return a[1]})},regexpForQuery:function(a){var b="+.*?[]{}()^$|\\".replace(/(.)/g,"\\$1"),c=new RegExp("\\((["+b+"])\\)","g");return new RegExp("(.*)"+a.toLowerCase().replace(/(.)/g,"($1)(.*?)").replace(c,"(\\$1)")+"$","i")}},$(function(){window.treeFinder=new GitHub.TreeFinder}),GitHub.TreeSlider=function(){if(!Modernizr.history)return;if($("#slider").length==0)return;if(navigator.userAgent.match(/(iPod|iPhone|iPad)/))return;var a=this;a.enabled=!0,$("#slider a.js-slide-to, .breadcrumb a").live("click",function(b){return a.clickHandler(b)}),$(window).bind("popstate",function(b){a.popStateHandler(b.originalEvent)})},GitHub.TreeSlider.prototype={enabled:!1,sliding:!1,slideSpeed:400,frameForPath:function(a){return $('.frame[data-path="'+a+'"]')},frameForURL:function(a){return this.frameForPath(this.pathFromURL(a))},pathFromURL:function(a){if(!a)return;var b=$(" .repo-tree").attr("data-ref"),c=new RegExp("/(tree|blob)/"+(b||"[^/]+")+"/"),d=a.split(c)[2]||"/";return d.slice(d.length-1,d.length)!="/"&&(d+="/"),unescape(d)},scrollToBreadcrumb:function(){this.visibleInBrowser(".breadcrumb:visible")||$(".breadcrumb:visible").scrollTo(50)},visibleInBrowser:function(a){var b=$(window).scrollTop(),c=b+$(window).height(),d=$(a).offset().top,e=d+$(a).height();return e>=b&&d<=c},clickHandler:function(a){if(a.which==2||a.metaKey||a.ctrlKey)return!0;if(this.sliding)return!1;var b=a.target.href,c=this.pathFromURL(b);return window.history.pushState({path:c},"",b),typeof _gaq!="undefined"&&_gaq.push(["_trackPageview"]),this.slideTo(b),!1},popStateHandler:function(a){this.slideTo(location.pathname)},doneSliding:function(){$("#slider").trigger("pageUpdate");if(!this.sliding)return;this.sliding=!1,$("#slider .frame-center").nextAll(".frame").hide(),$("#slider .frame-center").prevAll(".frame").css("visibility","hidden");var a=$(".frame-loading:visible");a.length?a.removeClass("frame-loading"):$("#slider").trigger("slid")},slideTo:function(a){var b=this.pathFromURL(a),c=this.frameForPath(b),d=$("#slider .frame-center").attr("data-path")||"";c.is(".frame-center")||(d=="/"||b.split("/").length>d.split("/").length?this.slideForwardTo(a):this.slideBackTo(a))},slideForwardTo:function(a){debug("Sliding forward to %s",a);var b=this.frameForURL(a);if(b.length)this.slideForwardToFrame(b);else{var c=this.slideForwardToLoading();this.loadFrame(a,function(a){c.replaceWith($(a).find(".frame-center"))})}},slideForwardToFrame:function(a){if(this.sliding)return;this.sliding=!0;var b=this;$("#slider .frame-center").after(a.css("marginLeft",0)).addClass("frame").removeClass("frame-center").animate({marginLeft:"-1200px"},this.slideSpeed,function(){b.doneSliding()}),this.makeCenterFrame(a),this.setFrameTitle(a),this.setFrameCanonicalURL(a)},slideForwardToLoading:function(){var a=$(".frame-loading").clone();return a.find("img").hide(),setTimeout(function(){a.find("img").show()},500),$(".frames").append(a),this.slideForwardToFrame(a),a},slideBackTo:function(a){debug("Sliding back to %s",a);var b=this.frameForURL(a);if(b.length)this.slideBackToFrame(b);else{var c=this.slideBackToLoading(),d=this.pathFromURL(a);this.loadFrame(a,function(a){var b=$(a).find(".frame-center");c.replaceWith(b)})}},slideBackToFrame:function(a){if(this.sliding)return;this.sliding=!0,$("#slider .frame-center").before(a.css("marginLeft","-1200px")).addClass("frame").removeClass("frame-center");var b=this;a.animate({marginLeft:"0"},this.slideSpeed,function(){b.doneSliding()}),this.makeCenterFrame(a),this.setFrameTitle(a),this.setFrameCanonicalURL(a)},slideBackToLoading:function(){var a=$(".frame-loading").clone();return a.find("img").hide(),setTimeout(function(){a.find("img").show()},350),$(".frames").prepend(a.show()),slider.slideBackToFrame(a),a},makeCenterFrame:function(a){a.css("visibility","visible").show().addClass("frame-center"),this.scrollToBreadcrumb();var b=$('.breadcrumb[data-path="'+a.attr("data-path")+'"]');b.length>0&&($(".breadcrumb:visible").hide(),b.show());var c=$('.announce[data-path="'+a.attr("data-path")+'"]');$(".announce").fadeOut(),c.length>0&&c.fadeIn();var d=$(".js-ufo[data-path="+a.attr("data-path")+"]");$(".js-ufo").fadeOut(),d.length>0&&d.fadeIn()},setFrameTitle:function(a){var b=a.attr("data-title");b&&(document.title=b)},setFrameCanonicalURL:function(a){var b=a.attr("data-permalink-url");b&&$("link[rel=permalink]").attr("href",b)},loadFrame:function(a,b){debug("Loading "+a+"?slide=1");var c=this;$.ajax({url:a+"?slide=1",cache:!1,success:function(d){b.call(this,d),$("#slider").trigger("slid"),$("#slider .breadcrumb").hide().last().after($(d).find(".breadcrumb")),$("#slider .breadcrumb").trigger("pageUpdate");var e=c.frameForURL(a);e.trigger("pageUpdate"),GitHub.CachedCommitDataPoller(50,e),GitHub.Blob.show(),c.setFrameTitle(e),c.setFrameCanonicalURL(e)},error:function(){$("#slider .frame-center").html("<h3>Something went wrong.</h3>")},complete:function(){c.sliding=!1}})}},$(function(){window.slider=new GitHub.TreeSlider}),$.fn.ufo=function(){if(this.length){var a=this.find("canvas").get(0),b=JSON.parse(this.find("div").text());GitHub.UFO.drawFont(a,b)}return this},GitHub.UFO={drawFont:function(a,b){var c=a.getContext("2d");for(var d=0;d<b.length;d++){c.save();var e=d%9*100,f=Math.floor(d/9)*100;c.translate(e+10,f+80),c.scale(.1,-0.1);var g=new GitHub.UFO.Glif(c,b[d]);g.draw(),c.restore()}}},GitHub.UFO.Glif=function(a,b){this.ctx=a,this.contours=b},GitHub.UFO.Glif.prototype={draw:function(){this.ctx.beginPath();for(var a=0;a<this.contours.length;a++)this.drawContour(this.contours[a]);this.ctx.fillStyle="black",this.ctx.fill()},drawContour:function(a){for(var b=0;b<a.length;b++)b==0?this.moveVertex(a[b]):this.drawVertex(a[b]);this.drawVertex(a[0])},moveVertex:function(a){this.ctx.moveTo(a[0],a[1])},drawVertex:function(a){a.length==2?this.ctx.lineTo(a[0],a[1]):a.length==4?this.ctx.quadraticCurveTo(a[2],a[3],a[0],a[1]):a.length==6&&this.ctx.bezierCurveTo(a[2],a[3],a[4],a[5],a[0],a[1])}},$(document).ready(function(){$(".glif_diff").each(function(el){var sha=$(this).attr("rel"),ctx=this.getContext("2d"),data=eval("glif_"+sha),glif=new GitHub.UFO.Glif(ctx,data);ctx.translate(0,240),ctx.scale(.333,-0.333),glif.draw()})}),Modernizr.canvas&&$(document).pageUpdate(function(){$(this).find(".js-ufo").ufo()}),$(function(){$(".js-repo-filter").repoList(),$("#inline_visible_repos").click(function(){var a=$(this).spin(),b=window.location+"/ajax_public_repos";return $(".projects").load(b,function(){a.stopSpin(),$(".repositories").trigger("pageUpdate")}),a.hide(),!1}),$("#edit_user .info .rename").click(function(){return $("#edit_user .username").toggle(),$("#user_rename").toggle(),!1}),$("#user_rename > input[type=submit]").click(function(){if(!confirm(GitHub.rename_confirmation()))return!1}),$("#facebox .rename-warning button").live("click",function(){return $("#facebox .rename-warning, #facebox .rename-form").toggle(),!1}),$("#reveal_cancel_info").click(function(){return $(this).toggle(),$("#cancel_info").toggle(),!1}),$("#cancel_plan").submit(function(){var a="Are you POSITIVE you want to delete this account? There is absolutely NO going back. All repositories, comments, wiki pages - everything will be gone. Please consider downgrading the account's plan.";return confirm(a)}),window.location.href.match(/account\/upgrade$/)&&$("#change_plan_toggle").click()}),$(function(){function b(){var c=$("#current-version").val();c&&$.get("_current",function(d){c==d?setTimeout(b,5e3):a||($("#gollum-error-message").text("Someone has edited the wiki since you started. Please reload this page and re-apply your changes."),$("#gollum-error-message").show(),$("#gollum-editor-submit").attr("disabled","disabled"),$("#gollum-editor-submit").attr("value","Cannot Save, Someone Else Has Edited"))})}$("#see-more-elsewhere").click(function(){return $(".seen-elsewhere").show(),$(this).remove(),!1});var a=!1;$("#gollum-editor-body").each(b),$("#gollum-editor-submit").click(function(){a=!0});var c=[];$("form#history input[type=submit]").attr("disabled",!0),$("form#history input[type=checkbox]").change(function(){var a=$(this).val(),b=$.inArray(a,c);if(b>-1)c.splice(b,1);else{c.push(a);if(c.length>2){var d=c.shift();$("input[value="+d+"]").attr("checked",!1)}}$("form#history tr.commit").removeClass("selected"),$("form#history input[type=submit]").attr("disabled",!0);if(c.length==2){$("form#history input[type=submit]").attr("disabled",!1);var e=!1;$("form#history tr.commit").each(function(){e&&$(this).addClass("selected"),$(this).find("input:checked").length>0&&(e=!e),e&&$(this).addClass("selected")})}})})
@@ -0,0 +1,18 @@
1
+ /*!
2
+ * jQuery JavaScript Library v1.7.1
3
+ * http://jquery.com/
4
+ *
5
+ * Copyright 2011, John Resig
6
+ * Dual licensed under the MIT or GPL Version 2 licenses.
7
+ * http://jquery.org/license
8
+ *
9
+ * Includes Sizzle.js
10
+ * http://sizzlejs.com/
11
+ * Copyright 2011, The Dojo Foundation
12
+ * Released under the MIT, BSD, and GPL Licenses.
13
+ *
14
+ * Date: Mon Nov 21 21:11:03 2011 -0500
15
+ */
16
+ (function(a,b){function h(a){var b=g[a]={},c,d;a=a.split(/\s+/);for(c=0,d=a.length;c<d;c++)b[a[c]]=!0;return b}function l(a,c,d){if(d===b&&a.nodeType===1){var e="data-"+c.replace(k,"-$1").toLowerCase();d=a.getAttribute(e);if(typeof d=="string"){try{d=d==="true"?!0:d==="false"?!1:d==="null"?null:f.isNumeric(d)?parseFloat(d):j.test(d)?f.parseJSON(d):d}catch(g){}f.data(a,c,d)}else d=b}return d}function m(a){for(var b in a){if(b==="data"&&f.isEmptyObject(a[b]))continue;if(b!=="toJSON")return!1}return!0}function n(a,b,c){var d=b+"defer",e=b+"queue",g=b+"mark",h=f._data(a,d);h&&(c==="queue"||!f._data(a,e))&&(c==="mark"||!f._data(a,g))&&setTimeout(function(){!f._data(a,e)&&!f._data(a,g)&&(f.removeData(a,d,!0),h.fire())},0)}function J(){return!1}function K(){return!0}function S(a){return!a||!a.parentNode||a.parentNode.nodeType===11}function T(a,b,c){b=b||0;if(f.isFunction(b))return f.grep(a,function(a,d){var e=!!b.call(a,d,a);return e===c});if(b.nodeType)return f.grep(a,function(a,d){return a===b===c});if(typeof b=="string"){var d=f.grep(a,function(a){return a.nodeType===1});if(O.test(b))return f.filter(b,d,!c);b=f.filter(b,d)}return f.grep(a,function(a,d){return f.inArray(a,b)>=0===c})}function U(a){var b=V.split("|"),c=a.createDocumentFragment();if(c.createElement)while(b.length)c.createElement(b.pop());return c}function bi(a,b){return f.nodeName(a,"table")?a.getElementsByTagName("tbody")[0]||a.appendChild(a.ownerDocument.createElement("tbody")):a}function bj(a,b){if(b.nodeType!==1||!f.hasData(a))return;var c,d,e,g=f._data(a),h=f._data(b,g),i=g.events;if(i){delete h.handle,h.events={};for(c in i)for(d=0,e=i[c].length;d<e;d++)f.event.add(b,c+(i[c][d].namespace?".":"")+i[c][d].namespace,i[c][d],i[c][d].data)}h.data&&(h.data=f.extend({},h.data))}function bk(a,b){var c;if(b.nodeType!==1)return;b.clearAttributes&&b.clearAttributes(),b.mergeAttributes&&b.mergeAttributes(a),c=b.nodeName.toLowerCase();if(c==="object")b.outerHTML=a.outerHTML;else if(c!=="input"||a.type!=="checkbox"&&a.type!=="radio"){if(c==="option")b.selected=a.defaultSelected;else if(c==="input"||c==="textarea")b.defaultValue=a.defaultValue}else a.checked&&(b.defaultChecked=b.checked=a.checked),b.value!==a.value&&(b.value=a.value);b.removeAttribute(f.expando)}function bl(a){return typeof a.getElementsByTagName!="undefined"?a.getElementsByTagName("*"):typeof a.querySelectorAll!="undefined"?a.querySelectorAll("*"):[]}function bm(a){if(a.type==="checkbox"||a.type==="radio")a.defaultChecked=a.checked}function bn(a){var b=(a.nodeName||"").toLowerCase();b==="input"?bm(a):b!=="script"&&typeof a.getElementsByTagName!="undefined"&&f.grep(a.getElementsByTagName("input"),bm)}function bo(a){var b=c.createElement("div");return bh.appendChild(b),b.innerHTML=a.outerHTML,b.firstChild}function bp(a,b){b.src?f.ajax({url:b.src,async:!1,dataType:"script"}):f.globalEval((b.text||b.textContent||b.innerHTML||"").replace(bf,"/*$0*/")),b.parentNode&&b.parentNode.removeChild(b)}function bC(a,b,c){var d=b==="width"?a.offsetWidth:a.offsetHeight,e=b==="width"?bx:by,g=0,h=e.length;if(d>0){if(c!=="border")for(;g<h;g++)c||(d-=parseFloat(f.css(a,"padding"+e[g]))||0),c==="margin"?d+=parseFloat(f.css(a,c+e[g]))||0:d-=parseFloat(f.css(a,"border"+e[g]+"Width"))||0;return d+"px"}d=bz(a,b,b);if(d<0||d==null)d=a.style[b]||0;d=parseFloat(d)||0;if(c)for(;g<h;g++)d+=parseFloat(f.css(a,"padding"+e[g]))||0,c!=="padding"&&(d+=parseFloat(f.css(a,"border"+e[g]+"Width"))||0),c==="margin"&&(d+=parseFloat(f.css(a,c+e[g]))||0);return d+"px"}function bZ(a){return function(b,c){typeof b!="string"&&(c=b,b="*");if(f.isFunction(c)){var d=b.toLowerCase().split(bP),e=0,g=d.length,h,i,j;for(;e<g;e++)h=d[e],j=/^\+/.test(h),j&&(h=h.substr(1)||"*"),i=a[h]=a[h]||[],i[j?"unshift":"push"](c)}}}function b$(a,c,d,e,f,g){f=f||c.dataTypes[0],g=g||{},g[f]=!0;var h=a[f],i=0,j=h?h.length:0,k=a===bT,l;for(;i<j&&(k||!l);i++)l=h[i](c,d,e),typeof l=="string"&&(!k||g[l]?l=b:(c.dataTypes.unshift(l),l=b$(a,c,d,e,l,g)));return(k||!l)&&!g["*"]&&(l=b$(a,c,d,e,"*",g)),l}function b_(a,c){var d,e,g=f.ajaxSettings.flatOptions||{};for(d in c)c[d]!==b&&((g[d]?a:e||(e={}))[d]=c[d]);e&&f.extend(!0,a,e)}function ca(a,b,c,d){if(f.isArray(b))f.each(b,function(b,e){c||bE.test(a)?d(a,e):ca(a+"["+(typeof e=="object"||f.isArray(e)?b:"")+"]",e,c,d)});else if(!c&&b!=null&&typeof b=="object")for(var e in b)ca(a+"["+e+"]",b[e],c,d);else d(a,b)}function cb(a,c,d){var e=a.contents,f=a.dataTypes,g=a.responseFields,h,i,j,k;for(i in g)i in d&&(c[g[i]]=d[i]);while(f[0]==="*")f.shift(),h===b&&(h=a.mimeType||c.getResponseHeader("content-type"));if(h)for(i in e)if(e[i]&&e[i].test(h)){f.unshift(i);break}if(f[0]in d)j=f[0];else{for(i in d){if(!f[0]||a.converters[i+" "+f[0]]){j=i;break}k||(k=i)}j=j||k}if(j)return j!==f[0]&&f.unshift(j),d[j]}function cc(a,c){a.dataFilter&&(c=a.dataFilter(c,a.dataType));var d=a.dataTypes,e={},g,h,i=d.length,j,k=d[0],l,m,n,o,p;for(g=1;g<i;g++){if(g===1)for(h in a.converters)typeof h=="string"&&(e[h.toLowerCase()]=a.converters[h]);l=k,k=d[g];if(k==="*")k=l;else if(l!=="*"&&l!==k){m=l+" "+k,n=e[m]||e["* "+k];if(!n){p=b;for(o in e){j=o.split(" ");if(j[0]===l||j[0]==="*"){p=e[j[1]+" "+k];if(p){o=e[o],o===!0?n=p:p===!0&&(n=o);break}}}}!n&&!p&&f.error("No conversion from "+m.replace(" "," to ")),n!==!0&&(c=n?n(c):p(o(c)))}}return c}function ci(){try{return new a.XMLHttpRequest}catch(b){}}function cj(){try{return new a.ActiveXObject("Microsoft.XMLHTTP")}catch(b){}}function cs(){return setTimeout(ct,0),cr=f.now()}function ct(){cr=b}function cu(a,b){var c={};return f.each(cq.concat.apply([],cq.slice(0,b)),function(){c[this]=a}),c}function cv(a){if(!ck[a]){var b=c.body,d=f("<"+a+">").appendTo(b),e=d.css("display");d.remove();if(e==="none"||e===""){cl||(cl=c.createElement("iframe"),cl.frameBorder=cl.width=cl.height=0),b.appendChild(cl);if(!cm||!cl.createElement)cm=(cl.contentWindow||cl.contentDocument).document,cm.write((c.compatMode==="CSS1Compat"?"<!doctype html>":"")+"<html><body>"),cm.close();d=cm.createElement(a),cm.body.appendChild(d),e=f.css(d,"display"),b.removeChild(cl)}ck[a]=e}return ck[a]}function cy(a){return f.isWindow(a)?a:a.nodeType===9?a.defaultView||a.parentWindow:!1}var c=a.document,d=a.navigator,e=a.location,f=function(){function J(){if(e.isReady)return;try{c.documentElement.doScroll("left")}catch(a){setTimeout(J,1);return}e.ready()}var e=function(a,b){return new e.fn.init(a,b,h)},f=a.jQuery,g=a.$,h,i=/^(?:[^#<]*(<[\w\W]+>)[^>]*$|#([\w\-]*)$)/,j=/\S/,k=/^\s+/,l=/\s+$/,m=/^<(\w+)\s*\/?>(?:<\/\1>)?$/,n=/^[\],:{}\s]*$/,o=/\\(?:["\\\/bfnrt]|u[0-9a-fA-F]{4})/g,p=/"[^"\\\n\r]*"|true|false|null|-?\d+(?:\.\d*)?(?:[eE][+\-]?\d+)?/g,q=/(?:^|:|,)(?:\s*\[)+/g,r=/(webkit)[ \/]([\w.]+)/,s=/(opera)(?:.*version)?[ \/]([\w.]+)/,t=/(msie) ([\w.]+)/,u=/(mozilla)(?:.*? rv:([\w.]+))?/,v=/-([a-z]|[0-9])/ig,w=/^-ms-/,x=function(a,b){return(b+"").toUpperCase()},y=d.userAgent,z,A,B,C=Object.prototype.toString,D=Object.prototype.hasOwnProperty,E=Array.prototype.push,F=Array.prototype.slice,G=String.prototype.trim,H=Array.prototype.indexOf,I={};return e.fn=e.prototype={constructor:e,init:function(a,d,f){var g,h,j,k;if(!a)return this;if(a.nodeType)return this.context=this[0]=a,this.length=1,this;if(a==="body"&&!d&&c.body)return this.context=c,this[0]=c.body,this.selector=a,this.length=1,this;if(typeof a=="string"){a.charAt(0)==="<"&&a.charAt(a.length-1)===">"&&a.length>=3?g=[null,a,null]:g=i.exec(a);if(g&&(g[1]||!d)){if(g[1])return d=d instanceof e?d[0]:d,k=d?d.ownerDocument||d:c,j=m.exec(a),j?e.isPlainObject(d)?(a=[c.createElement(j[1])],e.fn.attr.call(a,d,!0)):a=[k.createElement(j[1])]:(j=e.buildFragment([g[1]],[k]),a=(j.cacheable?e.clone(j.fragment):j.fragment).childNodes),e.merge(this,a);h=c.getElementById(g[2]);if(h&&h.parentNode){if(h.id!==g[2])return f.find(a);this.length=1,this[0]=h}return this.context=c,this.selector=a,this}return!d||d.jquery?(d||f).find(a):this.constructor(d).find(a)}return e.isFunction(a)?f.ready(a):(a.selector!==b&&(this.selector=a.selector,this.context=a.context),e.makeArray(a,this))},selector:"",jquery:"1.7.1",length:0,size:function(){return this.length},toArray:function(){return F.call(this,0)},get:function(a){return a==null?this.toArray():a<0?this[this.length+a]:this[a]},pushStack:function(a,b,c){var d=this.constructor();return e.isArray(a)?E.apply(d,a):e.merge(d,a),d.prevObject=this,d.context=this.context,b==="find"?d.selector=this.selector+(this.selector?" ":"")+c:b&&(d.selector=this.selector+"."+b+"("+c+")"),d},each:function(a,b){return e.each(this,a,b)},ready:function(a){return e.bindReady(),A.add(a),this},eq:function(a){return a=+a,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(F.apply(this,arguments),"slice",F.call(arguments).join(","))},map:function(a){return this.pushStack(e.map(this,function(b,c){return a.call(b,c,b)}))},end:function(){return this.prevObject||this.constructor(null)},push:E,sort:[].sort,splice:[].splice},e.fn.init.prototype=e.fn,e.extend=e.fn.extend=function(){var a,c,d,f,g,h,i=arguments[0]||{},j=1,k=arguments.length,l=!1;typeof i=="boolean"&&(l=i,i=arguments[1]||{},j=2),typeof i!="object"&&!e.isFunction(i)&&(i={}),k===j&&(i=this,--j);for(;j<k;j++)if((a=arguments[j])!=null)for(c in a){d=i[c],f=a[c];if(i===f)continue;l&&f&&(e.isPlainObject(f)||(g=e.isArray(f)))?(g?(g=!1,h=d&&e.isArray(d)?d:[]):h=d&&e.isPlainObject(d)?d:{},i[c]=e.extend(l,h,f)):f!==b&&(i[c]=f)}return i},e.extend({noConflict:function(b){return a.$===e&&(a.$=g),b&&a.jQuery===e&&(a.jQuery=f),e},isReady:!1,readyWait:1,holdReady:function(a){a?e.readyWait++:e.ready(!0)},ready:function(a){if(a===!0&&!--e.readyWait||a!==!0&&!e.isReady){if(!c.body)return setTimeout(e.ready,1);e.isReady=!0;if(a!==!0&&--e.readyWait>0)return;A.fireWith(c,[e]),e.fn.trigger&&e(c).trigger("ready").off("ready")}},bindReady:function(){if(A)return;A=e.Callbacks("once memory");if(c.readyState==="complete")return setTimeout(e.ready,1);if(c.addEventListener)c.addEventListener("DOMContentLoaded",B,!1),a.addEventListener("load",e.ready,!1);else if(c.attachEvent){c.attachEvent("onreadystatechange",B),a.attachEvent("onload",e.ready);var b=!1;try{b=a.frameElement==null}catch(d){}c.documentElement.doScroll&&b&&J()}},isFunction:function(a){return e.type(a)==="function"},isArray:Array.isArray||function(a){return e.type(a)==="array"},isWindow:function(a){return a&&typeof a=="object"&&"setInterval"in a},isNumeric:function(a){return!isNaN(parseFloat(a))&&isFinite(a)},type:function(a){return a==null?String(a):I[C.call(a)]||"object"},isPlainObject:function(a){if(!a||e.type(a)!=="object"||a.nodeType||e.isWindow(a))return!1;try{if(a.constructor&&!D.call(a,"constructor")&&!D.call(a.constructor.prototype,"isPrototypeOf"))return!1}catch(c){return!1}var d;for(d in a);return d===b||D.call(a,d)},isEmptyObject:function(a){for(var b in a)return!1;return!0},error:function(a){throw new Error(a)},parseJSON:function(b){if(typeof b!="string"||!b)return null;b=e.trim(b);if(a.JSON&&a.JSON.parse)return a.JSON.parse(b);if(n.test(b.replace(o,"@").replace(p,"]").replace(q,"")))return(new Function("return "+b))();e.error("Invalid JSON: "+b)},parseXML:function(c){var d,f;try{a.DOMParser?(f=new DOMParser,d=f.parseFromString(c,"text/xml")):(d=new ActiveXObject("Microsoft.XMLDOM"),d.async="false",d.loadXML(c))}catch(g){d=b}return(!d||!d.documentElement||d.getElementsByTagName("parsererror").length)&&e.error("Invalid XML: "+c),d},noop:function(){},globalEval:function(b){b&&j.test(b)&&(a.execScript||function(b){a.eval.call(a,b)})(b)},camelCase:function(a){return a.replace(w,"ms-").replace(v,x)},nodeName:function(a,b){return a.nodeName&&a.nodeName.toUpperCase()===b.toUpperCase()},each:function(a,c,d){var f,g=0,h=a.length,i=h===b||e.isFunction(a);if(d){if(i){for(f in a)if(c.apply(a[f],d)===!1)break}else for(;g<h;)if(c.apply(a[g++],d)===!1)break}else if(i){for(f in a)if(c.call(a[f],f,a[f])===!1)break}else for(;g<h;)if(c.call(a[g],g,a[g++])===!1)break;return a},trim:G?function(a){return a==null?"":G.call(a)}:function(a){return a==null?"":a.toString().replace(k,"").replace(l,"")},makeArray:function(a,b){var c=b||[];if(a!=null){var d=e.type(a);a.length==null||d==="string"||d==="function"||d==="regexp"||e.isWindow(a)?E.call(c,a):e.merge(c,a)}return c},inArray:function(a,b,c){var d;if(b){if(H)return H.call(b,a,c);d=b.length,c=c?c<0?Math.max(0,d+c):c:0;for(;c<d;c++)if(c in b&&b[c]===a)return c}return-1},merge:function(a,c){var d=a.length,e=0;if(typeof c.length=="number")for(var f=c.length;e<f;e++)a[d++]=c[e];else while(c[e]!==b)a[d++]=c[e++];return a.length=d,a},grep:function(a,b,c){var d=[],e;c=!!c;for(var f=0,g=a.length;f<g;f++)e=!!b(a[f],f),c!==e&&d.push(a[f]);return d},map:function(a,c,d){var f,g,h=[],i=0,j=a.length,k=a instanceof e||j!==b&&typeof j=="number"&&(j>0&&a[0]&&a[j-1]||j===0||e.isArray(a));if(k)for(;i<j;i++)f=c(a[i],i,d),f!=null&&(h[h.length]=f);else for(g in a)f=c(a[g],g,d),f!=null&&(h[h.length]=f);return h.concat.apply([],h)},guid:1,proxy:function(a,c){if(typeof c=="string"){var d=a[c];c=a,a=d}if(!e.isFunction(a))return b;var f=F.call(arguments,2),g=function(){return a.apply(c,f.concat(F.call(arguments)))};return g.guid=a.guid=a.guid||g.guid||e.guid++,g},access:function(a,c,d,f,g,h){var i=a.length;if(typeof c=="object"){for(var j in c)e.access(a,j,c[j],f,g,d);return a}if(d!==b){f=!h&&f&&e.isFunction(d);for(var k=0;k<i;k++)g(a[k],c,f?d.call(a[k],k,g(a[k],c)):d,h);return a}return i?g(a[0],c):b},now:function(){return(new Date).getTime()},uaMatch:function(a){a=a.toLowerCase();var b=r.exec(a)||s.exec(a)||t.exec(a)||a.indexOf("compatible")<0&&u.exec(a)||[];return{browser:b[1]||"",version:b[2]||"0"}},sub:function(){function a(b,c){return new a.fn.init(b,c)}e.extend(!0,a,this),a.superclass=this,a.fn=a.prototype=this(),a.fn.constructor=a,a.sub=this.sub,a.fn.init=function d(c,d){return d&&d instanceof e&&!(d instanceof a)&&(d=a(d)),e.fn.init.call(this,c,d,b)},a.fn.init.prototype=a.fn;var b=a(c);return a},browser:{}}),e.each("Boolean Number String Function Array Date RegExp Object".split(" "),function(a,b){I["[object "+b+"]"]=b.toLowerCase()}),z=e.uaMatch(y),z.browser&&(e.browser[z.browser]=!0,e.browser.version=z.version),e.browser.webkit&&(e.browser.safari=!0),j.test(" ")&&(k=/^[\s\xA0]+/,l=/[\s\xA0]+$/),h=e(c),c.addEventListener?B=function(){c.removeEventListener("DOMContentLoaded",B,!1),e.ready()}:c.attachEvent&&(B=function(){c.readyState==="complete"&&(c.detachEvent("onreadystatechange",B),e.ready())}),e}(),g={};f.Callbacks=function(a){a=a?g[a]||h(a):{};var c=[],d=[],e,i,j,k,l,m=function(b){var d,e,g,h,i;for(d=0,e=b.length;d<e;d++)g=b[d],h=f.type(g),h==="array"?m(g):h==="function"&&(!a.unique||!o.has(g))&&c.push(g)},n=function(b,f){f=f||[],e=!a.memory||[b,f],i=!0,l=j||0,j=0,k=c.length;for(;c&&l<k;l++)if(c[l].apply(b,f)===!1&&a.stopOnFalse){e=!0;break}i=!1,c&&(a.once?e===!0?o.disable():c=[]:d&&d.length&&(e=d.shift(),o.fireWith(e[0],e[1])))},o={add:function(){if(c){var a=c.length;m(arguments),i?k=c.length:e&&e!==!0&&(j=a,n(e[0],e[1]))}return this},remove:function(){if(c){var b=arguments,d=0,e=b.length;for(;d<e;d++)for(var f=0;f<c.length;f++)if(b[d]===c[f]){i&&f<=k&&(k--,f<=l&&l--),c.splice(f--,1);if(a.unique)break}}return this},has:function(a){if(c){var b=0,d=c.length;for(;b<d;b++)if(a===c[b])return!0}return!1},empty:function(){return c=[],this},disable:function(){return c=d=e=b,this},disabled:function(){return!c},lock:function(){return d=b,(!e||e===!0)&&o.disable(),this},locked:function(){return!d},fireWith:function(b,c){return d&&(i?a.once||d.push([b,c]):(!a.once||!e)&&n(b,c)),this},fire:function(){return o.fireWith(this,arguments),this},fired:function(){return!!e}};return o};var i=[].slice;f.extend({Deferred:function(a){var b=f.Callbacks("once memory"),c=f.Callbacks("once memory"),d=f.Callbacks("memory"),e="pending",g={resolve:b,reject:c,notify:d},h={done:b.add,fail:c.add,progress:d.add,state:function(){return e},isResolved:b.fired,isRejected:c.fired,then:function(a,b,c){return i.done(a).fail(b).progress(c),this},always:function(){return i.done.apply(i,arguments).fail.apply(i,arguments),this},pipe:function(a,b,c){return f.Deferred(function(d){f.each({done:[a,"resolve"],fail:[b,"reject"],progress:[c,"notify"]},function(a,b){var c=b[0],e=b[1],g;f.isFunction(c)?i[a](function(){g=c.apply(this,arguments),g&&f.isFunction(g.promise)?g.promise().then(d.resolve,d.reject,d.notify):d[e+"With"](this===i?d:this,[g])}):i[a](d[e])})}).promise()},promise:function(a){if(a==null)a=h;else for(var b in h)a[b]=h[b];return a}},i=h.promise({}),j;for(j in g)i[j]=g[j].fire,i[j+"With"]=g[j].fireWith;return i.done(function(){e="resolved"},c.disable,d.lock).fail(function(){e="rejected"},b.disable,d.lock),a&&a.call(i,i),i},when:function(a){function l(a){return function(c){b[a]=arguments.length>1?i.call(arguments,0):c,--g||j.resolveWith(j,b)}}function m(a){return function(b){e[a]=arguments.length>1?i.call(arguments,0):b,j.notifyWith(k,e)}}var b=i.call(arguments,0),c=0,d=b.length,e=new Array(d),g=d,h=d,j=d<=1&&a&&f.isFunction(a.promise)?a:f.Deferred(),k=j.promise();if(d>1){for(;c<d;c++)b[c]&&b[c].promise&&f.isFunction(b[c].promise)?b[c].promise().then(l(c),j.reject,m(c)):--g;g||j.resolveWith(j,b)}else j!==a&&j.resolveWith(j,d?[a]:[]);return k}}),f.support=function(){var b,d,e,g,h,i,j,k,l,m,n,o,p,q=c.createElement("div"),r=c.documentElement;q.setAttribute("className","t"),q.innerHTML=" <link/><table></table><a href='/a' style='top:1px;float:left;opacity:.55;'>a</a><input type='checkbox'/>",d=q.getElementsByTagName("*"),e=q.getElementsByTagName("a")[0];if(!d||!d.length||!e)return{};g=c.createElement("select"),h=g.appendChild(c.createElement("option")),i=q.getElementsByTagName("input")[0],b={leadingWhitespace:q.firstChild.nodeType===3,tbody:!q.getElementsByTagName("tbody").length,htmlSerialize:!!q.getElementsByTagName("link").length,style:/top/.test(e.getAttribute("style")),hrefNormalized:e.getAttribute("href")==="/a",opacity:/^0.55/.test(e.style.opacity),cssFloat:!!e.style.cssFloat,checkOn:i.value==="on",optSelected:h.selected,getSetAttribute:q.className!=="t",enctype:!!c.createElement("form").enctype,html5Clone:c.createElement("nav").cloneNode(!0).outerHTML!=="<:nav></:nav>",submitBubbles:!0,changeBubbles:!0,focusinBubbles:!1,deleteExpando:!0,noCloneEvent:!0,inlineBlockNeedsLayout:!1,shrinkWrapBlocks:!1,reliableMarginRight:!0},i.checked=!0,b.noCloneChecked=i.cloneNode(!0).checked,g.disabled=!0,b.optDisabled=!h.disabled;try{delete q.test}catch(s){b.deleteExpando=!1}!q.addEventListener&&q.attachEvent&&q.fireEvent&&(q.attachEvent("onclick",function(){b.noCloneEvent=!1}),q.cloneNode(!0).fireEvent("onclick")),i=c.createElement("input"),i.value="t",i.setAttribute("type","radio"),b.radioValue=i.value==="t",i.setAttribute("checked","checked"),q.appendChild(i),k=c.createDocumentFragment(),k.appendChild(q.lastChild),b.checkClone=k.cloneNode(!0).cloneNode(!0).lastChild.checked,b.appendChecked=i.checked,k.removeChild(i),k.appendChild(q),q.innerHTML="",a.getComputedStyle&&(j=c.createElement("div"),j.style.width="0",j.style.marginRight="0",q.style.width="2px",q.appendChild(j),b.reliableMarginRight=(parseInt((a.getComputedStyle(j,null)||{marginRight:0}).marginRight,10)||0)===0);if(q.attachEvent)for(o in{submit:1,change:1,focusin:1})n="on"+o,p=n in q,p||(q.setAttribute(n,"return;"),p=typeof q[n]=="function"),b[o+"Bubbles"]=p;return k.removeChild(q),k=g=h=j=q=i=null,f(function(){var a,d,e,g,h,i,j,k,m,n,o,r=c.getElementsByTagName("body")[0];if(!r)return;j=1,k="position:absolute;top:0;left:0;width:1px;height:1px;margin:0;",m="visibility:hidden;border:0;",n="style='"+k+"border:5px solid #000;padding:0;'",o="<div "+n+"><div></div></div>"+"<table "+n+" cellpadding='0' cellspacing='0'>"+"<tr><td></td></tr></table>",a=c.createElement("div"),a.style.cssText=m+"width:0;height:0;position:static;top:0;margin-top:"+j+"px",r.insertBefore(a,r.firstChild),q=c.createElement("div"),a.appendChild(q),q.innerHTML="<table><tr><td style='padding:0;border:0;display:none'></td><td>t</td></tr></table>",l=q.getElementsByTagName("td"),p=l[0].offsetHeight===0,l[0].style.display="",l[1].style.display="none",b.reliableHiddenOffsets=p&&l[0].offsetHeight===0,q.innerHTML="",q.style.width=q.style.paddingLeft="1px",f.boxModel=b.boxModel=q.offsetWidth===2,typeof q.style.zoom!="undefined"&&(q.style.display="inline",q.style.zoom=1,b.inlineBlockNeedsLayout=q.offsetWidth===2,q.style.display="",q.innerHTML="<div style='width:4px;'></div>",b.shrinkWrapBlocks=q.offsetWidth!==2),q.style.cssText=k+m,q.innerHTML=o,d=q.firstChild,e=d.firstChild,h=d.nextSibling.firstChild.firstChild,i={doesNotAddBorder:e.offsetTop!==5,doesAddBorderForTableAndCells:h.offsetTop===5},e.style.position="fixed",e.style.top="20px",i.fixedPosition=e.offsetTop===20||e.offsetTop===15,e.style.position=e.style.top="",d.style.overflow="hidden",d.style.position="relative",i.subtractsBorderForOverflowNotVisible=e.offsetTop===-5,i.doesNotIncludeMarginInBodyOffset=r.offsetTop!==j,r.removeChild(a),q=a=null,f.extend(b,i)}),b}();var j=/^(?:\{.*\}|\[.*\])$/,k=/([A-Z])/g;f.extend({cache:{},uuid:0,expando:"jQuery"+(f.fn.jquery+Math.random()).replace(/\D/g,""),noData:{embed:!0,object:"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000",applet:!0},hasData:function(a){return a=a.nodeType?f.cache[a[f.expando]]:a[f.expando],!!a&&!m(a)},data:function(a,c,d,e){if(!f.acceptData(a))return;var g,h,i,j=f.expando,k=typeof c=="string",l=a.nodeType,m=l?f.cache:a,n=l?a[j]:a[j]&&j,o=c==="events";if((!n||!m[n]||!o&&!e&&!m[n].data)&&k&&d===b)return;n||(l?a[j]=n=++f.uuid:n=j),m[n]||(m[n]={},l||(m[n].toJSON=f.noop));if(typeof c=="object"||typeof c=="function")e?m[n]=f.extend(m[n],c):m[n].data=f.extend(m[n].data,c);return g=h=m[n],e||(h.data||(h.data={}),h=h.data),d!==b&&(h[f.camelCase(c)]=d),o&&!h[c]?g.events:(k?(i=h[c],i==null&&(i=h[f.camelCase(c)])):i=h,i)},removeData:function(a,b,c){if(!f.acceptData(a))return;var d,e,g,h=f.expando,i=a.nodeType,j=i?f.cache:a,k=i?a[h]:h;if(!j[k])return;if(b){d=c?j[k]:j[k].data;if(d){f.isArray(b)||(b in d?b=[b]:(b=f.camelCase(b),b in d?b=[b]:b=b.split(" ")));for(e=0,g=b.length;e<g;e++)delete d[b[e]];if(!(c?m:f.isEmptyObject)(d))return}}if(!c){delete j[k].data;if(!m(j[k]))return}f.support.deleteExpando||!j.setInterval?delete j[k]:j[k]=null,i&&(f.support.deleteExpando?delete a[h]:a.removeAttribute?a.removeAttribute(h):a[h]=null)},_data:function(a,b,c){return f.data(a,b,c,!0)},acceptData:function(a){if(a.nodeName){var b=f.noData[a.nodeName.toLowerCase()];if(b)return b!==!0&&a.getAttribute("classid")===b}return!0}}),f.fn.extend({data:function(a,c){var d,e,g,h=null;if(typeof a=="undefined"){if(this.length){h=f.data(this[0]);if(this[0].nodeType===1&&!f._data(this[0],"parsedAttrs")){e=this[0].attributes;for(var i=0,j=e.length;i<j;i++)g=e[i].name,g.indexOf("data-")===0&&(g=f.camelCase(g.substring(5)),l(this[0],g,h[g]));f._data(this[0],"parsedAttrs",!0)}}return h}return typeof a=="object"?this.each(function(){f.data(this,a)}):(d=a.split("."),d[1]=d[1]?"."+d[1]:"",c===b?(h=this.triggerHandler("getData"+d[1]+"!",[d[0]]),h===b&&this.length&&(h=f.data(this[0],a),h=l(this[0],a,h)),h===b&&d[1]?this.data(d[0]):h):this.each(function(){var b=f(this),e=[d[0],c];b.triggerHandler("setData"+d[1]+"!",e),f.data(this,a,c),b.triggerHandler("changeData"+d[1]+"!",e)}))},removeData:function(a){return this.each(function(){f.removeData(this,a)})}}),f.extend({_mark:function(a,b){a&&(b=(b||"fx")+"mark",f._data(a,b,(f._data(a,b)||0)+1))},_unmark:function(a,b,c){a!==!0&&(c=b,b=a,a=!1);if(b){c=c||"fx";var d=c+"mark",e=a?0:(f._data(b,d)||1)-1;e?f._data(b,d,e):(f.removeData(b,d,!0),n(b,c,"mark"))}},queue:function(a,b,c){var d;if(a)return b=(b||"fx")+"queue",d=f._data(a,b),c&&(!d||f.isArray(c)?d=f._data(a,b,f.makeArray(c)):d.push(c)),d||[]},dequeue:function(a,b){b=b||"fx";var c=f.queue(a,b),d=c.shift(),e={};d==="inprogress"&&(d=c.shift()),d&&(b==="fx"&&c.unshift("inprogress"),f._data(a,b+".run",e),d.call(a,function(){f.dequeue(a,b)},e)),c.length||(f.removeData(a,b+"queue "+b+".run",!0),n(a,b,"queue"))}}),f.fn.extend({queue:function(a,c){return typeof a!="string"&&(c=a,a="fx"),c===b?f.queue(this[0],a):this.each(function(){var b=f.queue(this,a,c);a==="fx"&&b[0]!=="inprogress"&&f.dequeue(this,a)})},dequeue:function(a){return this.each(function(){f.dequeue(this,a)})},delay:function(a,b){return a=f.fx?f.fx.speeds[a]||a:a,b=b||"fx",this.queue(b,function(b,c){var d=setTimeout(b,a);c.stop=function(){clearTimeout(d)}})},clearQueue:function(a){return this.queue(a||"fx",[])},promise:function(a,c){function m(){--h||d.resolveWith(e,[e])}typeof a!="string"&&(c=a,a=b),a=a||"fx";var d=f.Deferred(),e=this,g=e.length,h=1,i=a+"defer",j=a+"queue",k=a+"mark",l;while(g--)if(l=f.data(e[g],i,b,!0)||(f.data(e[g],j,b,!0)||f.data(e[g],k,b,!0))&&f.data(e[g],i,f.Callbacks("once memory"),!0))h++,l.add(m);return m(),d.promise()}});var o=/[\n\t\r]/g,p=/\s+/,q=/\r/g,r=/^(?:button|input)$/i,s=/^(?:button|input|object|select|textarea)$/i,t=/^a(?:rea)?$/i,u=/^(?:autofocus|autoplay|async|checked|controls|defer|disabled|hidden|loop|multiple|open|readonly|required|scoped|selected)$/i,v=f.support.getSetAttribute,w,x,y;f.fn.extend({attr:function(a,b){return f.access(this,a,b,!0,f.attr)},removeAttr:function(a){return this.each(function(){f.removeAttr(this,a)})},prop:function(a,b){return f.access(this,a,b,!0,f.prop)},removeProp:function(a){return a=f.propFix[a]||a,this.each(function(){try{this[a]=b,delete this[a]}catch(c){}})},addClass:function(a){var b,c,d,e,g,h,i;if(f.isFunction(a))return this.each(function(b){f(this).addClass(a.call(this,b,this.className))});if(a&&typeof a=="string"){b=a.split(p);for(c=0,d=this.length;c<d;c++){e=this[c];if(e.nodeType===1)if(!e.className&&b.length===1)e.className=a;else{g=" "+e.className+" ";for(h=0,i=b.length;h<i;h++)~g.indexOf(" "+b[h]+" ")||(g+=b[h]+" ");e.className=f.trim(g)}}}return this},removeClass:function(a){var c,d,e,g,h,i,j;if(f.isFunction(a))return this.each(function(b){f(this).removeClass(a.call(this,b,this.className))});if(a&&typeof a=="string"||a===b){c=(a||"").split(p);for(d=0,e=this.length;d<e;d++){g=this[d];if(g.nodeType===1&&g.className)if(a){h=(" "+g.className+" ").replace(o," ");for(i=0,j=c.length;i<j;i++)h=h.replace(" "+c[i]+" "," ");g.className=f.trim(h)}else g.className=""}}return this},toggleClass:function(a,b){var c=typeof a,d=typeof b=="boolean";return f.isFunction(a)?this.each(function(c){f(this).toggleClass(a.call(this,c,this.className,b),b)}):this.each(function(){if(c==="string"){var e,g=0,h=f(this),i=b,j=a.split(p);while(e=j[g++])i=d?i:!h.hasClass(e),h[i?"addClass":"removeClass"](e)}else if(c==="undefined"||c==="boolean")this.className&&f._data(this,"__className__",this.className),this.className=this.className||a===!1?"":f._data(this,"__className__")||""})},hasClass:function(a){var b=" "+a+" ",c=0,d=this.length;for(;c<d;c++)if(this[c].nodeType===1&&(" "+this[c].className+" ").replace(o," ").indexOf(b)>-1)return!0;return!1},val:function(a){var c,d,e,g=this[0];if(!arguments.length){if(g)return c=f.valHooks[g.nodeName.toLowerCase()]||f.valHooks[g.type],c&&"get"in c&&(d=c.get(g,"value"))!==b?d:(d=g.value,typeof d=="string"?d.replace(q,""):d==null?"":d);return}return e=f.isFunction(a),this.each(function(d){var g=f(this),h;if(this.nodeType!==1)return;e?h=a.call(this,d,g.val()):h=a,h==null?h="":typeof h=="number"?h+="":f.isArray(h)&&(h=f.map(h,function(a){return a==null?"":a+""})),c=f.valHooks[this.nodeName.toLowerCase()]||f.valHooks[this.type];if(!c||!("set"in c)||c.set(this,h,"value")===b)this.value=h})}}),f.extend({valHooks:{option:{get:function(a){var b=a.attributes.value;return!b||b.specified?a.value:a.text}},select:{get:function(a){var b,c,d,e,g=a.selectedIndex,h=[],i=a.options,j=a.type==="select-one";if(g<0)return null;c=j?g:0,d=j?g+1:i.length;for(;c<d;c++){e=i[c];if(e.selected&&(f.support.optDisabled?!e.disabled:e.getAttribute("disabled")===null)&&(!e.parentNode.disabled||!f.nodeName(e.parentNode,"optgroup"))){b=f(e).val();if(j)return b;h.push(b)}}return j&&!h.length&&i.length?f(i[g]).val():h},set:function(a,b){var c=f.makeArray(b);return f(a).find("option").each(function(){this.selected=f.inArray(f(this).val(),c)>=0}),c.length||(a.selectedIndex=-1),c}}},attrFn:{val:!0,css:!0,html:!0,text:!0,data:!0,width:!0,height:!0,offset:!0},attr:function(a,c,d,e){var g,h,i,j=a.nodeType;if(!a||j===3||j===8||j===2)return;if(e&&c in f.attrFn)return f(a)[c](d);if(typeof a.getAttribute=="undefined")return f.prop(a,c,d);i=j!==1||!f.isXMLDoc(a),i&&(c=c.toLowerCase(),h=f.attrHooks[c]||(u.test(c)?x:w));if(d!==b){if(d===null){f.removeAttr(a,c);return}return h&&"set"in h&&i&&(g=h.set(a,d,c))!==b?g:(a.setAttribute(c,""+d),d)}return h&&"get"in h&&i&&(g=h.get(a,c))!==null?g:(g=a.getAttribute(c),g===null?b:g)},removeAttr:function(a,b){var c,d,e,g,h=0;if(b&&a.nodeType===1){d=b.toLowerCase().split(p),g=d.length;for(;h<g;h++)e=d[h],e&&(c=f.propFix[e]||e,f.attr(a,e,""),a.removeAttribute(v?e:c),u.test(e)&&c in a&&(a[c]=!1))}},attrHooks:{type:{set:function(a,b){if(r.test(a.nodeName)&&a.parentNode)f.error("type property can't be changed");else if(!f.support.radioValue&&b==="radio"&&f.nodeName(a,"input")){var c=a.value;return a.setAttribute("type",b),c&&(a.value=c),b}}},value:{get:function(a,b){return w&&f.nodeName(a,"button")?w.get(a,b):b in a?a.value:null},set:function(a,b,c){if(w&&f.nodeName(a,"button"))return w.set(a,b,c);a.value=b}}},propFix:{tabindex:"tabIndex",readonly:"readOnly","for":"htmlFor","class":"className",maxlength:"maxLength",cellspacing:"cellSpacing",cellpadding:"cellPadding",rowspan:"rowSpan",colspan:"colSpan",usemap:"useMap",frameborder:"frameBorder",contenteditable:"contentEditable"},prop:function(a,c,d){var e,g,h,i=a.nodeType;if(!a||i===3||i===8||i===2)return;return h=i!==1||!f.isXMLDoc(a),h&&(c=f.propFix[c]||c,g=f.propHooks[c]),d!==b?g&&"set"in g&&(e=g.set(a,d,c))!==b?e:a[c]=d:g&&"get"in g&&(e=g.get(a,c))!==null?e:a[c]},propHooks:{tabIndex:{get:function(a){var c=a.getAttributeNode("tabindex");return c&&c.specified?parseInt(c.value,10):s.test(a.nodeName)||t.test(a.nodeName)&&a.href?0:b}}}}),f.attrHooks.tabindex=f.propHooks.tabIndex,x={get:function(a,c){var d,e=f.prop(a,c);return e===!0||typeof e!="boolean"&&(d=a.getAttributeNode(c))&&d.nodeValue!==!1?c.toLowerCase():b},set:function(a,b,c){var d;return b===!1?f.removeAttr(a,c):(d=f.propFix[c]||c,d in a&&(a[d]=!0),a.setAttribute(c,c.toLowerCase())),c}},v||(y={name:!0,id:!0},w=f.valHooks.button={get:function(a,c){var d;return d=a.getAttributeNode(c),d&&(y[c]?d.nodeValue!=="":d.specified)?d.nodeValue:b},set:function(a,b,d){var e=a.getAttributeNode(d);return e||(e=c.createAttribute(d),a.setAttributeNode(e)),e.nodeValue=b+""}},f.attrHooks.tabindex.set=w.set,f.each(["width","height"],function(a,b){f.attrHooks[b]=f.extend(f.attrHooks[b],{set:function(a,c){if(c==="")return a.setAttribute(b,"auto"),c}})}),f.attrHooks.contenteditable={get:w.get,set:function(a,b,c){b===""&&(b="false"),w.set(a,b,c)}}),f.support.hrefNormalized||f.each(["href","src","width","height"],function(a,c){f.attrHooks[c]=f.extend(f.attrHooks[c],{get:function(a){var d=a.getAttribute(c,2);return d===null?b:d}})}),f.support.style||(f.attrHooks.style={get:function(a){return a.style.cssText.toLowerCase()||b},set:function(a,b){return a.style.cssText=""+b}}),f.support.optSelected||(f.propHooks.selected=f.extend(f.propHooks.selected,{get:function(a){var b=a.parentNode;return b&&(b.selectedIndex,b.parentNode&&b.parentNode.selectedIndex),null}})),f.support.enctype||(f.propFix.enctype="encoding"),f.support.checkOn||f.each(["radio","checkbox"],function(){f.valHooks[this]={get:function(a){return a.getAttribute("value")===null?"on":a.value}}}),f.each(["radio","checkbox"],function(){f.valHooks[this]=f.extend(f.valHooks[this],{set:function(a,b){if(f.isArray(b))return a.checked=f.inArray(f(a).val(),b)>=0}})});var z=/^(?:textarea|input|select)$/i,A=/^([^\.]*)?(?:\.(.+))?$/,B=/\bhover(\.\S+)?\b/,C=/^key/,D=/^(?:mouse|contextmenu)|click/,E=/^(?:focusinfocus|focusoutblur)$/,F=/^(\w*)(?:#([\w\-]+))?(?:\.([\w\-]+))?$/,G=function(a){var b=F.exec(a);return b&&(b[1]=(b[1]||"").toLowerCase(),b[3]=b[3]&&new RegExp("(?:^|\\s)"+b[3]+"(?:\\s|$)")),b},H=function(a,b){var c=a.attributes||{};return(!b[1]||a.nodeName.toLowerCase()===b[1])&&(!b[2]||(c.id||{}).value===b[2])&&(!b[3]||b[3].test((c["class"]||{}).value))},I=function(a){return f.event.special.hover?a:a.replace(B,"mouseenter$1 mouseleave$1")};f.event={add:function(a,c,d,e,g){var h,i,j,k,l
17
+ ,m,n,o,p,q,r,s;if(a.nodeType===3||a.nodeType===8||!c||!d||!(h=f._data(a)))return;d.handler&&(p=d,d=p.handler),d.guid||(d.guid=f.guid++),j=h.events,j||(h.events=j={}),i=h.handle,i||(h.handle=i=function(a){return typeof f=="undefined"||!!a&&f.event.triggered===a.type?b:f.event.dispatch.apply(i.elem,arguments)},i.elem=a),c=f.trim(I(c)).split(" ");for(k=0;k<c.length;k++){l=A.exec(c[k])||[],m=l[1],n=(l[2]||"").split(".").sort(),s=f.event.special[m]||{},m=(g?s.delegateType:s.bindType)||m,s=f.event.special[m]||{},o=f.extend({type:m,origType:l[1],data:e,handler:d,guid:d.guid,selector:g,quick:G(g),namespace:n.join(".")},p),r=j[m];if(!r){r=j[m]=[],r.delegateCount=0;if(!s.setup||s.setup.call(a,e,n,i)===!1)a.addEventListener?a.addEventListener(m,i,!1):a.attachEvent&&a.attachEvent("on"+m,i)}s.add&&(s.add.call(a,o),o.handler.guid||(o.handler.guid=d.guid)),g?r.splice(r.delegateCount++,0,o):r.push(o),f.event.global[m]=!0}a=null},global:{},remove:function(a,b,c,d,e){var g=f.hasData(a)&&f._data(a),h,i,j,k,l,m,n,o,p,q,r,s;if(!g||!(o=g.events))return;b=f.trim(I(b||"")).split(" ");for(h=0;h<b.length;h++){i=A.exec(b[h])||[],j=k=i[1],l=i[2];if(!j){for(j in o)f.event.remove(a,j+b[h],c,d,!0);continue}p=f.event.special[j]||{},j=(d?p.delegateType:p.bindType)||j,r=o[j]||[],m=r.length,l=l?new RegExp("(^|\\.)"+l.split(".").sort().join("\\.(?:.*\\.)?")+"(\\.|$)"):null;for(n=0;n<r.length;n++)s=r[n],(e||k===s.origType)&&(!c||c.guid===s.guid)&&(!l||l.test(s.namespace))&&(!d||d===s.selector||d==="**"&&s.selector)&&(r.splice(n--,1),s.selector&&r.delegateCount--,p.remove&&p.remove.call(a,s));r.length===0&&m!==r.length&&((!p.teardown||p.teardown.call(a,l)===!1)&&f.removeEvent(a,j,g.handle),delete o[j])}f.isEmptyObject(o)&&(q=g.handle,q&&(q.elem=null),f.removeData(a,["events","handle"],!0))},customEvent:{getData:!0,setData:!0,changeData:!0},trigger:function(c,d,e,g){if(!e||e.nodeType!==3&&e.nodeType!==8){var h=c.type||c,i=[],j,k,l,m,n,o,p,q,r,s;if(E.test(h+f.event.triggered))return;h.indexOf("!")>=0&&(h=h.slice(0,-1),k=!0),h.indexOf(".")>=0&&(i=h.split("."),h=i.shift(),i.sort());if((!e||f.event.customEvent[h])&&!f.event.global[h])return;c=typeof c=="object"?c[f.expando]?c:new f.Event(h,c):new f.Event(h),c.type=h,c.isTrigger=!0,c.exclusive=k,c.namespace=i.join("."),c.namespace_re=c.namespace?new RegExp("(^|\\.)"+i.join("\\.(?:.*\\.)?")+"(\\.|$)"):null,o=h.indexOf(":")<0?"on"+h:"";if(!e){j=f.cache;for(l in j)j[l].events&&j[l].events[h]&&f.event.trigger(c,d,j[l].handle.elem,!0);return}c.result=b,c.target||(c.target=e),d=d!=null?f.makeArray(d):[],d.unshift(c),p=f.event.special[h]||{};if(p.trigger&&p.trigger.apply(e,d)===!1)return;r=[[e,p.bindType||h]];if(!g&&!p.noBubble&&!f.isWindow(e)){s=p.delegateType||h,m=E.test(s+h)?e:e.parentNode,n=null;for(;m;m=m.parentNode)r.push([m,s]),n=m;n&&n===e.ownerDocument&&r.push([n.defaultView||n.parentWindow||a,s])}for(l=0;l<r.length&&!c.isPropagationStopped();l++)m=r[l][0],c.type=r[l][1],q=(f._data(m,"events")||{})[c.type]&&f._data(m,"handle"),q&&q.apply(m,d),q=o&&m[o],q&&f.acceptData(m)&&q.apply(m,d)===!1&&c.preventDefault();return c.type=h,!g&&!c.isDefaultPrevented()&&(!p._default||p._default.apply(e.ownerDocument,d)===!1)&&(h!=="click"||!f.nodeName(e,"a"))&&f.acceptData(e)&&o&&e[h]&&(h!=="focus"&&h!=="blur"||c.target.offsetWidth!==0)&&!f.isWindow(e)&&(n=e[o],n&&(e[o]=null),f.event.triggered=h,e[h](),f.event.triggered=b,n&&(e[o]=n)),c.result}return},dispatch:function(c){c=f.event.fix(c||a.event);var d=(f._data(this,"events")||{})[c.type]||[],e=d.delegateCount,g=[].slice.call(arguments,0),h=!c.exclusive&&!c.namespace,i=[],j,k,l,m,n,o,p,q,r,s,t;g[0]=c,c.delegateTarget=this;if(e&&!c.target.disabled&&(!c.button||c.type!=="click")){m=f(this),m.context=this.ownerDocument||this;for(l=c.target;l!=this;l=l.parentNode||this){o={},q=[],m[0]=l;for(j=0;j<e;j++)r=d[j],s=r.selector,o[s]===b&&(o[s]=r.quick?H(l,r.quick):m.is(s)),o[s]&&q.push(r);q.length&&i.push({elem:l,matches:q})}}d.length>e&&i.push({elem:this,matches:d.slice(e)});for(j=0;j<i.length&&!c.isPropagationStopped();j++){p=i[j],c.currentTarget=p.elem;for(k=0;k<p.matches.length&&!c.isImmediatePropagationStopped();k++){r=p.matches[k];if(h||!c.namespace&&!r.namespace||c.namespace_re&&c.namespace_re.test(r.namespace))c.data=r.data,c.handleObj=r,n=((f.event.special[r.origType]||{}).handle||r.handler).apply(p.elem,g),n!==b&&(c.result=n,n===!1&&(c.preventDefault(),c.stopPropagation()))}}return c.result},props:"attrChange attrName relatedNode srcElement altKey bubbles cancelable ctrlKey currentTarget eventPhase metaKey relatedTarget shiftKey target timeStamp view which".split(" "),fixHooks:{},keyHooks:{props:"char charCode key keyCode".split(" "),filter:function(a,b){return a.which==null&&(a.which=b.charCode!=null?b.charCode:b.keyCode),a}},mouseHooks:{props:"button buttons clientX clientY fromElement offsetX offsetY pageX pageY screenX screenY toElement".split(" "),filter:function(a,d){var e,f,g,h=d.button,i=d.fromElement;return a.pageX==null&&d.clientX!=null&&(e=a.target.ownerDocument||c,f=e.documentElement,g=e.body,a.pageX=d.clientX+(f&&f.scrollLeft||g&&g.scrollLeft||0)-(f&&f.clientLeft||g&&g.clientLeft||0),a.pageY=d.clientY+(f&&f.scrollTop||g&&g.scrollTop||0)-(f&&f.clientTop||g&&g.clientTop||0)),!a.relatedTarget&&i&&(a.relatedTarget=i===a.target?d.toElement:i),!a.which&&h!==b&&(a.which=h&1?1:h&2?3:h&4?2:0),a}},fix:function(a){if(a[f.expando])return a;var d,e,g=a,h=f.event.fixHooks[a.type]||{},i=h.props?this.props.concat(h.props):this.props;a=f.Event(g);for(d=i.length;d;)e=i[--d],a[e]=g[e];return a.target||(a.target=g.srcElement||c),a.target.nodeType===3&&(a.target=a.target.parentNode),a.metaKey===b&&(a.metaKey=a.ctrlKey),h.filter?h.filter(a,g):a},special:{ready:{setup:f.bindReady},load:{noBubble:!0},focus:{delegateType:"focusin"},blur:{delegateType:"focusout"},beforeunload:{setup:function(a,b,c){f.isWindow(this)&&(this.onbeforeunload=c)},teardown:function(a,b){this.onbeforeunload===b&&(this.onbeforeunload=null)}}},simulate:function(a,b,c,d){var e=f.extend(new f.Event,c,{type:a,isSimulated:!0,originalEvent:{}});d?f.event.trigger(e,null,b):f.event.dispatch.call(b,e),e.isDefaultPrevented()&&c.preventDefault()}},f.event.handle=f.event.dispatch,f.removeEvent=c.removeEventListener?function(a,b,c){a.removeEventListener&&a.removeEventListener(b,c,!1)}:function(a,b,c){a.detachEvent&&a.detachEvent("on"+b,c)},f.Event=function(a,b){if(this instanceof f.Event)a&&a.type?(this.originalEvent=a,this.type=a.type,this.isDefaultPrevented=a.defaultPrevented||a.returnValue===!1||a.getPreventDefault&&a.getPreventDefault()?K:J):this.type=a,b&&f.extend(this,b),this.timeStamp=a&&a.timeStamp||f.now(),this[f.expando]=!0;else return new f.Event(a,b)},f.Event.prototype={preventDefault:function(){this.isDefaultPrevented=K;var a=this.originalEvent;if(!a)return;a.preventDefault?a.preventDefault():a.returnValue=!1},stopPropagation:function(){this.isPropagationStopped=K;var a=this.originalEvent;if(!a)return;a.stopPropagation&&a.stopPropagation(),a.cancelBubble=!0},stopImmediatePropagation:function(){this.isImmediatePropagationStopped=K,this.stopPropagation()},isDefaultPrevented:J,isPropagationStopped:J,isImmediatePropagationStopped:J},f.each({mouseenter:"mouseover",mouseleave:"mouseout"},function(a,b){f.event.special[a]={delegateType:b,bindType:b,handle:function(a){var c=this,d=a.relatedTarget,e=a.handleObj,g=e.selector,h;if(!d||d!==c&&!f.contains(c,d))a.type=e.origType,h=e.handler.apply(this,arguments),a.type=b;return h}}}),f.support.submitBubbles||(f.event.special.submit={setup:function(){if(f.nodeName(this,"form"))return!1;f.event.add(this,"click._submit keypress._submit",function(a){var c=a.target,d=f.nodeName(c,"input")||f.nodeName(c,"button")?c.form:b;d&&!d._submit_attached&&(f.event.add(d,"submit._submit",function(a){this.parentNode&&!a.isTrigger&&f.event.simulate("submit",this.parentNode,a,!0)}),d._submit_attached=!0)})},teardown:function(){if(f.nodeName(this,"form"))return!1;f.event.remove(this,"._submit")}}),f.support.changeBubbles||(f.event.special.change={setup:function(){if(z.test(this.nodeName)){if(this.type==="checkbox"||this.type==="radio")f.event.add(this,"propertychange._change",function(a){a.originalEvent.propertyName==="checked"&&(this._just_changed=!0)}),f.event.add(this,"click._change",function(a){this._just_changed&&!a.isTrigger&&(this._just_changed=!1,f.event.simulate("change",this,a,!0))});return!1}f.event.add(this,"beforeactivate._change",function(a){var b=a.target;z.test(b.nodeName)&&!b._change_attached&&(f.event.add(b,"change._change",function(a){this.parentNode&&!a.isSimulated&&!a.isTrigger&&f.event.simulate("change",this.parentNode,a,!0)}),b._change_attached=!0)})},handle:function(a){var b=a.target;if(this!==b||a.isSimulated||a.isTrigger||b.type!=="radio"&&b.type!=="checkbox")return a.handleObj.handler.apply(this,arguments)},teardown:function(){return f.event.remove(this,"._change"),z.test(this.nodeName)}}),f.support.focusinBubbles||f.each({focus:"focusin",blur:"focusout"},function(a,b){var d=0,e=function(a){f.event.simulate(b,a.target,f.event.fix(a),!0)};f.event.special[b]={setup:function(){d++===0&&c.addEventListener(a,e,!0)},teardown:function(){--d===0&&c.removeEventListener(a,e,!0)}}}),f.fn.extend({on:function(a,c,d,e,g){var h,i;if(typeof a=="object"){typeof c!="string"&&(d=c,c=b);for(i in a)this.on(i,c,d,a[i],g);return this}d==null&&e==null?(e=c,d=c=b):e==null&&(typeof c=="string"?(e=d,d=b):(e=d,d=c,c=b));if(e===!1)e=J;else if(!e)return this;return g===1&&(h=e,e=function(a){return f().off(a),h.apply(this,arguments)},e.guid=h.guid||(h.guid=f.guid++)),this.each(function(){f.event.add(this,a,e,d,c)})},one:function(a,b,c,d){return this.on.call(this,a,b,c,d,1)},off:function(a,c,d){if(a&&a.preventDefault&&a.handleObj){var e=a.handleObj;return f(a.delegateTarget).off(e.namespace?e.type+"."+e.namespace:e.type,e.selector,e.handler),this}if(typeof a=="object"){for(var g in a)this.off(g,c,a[g]);return this}if(c===!1||typeof c=="function")d=c,c=b;return d===!1&&(d=J),this.each(function(){f.event.remove(this,a,d,c)})},bind:function(a,b,c){return this.on(a,null,b,c)},unbind:function(a,b){return this.off(a,null,b)},live:function(a,b,c){return f(this.context).on(a,this.selector,b,c),this},die:function(a,b){return f(this.context).off(a,this.selector||"**",b),this},delegate:function(a,b,c,d){return this.on(b,a,c,d)},undelegate:function(a,b,c){return arguments.length==1?this.off(a,"**"):this.off(b,a,c)},trigger:function(a,b){return this.each(function(){f.event.trigger(a,b,this)})},triggerHandler:function(a,b){if(this[0])return f.event.trigger(a,b,this[0],!0)},toggle:function(a){var b=arguments,c=a.guid||f.guid++,d=0,e=function(c){var e=(f._data(this,"lastToggle"+a.guid)||0)%d;return f._data(this,"lastToggle"+a.guid,e+1),c.preventDefault(),b[e].apply(this,arguments)||!1};e.guid=c;while(d<b.length)b[d++].guid=c;return this.click(e)},hover:function(a,b){return this.mouseenter(a).mouseleave(b||a)}}),f.each("blur focus focusin focusout load resize scroll unload click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup error contextmenu".split(" "),function(a,b){f.fn[b]=function(a,c){return c==null&&(c=a,a=null),arguments.length>0?this.on(b,null,a,c):this.trigger(b)},f.attrFn&&(f.attrFn[b]=!0),C.test(b)&&(f.event.fixHooks[b]=f.event.keyHooks),D.test(b)&&(f.event.fixHooks[b]=f.event.mouseHooks)}),function(){function w(a,b,c,e,f,g){for(var h=0,i=e.length;h<i;h++){var j=e[h];if(j){var k=!1;j=j[a];while(j){if(j[d]===c){k=e[j.sizset];break}j.nodeType===1&&!g&&(j[d]=c,j.sizset=h);if(j.nodeName.toLowerCase()===b){k=j;break}j=j[a]}e[h]=k}}}function x(a,b,c,e,f,g){for(var h=0,i=e.length;h<i;h++){var j=e[h];if(j){var k=!1;j=j[a];while(j){if(j[d]===c){k=e[j.sizset];break}if(j.nodeType===1){g||(j[d]=c,j.sizset=h);if(typeof b!="string"){if(j===b){k=!0;break}}else if(m.filter(b,[j]).length>0){k=j;break}}j=j[a]}e[h]=k}}}var a=/((?:\((?:\([^()]+\)|[^()]+)+\)|\[(?:\[[^\[\]]*\]|['"][^'"]*['"]|[^\[\]'"]+)+\]|\\.|[^ >+~,(\[\\]+)+|[>+~])(\s*,\s*)?((?:.|\r|\n)*)/g,d="sizcache"+(Math.random()+"").replace(".",""),e=0,g=Object.prototype.toString,h=!1,i=!0,j=/\\/g,k=/\r\n/g,l=/\W/;[0,0].sort(function(){return i=!1,0});var m=function(b,d,e,f){e=e||[],d=d||c;var h=d;if(d.nodeType!==1&&d.nodeType!==9)return[];if(!b||typeof b!="string")return e;var i,j,k,l,n,q,r,t,u=!0,v=m.isXML(d),w=[],x=b;do{a.exec(""),i=a.exec(x);if(i){x=i[3],w.push(i[1]);if(i[2]){l=i[3];break}}}while(i);if(w.length>1&&p.exec(b))if(w.length===2&&o.relative[w[0]])j=y(w[0]+w[1],d,f);else{j=o.relative[w[0]]?[d]:m(w.shift(),d);while(w.length)b=w.shift(),o.relative[b]&&(b+=w.shift()),j=y(b,j,f)}else{!f&&w.length>1&&d.nodeType===9&&!v&&o.match.ID.test(w[0])&&!o.match.ID.test(w[w.length-1])&&(n=m.find(w.shift(),d,v),d=n.expr?m.filter(n.expr,n.set)[0]:n.set[0]);if(d){n=f?{expr:w.pop(),set:s(f)}:m.find(w.pop(),w.length!==1||w[0]!=="~"&&w[0]!=="+"||!d.parentNode?d:d.parentNode,v),j=n.expr?m.filter(n.expr,n.set):n.set,w.length>0?k=s(j):u=!1;while(w.length)q=w.pop(),r=q,o.relative[q]?r=w.pop():q="",r==null&&(r=d),o.relative[q](k,r,v)}else k=w=[]}k||(k=j),k||m.error(q||b);if(g.call(k)==="[object Array]")if(!u)e.push.apply(e,k);else if(d&&d.nodeType===1)for(t=0;k[t]!=null;t++)k[t]&&(k[t]===!0||k[t].nodeType===1&&m.contains(d,k[t]))&&e.push(j[t]);else for(t=0;k[t]!=null;t++)k[t]&&k[t].nodeType===1&&e.push(j[t]);else s(k,e);return l&&(m(l,h,e,f),m.uniqueSort(e)),e};m.uniqueSort=function(a){if(u){h=i,a.sort(u);if(h)for(var b=1;b<a.length;b++)a[b]===a[b-1]&&a.splice(b--,1)}return a},m.matches=function(a,b){return m(a,null,null,b)},m.matchesSelector=function(a,b){return m(b,null,null,[a]).length>0},m.find=function(a,b,c){var d,e,f,g,h,i;if(!a)return[];for(e=0,f=o.order.length;e<f;e++){h=o.order[e];if(g=o.leftMatch[h].exec(a)){i=g[1],g.splice(1,1);if(i.substr(i.length-1)!=="\\"){g[1]=(g[1]||"").replace(j,""),d=o.find[h](g,b,c);if(d!=null){a=a.replace(o.match[h],"");break}}}}return d||(d=typeof b.getElementsByTagName!="undefined"?b.getElementsByTagName("*"):[]),{set:d,expr:a}},m.filter=function(a,c,d,e){var f,g,h,i,j,k,l,n,p,q=a,r=[],s=c,t=c&&c[0]&&m.isXML(c[0]);while(a&&c.length){for(h in o.filter)if((f=o.leftMatch[h].exec(a))!=null&&f[2]){k=o.filter[h],l=f[1],g=!1,f.splice(1,1);if(l.substr(l.length-1)==="\\")continue;s===r&&(r=[]);if(o.preFilter[h]){f=o.preFilter[h](f,s,d,r,e,t);if(!f)g=i=!0;else if(f===!0)continue}if(f)for(n=0;(j=s[n])!=null;n++)j&&(i=k(j,f,n,s),p=e^i,d&&i!=null?p?g=!0:s[n]=!1:p&&(r.push(j),g=!0));if(i!==b){d||(s=r),a=a.replace(o.match[h],"");if(!g)return[];break}}if(a===q)if(g==null)m.error(a);else break;q=a}return s},m.error=function(a){throw new Error("Syntax error, unrecognized expression: "+a)};var n=m.getText=function(a){var b,c,d=a.nodeType,e="";if(d){if(d===1||d===9){if(typeof a.textContent=="string")return a.textContent;if(typeof a.innerText=="string")return a.innerText.replace(k,"");for(a=a.firstChild;a;a=a.nextSibling)e+=n(a)}else if(d===3||d===4)return a.nodeValue}else for(b=0;c=a[b];b++)c.nodeType!==8&&(e+=n(c));return e},o=m.selectors={order:["ID","NAME","TAG"],match:{ID:/#((?:[\w\u00c0-\uFFFF\-]|\\.)+)/,CLASS:/\.((?:[\w\u00c0-\uFFFF\-]|\\.)+)/,NAME:/\[name=['"]*((?:[\w\u00c0-\uFFFF\-]|\\.)+)['"]*\]/,ATTR:/\[\s*((?:[\w\u00c0-\uFFFF\-]|\\.)+)\s*(?:(\S?=)\s*(?:(['"])(.*?)\3|(#?(?:[\w\u00c0-\uFFFF\-]|\\.)*)|)|)\s*\]/,TAG:/^((?:[\w\u00c0-\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\u00c0-\uFFFF\-]|\\.)+)(?:\((['"]?)((?:\([^\)]+\)|[^\(\)]*)+)\2\))?/},leftMatch:{},attrMap:{"class":"className","for":"htmlFor"},attrHandle:{href:function(a){return a.getAttribute("href")},type:function(a){return a.getAttribute("type")}},relative:{"+":function(a,b){var c=typeof b=="string",d=c&&!l.test(b),e=c&&!d;d&&(b=b.toLowerCase());for(var f=0,g=a.length,h;f<g;f++)if(h=a[f]){while((h=h.previousSibling)&&h.nodeType!==1);a[f]=e||h&&h.nodeName.toLowerCase()===b?h||!1:h===b}e&&m.filter(b,a,!0)},">":function(a,b){var c,d=typeof b=="string",e=0,f=a.length;if(d&&!l.test(b)){b=b.toLowerCase();for(;e<f;e++){c=a[e];if(c){var g=c.parentNode;a[e]=g.nodeName.toLowerCase()===b?g:!1}}}else{for(;e<f;e++)c=a[e],c&&(a[e]=d?c.parentNode:c.parentNode===b);d&&m.filter(b,a,!0)}},"":function(a,b,c){var d,f=e++,g=x;typeof b=="string"&&!l.test(b)&&(b=b.toLowerCase(),d=b,g=w),g("parentNode",b,f,a,d,c)},"~":function(a,b,c){var d,f=e++,g=x;typeof b=="string"&&!l.test(b)&&(b=b.toLowerCase(),d=b,g=w),g("previousSibling",b,f,a,d,c)}},find:{ID:function(a,b,c){if(typeof b.getElementById!="undefined"&&!c){var d=b.getElementById(a[1]);return d&&d.parentNode?[d]:[]}},NAME:function(a,b){if(typeof b.getElementsByName!="undefined"){var c=[],d=b.getElementsByName(a[1]);for(var e=0,f=d.length;e<f;e++)d[e].getAttribute("name")===a[1]&&c.push(d[e]);return c.length===0?null:c}},TAG:function(a,b){if(typeof b.getElementsByTagName!="undefined")return b.getElementsByTagName(a[1])}},preFilter:{CLASS:function(a,b,c,d,e,f){a=" "+a[1].replace(j,"")+" ";if(f)return a;for(var g=0,h;(h=b[g])!=null;g++)h&&(e^(h.className&&(" "+h.className+" ").replace(/[\t\n\r]/g," ").indexOf(a)>=0)?c||d.push(h):c&&(b[g]=!1));return!1},ID:function(a){return a[1].replace(j,"")},TAG:function(a,b){return a[1].replace(j,"").toLowerCase()},CHILD:function(a){if(a[1]==="nth"){a[2]||m.error(a[0]),a[2]=a[2].replace(/^\+|\s*/g,"");var b=/(-?)(\d*)(?:n([+\-]?\d*))?/.exec(a[2]==="even"&&"2n"||a[2]==="odd"&&"2n+1"||!/\D/.test(a[2])&&"0n+"+a[2]||a[2]);a[2]=b[1]+(b[2]||1)-0,a[3]=b[3]-0}else a[2]&&m.error(a[0]);return a[0]=e++,a},ATTR:function(a,b,c,d,e,f){var g=a[1]=a[1].replace(j,"");return!f&&o.attrMap[g]&&(a[1]=o.attrMap[g]),a[4]=(a[4]||a[5]||"").replace(j,""),a[2]==="~="&&(a[4]=" "+a[4]+" "),a},PSEUDO:function(b,c,d,e,f){if(b[1]==="not")if((a.exec(b[3])||"").length>1||/^\w/.test(b[3]))b[3]=m(b[3],null,null,c);else{var g=m.filter(b[3],c,d,!0^f);return d||e.push.apply(e,g),!1}else if(o.match.POS.test(b[0])||o.match.CHILD.test(b[0]))return!0;return b},POS:function(a){return a.unshift(!0),a}},filters:{enabled:function(a){return a.disabled===!1&&a.type!=="hidden"},disabled:function(a){return a.disabled===!0},checked:function(a){return a.checked===!0},selected:function(a){return a.parentNode&&a.parentNode.selectedIndex,a.selected===!0},parent:function(a){return!!a.firstChild},empty:function(a){return!a.firstChild},has:function(a,b,c){return!!m(c[3],a).length},header:function(a){return/h\d/i.test(a.nodeName)},text:function(a){var b=a.getAttribute("type"),c=a.type;return a.nodeName.toLowerCase()==="input"&&"text"===c&&(b===c||b===null)},radio:function(a){return a.nodeName.toLowerCase()==="input"&&"radio"===a.type},checkbox:function(a){return a.nodeName.toLowerCase()==="input"&&"checkbox"===a.type},file:function(a){return a.nodeName.toLowerCase()==="input"&&"file"===a.type},password:function(a){return a.nodeName.toLowerCase()==="input"&&"password"===a.type},submit:function(a){var b=a.nodeName.toLowerCase();return(b==="input"||b==="button")&&"submit"===a.type},image:function(a){return a.nodeName.toLowerCase()==="input"&&"image"===a.type},reset:function(a){var b=a.nodeName.toLowerCase();return(b==="input"||b==="button")&&"reset"===a.type},button:function(a){var b=a.nodeName.toLowerCase();return b==="input"&&"button"===a.type||b==="button"},input:function(a){return/input|select|textarea|button/i.test(a.nodeName)},focus:function(a){return a===a.ownerDocument.activeElement}},setFilters:{first:function(a,b){return b===0},last:function(a,b,c,d){return b===d.length-1},even:function(a,b){return b%2===0},odd:function(a,b){return b%2===1},lt:function(a,b,c){return b<c[3]-0},gt:function(a,b,c){return b>c[3]-0},nth:function(a,b,c){return c[3]-0===b},eq:function(a,b,c){return c[3]-0===b}},filter:{PSEUDO:function(a,b,c,d){var e=b[1],f=o.filters[e];if(f)return f(a,c,b,d);if(e==="contains")return(a.textContent||a.innerText||n([a])||"").indexOf(b[3])>=0;if(e==="not"){var g=b[3];for(var h=0,i=g.length;h<i;h++)if(g[h]===a)return!1;return!0}m.error(e)},CHILD:function(a,b){var c,e,f,g,h,i,j,k=b[1],l=a;switch(k){case"only":case"first":while(l=l.previousSibling)if(l.nodeType===1)return!1;if(k==="first")return!0;l=a;case"last":while(l=l.nextSibling)if(l.nodeType===1)return!1;return!0;case"nth":c=b[2],e=b[3];if(c===1&&e===0)return!0;f=b[0],g=a.parentNode;if(g&&(g[d]!==f||!a.nodeIndex)){i=0;for(l=g.firstChild;l;l=l.nextSibling)l.nodeType===1&&(l.nodeIndex=++i);g[d]=f}return j=a.nodeIndex-e,c===0?j===0:j%c===0&&j/c>=0}},ID:function(a,b){return a.nodeType===1&&a.getAttribute("id")===b},TAG:function(a,b){return b==="*"&&a.nodeType===1||!!a.nodeName&&a.nodeName.toLowerCase()===b},CLASS:function(a,b){return(" "+(a.className||a.getAttribute("class"))+" ").indexOf(b)>-1},ATTR:function(a,b){var c=b[1],d=m.attr?m.attr(a,c):o.attrHandle[c]?o.attrHandle[c](a):a[c]!=null?a[c]:a.getAttribute(c),e=d+"",f=b[2],g=b[4];return d==null?f==="!=":!f&&m.attr?d!=null:f==="="?e===g:f==="*="?e.indexOf(g)>=0:f==="~="?(" "+e+" ").indexOf(g)>=0:g?f==="!="?e!==g:f==="^="?e.indexOf(g)===0:f==="$="?e.substr(e.length-g.length)===g:f==="|="?e===g||e.substr(0,g.length+1)===g+"-":!1:e&&d!==!1},POS:function(a,b,c,d){var e=b[2],f=o.setFilters[e];if(f)return f(a,c,b,d)}}},p=o.match.POS,q=function(a,b){return"\\"+(b-0+1)};for(var r in o.match)o.match[r]=new RegExp(o.match[r].source+/(?![^\[]*\])(?![^\(]*\))/.source),o.leftMatch[r]=new RegExp(/(^(?:.|\r|\n)*?)/.source+o.match[r].source.replace(/\\(\d+)/g,q));var s=function(a,b){return a=Array.prototype.slice.call(a,0),b?(b.push.apply(b,a),b):a};try{Array.prototype.slice.call(c.documentElement.childNodes,0)[0].nodeType}catch(t){s=function(a,b){var c=0,d=b||[];if(g.call(a)==="[object Array]")Array.prototype.push.apply(d,a);else if(typeof a.length=="number")for(var e=a.length;c<e;c++)d.push(a[c]);else for(;a[c];c++)d.push(a[c]);return d}}var u,v;c.documentElement.compareDocumentPosition?u=function(a,b){return a===b?(h=!0,0):!a.compareDocumentPosition||!b.compareDocumentPosition?a.compareDocumentPosition?-1:1:a.compareDocumentPosition(b)&4?-1:1}:(u=function(a,b){if(a===b)return h=!0,0;if(a.sourceIndex&&b.sourceIndex)return a.sourceIndex-b.sourceIndex;var c,d,e=[],f=[],g=a.parentNode,i=b.parentNode,j=g;if(g===i)return v(a,b);if(!g)return-1;if(!i)return 1;while(j)e.unshift(j),j=j.parentNode;j=i;while(j)f.unshift(j),j=j.parentNode;c=e.length,d=f.length;for(var k=0;k<c&&k<d;k++)if(e[k]!==f[k])return v(e[k],f[k]);return k===c?v(a,f[k],-1):v(e[k],b,1)},v=function(a,b,c){if(a===b)return c;var d=a.nextSibling;while(d){if(d===b)return-1;d=d.nextSibling}return 1}),function(){var a=c.createElement("div"),d="script"+(new Date).getTime(),e=c.documentElement;a.innerHTML="<a name='"+d+"'/>",e.insertBefore(a,e.firstChild),c.getElementById(d)&&(o.find.ID=function(a,c,d){if(typeof c.getElementById!="undefined"&&!d){var e=c.getElementById(a[1]);return e?e.id===a[1]||typeof e.getAttributeNode!="undefined"&&e.getAttributeNode("id").nodeValue===a[1]?[e]:b:[]}},o.filter.ID=function(a,b){var c=typeof a.getAttributeNode!="undefined"&&a.getAttributeNode("id");return a.nodeType===1&&c&&c.nodeValue===b}),e.removeChild(a),e=a=null}(),function(){var a=c.createElement("div");a.appendChild(c.createComment("")),a.getElementsByTagName("*").length>0&&(o.find.TAG=function(a,b){var c=b.getElementsByTagName(a[1]);if(a[1]==="*"){var d=[];for(var e=0;c[e];e++)c[e].nodeType===1&&d.push(c[e]);c=d}return c}),a.innerHTML="<a href='#'></a>",a.firstChild&&typeof a.firstChild.getAttribute!="undefined"&&a.firstChild.getAttribute("href")!=="#"&&(o.attrHandle.href=function(a){return a.getAttribute("href",2)}),a=null}(),c.querySelectorAll&&function(){var a=m,b=c.createElement("div"),d="__sizzle__";b.innerHTML="<p class='TEST'></p>";if(b.querySelectorAll&&b.querySelectorAll(".TEST").length===0)return;m=function(b,e,f,g){e=e||c;if(!g&&!m.isXML(e)){var h=/^(\w+$)|^\.([\w\-]+$)|^#([\w\-]+$)/.exec(b);if(h&&(e.nodeType===1||e.nodeType===9)){if(h[1])return s(e.getElementsByTagName(b),f);if(h[2]&&o.find.CLASS&&e.getElementsByClassName)return s(e.getElementsByClassName(h[2]),f)}if(e.nodeType===9){if(b==="body"&&e.body)return s([e.body],f);if(h&&h[3]){var i=e.getElementById(h[3]);if(!i||!i.parentNode)return s([],f);if(i.id===h[3])return s([i],f)}try{return s(e.querySelectorAll(b),f)}catch(j){}}else if(e.nodeType===1&&e.nodeName.toLowerCase()!=="object"){var k=e,l=e.getAttribute("id"),n=l||d,p=e.parentNode,q=/^\s*[+~]/.test(b);l?n=n.replace(/'/g,"\\$&"):e.setAttribute("id",n),q&&p&&(e=e.parentNode);try{if(!q||p)return s(e.querySelectorAll("[id='"+n+"'] "+b),f)}catch(r){}finally{l||k.removeAttribute("id")}}}return a(b,e,f,g)};for(var e in a)m[e]=a[e];b=null}(),function(){var a=c.documentElement,b=a.matchesSelector||a.mozMatchesSelector||a.webkitMatchesSelector||a.msMatchesSelector;if(b){var d=!b.call(c.createElement("div"),"div"),e=!1;try{b.call(c.documentElement,"[test!='']:sizzle")}catch(f){e=!0}m.matchesSelector=function(a,c){c=c.replace(/\=\s*([^'"\]]*)\s*\]/g,"='$1']");if(!m.isXML(a))try{if(e||!o.match.PSEUDO.test(c)&&!/!=/.test(c)){var f=b.call(a,c);if(f||!d||a.document&&a.document.nodeType!==11)return f}}catch(g){}return m(c,null,null,[a]).length>0}}}(),function(){var a=c.createElement("div");a.innerHTML="<div class='test e'></div><div class='test'></div>";if(!a.getElementsByClassName||a.getElementsByClassName("e").length===0)return;a.lastChild.className="e";if(a.getElementsByClassName("e").length===1)return;o.order.splice(1,0,"CLASS"),o.find.CLASS=function(a,b,c){if(typeof b.getElementsByClassName!="undefined"&&!c)return b.getElementsByClassName(a[1])},a=null}(),c.documentElement.contains?m.contains=function(a,b){return a!==b&&(a.contains?a.contains(b):!0)}:c.documentElement.compareDocumentPosition?m.contains=function(a,b){return!!(a.compareDocumentPosition(b)&16)}:m.contains=function(){return!1},m.isXML=function(a){var b=(a?a.ownerDocument||a:0).documentElement;return b?b.nodeName!=="HTML":!1};var y=function(a,b,c){var d,e=[],f="",g=b.nodeType?[b]:b;while(d=o.match.PSEUDO.exec(a))f+=d[0],a=a.replace(o.match.PSEUDO,"");a=o.relative[a]?a+"*":a;for(var h=0,i=g.length;h<i;h++)m(a,g[h],e,c);return m.filter(f,e)};m.attr=f.attr,m.selectors.attrMap={},f.find=m,f.expr=m.selectors,f.expr[":"]=f.expr.filters,f.unique=m.uniqueSort,f.text=m.getText,f.isXMLDoc=m.isXML,f.contains=m.contains}();var L=/Until$/,M=/^(?:parents|prevUntil|prevAll)/,N=/,/,O=/^.[^:#\[\.,]*$/,P=Array.prototype.slice,Q=f.expr.match.POS,R={children:!0,contents:!0,next:!0,prev:!0};f.fn.extend({find:function(a){var b=this,c,d;if(typeof a!="string")return f(a).filter(function(){for(c=0,d=b.length;c<d;c++)if(f.contains(b[c],this))return!0});var e=this.pushStack("","find",a),g,h,i;for(c=0,d=this.length;c<d;c++){g=e.length,f.find(a,this[c],e);if(c>0)for(h=g;h<e.length;h++)for(i=0;i<g;i++)if(e[i]===e[h]){e.splice(h--,1);break}}return e},has:function(a){var b=f(a);return this.filter(function(){for(var a=0,c=b.length;a<c;a++)if(f.contains(this,b[a]))return!0})},not:function(a){return this.pushStack(T(this,a,!1),"not",a)},filter:function(a){return this.pushStack(T(this,a,!0),"filter",a)},is:function(a){return!!a&&(typeof a=="string"?Q.test(a)?f(a,this.context).index(this[0])>=0:f.filter(a,this).length>0:this.filter(a).length>0)},closest:function(a,b){var c=[],d,e,g=this[0];if(f.isArray(a)){var h=1;while(g&&g.ownerDocument&&g!==b){for(d=0;d<a.length;d++)f(g).is(a[d])&&c.push({selector:a[d],elem:g,level:h});g=g.parentNode,h++}return c}var i=Q.test(a)||typeof a!="string"?f(a,b||this.context):0;for(d=0,e=this.length;d<e;d++){g=this[d];while(g){if(i?i.index(g)>-1:f.find.matchesSelector(g,a)){c.push(g);break}g=g.parentNode;if(!g||!g.ownerDocument||g===b||g.nodeType===11)break}}return c=c.length>1?f.unique(c):c,this.pushStack(c,"closest",a)},index:function(a){return a?typeof a=="string"?f.inArray(this[0],f(a)):f.inArray(a.jquery?a[0]:a,this):this[0]&&this[0].parentNode?this.prevAll().length:-1},add:function(a,b){var c=typeof a=="string"?f(a,b):f.makeArray(a&&a.nodeType?[a]:a),d=f.merge(this.get(),c);return this.pushStack(S(c[0])||S(d[0])?d:f.unique(d))},andSelf:function(){return this.add(this.prevObject)}}),f.each({parent:function(a){var b=a.parentNode;return b&&b.nodeType!==11?b:null},parents:function(a){return f.dir(a,"parentNode")},parentsUntil:function(a,b,c){return f.dir(a,"parentNode",c)},next:function(a){return f.nth(a,2,"nextSibling")},prev:function(a){return f.nth(a,2,"previousSibling")},nextAll:function(a){return f.dir(a,"nextSibling")},prevAll:function(a){return f.dir(a,"previousSibling")},nextUntil:function(a,b,c){return f.dir(a,"nextSibling",c)},prevUntil:function(a,b,c){return f.dir(a,"previousSibling",c)},siblings:function(a){return f.sibling(a.parentNode.firstChild,a)},children:function(a){return f.sibling(a.firstChild)},contents:function(a){return f.nodeName(a,"iframe")?a.contentDocument||a.contentWindow.document:f.makeArray(a.childNodes)}},function(a,b){f.fn[a]=function(c,d){var e=f.map(this,b,c);return L.test(a)||(d=c),d&&typeof d=="string"&&(e=f.filter(d,e)),e=this.length>1&&!R[a]?f.unique(e):e,(this.length>1||N.test(d))&&M.test(a)&&(e=e.reverse()),this.pushStack(e,a,P.call(arguments).join(","))}}),f.extend({filter:function(a,b,c){return c&&(a=":not("+a+")"),b.length===1?f.find.matchesSelector(b[0],a)?[b[0]]:[]:f.find.matches(a,b)},dir:function(a,c,d){var e=[],g=a[c];while(g&&g.nodeType!==9&&(d===b||g.nodeType!==1||!f(g).is(d)))g.nodeType===1&&e.push(g),g=g[c];return e},nth:function(a,b,c,d){b=b||1;var e=0;for(;a;a=a[c])if(a.nodeType===1&&++e===b)break;return a},sibling:function(a,b){var c=[];for(;a;a=a.nextSibling)a.nodeType===1&&a!==b&&c.push(a);return c}});var V="abbr|article|aside|audio|canvas|datalist|details|figcaption|figure|footer|header|hgroup|mark|meter|nav|output|progress|section|summary|time|video",W=/ jQuery\d+="(?:\d+|null)"/g,X=/^\s+/,Y=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/ig,Z=/<([\w:]+)/,$=/<tbody/i,_=/<|&#?\w+;/,ba=/<(?:script|style)/i,bb=/<(?:script|object|embed|option|style)/i,bc=new RegExp("<(?:"+V+")","i"),bd=/checked\s*(?:[^=]|=\s*.checked.)/i,be=/\/(java|ecma)script/i,bf=/^\s*<!(?:\[CDATA\[|\-\-)/,bg={option:[1,"<select multiple='multiple'>","</select>"],legend:[1,"<fieldset>","</fieldset>"],thead:[1,"<table>","</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,"",""]},bh=U(c);bg.optgroup=bg.option,bg.tbody=bg.tfoot=bg.colgroup=bg.caption=bg.thead,bg.th=bg.td,f.support.htmlSerialize||(bg._default=[1,"div<div>","</div>"]),f.fn.extend({text:function(a){return f.isFunction(a)?this.each(function(b){var c=f(this);c.text(a.call(this,b,c.text()))}):typeof a!="object"&&a!==b?this.empty().append((this[0]&&this[0].ownerDocument||c).createTextNode(a)):f.text(this)},wrapAll:function(a){if(f.isFunction(a))return this.each(function(b){f(this).wrapAll(a.call(this,b))});if(this[0]){var b=f(a,this[0].ownerDocument).eq(0).clone(!0);this[0].parentNode&&b.insertBefore(this[0]),b.map(function(){var a=this;while(a.firstChild&&a.firstChild.nodeType===1)a=a.firstChild;return a}).append(this)}return this},wrapInner:function(a){return f.isFunction(a)?this.each(function(b){f(this).wrapInner(a.call(this,b))}):this.each(function(){var b=f(this),c=b.contents();c.length?c.wrapAll(a):b.append(a)})},wrap:function(a){var b=f.isFunction(a);return this.each(function(c){f(this).wrapAll(b?a.call(this,c):a)})},unwrap:function(){return this.parent().each(function(){f.nodeName(this,"body")||f(this).replaceWith(this.childNodes)}).end()},append:function(){return this.domManip(arguments,!0,function(a){this.nodeType===1&&this.appendChild(a)})},prepend:function(){return this.domManip(arguments,!0,function(a){this.nodeType===1&&this.insertBefore(a,this.firstChild)})},before:function(){if(this[0]&&this[0].parentNode)return this.domManip(arguments,!1,function(a){this.parentNode.insertBefore(a,this)});if(arguments.length){var a=f.clean(arguments);return a.push.apply(a,this.toArray()),this.pushStack(a,"before",arguments)}},after:function(){if(this[0]&&this[0].parentNode)return this.domManip(arguments,!1,function(a){this.parentNode.insertBefore(a,this.nextSibling)});if(arguments.length){var a=this.pushStack(this,"after",arguments);return a.push.apply(a,f.clean(arguments)),a}},remove:function(a,b){for(var c=0,d;(d=this[c])!=null;c++)if(!a||f.filter(a,[d]).length)!b&&d.nodeType===1&&(f.cleanData(d.getElementsByTagName("*")),f.cleanData([d])),d.parentNode&&d.parentNode.removeChild(d);return this},empty:function(){for(var a=0,b;(b=this[a])!=null;a++){b.nodeType===1&&f.cleanData(b.getElementsByTagName("*"
18
+ ));while(b.firstChild)b.removeChild(b.firstChild)}return this},clone:function(a,b){return a=a==null?!1:a,b=b==null?a:b,this.map(function(){return f.clone(this,a,b)})},html:function(a){if(a===b)return this[0]&&this[0].nodeType===1?this[0].innerHTML.replace(W,""):null;if(typeof a=="string"&&!ba.test(a)&&(f.support.leadingWhitespace||!X.test(a))&&!bg[(Z.exec(a)||["",""])[1].toLowerCase()]){a=a.replace(Y,"<$1></$2>");try{for(var c=0,d=this.length;c<d;c++)this[c].nodeType===1&&(f.cleanData(this[c].getElementsByTagName("*")),this[c].innerHTML=a)}catch(e){this.empty().append(a)}}else f.isFunction(a)?this.each(function(b){var c=f(this);c.html(a.call(this,b,c.html()))}):this.empty().append(a);return this},replaceWith:function(a){return this[0]&&this[0].parentNode?f.isFunction(a)?this.each(function(b){var c=f(this),d=c.html();c.replaceWith(a.call(this,b,d))}):(typeof a!="string"&&(a=f(a).detach()),this.each(function(){var b=this.nextSibling,c=this.parentNode;f(this).remove(),b?f(b).before(a):f(c).append(a)})):this.length?this.pushStack(f(f.isFunction(a)?a():a),"replaceWith",a):this},detach:function(a){return this.remove(a,!0)},domManip:function(a,c,d){var e,g,h,i,j=a[0],k=[];if(!f.support.checkClone&&arguments.length===3&&typeof j=="string"&&bd.test(j))return this.each(function(){f(this).domManip(a,c,d,!0)});if(f.isFunction(j))return this.each(function(e){var g=f(this);a[0]=j.call(this,e,c?g.html():b),g.domManip(a,c,d)});if(this[0]){i=j&&j.parentNode,f.support.parentNode&&i&&i.nodeType===11&&i.childNodes.length===this.length?e={fragment:i}:e=f.buildFragment(a,this,k),h=e.fragment,h.childNodes.length===1?g=h=h.firstChild:g=h.firstChild;if(g){c=c&&f.nodeName(g,"tr");for(var l=0,m=this.length,n=m-1;l<m;l++)d.call(c?bi(this[l],g):this[l],e.cacheable||m>1&&l<n?f.clone(h,!0,!0):h)}k.length&&f.each(k,bp)}return this}}),f.buildFragment=function(a,b,d){var e,g,h,i,j=a[0];return b&&b[0]&&(i=b[0].ownerDocument||b[0]),i.createDocumentFragment||(i=c),a.length===1&&typeof j=="string"&&j.length<512&&i===c&&j.charAt(0)==="<"&&!bb.test(j)&&(f.support.checkClone||!bd.test(j))&&(f.support.html5Clone||!bc.test(j))&&(g=!0,h=f.fragments[j],h&&h!==1&&(e=h)),e||(e=i.createDocumentFragment(),f.clean(a,i,e,d)),g&&(f.fragments[j]=h?e:1),{fragment:e,cacheable:g}},f.fragments={},f.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(a,b){f.fn[a]=function(c){var d=[],e=f(c),g=this.length===1&&this[0].parentNode;if(g&&g.nodeType===11&&g.childNodes.length===1&&e.length===1)return e[b](this[0]),this;for(var h=0,i=e.length;h<i;h++){var j=(h>0?this.clone(!0):this).get();f(e[h])[b](j),d=d.concat(j)}return this.pushStack(d,a,e.selector)}}),f.extend({clone:function(a,b,c){var d,e,g,h=f.support.html5Clone||!bc.test("<"+a.nodeName)?a.cloneNode(!0):bo(a);if((!f.support.noCloneEvent||!f.support.noCloneChecked)&&(a.nodeType===1||a.nodeType===11)&&!f.isXMLDoc(a)){bk(a,h),d=bl(a),e=bl(h);for(g=0;d[g];++g)e[g]&&bk(d[g],e[g])}if(b){bj(a,h);if(c){d=bl(a),e=bl(h);for(g=0;d[g];++g)bj(d[g],e[g])}}return d=e=null,h},clean:function(a,b,d,e){var g;b=b||c,typeof b.createElement=="undefined"&&(b=b.ownerDocument||b[0]&&b[0].ownerDocument||c);var h=[],i;for(var j=0,k;(k=a[j])!=null;j++){typeof k=="number"&&(k+="");if(!k)continue;if(typeof k=="string")if(!_.test(k))k=b.createTextNode(k);else{k=k.replace(Y,"<$1></$2>");var l=(Z.exec(k)||["",""])[1].toLowerCase(),m=bg[l]||bg._default,n=m[0],o=b.createElement("div");b===c?bh.appendChild(o):U(b).appendChild(o),o.innerHTML=m[1]+k+m[2];while(n--)o=o.lastChild;if(!f.support.tbody){var p=$.test(k),q=l==="table"&&!p?o.firstChild&&o.firstChild.childNodes:m[1]==="<table>"&&!p?o.childNodes:[];for(i=q.length-1;i>=0;--i)f.nodeName(q[i],"tbody")&&!q[i].childNodes.length&&q[i].parentNode.removeChild(q[i])}!f.support.leadingWhitespace&&X.test(k)&&o.insertBefore(b.createTextNode(X.exec(k)[0]),o.firstChild),k=o.childNodes}var r;if(!f.support.appendChecked)if(k[0]&&typeof (r=k.length)=="number")for(i=0;i<r;i++)bn(k[i]);else bn(k);k.nodeType?h.push(k):h=f.merge(h,k)}if(d){g=function(a){return!a.type||be.test(a.type)};for(j=0;h[j];j++)if(e&&f.nodeName(h[j],"script")&&(!h[j].type||h[j].type.toLowerCase()==="text/javascript"))e.push(h[j].parentNode?h[j].parentNode.removeChild(h[j]):h[j]);else{if(h[j].nodeType===1){var s=f.grep(h[j].getElementsByTagName("script"),g);h.splice.apply(h,[j+1,0].concat(s))}d.appendChild(h[j])}}return h},cleanData:function(a){var b,c,d=f.cache,e=f.event.special,g=f.support.deleteExpando;for(var h=0,i;(i=a[h])!=null;h++){if(i.nodeName&&f.noData[i.nodeName.toLowerCase()])continue;c=i[f.expando];if(c){b=d[c];if(b&&b.events){for(var j in b.events)e[j]?f.event.remove(i,j):f.removeEvent(i,j,b.handle);b.handle&&(b.handle.elem=null)}g?delete i[f.expando]:i.removeAttribute&&i.removeAttribute(f.expando),delete d[c]}}}});var bq=/alpha\([^)]*\)/i,br=/opacity=([^)]*)/,bs=/([A-Z]|^ms)/g,bt=/^-?\d+(?:px)?$/i,bu=/^-?\d/,bv=/^([\-+])=([\-+.\de]+)/,bw={position:"absolute",visibility:"hidden",display:"block"},bx=["Left","Right"],by=["Top","Bottom"],bz,bA,bB;f.fn.css=function(a,c){return arguments.length===2&&c===b?this:f.access(this,a,c,!0,function(a,c,d){return d!==b?f.style(a,c,d):f.css(a,c)})},f.extend({cssHooks:{opacity:{get:function(a,b){if(b){var c=bz(a,"opacity","opacity");return c===""?"1":c}return a.style.opacity}}},cssNumber:{fillOpacity:!0,fontWeight:!0,lineHeight:!0,opacity:!0,orphans:!0,widows:!0,zIndex:!0,zoom:!0},cssProps:{"float":f.support.cssFloat?"cssFloat":"styleFloat"},style:function(a,c,d,e){if(!a||a.nodeType===3||a.nodeType===8||!a.style)return;var g,h,i=f.camelCase(c),j=a.style,k=f.cssHooks[i];c=f.cssProps[i]||i;if(d===b)return k&&"get"in k&&(g=k.get(a,!1,e))!==b?g:j[c];h=typeof d,h==="string"&&(g=bv.exec(d))&&(d=+(g[1]+1)*+g[2]+parseFloat(f.css(a,c)),h="number");if(d==null||h==="number"&&isNaN(d))return;h==="number"&&!f.cssNumber[i]&&(d+="px");if(!k||!("set"in k)||(d=k.set(a,d))!==b)try{j[c]=d}catch(l){}},css:function(a,c,d){var e,g;c=f.camelCase(c),g=f.cssHooks[c],c=f.cssProps[c]||c,c==="cssFloat"&&(c="float");if(g&&"get"in g&&(e=g.get(a,!0,d))!==b)return e;if(bz)return bz(a,c)},swap:function(a,b,c){var d={};for(var e in b)d[e]=a.style[e],a.style[e]=b[e];c.call(a);for(e in b)a.style[e]=d[e]}}),f.curCSS=f.css,f.each(["height","width"],function(a,b){f.cssHooks[b]={get:function(a,c,d){var e;if(c)return a.offsetWidth!==0?bC(a,b,d):(f.swap(a,bw,function(){e=bC(a,b,d)}),e)},set:function(a,b){if(!bt.test(b))return b;b=parseFloat(b);if(b>=0)return b+"px"}}}),f.support.opacity||(f.cssHooks.opacity={get:function(a,b){return br.test((b&&a.currentStyle?a.currentStyle.filter:a.style.filter)||"")?parseFloat(RegExp.$1)/100+"":b?"1":""},set:function(a,b){var c=a.style,d=a.currentStyle,e=f.isNumeric(b)?"alpha(opacity="+b*100+")":"",g=d&&d.filter||c.filter||"";c.zoom=1;if(b>=1&&f.trim(g.replace(bq,""))===""){c.removeAttribute("filter");if(d&&!d.filter)return}c.filter=bq.test(g)?g.replace(bq,e):g+" "+e}}),f(function(){f.support.reliableMarginRight||(f.cssHooks.marginRight={get:function(a,b){var c;return f.swap(a,{display:"inline-block"},function(){b?c=bz(a,"margin-right","marginRight"):c=a.style.marginRight}),c}})}),c.defaultView&&c.defaultView.getComputedStyle&&(bA=function(a,b){var c,d,e;return b=b.replace(bs,"-$1").toLowerCase(),(d=a.ownerDocument.defaultView)&&(e=d.getComputedStyle(a,null))&&(c=e.getPropertyValue(b),c===""&&!f.contains(a.ownerDocument.documentElement,a)&&(c=f.style(a,b))),c}),c.documentElement.currentStyle&&(bB=function(a,b){var c,d,e,f=a.currentStyle&&a.currentStyle[b],g=a.style;return f===null&&g&&(e=g[b])&&(f=e),!bt.test(f)&&bu.test(f)&&(c=g.left,d=a.runtimeStyle&&a.runtimeStyle.left,d&&(a.runtimeStyle.left=a.currentStyle.left),g.left=b==="fontSize"?"1em":f||0,f=g.pixelLeft+"px",g.left=c,d&&(a.runtimeStyle.left=d)),f===""?"auto":f}),bz=bA||bB,f.expr&&f.expr.filters&&(f.expr.filters.hidden=function(a){var b=a.offsetWidth,c=a.offsetHeight;return b===0&&c===0||!f.support.reliableHiddenOffsets&&(a.style&&a.style.display||f.css(a,"display"))==="none"},f.expr.filters.visible=function(a){return!f.expr.filters.hidden(a)});var bD=/%20/g,bE=/\[\]$/,bF=/\r?\n/g,bG=/#.*$/,bH=/^(.*?):[ \t]*([^\r\n]*)\r?$/mg,bI=/^(?:color|date|datetime|datetime-local|email|hidden|month|number|password|range|search|tel|text|time|url|week)$/i,bJ=/^(?:about|app|app\-storage|.+\-extension|file|res|widget):$/,bK=/^(?:GET|HEAD)$/,bL=/^\/\//,bM=/\?/,bN=/<script\b[^<]*(?:(?!<\/script>)<[^<]*)*<\/script>/gi,bO=/^(?:select|textarea)/i,bP=/\s+/,bQ=/([?&])_=[^&]*/,bR=/^([\w\+\.\-]+:)(?:\/\/([^\/?#:]*)(?::(\d+))?)?/,bS=f.fn.load,bT={},bU={},bV,bW,bX=["*/"]+["*"];try{bV=e.href}catch(bY){bV=c.createElement("a"),bV.href="",bV=bV.href}bW=bR.exec(bV.toLowerCase())||[],f.fn.extend({load:function(a,c,d){if(typeof a!="string"&&bS)return bS.apply(this,arguments);if(!this.length)return this;var e=a.indexOf(" ");if(e>=0){var g=a.slice(e,a.length);a=a.slice(0,e)}var h="GET";c&&(f.isFunction(c)?(d=c,c=b):typeof c=="object"&&(c=f.param(c,f.ajaxSettings.traditional),h="POST"));var i=this;return f.ajax({url:a,type:h,dataType:"html",data:c,complete:function(a,b,c){c=a.responseText,a.isResolved()&&(a.done(function(a){c=a}),i.html(g?f("<div>").append(c.replace(bN,"")).find(g):c)),d&&i.each(d,[c,b,a])}}),this},serialize:function(){return f.param(this.serializeArray())},serializeArray:function(){return this.map(function(){return this.elements?f.makeArray(this.elements):this}).filter(function(){return this.name&&!this.disabled&&(this.checked||bO.test(this.nodeName)||bI.test(this.type))}).map(function(a,b){var c=f(this).val();return c==null?null:f.isArray(c)?f.map(c,function(a,c){return{name:b.name,value:a.replace(bF,"\r\n")}}):{name:b.name,value:c.replace(bF,"\r\n")}}).get()}}),f.each("ajaxStart ajaxStop ajaxComplete ajaxError ajaxSuccess ajaxSend".split(" "),function(a,b){f.fn[b]=function(a){return this.on(b,a)}}),f.each(["get","post"],function(a,c){f[c]=function(a,d,e,g){return f.isFunction(d)&&(g=g||e,e=d,d=b),f.ajax({type:c,url:a,data:d,success:e,dataType:g})}}),f.extend({getScript:function(a,c){return f.get(a,b,c,"script")},getJSON:function(a,b,c){return f.get(a,b,c,"json")},ajaxSetup:function(a,b){return b?b_(a,f.ajaxSettings):(b=a,a=f.ajaxSettings),b_(a,b),a},ajaxSettings:{url:bV,isLocal:bJ.test(bW[1]),global:!0,type:"GET",contentType:"application/x-www-form-urlencoded",processData:!0,async:!0,accepts:{xml:"application/xml, text/xml",html:"text/html",text:"text/plain",json:"application/json, text/javascript","*":bX},contents:{xml:/xml/,html:/html/,json:/json/},responseFields:{xml:"responseXML",text:"responseText"},converters:{"* text":a.String,"text html":!0,"text json":f.parseJSON,"text xml":f.parseXML},flatOptions:{context:!0,url:!0}},ajaxPrefilter:bZ(bT),ajaxTransport:bZ(bU),ajax:function(a,c){function w(a,c,l,m){if(s===2)return;s=2,q&&clearTimeout(q),p=b,n=m||"",v.readyState=a>0?4:0;var o,r,u,w=c,x=l?cb(d,v,l):b,y,z;if(a>=200&&a<300||a===304){if(d.ifModified){if(y=v.getResponseHeader("Last-Modified"))f.lastModified[k]=y;if(z=v.getResponseHeader("Etag"))f.etag[k]=z}if(a===304)w="notmodified",o=!0;else try{r=cc(d,x),w="success",o=!0}catch(A){w="parsererror",u=A}}else{u=w;if(!w||a)w="error",a<0&&(a=0)}v.status=a,v.statusText=""+(c||w),o?h.resolveWith(e,[r,w,v]):h.rejectWith(e,[v,w,u]),v.statusCode(j),j=b,t&&g.trigger("ajax"+(o?"Success":"Error"),[v,d,o?r:u]),i.fireWith(e,[v,w]),t&&(g.trigger("ajaxComplete",[v,d]),--f.active||f.event.trigger("ajaxStop"))}typeof a=="object"&&(c=a,a=b),c=c||{};var d=f.ajaxSetup({},c),e=d.context||d,g=e!==d&&(e.nodeType||e instanceof f)?f(e):f.event,h=f.Deferred(),i=f.Callbacks("once memory"),j=d.statusCode||{},k,l={},m={},n,o,p,q,r,s=0,t,u,v={readyState:0,setRequestHeader:function(a,b){if(!s){var c=a.toLowerCase();a=m[c]=m[c]||a,l[a]=b}return this},getAllResponseHeaders:function(){return s===2?n:null},getResponseHeader:function(a){var c;if(s===2){if(!o){o={};while(c=bH.exec(n))o[c[1].toLowerCase()]=c[2]}c=o[a.toLowerCase()]}return c===b?null:c},overrideMimeType:function(a){return s||(d.mimeType=a),this},abort:function(a){return a=a||"abort",p&&p.abort(a),w(0,a),this}};h.promise(v),v.success=v.done,v.error=v.fail,v.complete=i.add,v.statusCode=function(a){if(a){var b;if(s<2)for(b in a)j[b]=[j[b],a[b]];else b=a[v.status],v.then(b,b)}return this},d.url=((a||d.url)+"").replace(bG,"").replace(bL,bW[1]+"//"),d.dataTypes=f.trim(d.dataType||"*").toLowerCase().split(bP),d.crossDomain==null&&(r=bR.exec(d.url.toLowerCase()),d.crossDomain=!(!r||r[1]==bW[1]&&r[2]==bW[2]&&(r[3]||(r[1]==="http:"?80:443))==(bW[3]||(bW[1]==="http:"?80:443)))),d.data&&d.processData&&typeof d.data!="string"&&(d.data=f.param(d.data,d.traditional)),b$(bT,d,c,v);if(s===2)return!1;t=d.global,d.type=d.type.toUpperCase(),d.hasContent=!bK.test(d.type),t&&f.active++===0&&f.event.trigger("ajaxStart");if(!d.hasContent){d.data&&(d.url+=(bM.test(d.url)?"&":"?")+d.data,delete d.data),k=d.url;if(d.cache===!1){var x=f.now(),y=d.url.replace(bQ,"$1_="+x);d.url=y+(y===d.url?(bM.test(d.url)?"&":"?")+"_="+x:"")}}(d.data&&d.hasContent&&d.contentType!==!1||c.contentType)&&v.setRequestHeader("Content-Type",d.contentType),d.ifModified&&(k=k||d.url,f.lastModified[k]&&v.setRequestHeader("If-Modified-Since",f.lastModified[k]),f.etag[k]&&v.setRequestHeader("If-None-Match",f.etag[k])),v.setRequestHeader("Accept",d.dataTypes[0]&&d.accepts[d.dataTypes[0]]?d.accepts[d.dataTypes[0]]+(d.dataTypes[0]!=="*"?", "+bX+"; q=0.01":""):d.accepts["*"]);for(u in d.headers)v.setRequestHeader(u,d.headers[u]);if(!d.beforeSend||d.beforeSend.call(e,v,d)!==!1&&s!==2){for(u in{success:1,error:1,complete:1})v[u](d[u]);p=b$(bU,d,c,v);if(!p)w(-1,"No Transport");else{v.readyState=1,t&&g.trigger("ajaxSend",[v,d]),d.async&&d.timeout>0&&(q=setTimeout(function(){v.abort("timeout")},d.timeout));try{s=1,p.send(l,w)}catch(z){if(s<2)w(-1,z);else throw z}}return v}return v.abort(),!1},param:function(a,c){var d=[],e=function(a,b){b=f.isFunction(b)?b():b,d[d.length]=encodeURIComponent(a)+"="+encodeURIComponent(b)};c===b&&(c=f.ajaxSettings.traditional);if(f.isArray(a)||a.jquery&&!f.isPlainObject(a))f.each(a,function(){e(this.name,this.value)});else for(var g in a)ca(g,a[g],c,e);return d.join("&").replace(bD,"+")}}),f.extend({active:0,lastModified:{},etag:{}});var cd=f.now(),ce=/(\=)\?(&|$)|\?\?/i;f.ajaxSetup({jsonp:"callback",jsonpCallback:function(){return f.expando+"_"+cd++}}),f.ajaxPrefilter("json jsonp",function(b,c,d){var e=b.contentType==="application/x-www-form-urlencoded"&&typeof b.data=="string";if(b.dataTypes[0]==="jsonp"||b.jsonp!==!1&&(ce.test(b.url)||e&&ce.test(b.data))){var g,h=b.jsonpCallback=f.isFunction(b.jsonpCallback)?b.jsonpCallback():b.jsonpCallback,i=a[h],j=b.url,k=b.data,l="$1"+h+"$2";return b.jsonp!==!1&&(j=j.replace(ce,l),b.url===j&&(e&&(k=k.replace(ce,l)),b.data===k&&(j+=(/\?/.test(j)?"&":"?")+b.jsonp+"="+h))),b.url=j,b.data=k,a[h]=function(a){g=[a]},d.always(function(){a[h]=i,g&&f.isFunction(i)&&a[h](g[0])}),b.converters["script json"]=function(){return g||f.error(h+" was not called"),g[0]},b.dataTypes[0]="json","script"}}),f.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/javascript|ecmascript/},converters:{"text script":function(a){return f.globalEval(a),a}}}),f.ajaxPrefilter("script",function(a){a.cache===b&&(a.cache=!1),a.crossDomain&&(a.type="GET",a.global=!1)}),f.ajaxTransport("script",function(a){if(a.crossDomain){var d,e=c.head||c.getElementsByTagName("head")[0]||c.documentElement;return{send:function(f,g){d=c.createElement("script"),d.async="async",a.scriptCharset&&(d.charset=a.scriptCharset),d.src=a.url,d.onload=d.onreadystatechange=function(a,c){if(c||!d.readyState||/loaded|complete/.test(d.readyState))d.onload=d.onreadystatechange=null,e&&d.parentNode&&e.removeChild(d),d=b,c||g(200,"success")},e.insertBefore(d,e.firstChild)},abort:function(){d&&d.onload(0,1)}}}});var cf=a.ActiveXObject?function(){for(var a in ch)ch[a](0,1)}:!1,cg=0,ch;f.ajaxSettings.xhr=a.ActiveXObject?function(){return!this.isLocal&&ci()||cj()}:ci,function(a){f.extend(f.support,{ajax:!!a,cors:!!a&&"withCredentials"in a})}(f.ajaxSettings.xhr()),f.support.ajax&&f.ajaxTransport(function(c){if(!c.crossDomain||f.support.cors){var d;return{send:function(e,g){var h=c.xhr(),i,j;c.username?h.open(c.type,c.url,c.async,c.username,c.password):h.open(c.type,c.url,c.async);if(c.xhrFields)for(j in c.xhrFields)h[j]=c.xhrFields[j];c.mimeType&&h.overrideMimeType&&h.overrideMimeType(c.mimeType),!c.crossDomain&&!e["X-Requested-With"]&&(e["X-Requested-With"]="XMLHttpRequest");try{for(j in e)h.setRequestHeader(j,e[j])}catch(k){}h.send(c.hasContent&&c.data||null),d=function(a,e){var j,k,l,m,n;try{if(d&&(e||h.readyState===4)){d=b,i&&(h.onreadystatechange=f.noop,cf&&delete ch[i]);if(e)h.readyState!==4&&h.abort();else{j=h.status,l=h.getAllResponseHeaders(),m={},n=h.responseXML,n&&n.documentElement&&(m.xml=n),m.text=h.responseText;try{k=h.statusText}catch(o){k=""}!j&&c.isLocal&&!c.crossDomain?j=m.text?200:404:j===1223&&(j=204)}}}catch(p){e||g(-1,p)}m&&g(j,k,m,l)},!c.async||h.readyState===4?d():(i=++cg,cf&&(ch||(ch={},f(a).unload(cf)),ch[i]=d),h.onreadystatechange=d)},abort:function(){d&&d(0,1)}}}});var ck={},cl,cm,cn=/^(?:toggle|show|hide)$/,co=/^([+\-]=)?([\d+.\-]+)([a-z%]*)$/i,cp,cq=[["height","marginTop","marginBottom","paddingTop","paddingBottom"],["width","marginLeft","marginRight","paddingLeft","paddingRight"],["opacity"]],cr;f.fn.extend({show:function(a,b,c){var d,e;if(a||a===0)return this.animate(cu("show",3),a,b,c);for(var g=0,h=this.length;g<h;g++)d=this[g],d.style&&(e=d.style.display,!f._data(d,"olddisplay")&&e==="none"&&(e=d.style.display=""),e===""&&f.css(d,"display")==="none"&&f._data(d,"olddisplay",cv(d.nodeName)));for(g=0;g<h;g++){d=this[g];if(d.style){e=d.style.display;if(e===""||e==="none")d.style.display=f._data(d,"olddisplay")||""}}return this},hide:function(a,b,c){if(a||a===0)return this.animate(cu("hide",3),a,b,c);var d,e,g=0,h=this.length;for(;g<h;g++)d=this[g],d.style&&(e=f.css(d,"display"),e!=="none"&&!f._data(d,"olddisplay")&&f._data(d,"olddisplay",e));for(g=0;g<h;g++)this[g].style&&(this[g].style.display="none");return this},_toggle:f.fn.toggle,toggle:function(a,b,c){var d=typeof a=="boolean";return f.isFunction(a)&&f.isFunction(b)?this._toggle.apply(this,arguments):a==null||d?this.each(function(){var b=d?a:f(this).is(":hidden");f(this)[b?"show":"hide"]()}):this.animate(cu("toggle",3),a,b,c),this},fadeTo:function(a,b,c,d){return this.filter(":hidden").css("opacity",0).show().end().animate({opacity:b},a,c,d)},animate:function(a,b,c,d){function g(){e.queue===!1&&f._mark(this);var b=f.extend({},e),c=this.nodeType===1,d=c&&f(this).is(":hidden"),g,h,i,j,k,l,m,n,o;b.animatedProperties={};for(i in a){g=f.camelCase(i),i!==g&&(a[g]=a[i],delete a[i]),h=a[g],f.isArray(h)?(b.animatedProperties[g]=h[1],h=a[g]=h[0]):b.animatedProperties[g]=b.specialEasing&&b.specialEasing[g]||b.easing||"swing";if(h==="hide"&&d||h==="show"&&!d)return b.complete.call(this);c&&(g==="height"||g==="width")&&(b.overflow=[this.style.overflow,this.style.overflowX,this.style.overflowY],f.css(this,"display")==="inline"&&f.css(this,"float")==="none"&&(!f.support.inlineBlockNeedsLayout||cv(this.nodeName)==="inline"?this.style.display="inline-block":this.style.zoom=1))}b.overflow!=null&&(this.style.overflow="hidden");for(i in a)j=new f.fx(this,b,i),h=a[i],cn.test(h)?(o=f._data(this,"toggle"+i)||(h==="toggle"?d?"show":"hide":0),o?(f._data(this,"toggle"+i,o==="show"?"hide":"show"),j[o]()):j[h]()):(k=co.exec(h),l=j.cur(),k?(m=parseFloat(k[2]),n=k[3]||(f.cssNumber[i]?"":"px"),n!=="px"&&(f.style(this,i,(m||1)+n),l=(m||1)/j.cur()*l,f.style(this,i,l+n)),k[1]&&(m=(k[1]==="-="?-1:1)*m+l),j.custom(l,m,n)):j.custom(l,h,""));return!0}var e=f.speed(b,c,d);return f.isEmptyObject(a)?this.each(e.complete,[!1]):(a=f.extend({},a),e.queue===!1?this.each(g):this.queue(e.queue,g))},stop:function(a,c,d){return typeof a!="string"&&(d=c,c=a,a=b),c&&a!==!1&&this.queue(a||"fx",[]),this.each(function(){function h(a,b,c){var e=b[c];f.removeData(a,c,!0),e.stop(d)}var b,c=!1,e=f.timers,g=f._data(this);d||f._unmark(!0,this);if(a==null)for(b in g)g[b]&&g[b].stop&&b.indexOf(".run")===b.length-4&&h(this,g,b);else g[b=a+".run"]&&g[b].stop&&h(this,g,b);for(b=e.length;b--;)e[b].elem===this&&(a==null||e[b].queue===a)&&(d?e[b](!0):e[b].saveState(),c=!0,e.splice(b,1));(!d||!c)&&f.dequeue(this,a)})}}),f.each({slideDown:cu("show",1),slideUp:cu("hide",1),slideToggle:cu("toggle",1),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"},fadeToggle:{opacity:"toggle"}},function(a,b){f.fn[a]=function(a,c,d){return this.animate(b,a,c,d)}}),f.extend({speed:function(a,b,c){var d=a&&typeof a=="object"?f.extend({},a):{complete:c||!c&&b||f.isFunction(a)&&a,duration:a,easing:c&&b||b&&!f.isFunction(b)&&b};d.duration=f.fx.off?0:typeof d.duration=="number"?d.duration:d.duration in f.fx.speeds?f.fx.speeds[d.duration]:f.fx.speeds._default;if(d.queue==null||d.queue===!0)d.queue="fx";return d.old=d.complete,d.complete=function(a){f.isFunction(d.old)&&d.old.call(this),d.queue?f.dequeue(this,d.queue):a!==!1&&f._unmark(this)},d},easing:{linear:function(a,b,c,d){return c+d*a},swing:function(a,b,c,d){return(-Math.cos(a*Math.PI)/2+.5)*d+c}},timers:[],fx:function(a,b,c){this.options=b,this.elem=a,this.prop=c,b.orig=b.orig||{}}}),f.fx.prototype={update:function(){this.options.step&&this.options.step.call(this.elem,this.now,this),(f.fx.step[this.prop]||f.fx.step._default)(this)},cur:function(){if(this.elem[this.prop]==null||!!this.elem.style&&this.elem.style[this.prop]!=null){var a,b=f.css(this.elem,this.prop);return isNaN(a=parseFloat(b))?!b||b==="auto"?0:b:a}return this.elem[this.prop]},custom:function(a,c,d){function h(a){return e.step(a)}var e=this,g=f.fx;this.startTime=cr||cs(),this.end=c,this.now=this.start=a,this.pos=this.state=0,this.unit=d||this.unit||(f.cssNumber[this.prop]?"":"px"),h.queue=this.options.queue,h.elem=this.elem,h.saveState=function(){e.options.hide&&f._data(e.elem,"fxshow"+e.prop)===b&&f._data(e.elem,"fxshow"+e.prop,e.start)},h()&&f.timers.push(h)&&!cp&&(cp=setInterval(g.tick,g.interval))},show:function(){var a=f._data(this.elem,"fxshow"+this.prop);this.options.orig[this.prop]=a||f.style(this.elem,this.prop),this.options.show=!0,a!==b?this.custom(this.cur(),a):this.custom(this.prop==="width"||this.prop==="height"?1:0,this.cur()),f(this.elem).show()},hide:function(){this.options.orig[this.prop]=f._data(this.elem,"fxshow"+this.prop)||f.style(this.elem,this.prop),this.options.hide=!0,this.custom(this.cur(),0)},step:function(a){var b,c,d,e=cr||cs(),g=!0,h=this.elem,i=this.options;if(a||e>=i.duration+this.startTime){this.now=this.end,this.pos=this.state=1,this.update(),i.animatedProperties[this.prop]=!0;for(b in i.animatedProperties)i.animatedProperties[b]!==!0&&(g=!1);if(g){i.overflow!=null&&!f.support.shrinkWrapBlocks&&f.each(["","X","Y"],function(a,b){h.style["overflow"+b]=i.overflow[a]}),i.hide&&f(h).hide();if(i.hide||i.show)for(b in i.animatedProperties)f.style(h,b,i.orig[b]),f.removeData(h,"fxshow"+b,!0),f.removeData(h,"toggle"+b,!0);d=i.complete,d&&(i.complete=!1,d.call(h))}return!1}return i.duration==Infinity?this.now=e:(c=e-this.startTime,this.state=c/i.duration,this.pos=f.easing[i.animatedProperties[this.prop]](this.state,c,0,1,i.duration),this.now=this.start+(this.end-this.start)*this.pos),this.update(),!0}},f.extend(f.fx,{tick:function(){var a,b=f.timers,c=0;for(;c<b.length;c++)a=b[c],!a()&&b[c]===a&&b.splice(c--,1);b.length||f.fx.stop()},interval:13,stop:function(){clearInterval(cp),cp=null},speeds:{slow:600,fast:200,_default:400},step:{opacity:function(a){f.style(a.elem,"opacity",a.now)},_default:function(a){a.elem.style&&a.elem.style[a.prop]!=null?a.elem.style[a.prop]=a.now+a.unit:a.elem[a.prop]=a.now}}}),f.each(["width","height"],function(a,b){f.fx.step[b]=function(a){f.style(a.elem,b,Math.max(0,a.now)+a.unit)}}),f.expr&&f.expr.filters&&(f.expr.filters.animated=function(a){return f.grep(f.timers,function(b){return a===b.elem}).length});var cw=/^t(?:able|d|h)$/i,cx=/^(?:body|html)$/i;"getBoundingClientRect"in c.documentElement?f.fn.offset=function(a){var b=this[0],c;if(a)return this.each(function(b){f.offset.setOffset(this,a,b)});if(!b||!b.ownerDocument)return null;if(b===b.ownerDocument.body)return f.offset.bodyOffset(b);try{c=b.getBoundingClientRect()}catch(d){}var e=b.ownerDocument,g=e.documentElement;if(!c||!f.contains(g,b))return c?{top:c.top,left:c.left}:{top:0,left:0};var h=e.body,i=cy(e),j=g.clientTop||h.clientTop||0,k=g.clientLeft||h.clientLeft||0,l=i.pageYOffset||f.support.boxModel&&g.scrollTop||h.scrollTop,m=i.pageXOffset||f.support.boxModel&&g.scrollLeft||h.scrollLeft,n=c.top+l-j,o=c.left+m-k;return{top:n,left:o}}:f.fn.offset=function(a){var b=this[0];if(a)return this.each(function(b){f.offset.setOffset(this,a,b)});if(!b||!b.ownerDocument)return null;if(b===b.ownerDocument.body)return f.offset.bodyOffset(b);var c,d=b.offsetParent,e=b,g=b.ownerDocument,h=g.documentElement,i=g.body,j=g.defaultView,k=j?j.getComputedStyle(b,null):b.currentStyle,l=b.offsetTop,m=b.offsetLeft;while((b=b.parentNode)&&b!==i&&b!==h){if(f.support.fixedPosition&&k.position==="fixed")break;c=j?j.getComputedStyle(b,null):b.currentStyle,l-=b.scrollTop,m-=b.scrollLeft,b===d&&(l+=b.offsetTop,m+=b.offsetLeft,f.support.doesNotAddBorder&&(!f.support.doesAddBorderForTableAndCells||!cw.test(b.nodeName))&&(l+=parseFloat(c.borderTopWidth)||0,m+=parseFloat(c.borderLeftWidth)||0),e=d,d=b.offsetParent),f.support.subtractsBorderForOverflowNotVisible&&c.overflow!=="visible"&&(l+=parseFloat(c.borderTopWidth)||0,m+=parseFloat(c.borderLeftWidth)||0),k=c}if(k.position==="relative"||k.position==="static")l+=i.offsetTop,m+=i.offsetLeft;return f.support.fixedPosition&&k.position==="fixed"&&(l+=Math.max(h.scrollTop,i.scrollTop),m+=Math.max(h.scrollLeft,i.scrollLeft)),{top:l,left:m}},f.offset={bodyOffset:function(a){var b=a.offsetTop,c=a.offsetLeft;return f.support.doesNotIncludeMarginInBodyOffset&&(b+=parseFloat(f.css(a,"marginTop"))||0,c+=parseFloat(f.css(a,"marginLeft"))||0),{top:b,left:c}},setOffset:function(a,b,c){var d=f.css(a,"position");d==="static"&&(a.style.position="relative");var e=f(a),g=e.offset(),h=f.css(a,"top"),i=f.css(a,"left"),j=(d==="absolute"||d==="fixed")&&f.inArray("auto",[h,i])>-1,k={},l={},m,n;j?(l=e.position(),m=l.top,n=l.left):(m=parseFloat(h)||0,n=parseFloat(i)||0),f.isFunction(b)&&(b=b.call(a,c,g)),b.top!=null&&(k.top=b.top-g.top+m),b.left!=null&&(k.left=b.left-g.left+n),"using"in b?b.using.call(a,k):e.css(k)}},f.fn.extend({position:function(){if(!this[0])return null;var a=this[0],b=this.offsetParent(),c=this.offset(),d=cx.test(b[0].nodeName)?{top:0,left:0}:b.offset();return c.top-=parseFloat(f.css(a,"marginTop"))||0,c.left-=parseFloat(f.css(a,"marginLeft"))||0,d.top+=parseFloat(f.css(b[0],"borderTopWidth"))||0,d.left+=parseFloat(f.css(b[0],"borderLeftWidth"))||0,{top:c.top-d.top,left:c.left-d.left}},offsetParent:function(){return this.map(function(){var a=this.offsetParent||c.body;while(a&&!cx.test(a.nodeName)&&f.css(a,"position")==="static")a=a.offsetParent;return a})}}),f.each(["Left","Top"],function(a,c){var d="scroll"+c;f.fn[d]=function(c){var e,g;return c===b?(e=this[0],e?(g=cy(e),g?"pageXOffset"in g?g[a?"pageYOffset":"pageXOffset"]:f.support.boxModel&&g.document.documentElement[d]||g.document.body[d]:e[d]):null):this.each(function(){g=cy(this),g?g.scrollTo(a?f(g).scrollLeft():c,a?c:f(g).scrollTop()):this[d]=c})}}),f.each(["Height","Width"],function(a,c){var d=c.toLowerCase();f.fn["inner"+c]=function(){var a=this[0];return a?a.style?parseFloat(f.css(a,d,"padding")):this[d]():null},f.fn["outer"+c]=function(a){var b=this[0];return b?b.style?parseFloat(f.css(b,d,a?"margin":"border")):this[d]():null},f.fn[d]=function(a){var e=this[0];if(!e)return a==null?null:this;if(f.isFunction(a))return this.each(function(b){var c=f(this);c[d](a.call(this,b,c[d]()))});if(f.isWindow(e)){var g=e.document.documentElement["client"+c],h=e.document.body;return e.document.compatMode==="CSS1Compat"&&g||h&&h["client"+c]||g}if(e.nodeType===9)return Math.max(e.documentElement["client"+c],e.body["scroll"+c],e.documentElement["scroll"+c],e.body["offset"+c],e.documentElement["offset"+c]);if(a===b){var i=f.css(e,d),j=parseFloat(i);return f.isNumeric(j)?j:i}return this.css(d,typeof a=="string"?a:a+"px")}}),a.jQuery=a.$=f,typeof define=="function"&&define.amd&&define.amd.jQuery&&define("jquery",[],function(){return f})})(window)
@@ -0,0 +1,3 @@
1
+ guard 'readme-on-github' do
2
+ watch(/readme\.(md|markdown)/i)
3
+ end
@@ -0,0 +1,5 @@
1
+ module Guard
2
+ module ReadmeOnGithubVersion
3
+ VERSION = "0.0.1"
4
+ end
5
+ end
metadata ADDED
@@ -0,0 +1,87 @@
1
+ --- !ruby/object:Gem::Specification
2
+ name: guard-readme-on-github
3
+ version: !ruby/object:Gem::Version
4
+ version: 0.0.1
5
+ prerelease:
6
+ platform: ruby
7
+ authors:
8
+ - Bradley Grzesiak
9
+ autorequire:
10
+ bindir: bin
11
+ cert_chain: []
12
+ date: 2012-01-31 00:00:00.000000000 Z
13
+ dependencies:
14
+ - !ruby/object:Gem::Dependency
15
+ name: guard
16
+ requirement: &70234958592060 !ruby/object:Gem::Requirement
17
+ none: false
18
+ requirements:
19
+ - - ! '>='
20
+ - !ruby/object:Gem::Version
21
+ version: 0.10.0
22
+ type: :runtime
23
+ prerelease: false
24
+ version_requirements: *70234958592060
25
+ - !ruby/object:Gem::Dependency
26
+ name: rdiscount
27
+ requirement: &70234958590740 !ruby/object:Gem::Requirement
28
+ none: false
29
+ requirements:
30
+ - - ~>
31
+ - !ruby/object:Gem::Version
32
+ version: '1.6'
33
+ type: :runtime
34
+ prerelease: false
35
+ version_requirements: *70234958590740
36
+ description: Preview your README as if it's on github
37
+ email:
38
+ - brad@bendyworks.com
39
+ executables: []
40
+ extensions: []
41
+ extra_rdoc_files: []
42
+ files:
43
+ - .gitignore
44
+ - .rvmrc
45
+ - Gemfile
46
+ - Guardfile
47
+ - MIT-LICENSE
48
+ - README.md
49
+ - Rakefile
50
+ - TODO.md
51
+ - guard-readme-on-github.gemspec
52
+ - lib/github-flavored-markdown.rb
53
+ - lib/github-flavored-markdown/code.rb
54
+ - lib/guard/readme-on-github.rb
55
+ - lib/guard/readme-on-github/assets/github-logo-hover.png
56
+ - lib/guard/readme-on-github/assets/github-logo.png
57
+ - lib/guard/readme-on-github/assets/github.css
58
+ - lib/guard/readme-on-github/assets/github.html
59
+ - lib/guard/readme-on-github/assets/github.js
60
+ - lib/guard/readme-on-github/assets/jquery.js
61
+ - lib/guard/readme-on-github/templates/Guardfile
62
+ - lib/guard/readme-on-github/version.rb
63
+ homepage: https://github.com/listrophy/guard-readme-on-github
64
+ licenses: []
65
+ post_install_message:
66
+ rdoc_options: []
67
+ require_paths:
68
+ - lib
69
+ required_ruby_version: !ruby/object:Gem::Requirement
70
+ none: false
71
+ requirements:
72
+ - - ! '>='
73
+ - !ruby/object:Gem::Version
74
+ version: '0'
75
+ required_rubygems_version: !ruby/object:Gem::Requirement
76
+ none: false
77
+ requirements:
78
+ - - ! '>='
79
+ - !ruby/object:Gem::Version
80
+ version: '0'
81
+ requirements: []
82
+ rubyforge_project:
83
+ rubygems_version: 1.8.10
84
+ signing_key:
85
+ specification_version: 3
86
+ summary: Preview your README as if it's on github
87
+ test_files: []