diff options
Diffstat (limited to 'mod/graphstats')
109 files changed, 6858 insertions, 0 deletions
diff --git a/mod/graphstats/languages/ca.php b/mod/graphstats/languages/ca.php new file mode 100644 index 000000000..fc4dbd719 --- /dev/null +++ b/mod/graphstats/languages/ca.php @@ -0,0 +1,17 @@ +<?php +/** + * Elgg graphstats plugin language pack + * + * @package ElggGraphStats + */ + +$catalan = array( + 'graphstats:implication' => 'Implicació', + 'graphstats:graphs' => 'Gràfics', + 'graphstats:timestats' => 'Estadístiques a través del temps', + 'graphstats:groupgraph' => 'Xarxa de grups', + 'timeline' => 'Línea temporal', +); + +add_translation("ca", $catalan); +?> diff --git a/mod/graphstats/languages/en.php b/mod/graphstats/languages/en.php new file mode 100644 index 000000000..fc3ed075e --- /dev/null +++ b/mod/graphstats/languages/en.php @@ -0,0 +1,17 @@ +<?php +/** + * Elgg graphstats plugin language pack + * + * @package ElggGraphStats + */ + +$english = array( + 'graphstats:implication' => 'Implication', + 'graphstats:graphs' => 'Graphs', + 'graphstats:timestats' => 'Stats over time', + 'graphstats:groupgraph' => 'Group network', + 'timeline' => 'Timeline', +); + +add_translation("en", $english); +?> diff --git a/mod/graphstats/languages/es.php b/mod/graphstats/languages/es.php new file mode 100644 index 000000000..eba4a683e --- /dev/null +++ b/mod/graphstats/languages/es.php @@ -0,0 +1,17 @@ +<?php +/** + * Elgg graphstats plugin language pack + * + * @package ElggGraphStats + */ + +$spanish = array( + 'graphstats:implication' => 'Implicación', + 'graphstats:graphs' => 'Gráficos', + 'graphstats:timestats' => 'Estadísticas a través del tiempo', + 'graphstats:groupgraph' => 'Red de grupos', + 'timeline' => 'Línea temporal', +); + +add_translation("es", $spanish); +?> diff --git a/mod/graphstats/languages/pt.php b/mod/graphstats/languages/pt.php new file mode 100644 index 000000000..891430139 --- /dev/null +++ b/mod/graphstats/languages/pt.php @@ -0,0 +1,14 @@ +<?php +/** + * Elgg graphstats plugin language pack + * + * @package ElggGraphStats + */ + +$portuguese = array( + 'graphstats:graphs' => "Gráficos" , +); + +add_translation('pt', $portuguese); + +?> diff --git a/mod/graphstats/lib/timestats.php b/mod/graphstats/lib/timestats.php new file mode 100644 index 000000000..739cc79c5 --- /dev/null +++ b/mod/graphstats/lib/timestats.php @@ -0,0 +1,83 @@ +<?php + +function timestats($type, $subtype, $relative = false){ + + // Start date + $entities = elgg_get_entities(array('types' => $type,'subtypes'=>$subtype,'limit' => 1,'order_by'=>'e.time_created asc')); + $firstentity = $entities[0]; + $initial_time = $firstentity->time_created; + $initial_date = getdate($initial_time); + $start_month = mktime(0, 0, 0, $initial_date["mon"], 1, $initial_date["year"]); + $current_date = $start_month; + + // End date + $last_time = time(); + $last_date = getdate($last_time); + + // Interval (week) + $interval = 7*24*60*60; + + + $total = elgg_get_entities(array('types' => $type,'subtypes'=>$subtype,'limit' => 99999, 'count'=>true)); + + $timestats = array(); + while($current_date<$last_time) { + $count = elgg_get_entities(array( + 'types' => $type, + 'subtypes' => $subtype, + 'limit' => 99999, + 'count' => true, + 'created_time_lower' => $current_date, + 'created_time_upper'=>$current_date+$interval + )); + if (empty($count)) + $count = 0; + $accumulated += $count; + $timestats[$current_date] = $relative? $count : $accumulated; + $current_date += $interval; + } + + return $timestats; +} + +function timestats_setup_sidebar_menu(){ + $tabs = array( + 'user' => array( + 'text' => elgg_echo('item:user'), + 'href' => 'graphs/timestats?type=user', + 'priority' => 200, + ), + 'group' => array( + 'text' => elgg_echo('groups'), + 'href' => 'graphs/timestats?type=group', + 'priority' => 300, + ), + ); + + $db_prefix = elgg_get_config('dbprefix'); + $result = get_data("SELECT * from {$db_prefix}entity_subtypes"); + + foreach($result as $row){ + $type = $row->type; + $subtype = $row->subtype; + $tabs[$type.':'.$subtype] = array( + 'text' => elgg_echo("item:$type:$subtype"), + 'href' => "graphs/timestats?type=$type&subtype=$subtype", + 'priority' => 400, + ); + } + + unset($tabs['object:plugin']); + unset($tabs['object:widget']); + + // sets default selected item + if (strpos(full_url(), 'type') === false) { + $tabs['user']['selected'] = true; + } + + foreach ($tabs as $name => $tab) { + $tab['name'] = $name; + + elgg_register_menu_item('page', $tab); + } +} diff --git a/mod/graphstats/manifest.xml b/mod/graphstats/manifest.xml new file mode 100644 index 000000000..6eca1568b --- /dev/null +++ b/mod/graphstats/manifest.xml @@ -0,0 +1,17 @@ +<?xml version="1.0" encoding="UTF-8"?> +<plugin_manifest xmlns="http://www.elgg.org/plugin_manifest/1.8"> + <name>Graph Stats</name> + <author>Lorea</author> + <version>2.0</version> + <category>bundled</category> + <category>admin</category> + <description>Makes some graphs out of the site</description> + <website>https:/lorea.org/</website> + <license>GNU Public License version 2</license> + <requires> + <type>elgg_version</type> + <version>2009030702</version> + </requires> + <activate_on_install>true</activate_on_install> + <admin_interface>advanced</admin_interface> +</plugin_manifest> diff --git a/mod/graphstats/pages/graphstats/group.php b/mod/graphstats/pages/graphstats/group.php new file mode 100644 index 000000000..5bb2f2567 --- /dev/null +++ b/mod/graphstats/pages/graphstats/group.php @@ -0,0 +1,42 @@ +<?php +/** + * Group timeline + * + * @package ElggGraphStats + */ + +$view = get_input('view', 'default'); +$group_guid = (int) get_input('group_guid'); + +$group = new ElggGroup($group_guid); +if (!$group->guid) { + forward(); +} + +$title = elgg_echo('graphstats:group'); + +elgg_push_breadcrumb(elgg_echo('graphstats'), "graphs/timestats"); +elgg_push_breadcrumb($group->name, $group->getURL()); +elgg_push_breadcrumb($title); + +elgg_set_page_owner_guid($group_guid); + +if($view != 'json'){ + + $json_url = elgg_get_site_url() . "graphs/group/$group_guid/?view=json"; + + $content = elgg_view('graphs/timeline', array('json_url' => $json_url)); + + $body = elgg_view_layout('content', array( + 'content' => $content, + 'title' => $title, + 'filter' => '', + )); + + echo elgg_view_page($title, $body); + +} else { + + echo elgg_view('timeline/group', array('group_guid' => $group_guid)); + +} diff --git a/mod/graphstats/pages/graphstats/timestats.php b/mod/graphstats/pages/graphstats/timestats.php new file mode 100644 index 000000000..6516e145d --- /dev/null +++ b/mod/graphstats/pages/graphstats/timestats.php @@ -0,0 +1,37 @@ +<?php +/** + * Site time stats. + * + * @package ElggGraphStats + */ + +elgg_load_library('elgg:graphs:timestats'); + +$title = elgg_echo('graphstats:timestats'); + +elgg_push_breadcrumb($title); + +$type = get_input('type', 'user'); +$subtype = get_input('subtype', ''); +$filter = get_input('filter', 'absolute'); +$type_subtype = $type . ($subtype?":$subtype":""); + +$table = elgg_view('graphs/data/timestats', array( + 'type' => $type, + 'subtype' => $subtype, + 'relative' => ($filter == 'relative'), +)); + +$content = elgg_view('graphs/timestats', array('table' => $table)); + +$filter = elgg_view('graphstats/timestats_filter_menu', array('selected' => $relative)); + +timestats_setup_sidebar_menu(); + +$body = elgg_view_layout('content', array( + 'content' => $content, + 'title' => $title, + 'filter' => $filter, +)); + +echo elgg_view_page($title, $body); diff --git a/mod/graphstats/start.php b/mod/graphstats/start.php new file mode 100644 index 000000000..cf5f2b4f5 --- /dev/null +++ b/mod/graphstats/start.php @@ -0,0 +1,72 @@ +<?php +/** + * Elgg graph stats. + * + * @package ElggGraphStats + */ + +elgg_register_event_handler('init', 'system', 'graphstats_init'); + +function graphstats_init() { + + $timestats_path = elgg_get_plugins_path() . 'graphstats/lib/timestats.php'; + elgg_register_library('elgg:graphs:timestats', $timestats_path); + + elgg_register_page_handler('graphs', 'graphstats_pagehandler'); + + // register the timeline's JavaScript + $timeline_js = elgg_get_simplecache_url('js', 'timeline'); + elgg_register_js('simile.timeline', $timeline_js); + + // register the raphael's Javascript + $raphael_js = elgg_get_simplecache_url('js', 'raphael/raphael'); + elgg_register_js('raphael', $raphael_js, 'head'); + + // register the raphael analytics's Javascript + $analytics_js = elgg_get_simplecache_url('js', 'raphael/analytics'); + elgg_register_js('raphael.analytics', $analytics_js, 'head'); + + // Modifying group activity pagehander + elgg_register_plugin_hook_handler('route','groups', 'graphstats_setup_title_button'); +} + +/** + * Dispatches graphs pages. + * URLs take the form of + * Time stats: graphs/timestats/[?type=<type>&subtype=<subtype>][&relative=true] + * Group network: graphs/groupnetwork/ + * Implication: graphs/implication/ + * Group timeline: graphs/group/<guid>/ + * + * @param array $page + * @return NULL + */ +function graphstats_pagehandler($page){ + $graphstats_dir = elgg_get_plugins_path() . 'graphstats/pages/graphstats'; + + $page_type = $page[0]; + switch ($page_type) { + case 'timestats': + include "$graphstats_dir/timestats.php"; + break; + case 'groupnetwork': + break; + case 'implication': + break; + case 'group': + set_input('group_guid', $page[1]); + include "$graphstats_dir/group.php"; + break; + } +} + +function graphstats_setup_title_button($hook, $type, $params, $return){ + $page_type = $params['segments'][0]; + $group_guid = $params['segments'][1]; + + if($page_type == 'activity'){ + add_translation(get_current_language(), array('graphs:group' => elgg_echo('timeline'))); + elgg_set_page_owner_guid((int) $group_guid); + elgg_register_title_button('graphs', 'group'); + } +} diff --git a/mod/graphstats/vendors/raphaeljs/analytics.js b/mod/graphstats/vendors/raphaeljs/analytics.js new file mode 100644 index 000000000..723fb2a12 --- /dev/null +++ b/mod/graphstats/vendors/raphaeljs/analytics.js @@ -0,0 +1,141 @@ +Raphael.fn.drawGrid = function (x, y, w, h, wv, hv, color) { + color = color || "#000"; + var path = ["M", Math.round(x) + .5, Math.round(y) + .5, "L", Math.round(x + w) + .5, Math.round(y) + .5, Math.round(x + w) + .5, Math.round(y + h) + .5, Math.round(x) + .5, Math.round(y + h) + .5, Math.round(x) + .5, Math.round(y) + .5], + rowHeight = h / hv, + columnWidth = w / wv; + for (var i = 1; i < hv; i++) { + path = path.concat(["M", Math.round(x) + .5, Math.round(y + i * rowHeight) + .5, "H", Math.round(x + w) + .5]); + } + for (i = 1; i < wv; i++) { + path = path.concat(["M", Math.round(x + i * columnWidth) + .5, Math.round(y) + .5, "V", Math.round(y + h) + .5]); + } + return this.path(path.join(",")).attr({stroke: color}); +}; + +$(function () { + $("#data").css({ + position: "absolute", + left: "-9999em", + top: "-9999em" + }); +}); + +window.onload = function () { + function getAnchors(p1x, p1y, p2x, p2y, p3x, p3y) { + var l1 = (p2x - p1x) / 2, + l2 = (p3x - p2x) / 2, + a = Math.atan((p2x - p1x) / Math.abs(p2y - p1y)), + b = Math.atan((p3x - p2x) / Math.abs(p2y - p3y)); + a = p1y < p2y ? Math.PI - a : a; + b = p3y < p2y ? Math.PI - b : b; + var alpha = Math.PI / 2 - ((a + b) % (Math.PI * 2)) / 2, + dx1 = l1 * Math.sin(alpha + a), + dy1 = l1 * Math.cos(alpha + a), + dx2 = l2 * Math.sin(alpha + b), + dy2 = l2 * Math.cos(alpha + b); + return { + x1: p2x - dx1, + y1: p2y + dy1, + x2: p2x + dx2, + y2: p2y + dy2 + }; + } + // Grab the data + var labels = [], + data = []; + $("#data tfoot th").each(function () { + labels.push($(this).html()); + }); + $("#data tbody td").each(function () { + data.push($(this).html()); + }); + + // Draw + var width = 800, + height = 250, + leftgutter = 30, + bottomgutter = 20, + topgutter = 20, + colorhue = .6 || Math.random(), + color = "hsl(" + [colorhue, .5, .5] + ")", + r = Raphael("holder", width, height), + txt = {font: '12px Helvetica, Arial', fill: "#fff"}, + txt1 = {font: '10px Helvetica, Arial', fill: "#fff"}, + txt2 = {font: '12px Helvetica, Arial', fill: "#000"}, + X = (width - leftgutter) / labels.length, + max = Math.max.apply(Math, data), + Y = (height - bottomgutter - topgutter) / max; + r.drawGrid(leftgutter + X * .5 + .5, topgutter + .5, width - leftgutter - X, height - topgutter - bottomgutter, 10, 10, "#000"); + var path = r.path().attr({stroke: color, "stroke-width": 4, "stroke-linejoin": "round"}), + bgp = r.path().attr({stroke: "none", opacity: .3, fill: color}), + label = r.set(), + lx = 0, ly = 0, + is_label_visible = false, + leave_timer, + blanket = r.set(); + label.push(r.text(60, 12, "24 hits").attr(txt)); + label.push(r.text(60, 27, "22 September 2008").attr(txt1).attr({fill: color})); + label.hide(); + var frame = r.popup(100, 100, label, "right").attr({fill: "#000", stroke: "#666", "stroke-width": 2, "fill-opacity": .7}).hide(); + + var p, bgpp; + for (var i = 0, ii = labels.length; i < ii; i++) { + var y = Math.round(height - bottomgutter - Y * data[i]), + x = Math.round(leftgutter + X * (i + .5)), + t = r.text(x, height - 6, labels[i]).attr(txt).toBack(); + if (!i) { + p = ["M", x, y, "C", x, y]; + bgpp = ["M", leftgutter + X * .5, height - bottomgutter, "L", x, y, "C", x, y]; + } + if (i && i < ii - 1) { + var Y0 = Math.round(height - bottomgutter - Y * data[i - 1]), + X0 = Math.round(leftgutter + X * (i - .5)), + Y2 = Math.round(height - bottomgutter - Y * data[i + 1]), + X2 = Math.round(leftgutter + X * (i + 1.5)); + var a = getAnchors(X0, Y0, x, y, X2, Y2); + p = p.concat([a.x1, a.y1, x, y, a.x2, a.y2]); + bgpp = bgpp.concat([a.x1, a.y1, x, y, a.x2, a.y2]); + } + var dot = r.circle(x, y, 4).attr({fill: "#333", stroke: color, "stroke-width": 2}); + blanket.push(r.rect(leftgutter + X * i, 0, X, height - bottomgutter).attr({stroke: "none", fill: "#fff", opacity: 0})); + var rect = blanket[blanket.length - 1]; + (function (x, y, data, lbl, dot) { + var timer, i = 0; + rect.hover(function () { + clearTimeout(leave_timer); + var side = "right"; + if (x + frame.getBBox().width > width) { + side = "left"; + } + var ppp = r.popup(x, y, label, side, 1), + anim = Raphael.animation({ + path: ppp.path, + transform: ["t", ppp.dx, ppp.dy] + }, 200 * is_label_visible); + lx = label[0].transform()[0][1] + ppp.dx; + ly = label[0].transform()[0][2] + ppp.dy; + frame.show().stop().animate(anim); + label[0].attr({text: data + " hit" + (data == 1 ? "" : "s")}).show().stop().animateWith(frame, anim, {transform: ["t", lx, ly]}, 200 * is_label_visible); + label[1].attr({text: lbl}).show().stop().animateWith(frame, anim, {transform: ["t", lx, ly]}, 200 * is_label_visible); + dot.attr("r", 6); + is_label_visible = true; + }, function () { + dot.attr("r", 4); + leave_timer = setTimeout(function () { + frame.hide(); + label[0].hide(); + label[1].hide(); + is_label_visible = false; + }, 1); + }); + })(x, y, data[i], labels[i], dot); + } + p = p.concat([x, y, x, y]); + bgpp = bgpp.concat([x, y, x, y, "L", x, height - bottomgutter, "z"]); + path.attr({path: p}); + bgp.attr({path: bgpp}); + frame.toFront(); + label[0].toFront(); + label[1].toFront(); + blanket.toFront(); +}; diff --git a/mod/graphstats/vendors/raphaeljs/demo-print.css b/mod/graphstats/vendors/raphaeljs/demo-print.css new file mode 100644 index 000000000..04c724be8 --- /dev/null +++ b/mod/graphstats/vendors/raphaeljs/demo-print.css @@ -0,0 +1,20 @@ +body { + background: #fff; + color: #000; + font: 100.1% "Lucida Grande", Lucida, Verdana, sans-serif; +} +#holder { + height: 480px; + left: 50%; + margin: 0 0 0 -320px; + position: absolute; + top: 0; + width: 640px; +} +#copy { + bottom: 0; + font-size: .7em; + position: absolute; + right: 1em; + text-align: right; +} diff --git a/mod/graphstats/vendors/raphaeljs/demo.css b/mod/graphstats/vendors/raphaeljs/demo.css new file mode 100644 index 000000000..a7940af37 --- /dev/null +++ b/mod/graphstats/vendors/raphaeljs/demo.css @@ -0,0 +1,23 @@ +body { + background: #333; + color: #fff; + font: 300 100.1% "Helvetica Neue", Helvetica, "Arial Unicode MS", Arial, sans-serif; +} +#holder { + height: 480px; + left: 50%; + margin: -240px 0 0 -320px; + position: absolute; + top: 50%; + width: 640px; +} +#copy { + bottom: 0; + font: 300 .7em "Helvetica Neue", Helvetica, "Arial Unicode MS", Arial, sans-serif; + position: absolute; + right: 1em; + text-align: right; +} +#copy a { + color: #fff; +} diff --git a/mod/graphstats/vendors/raphaeljs/popup.js b/mod/graphstats/vendors/raphaeljs/popup.js new file mode 100644 index 000000000..5fd722aa3 --- /dev/null +++ b/mod/graphstats/vendors/raphaeljs/popup.js @@ -0,0 +1,121 @@ +(function () { +var tokenRegex = /\{([^\}]+)\}/g, + objNotationRegex = /(?:(?:^|\.)(.+?)(?=\[|\.|$|\()|\[('|")(.+?)\2\])(\(\))?/g, // matches .xxxxx or ["xxxxx"] to run over object properties + replacer = function (all, key, obj) { + var res = obj; + key.replace(objNotationRegex, function (all, name, quote, quotedName, isFunc) { + name = name || quotedName; + if (res) { + if (name in res) { + res = res[name]; + } + typeof res == "function" && isFunc && (res = res()); + } + }); + res = (res == null || res == obj ? all : res) + ""; + return res; + }, + fill = function (str, obj) { + return String(str).replace(tokenRegex, function (all, key) { + return replacer(all, key, obj); + }); + }; + Raphael.fn.popup = function (X, Y, set, pos, ret) { + pos = String(pos || "top-middle").split("-"); + pos[1] = pos[1] || "middle"; + var r = 5, + bb = set.getBBox(), + w = Math.round(bb.width), + h = Math.round(bb.height), + x = Math.round(bb.x) - r, + y = Math.round(bb.y) - r, + gap = Math.min(h / 2, w / 2, 10), + shapes = { + top: "M{x},{y}h{w4},{w4},{w4},{w4}a{r},{r},0,0,1,{r},{r}v{h4},{h4},{h4},{h4}a{r},{r},0,0,1,-{r},{r}l-{right},0-{gap},{gap}-{gap}-{gap}-{left},0a{r},{r},0,0,1-{r}-{r}v-{h4}-{h4}-{h4}-{h4}a{r},{r},0,0,1,{r}-{r}z", + bottom: "M{x},{y}l{left},0,{gap}-{gap},{gap},{gap},{right},0a{r},{r},0,0,1,{r},{r}v{h4},{h4},{h4},{h4}a{r},{r},0,0,1,-{r},{r}h-{w4}-{w4}-{w4}-{w4}a{r},{r},0,0,1-{r}-{r}v-{h4}-{h4}-{h4}-{h4}a{r},{r},0,0,1,{r}-{r}z", + right: "M{x},{y}h{w4},{w4},{w4},{w4}a{r},{r},0,0,1,{r},{r}v{h4},{h4},{h4},{h4}a{r},{r},0,0,1,-{r},{r}h-{w4}-{w4}-{w4}-{w4}a{r},{r},0,0,1-{r}-{r}l0-{bottom}-{gap}-{gap},{gap}-{gap},0-{top}a{r},{r},0,0,1,{r}-{r}z", + left: "M{x},{y}h{w4},{w4},{w4},{w4}a{r},{r},0,0,1,{r},{r}l0,{top},{gap},{gap}-{gap},{gap},0,{bottom}a{r},{r},0,0,1,-{r},{r}h-{w4}-{w4}-{w4}-{w4}a{r},{r},0,0,1-{r}-{r}v-{h4}-{h4}-{h4}-{h4}a{r},{r},0,0,1,{r}-{r}z" + }, + offset = { + hx0: X - (x + r + w - gap * 2), + hx1: X - (x + r + w / 2 - gap), + hx2: X - (x + r + gap), + vhy: Y - (y + r + h + r + gap), + "^hy": Y - (y - gap) + + }, + mask = [{ + x: x + r, + y: y, + w: w, + w4: w / 4, + h4: h / 4, + right: 0, + left: w - gap * 2, + bottom: 0, + top: h - gap * 2, + r: r, + h: h, + gap: gap + }, { + x: x + r, + y: y, + w: w, + w4: w / 4, + h4: h / 4, + left: w / 2 - gap, + right: w / 2 - gap, + top: h / 2 - gap, + bottom: h / 2 - gap, + r: r, + h: h, + gap: gap + }, { + x: x + r, + y: y, + w: w, + w4: w / 4, + h4: h / 4, + left: 0, + right: w - gap * 2, + top: 0, + bottom: h - gap * 2, + r: r, + h: h, + gap: gap + }][pos[1] == "middle" ? 1 : (pos[1] == "top" || pos[1] == "left") * 2]; + var dx = 0, + dy = 0, + out = this.path(fill(shapes[pos[0]], mask)).insertBefore(set); + switch (pos[0]) { + case "top": + dx = X - (x + r + mask.left + gap); + dy = Y - (y + r + h + r + gap); + break; + case "bottom": + dx = X - (x + r + mask.left + gap); + dy = Y - (y - gap); + break; + case "left": + dx = X - (x + r + w + r + gap); + dy = Y - (y + r + mask.top + gap); + break; + case "right": + dx = X - (x - gap); + dy = Y - (y + r + mask.top + gap); + break; + } + out.translate(dx, dy); + if (ret) { + ret = out.attr("path"); + out.remove(); + return { + path: ret, + dx: dx, + dy: dy + }; + } + set.translate(dx, dy); + return out; + }; +})();
\ No newline at end of file diff --git a/mod/graphstats/vendors/raphaeljs/raphael.js b/mod/graphstats/vendors/raphaeljs/raphael.js new file mode 100644 index 000000000..e69ea16a8 --- /dev/null +++ b/mod/graphstats/vendors/raphaeljs/raphael.js @@ -0,0 +1,8 @@ +// ┌─────────────────────────────────────────────────────────────────────┐ \\ +// │ Raphaël 2.0 - JavaScript Vector Library │ \\ +// ├─────────────────────────────────────────────────────────────────────┤ \\ +// │ Copyright (c) 2008-2011 Dmitry Baranovskiy (http://raphaeljs.com) │ \\ +// │ Copyright (c) 2008-2011 Sencha Labs (http://sencha.com) │ \\ +// │ Licensed under the MIT (http://raphaeljs.com/license.html) license. │ \\ +// └─────────────────────────────────────────────────────────────────────┘ \\ +(function(a){var b="0.3.2",c="hasOwnProperty",d=/[\.\/]/,e="*",f=function(){},g=function(a,b){return a-b},h,i,j={n:{}},k=function(a,b){var c=j,d=i,e=Array.prototype.slice.call(arguments,2),f=k.listeners(a),l=0,m=!1,n,o=[],p={},q=[],r=[];h=a,i=0;for(var s=0,t=f.length;s<t;s++)"zIndex"in f[s]&&(o.push(f[s].zIndex),f[s].zIndex<0&&(p[f[s].zIndex]=f[s]));o.sort(g);while(o[l]<0){n=p[o[l++]],q.push(n.apply(b,e));if(i){i=d;return q}}for(s=0;s<t;s++){n=f[s];if("zIndex"in n)if(n.zIndex==o[l]){q.push(n.apply(b,e));if(i){i=d;return q}do{l++,n=p[o[l]],n&&q.push(n.apply(b,e));if(i){i=d;return q}}while(n)}else p[n.zIndex]=n;else{q.push(n.apply(b,e));if(i){i=d;return q}}}i=d;return q.length?q:null};k.listeners=function(a){var b=a.split(d),c=j,f,g,h,i,k,l,m,n,o=[c],p=[];for(i=0,k=b.length;i<k;i++){n=[];for(l=0,m=o.length;l<m;l++){c=o[l].n,g=[c[b[i]],c[e]],h=2;while(h--)f=g[h],f&&(n.push(f),p=p.concat(f.f||[]))}o=n}return p},k.on=function(a,b){var c=a.split(d),e=j;for(var g=0,h=c.length;g<h;g++)e=e.n,!e[c[g]]&&(e[c[g]]={n:{}}),e=e[c[g]];e.f=e.f||[];for(g=0,h=e.f.length;g<h;g++)if(e.f[g]==b)return f;e.f.push(b);return function(a){+a==+a&&(b.zIndex=+a)}},k.stop=function(){i=1},k.nt=function(a){if(a)return(new RegExp("(?:\\.|\\/|^)"+a+"(?:\\.|\\/|$)")).test(h);return h},k.unbind=function(a,b){var f=a.split(d),g,h,i,k=[j];for(var l=0,m=f.length;l<m;l++)for(var n=0;n<k.length;n+=i.length-2){i=[n,1],g=k[n].n;if(f[l]!=e)g[f[l]]&&i.push(g[f[l]]);else for(h in g)g[c](h)&&i.push(g[h]);k.splice.apply(k,i)}for(l=0,m=k.length;l<m;l++){g=k[l];while(g.n){if(b){if(g.f){for(n=0,jj=g.f.length;n<jj;n++)if(g.f[n]==b){g.f.splice(n,1);break}!g.f.length&&delete g.f}for(h in g.n)if(g.n[c](h)&&g.n[h].f){var o=g.n[h].f;for(n=0,jj=o.length;n<jj;n++)if(o[n]==b){o.splice(n,1);break}!o.length&&delete g.n[h].f}}else{delete g.f;for(h in g.n)g.n[c](h)&&g.n[h].f&&delete g.n[h].f}g=g.n}}},k.version=b,k.toString=function(){return"You are running Eve "+b},typeof module!="undefined"&&module.exports?module.exports=k:a.eve=k})(this),function(){function cr(b,d,e,f,h,i){e=Q(e);var j,k,l,m=[],o,p,q,t=b.ms,u={},v={},w={};if(f)for(y=0,z=cl.length;y<z;y++){var x=cl[y];if(x.el.id==d.id&&x.anim==b){x.percent!=e?(cl.splice(y,1),l=1):k=x,d.attr(x.totalOrigin);break}}else f=+v;for(var y=0,z=b.percents.length;y<z;y++){if(b.percents[y]==e||b.percents[y]>f*b.top){e=b.percents[y],p=b.percents[y-1]||0,t=t/b.top*(e-p),o=b.percents[y+1],j=b.anim[e];break}f&&d.attr(b.anim[b.percents[y]])}if(!!j){if(!k){for(attr in j)if(j[g](attr))if(U[g](attr)||d.paper.customAttributes[g](attr)){u[attr]=d.attr(attr),u[attr]==null&&(u[attr]=T[attr]),v[attr]=j[attr];switch(U[attr]){case C:w[attr]=(v[attr]-u[attr])/t;break;case"colour":u[attr]=a.getRGB(u[attr]);var A=a.getRGB(v[attr]);w[attr]={r:(A.r-u[attr].r)/t,g:(A.g-u[attr].g)/t,b:(A.b-u[attr].b)/t};break;case"path":var B=bG(u[attr],v[attr]),D=B[1];u[attr]=B[0],w[attr]=[];for(y=0,z=u[attr].length;y<z;y++){w[attr][y]=[0];for(var E=1,F=u[attr][y].length;E<F;E++)w[attr][y][E]=(D[y][E]-u[attr][y][E])/t}break;case"transform":var G=d._,H=bQ(G[attr],v[attr]);if(H){u[attr]=H.from,v[attr]=H.to,w[attr]=[],w[attr].real=!0;for(y=0,z=u[attr].length;y<z;y++){w[attr][y]=[u[attr][y][0]];for(E=1,F=u[attr][y].length;E<F;E++)w[attr][y][E]=(v[attr][y][E]-u[attr][y][E])/t}}else{var I=d.matrix||new bR,J={_:{transform:G.transform},getBBox:function(){return d.getBBox(1)}};u[attr]=[I.a,I.b,I.c,I.d,I.e,I.f],bO(J,v[attr]),v[attr]=J._.transform,w[attr]=[(J.matrix.a-I.a)/t,(J.matrix.b-I.b)/t,(J.matrix.c-I.c)/t,(J.matrix.d-I.d)/t,(J.matrix.e-I.e)/t,(J.matrix.e-I.f)/t]}break;case"csv":var K=r(j[attr])[s](c),L=r(u[attr])[s](c);if(attr=="clip-rect"){u[attr]=L,w[attr]=[],y=L.length;while(y--)w[attr][y]=(K[y]-u[attr][y])/t}v[attr]=K;break;default:K=[][n](j[attr]),L=[][n](u[attr]),w[attr]=[],y=d.paper.customAttributes[attr].length;while(y--)w[attr][y]=((K[y]||0)-(L[y]||0))/t}}var M=j.easing,O=a.easing_formulas[M];if(!O){O=r(M).match(N);if(O&&O.length==5){var P=O;O=function(a){return cp(a,+P[1],+P[2],+P[3],+P[4],t)}}else O=be}q=j.start||b.start||+(new Date),x={anim:b,percent:e,timestamp:q,start:q+(b.del||0),status:0,initstatus:f||0,stop:!1,ms:t,easing:O,from:u,diff:w,to:v,el:d,callback:j.callback,prev:p,next:o,repeat:i||b.times,origin:d.attr(),totalOrigin:h},cl.push(x);if(f&&!k&&!l){x.stop=!0,x.start=new Date-t*f;if(cl.length==1)return cn()}l&&(x.start=new Date-x.ms*f),cl.length==1&&cm(cn)}else k.initstatus=f,k.start=new Date-k.ms*f;eve("anim.start."+d.id,d,b)}}function cq(a,b){var c=[],d={};this.ms=b,this.times=1;if(a){for(var e in a)a[g](e)&&(d[Q(e)]=a[e],c.push(Q(e)));c.sort(bc)}this.anim=d,this.top=c[c.length-1],this.percents=c}function cp(a,b,c,d,e,f){function o(a,b){var c,d,e,f,j,k;for(e=a,k=0;k<8;k++){f=m(e)-a;if(z(f)<b)return e;j=(3*i*e+2*h)*e+g;if(z(j)<1e-6)break;e=e-f/j}c=0,d=1,e=a;if(e<c)return c;if(e>d)return d;while(c<d){f=m(e);if(z(f-a)<b)return e;a>f?c=e:d=e,e=(d-c)/2+c}return e}function n(a,b){var c=o(a,b);return((l*c+k)*c+j)*c}function m(a){return((i*a+h)*a+g)*a}var g=3*b,h=3*(d-b)-g,i=1-g-h,j=3*c,k=3*(e-c)-j,l=1-j-k;return n(a,1/(200*f))}function cd(){return this.x+q+this.y+q+this.width+" × "+this.height}function cc(){return this.x+q+this.y}function bR(a,b,c,d,e,f){a!=null?(this.a=+a,this.b=+b,this.c=+c,this.d=+d,this.e=+e,this.f=+f):(this.a=1,this.b=0,this.c=0,this.d=1,this.e=0,this.f=0)}function bw(a){var b=[];for(var c=0,d=a.length;d-2>c;c+=2){var e=[{x:+a[c],y:+a[c+1]},{x:+a[c],y:+a[c+1]},{x:+a[c+2],y:+a[c+3]},{x:+a[c+4],y:+a[c+5]}];d-4==c?(e[0]={x:+a[c-2],y:+a[c-1]},e[3]=e[2]):c&&(e[0]={x:+a[c-2],y:+a[c-1]}),b.push(["C",(-e[0].x+6*e[1].x+e[2].x)/6,(-e[0].y+6*e[1].y+e[2].y)/6,(e[1].x+6*e[2].x-e[3].x)/6,(e[1].y+6*e[2].y-e[3].y)/6,e[2].x,e[2].y])}return b}function bv(){return this.hex}function bt(a,b,c){function d(){var e=Array.prototype.slice.call(arguments,0),f=e.join("␀"),h=d.cache=d.cache||{},i=d.count=d.count||[];if(h[g](f)){bs(i,f);return c?c(h[f]):h[f]}i.length>=1e3&&delete h[i.shift()],i.push(f),h[f]=a[m](b,e);return c?c(h[f]):h[f]}return d}function bs(a,b){for(var c=0,d=a.length;c<d;c++)if(a[c]===b)return a.push(a.splice(c,1)[0])}function a(c){if(a.is(c,"function"))return b?c():eve.on("DOMload",c);if(a.is(c,E)){var e=c,f=a._engine.create[m](a,e.splice(0,3+a.is(e[0],C))),h=f.set(),i=0,j=e.length,k;for(;i<j;i++)k=e[i]||{},d[g](k.type)&&h.push(f[k.type]().attr(k));return h}var l=Array.prototype.slice.call(arguments,0);if(a.is(l[l.length-1],"function")){var n=l.pop();return b?n.call(a._engine.create[m](a,l)):eve.on("DOMload",function(){n.call(a._engine.create[m](a,l))})}return a._engine.create[m](a,arguments)}a.version="2.0.0",a.eve=eve;var b,c=/[, ]+/,d={circle:1,rect:1,path:1,ellipse:1,text:1,image:1},e=/\{(\d+)\}/g,f="prototype",g="hasOwnProperty",h={doc:document,win:window},i={was:Object.prototype[g].call(h.win,"Raphael"),is:h.win.Raphael},j=function(){this.ca=this.customAttributes={}},k,l="appendChild",m="apply",n="concat",o="createTouch"in h.doc,p="",q=" ",r=String,s="split",t="click dblclick mousedown mousemove mouseout mouseover mouseup touchstart touchmove touchend touchcancel"[s](q),u={mousedown:"touchstart",mousemove:"touchmove",mouseup:"touchend"},v=r.prototype.toLowerCase,w=Math,x=w.max,y=w.min,z=w.abs,A=w.pow,B=w.PI,C="number",D="string",E="array",F="toString",G="fill",H=Object.prototype.toString,I={},J="push",K=a._ISURL=/^url\(['"]?([^\)]+?)['"]?\)$/i,L=/^\s*((#[a-f\d]{6})|(#[a-f\d]{3})|rgba?\(\s*([\d\.]+%?\s*,\s*[\d\.]+%?\s*,\s*[\d\.]+%?(?:\s*,\s*[\d\.]+%?)?)\s*\)|hsba?\(\s*([\d\.]+(?:deg|\xb0|%)?\s*,\s*[\d\.]+%?\s*,\s*[\d\.]+(?:%?\s*,\s*[\d\.]+)?)%?\s*\)|hsla?\(\s*([\d\.]+(?:deg|\xb0|%)?\s*,\s*[\d\.]+%?\s*,\s*[\d\.]+(?:%?\s*,\s*[\d\.]+)?)%?\s*\))\s*$/i,M={NaN:1,Infinity:1,"-Infinity":1},N=/^(?:cubic-)?bezier\(([^,]+),([^,]+),([^,]+),([^\)]+)\)/,O=w.round,P="setAttribute",Q=parseFloat,R=parseInt,S=r.prototype.toUpperCase,T=a._availableAttrs={"arrow-end":"none","arrow-start":"none",blur:0,"clip-rect":"0 0 1e9 1e9",cursor:"default",cx:0,cy:0,fill:"#fff","fill-opacity":1,font:'10px "Arial"',"font-family":'"Arial"',"font-size":"10","font-style":"normal","font-weight":400,gradient:0,height:0,href:"http://raphaeljs.com/",opacity:1,path:"M0,0",r:0,rx:0,ry:0,src:"",stroke:"#000","stroke-dasharray":"","stroke-linecap":"butt","stroke-linejoin":"butt","stroke-miterlimit":0,"stroke-opacity":1,"stroke-width":1,target:"_blank","text-anchor":"middle",title:"Raphael",transform:"",width:0,x:0,y:0},U=a._availableAnimAttrs={blur:C,"clip-rect":"csv",cx:C,cy:C,fill:"colour","fill-opacity":C,"font-size":C,height:C,opacity:C,path:"path",r:C,rx:C,ry:C,stroke:"colour","stroke-opacity":C,"stroke-width":C,transform:"transform",width:C,x:C,y:C},V=/\s*,\s*/,W={hs:1,rg:1},X=/,?([achlmqrstvxz]),?/gi,Y=/([achlmrqstvz])[\s,]*((-?\d*\.?\d*(?:e[\-+]?\d+)?\s*,?\s*)+)/ig,Z=/([rstm])[\s,]*((-?\d*\.?\d*(?:e[\-+]?\d+)?\s*,?\s*)+)/ig,$=/(-?\d*\.?\d*(?:e[\-+]?\d+)?)\s*,?\s*/ig,_=a._radial_gradient=/^r(?:\(([^,]+?)\s*,\s*([^\)]+?)\))?/,ba={},bb=function(a,b){return a.key-b.key},bc=function(a,b){return Q(a)-Q(b)},bd=function(){},be=function(a){return a},bf=a._rectPath=function(a,b,c,d,e){if(e)return[["M",a+e,b],["l",c-e*2,0],["a",e,e,0,0,1,e,e],["l",0,d-e*2],["a",e,e,0,0,1,-e,e],["l",e*2-c,0],["a",e,e,0,0,1,-e,-e],["l",0,e*2-d],["a",e,e,0,0,1,e,-e],["z"]];return[["M",a,b],["l",c,0],["l",0,d],["l",-c,0],["z"]]},bg=function(a,b,c,d){d==null&&(d=c);return[["M",a,b],["m",0,-d],["a",c,d,0,1,1,0,2*d],["a",c,d,0,1,1,0,-2*d],["z"]]},bh=a._getPath={path:function(a){return a.attr("path")},circle:function(a){var b=a.attrs;return bg(b.cx,b.cy,b.r)},ellipse:function(a){var b=a.attrs;return bg(b.cx,b.cy,b.rx,b.ry)},rect:function(a){var b=a.attrs;return bf(b.x,b.y,b.width,b.height,b.r)},image:function(a){var b=a.attrs;return bf(b.x,b.y,b.width,b.height)},text:function(a){var b=a._getBBox();return bf(b.x,b.y,b.width,b.height)}},bi=a.mapPath=function(a,b){if(!b)return a;var c,d,e,f,g;a=bG(a);for(e=0,ii=a.length;e<ii;e++){g=a[e];for(f=1,jj=g.length;f<jj;f+=2)c=b.x(g[f],g[f+1]),d=b.y(g[f],g[f+1]),g[f]=c,g[f+1]=d}return a};a._g=h,a.type=h.win.SVGAngle||h.doc.implementation.hasFeature("http://www.w3.org/TR/SVG11/feature#BasicStructure","1.1")?"SVG":"VML";if(a.type=="VML"){var bj=h.doc.createElement("div"),bk;bj.innerHTML='<v:shape adj="1"/>',bk=bj.firstChild,bk.style.behavior="url(#default#VML)";if(!bk||typeof bk.adj!="object")return a.type=p;bj=null}a.svg=!(a.vml=a.type=="VML"),a._Paper=j,a.fn=k=j.prototype=a.prototype,a._id=0,a._oid=0,a.is=function(a,b){b=v.call(b);if(b=="finite")return!M[g](+a);if(b=="array")return a instanceof Array;return b=="null"&&a===null||b==typeof a&&a!==null||b=="object"&&a===Object(a)||b=="array"&&Array.isArray&&Array.isArray(a)||H.call(a).slice(8,-1).toLowerCase()==b},a.angle=function(b,c,d,e,f,g){if(f==null){var h=b-d,i=c-e;if(!h&&!i)return 0;return(180+w.atan2(-i,-h)*180/B+360)%360}return a.angle(b,c,f,g)-a.angle(d,e,f,g)},a.rad=function(a){return a%360*B/180},a.deg=function(a){return a*180/B%360},a.snapTo=function(b,c,d){d=a.is(d,"finite")?d:10;if(a.is(b,E)){var e=b.length;while(e--)if(z(b[e]-c)<=d)return b[e]}else{b=+b;var f=c%b;if(f<d)return c-f;if(f>b-d)return c-f+b}return c};var bl=a.createUUID=function(a,b){return function(){return"xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx".replace(a,b).toUpperCase()}}(/[xy]/g,function(a){var b=w.random()*16|0,c=a=="x"?b:b&3|8;return c.toString(16)});a.setWindow=function(b){eve("setWindow",a,h.win,b),h.win=b,h.doc=h.win.document,initWin&&initWin(h.win)};var bm=function(b){if(a.vml){var c=/^\s+|\s+$/g,d;try{var e=new ActiveXObject("htmlfile");e.write("<body>"),e.close(),d=e.body}catch(f){d=createPopup().document.body}var g=d.createTextRange();bm=bt(function(a){try{d.style.color=r(a).replace(c,p);var b=g.queryCommandValue("ForeColor");b=(b&255)<<16|b&65280|(b&16711680)>>>16;return"#"+("000000"+b.toString(16)).slice(-6)}catch(e){return"none"}})}else{var i=h.doc.createElement("i");i.title="Raphaël Colour Picker",i.style.display="none",h.doc.body.appendChild(i),bm=bt(function(a){i.style.color=a;return h.doc.defaultView.getComputedStyle(i,p).getPropertyValue("color")})}return bm(b)},bn=function(){return"hsb("+[this.h,this.s,this.b]+")"},bo=function(){return"hsl("+[this.h,this.s,this.l]+")"},bp=function(){return this.hex},bq=function(b,c,d){c==null&&a.is(b,"object")&&"r"in b&&"g"in b&&"b"in b&&(d=b.b,c=b.g,b=b.r);if(c==null&&a.is(b,D)){var e=a.getRGB(b);b=e.r,c=e.g,d=e.b}if(b>1||c>1||d>1)b/=255,c/=255,d/=255;return[b,c,d]},br=function(b,c,d,e){b*=255,c*=255,d*=255;var f={r:b,g:c,b:d,hex:a.rgb(b,c,d),toString:bp};a.is(e,"finite")&&(f.opacity=e);return f};a.color=function(b){var c;a.is(b,"object")&&"h"in b&&"s"in b&&"b"in b?(c=a.hsb2rgb(b),b.r=c.r,b.g=c.g,b.b=c.b,b.hex=c.hex):a.is(b,"object")&&"h"in b&&"s"in b&&"l"in b?(c=a.hsl2rgb(b),b.r=c.r,b.g=c.g,b.b=c.b,b.hex=c.hex):(a.is(b,"string")&&(b=a.getRGB(b)),a.is(b,"object")&&"r"in b&&"g"in b&&"b"in b?(c=a.rgb2hsl(b),b.h=c.h,b.s=c.s,b.l=c.l,c=a.rgb2hsb(b),b.v=c.b):(b={hex:"none"},crl.r=b.g=b.b=b.h=b.s=b.v=b.l=-1)),b.toString=bp;return b},a.hsb2rgb=function(a,b,c,d){this.is(a,"object")&&"h"in a&&"s"in a&&"b"in a&&(c=a.b,b=a.s,a=a.h,d=a.o),a*=360;var e,f,g,h,i;a=a%360/60,i=c*b,h=i*(1-z(a%2-1)),e=f=g=c-i,a=~~a,e+=[i,h,0,0,h,i][a],f+=[h,i,i,h,0,0][a],g+=[0,0,h,i,i,h][a];return br(e,f,g,d)},a.hsl2rgb=function(a,b,c,d){this.is(a,"object")&&"h"in a&&"s"in a&&"l"in a&&(c=a.l,b=a.s,a=a.h);if(a>1||b>1||c>1)a/=360,b/=100,c/=100;a*=360;var e,f,g,h,i;a=a%360/60,i=2*b*(c<.5?c:1-c),h=i*(1-z(a%2-1)),e=f=g=c-i/2,a=~~a,e+=[i,h,0,0,h,i][a],f+=[h,i,i,h,0,0][a],g+=[0,0,h,i,i,h][a];return br(e,f,g,d)},a.rgb2hsb=function(a,b,c){c=bq(a,b,c),a=c[0],b=c[1],c=c[2];var d,e,f,g;f=x(a,b,c),g=f-y(a,b,c),d=g==0?null:f==a?(b-c)/g:f==b?(c-a)/g+2:(a-b)/g+4,d=(d+360)%6*60/360,e=g==0?0:g/f;return{h:d,s:e,b:f,toString:bn}},a.rgb2hsl=function(a,b,c){c=bq(a,b,c),a=c[0],b=c[1],c=c[2];var d,e,f,g,h,i;g=x(a,b,c),h=y(a,b,c),i=g-h,d=i==0?null:g==a?(b-c)/i:g==b?(c-a)/i+2:(a-b)/i+4,d=(d+360)%6*60/360,f=(g+h)/2,e=i==0?0:f<.5?i/(2*f):i/(2-2*f);return{h:d,s:e,l:f,toString:bo}},a._path2string=function(){return this.join(",").replace(X,"$1")};var bu=a._preload=function(a,b){var c=h.doc.createElement("img");c.style.cssText="position:absolute;left:-9999em;top-9999em",c.onload=function(){b.call(this),this.onload=null,h.doc.body.removeChild(this)},c.onerror=function(){h.doc.body.removeChild(this)},h.doc.body.appendChild(c),c.src=a};a.getRGB=bt(function(b){if(!b||!!((b=r(b)).indexOf("-")+1))return{r:-1,g:-1,b:-1,hex:"none",error:1,toString:bv};if(b=="none")return{r:-1,g:-1,b:-1,hex:"none",toString:bv};!W[g](b.toLowerCase().substring(0,2))&&b.charAt()!="#"&&(b=bm(b));var c,d,e,f,h,i,j,k=b.match(L);if(k){k[2]&&(f=R(k[2].substring(5),16),e=R(k[2].substring(3,5),16),d=R(k[2].substring(1,3),16)),k[3]&&(f=R((i=k[3].charAt(3))+i,16),e=R((i=k[3].charAt(2))+i,16),d=R((i=k[3].charAt(1))+i,16)),k[4]&&(j=k[4][s](V),d=Q(j[0]),j[0].slice(-1)=="%"&&(d*=2.55),e=Q(j[1]),j[1].slice(-1)=="%"&&(e*=2.55),f=Q(j[2]),j[2].slice(-1)=="%"&&(f*=2.55),k[1].toLowerCase().slice(0,4)=="rgba"&&(h=Q(j[3])),j[3]&&j[3].slice(-1)=="%"&&(h/=100));if(k[5]){j=k[5][s](V),d=Q(j[0]),j[0].slice(-1)=="%"&&(d*=2.55),e=Q(j[1]),j[1].slice(-1)=="%"&&(e*=2.55),f=Q(j[2]),j[2].slice(-1)=="%"&&(f*=2.55),(j[0].slice(-3)=="deg"||j[0].slice(-1)=="°")&&(d/=360),k[1].toLowerCase().slice(0,4)=="hsba"&&(h=Q(j[3])),j[3]&&j[3].slice(-1)=="%"&&(h/=100);return a.hsb2rgb(d,e,f,h)}if(k[6]){j=k[6][s](V),d=Q(j[0]),j[0].slice(-1)=="%"&&(d*=2.55),e=Q(j[1]),j[1].slice(-1)=="%"&&(e*=2.55),f=Q(j[2]),j[2].slice(-1)=="%"&&(f*=2.55),(j[0].slice(-3)=="deg"||j[0].slice(-1)=="°")&&(d/=360),k[1].toLowerCase().slice(0,4)=="hsla"&&(h=Q(j[3])),j[3]&&j[3].slice(-1)=="%"&&(h/=100);return a.hsl2rgb(d,e,f,h)}k={r:d,g:e,b:f,toString:bv},k.hex="#"+(16777216|f|e<<8|d<<16).toString(16).slice(1),a.is(h,"finite")&&(k.opacity=h);return k}return{r:-1,g:-1,b:-1,hex:"none",error:1,toString:bv}},a),a.hsb=bt(function(b,c,d){return a.hsb2rgb(b,c,d).hex}),a.hsl=bt(function(b,c,d){return a.hsl2rgb(b,c,d).hex}),a.rgb=bt(function(a,b,c){return"#"+(16777216|c|b<<8|a<<16).toString(16).slice(1)}),a.getColor=function(a){var b=this.getColor.start=this.getColor.start||{h:0,s:1,b:a||.75},c=this.hsb2rgb(b.h,b.s,b.b);b.h+=.075,b.h>1&&(b.h=0,b.s-=.2,b.s<=0&&(this.getColor.start={h:0,s:1,b:b.b}));return c.hex},a.getColor.reset=function(){delete this.start},a.parsePathString=bt(function(b){if(!b)return null;var c={a:7,c:6,h:1,l:2,m:2,r:4,q:4,s:4,t:2,v:1,z:0},d=[];a.is(b,E)&&a.is(b[0],E)&&(d=by(b)),d.length||r(b).replace(Y,function(a,b,e){var f=[],g=b.toLowerCase();e.replace($,function(a,b){b&&f.push(+b)}),g=="m"&&f.length>2&&(d.push([b][n](f.splice(0,2))),g="l",b=b=="m"?"l":"L");if(g=="r")d.push([b][n](f));else while(f.length>=c[g]){d.push([b][n](f.splice(0,c[g])));if(!c[g])break}}),d.toString=a._path2string;return d}),a.parseTransformString=bt(function(b){if(!b)return null;var c={r:3,s:4,t:2,m:6},d=[];a.is(b,E)&&a.is(b[0],E)&&(d=by(b)),d.length||r(b).replace(Z,function(a,b,c){var e=[],f=v.call(b);c.replace($,function(a,b){b&&e.push(+b)}),d.push([b][n](e))}),d.toString=a._path2string;return d}),a.findDotsAtSegment=function(a,b,c,d,e,f,g,h,i){var j=1-i,k=A(j,3),l=A(j,2),m=i*i,n=m*i,o=k*a+l*3*i*c+j*3*i*i*e+n*g,p=k*b+l*3*i*d+j*3*i*i*f+n*h,q=a+2*i*(c-a)+m*(e-2*c+a),r=b+2*i*(d-b)+m*(f-2*d+b),s=c+2*i*(e-c)+m*(g-2*e+c),t=d+2*i*(f-d)+m*(h-2*f+d),u=j*a+i*c,v=j*b+i*d,x=j*e+i*g,y=j*f+i*h,z=90-w.atan2(q-s,r-t)*180/B;(q>s||r<t)&&(z+=180);return{x:o,y:p,m:{x:q,y:r},n:{x:s,y:t},start:{x:u,y:v},end:{x:x,y:y},alpha:z}};var bx=bt(function(a){if(!a)return{x:0,y:0,width:0,height:0};a=bG(a);var b=0,c=0,d=[],e=[],f;for(var g=0,h=a.length;g<h;g++){f=a[g];if(f[0]=="M")b=f[1],c=f[2],d.push(b),e.push(c);else{var i=bF(b,c,f[1],f[2],f[3],f[4],f[5],f[6]);d=d[n](i.min.x,i.max.x),e=e[n](i.min.y,i.max.y),b=f[5],c=f[6]}}var j=y[m](0,d),k=y[m](0,e);return{x:j,y:k,width:x[m](0,d)-j,height:x[m](0,e)-k}},null,function(a){return{x:a.x,y:a.y,width:a.width,height:a.height}}),by=function(b){var c=[];if(!a.is(b,E)||!a.is(b&&b[0],E))b=a.parsePathString(b);for(var d=0,e=b.length;d<e;d++){c[d]=[];for(var f=0,g=b[d].length;f<g;f++)c[d][f]=b[d][f]}c.toString=a._path2string;return c},bz=a._pathToRelative=bt(function(b){if(!a.is(b,E)||!a.is(b&&b[0],E))b=a.parsePathString(b);var c=[],d=0,e=0,f=0,g=0,h=0;b[0][0]=="M"&&(d=b[0][1],e=b[0][2],f=d,g=e,h++,c.push(["M",d,e]));for(var i=h,j=b.length;i<j;i++){var k=c[i]=[],l=b[i];if(l[0]!=v.call(l[0])){k[0]=v.call(l[0]);switch(k[0]){case"a":k[1]=l[1],k[2]=l[2],k[3]=l[3],k[4]=l[4],k[5]=l[5],k[6]=+(l[6]-d).toFixed(3),k[7]=+(l[7]-e).toFixed(3);break;case"v":k[1]=+(l[1]-e).toFixed(3);break;case"m":f=l[1],g=l[2];default:for(var m=1,n=l.length;m<n;m++)k[m]=+(l[m]-(m%2?d:e)).toFixed(3)}}else{k=c[i]=[],l[0]=="m"&&(f=l[1]+d,g=l[2]+e);for(var o=0,p=l.length;o<p;o++)c[i][o]=l[o]}var q=c[i].length;switch(c[i][0]){case"z":d=f,e=g;break;case"h":d+=+c[i][q-1];break;case"v":e+=+c[i][q-1];break;default:d+=+c[i][q-2],e+=+c[i][q-1]}}c.toString=a._path2string;return c},0,by),bA=a._pathToAbsolute=bt(function(b){if(!a.is(b,E)||!a.is(b&&b[0],E))b=a.parsePathString(b);if(!b||!b.length)return[["M",0,0]];var c=[],d=0,e=0,f=0,g=0,h=0;b[0][0]=="M"&&(d=+b[0][1],e=+b[0][2],f=d,g=e,h++,c[0]=["M",d,e]);for(var i,j,k=h,l=b.length;k<l;k++){c.push(i=[]),j=b[k];if(j[0]!=S.call(j[0])){i[0]=S.call(j[0]);switch(i[0]){case"A":i[1]=j[1],i[2]=j[2],i[3]=j[3],i[4]=j[4],i[5]=j[5],i[6]=+(j[6]+d),i[7]=+(j[7]+e);break;case"V":i[1]=+j[1]+e;break;case"H":i[1]=+j[1]+d;break;case"R":var m=[d,e][n](j.slice(1));for(var o=2,p=m.length;o<p;o++)m[o]=+m[o]+d,m[++o]=+m[o]+e;c.pop(),c=c[n](bw(m));break;case"M":f=+j[1]+d,g=+j[2]+e;default:for(o=1,p=j.length;o<p;o++)i[o]=+j[o]+(o%2?d:e)}}else if(j[0]=="R")m=[d,e][n](j.slice(1)),c.pop(),c=c[n](bw(m)),i=["R"][n](j.slice(-2));else for(var q=0,r=j.length;q<r;q++)i[q]=j[q];switch(i[0]){case"Z":d=f,e=g;break;case"H":d=i[1];break;case"V":e=i[1];break;case"M":f=i[i.length-2],g=i[i.length-1];default:d=i[i.length-2],e=i[i.length-1]}}c.toString=a._path2string;return c},null,by),bB=function(a,b,c,d){return[a,b,c,d,c,d]},bC=function(a,b,c,d,e,f){var g=1/3,h=2/3;return[g*a+h*c,g*b+h*d,g*e+h*c,g*f+h*d,e,f]},bD=function(a,b,c,d,e,f,g,h,i,j){var k=B*120/180,l=B/180*(+e||0),m=[],o,p=bt(function(a,b,c){var d=a*w.cos(c)-b*w.sin(c),e=a*w.sin(c)+b*w.cos(c);return{x:d,y:e}});if(!j){o=p(a,b,-l),a=o.x,b=o.y,o=p(h,i,-l),h=o.x,i=o.y;var q=w.cos(B/180*e),r=w.sin(B/180*e),t=(a-h)/2,u=(b-i)/2,v=t*t/(c*c)+u*u/(d*d);v>1&&(v=w.sqrt(v),c=v*c,d=v*d);var x=c*c,y=d*d,A=(f==g?-1:1)*w.sqrt(z((x*y-x*u*u-y*t*t)/(x*u*u+y*t*t))),C=A*c*u/d+(a+h)/2,D=A*-d*t/c+(b+i)/2,E=w.asin(((b-D)/d).toFixed(9)),F=w.asin(((i-D)/d).toFixed(9));E=a<C?B-E:E,F=h<C?B-F:F,E<0&&(E=B*2+E),F<0&&(F=B*2+F),g&&E>F&&(E=E-B*2),!g&&F>E&&(F=F-B*2)}else E=j[0],F=j[1],C=j[2],D=j[3];var G=F-E;if(z(G)>k){var H=F,I=h,J=i;F=E+k*(g&&F>E?1:-1),h=C+c*w.cos(F),i=D+d*w.sin(F),m=bD(h,i,c,d,e,0,g,I,J,[F,H,C,D])}G=F-E;var K=w.cos(E),L=w.sin(E),M=w.cos(F),N=w.sin(F),O=w.tan(G/4),P=4/3*c*O,Q=4/3*d*O,R=[a,b],S=[a+P*L,b-Q*K],T=[h+P*N,i-Q*M],U=[h,i];S[0]=2*R[0]-S[0],S[1]=2*R[1]-S[1];if(j)return[S,T,U][n](m);m=[S,T,U][n](m).join()[s](",");var V=[];for(var W=0,X=m.length;W<X;W++)V[W]=W%2?p(m[W-1],m[W],l).y:p(m[W],m[W+1],l).x;return V},bE=function(a,b,c,d,e,f,g,h,i){var j=1-i;return{x:A(j,3)*a+A(j,2)*3*i*c+j*3*i*i*e+A(i,3)*g,y:A(j,3)*b+A(j,2)*3*i*d+j*3*i*i*f+A(i,3)*h}},bF=bt(function(a,b,c,d,e,f,g,h){var i=e-2*c+a-(g-2*e+c),j=2*(c-a)-2*(e-c),k=a-c,l=(-j+w.sqrt(j*j-4*i*k))/2/i,n=(-j-w.sqrt(j*j-4*i*k))/2/i,o=[b,h],p=[a,g],q;z(l)>"1e12"&&(l=.5),z(n)>"1e12"&&(n=.5),l>0&&l<1&&(q=bE(a,b,c,d,e,f,g,h,l),p.push(q.x),o.push(q.y)),n>0&&n<1&&(q=bE(a,b,c,d,e,f,g,h,n),p.push(q.x),o.push(q.y)),i=f-2*d+b-(h-2*f+d),j=2*(d-b)-2*(f-d),k=b-d,l=(-j+w.sqrt(j*j-4*i*k))/2/i,n=(-j-w.sqrt(j*j-4*i*k))/2/i,z(l)>"1e12"&&(l=.5),z(n)>"1e12"&&(n=.5),l>0&&l<1&&(q=bE(a,b,c,d,e,f,g,h,l),p.push(q.x),o.push(q.y)),n>0&&n<1&&(q=bE(a,b,c,d,e,f,g,h,n),p.push(q.x),o.push(q.y));return{min:{x:y[m](0,p),y:y[m](0,o)},max:{x:x[m](0,p),y:x[m](0,o)}}}),bG=a._path2curve=bt(function(a,b){var c=bA(a),d=b&&bA(b),e={x:0,y:0,bx:0,by:0,X:0,Y:0,qx:null,qy:null},f={x:0,y:0,bx:0,by:0,X:0,Y:0,qx:null,qy:null},g=function(a,b){var c,d;if(!a)return["C",b.x,b.y,b.x,b.y,b.x,b.y];!(a[0]in{T:1,Q:1})&&(b.qx=b.qy=null);switch(a[0]){case"M":b.X=a[1],b.Y=a[2];break;case"A":a=["C"][n](bD[m](0,[b.x,b.y][n](a.slice(1))));break;case"S":c=b.x+(b.x-(b.bx||b.x)),d=b.y+(b.y-(b.by||b.y)),a=["C",c,d][n](a.slice(1));break;case"T":b.qx=b.x+(b.x-(b.qx||b.x)),b.qy=b.y+(b.y-(b.qy||b.y)),a=["C"][n](bC(b.x,b.y,b.qx,b.qy,a[1],a[2]));break;case"Q":b.qx=a[1],b.qy=a[2],a=["C"][n](bC(b.x,b.y,a[1],a[2],a[3],a[4]));break;case"L":a=["C"][n](bB(b.x,b.y,a[1],a[2]));break;case"H":a=["C"][n](bB(b.x,b.y,a[1],b.y));break;case"V":a=["C"][n](bB(b.x,b.y,b.x,a[1]));break;case"Z":a=["C"][n](bB(b.x,b.y,b.X,b.Y))}return a},h=function(a,b){if(a[b].length>7){a[b].shift();var e=a[b];while(e.length)a.splice(b++,0,["C"][n](e.splice(0,6)));a.splice(b,1),k=x(c.length,d&&d.length||0)}},i=function(a,b,e,f,g){a&&b&&a[g][0]=="M"&&b[g][0]!="M"&&(b.splice(g,0,["M",f.x,f.y]),e.bx=0,e.by=0,e.x=a[g][1],e.y=a[g][2],k=x(c.length,d&&d.length||0))};for(var j=0,k=x(c.length,d&&d.length||0);j<k;j++){c[j]=g(c[j],e),h(c,j),d&&(d[j]=g(d[j],f)),d&&h(d,j),i(c,d,e,f,j),i(d,c,f,e,j);var l=c[j],o=d&&d[j],p=l.length,q=d&&o.length;e.x=l[p-2],e.y=l[p-1],e.bx=Q(l[p-4])||e.x,e.by=Q(l[p-3])||e.y,f.bx=d&&(Q(o[q-4])||f.x),f.by=d&&(Q(o[q-3])||f.y),f.x=d&&o[q-2],f.y=d&&o[q-1]}return d?[c,d]:c},null,by),bH=a._parseDots=bt(function(b){var c=[];for(var d=0,e=b.length;d<e;d++){var f={},g=b[d].match(/^([^:]*):?([\d\.]*)/);f.color=a.getRGB(g[1]);if(f.color.error)return null;f.color=f.color.hex,g[2]&&(f.offset=g[2]+"%"),c.push(f)}for(d=1,e=c.length-1;d<e;d++)if(!c[d].offset){var h=Q(c[d-1].offset||0),i=0;for(var j=d+1;j<e;j++)if(c[j].offset){i=c[j].offset;break}i||(i=100,j=e),i=Q(i);var k=(i-h)/(j-d+1);for(;d<j;d++)h+=k,c[d].offset=h+"%"}return c}),bI=a._tear=function(a,b){a==b.top&&(b.top=a.prev),a==b.bottom&&(b.bottom=a.next),a.next&&(a.next.prev=a.prev),a.prev&&(a.prev.next=a.next)},bJ=a._tofront=function(a,b){b.top!==a&&(bI(a,b),a.next=null,a.prev=b.top,b.top.next=a,b.top=a)},bK=a._toback=function(a,b){b.bottom!==a&&(bI(a,b),a.next=b.bottom,a.prev=null,b.bottom.prev=a,b.bottom=a)},bL=a._insertafter=function(a,b,c){bI(a,c),b==c.top&&(c.top=a),b.next&&(b.next.prev=a),a.next=b.next,a.prev=b,b.next=a},bM=a._insertbefore=function(a,b,c){bI(a,c),b==c.bottom&&(c.bottom=a),b.prev&&(b.prev.next=a),a.prev=b.prev,b.prev=a,a.next=b},bN=function(a){return function(){throw new Error("Raphaël: you are calling to method “"+a+"” of removed object")}},bO=a._extractTransform=function(b,c){if(c==null)return b._.transform;c=r(c).replace(/\.{3}|\u2026/g,b._.transform||p);var d=a.parseTransformString(c),e=0,f=0,g=0,h=1,i=1,j=b._,k=new bR;j.transform=d||[];if(d)for(var l=0,m=d.length;l<m;l++){var n=d[l],o=n.length,q=r(n[0]).toLowerCase(),s=n[0]!=q,t=s?k.invert():0,u,v,w,x,y;q=="t"&&o==3?s?(u=t.x(0,0),v=t.y(0,0),w=t.x(n[1],n[2]),x=t.y(n[1],n[2]),k.translate(w-u,x-v)):k.translate(n[1],n[2]):q=="r"?o==2?(y=y||b.getBBox(1),k.rotate(n[1],y.x+y.width/2,y.y+y.height/2),e+=n[1]):o==4&&(s?(w=t.x(n[2],n[3]),x=t.y(n[2],n[3]),k.rotate(n[1],w,x)):k.rotate(n[1],n[2],n[3]),e+=n[1]):q=="s"?o==2||o==3?(y=y||b.getBBox(1),k.scale(n[1],n[o-1],y.x+y.width/2,y.y+y.height/2),h*=n[1],i*=n[o-1]):o==5&&(s?(w=t.x(n[3],n[4]),x=t.y(n[3],n[4]),k.scale(n[1],n[2],w,x)):k.scale(n[1],n[2],n[3],n[4]),h*=n[1],i*=n[2]):q=="m"&&o==7&&k.add(n[1],n[2],n[3],n[4],n[5],n[6]),j.dirtyT=1,b.matrix=k}b.matrix=k,j.sx=h,j.sy=i,j.deg=e,j.dx=f=k.e,j.dy=g=k.f,h==1&&i==1&&!e&&j.bbox?(j.bbox.x+=+f,j.bbox.y+=+g):j.dirtyT=1},bP=function(a){var b=a[0];switch(b.toLowerCase()){case"t":return[b,0,0];case"m":return[b,1,0,0,1,0,0];case"r":return a.length==4?[b,0,a[2],a[3]]:[b,0];case"s":return a.length==5?[b,1,1,a[3],a[4]]:a.length==3?[b,1,1]:[b,1]}},bQ=a._equaliseTransform=function(b,c){c=r(c).replace(/\.{3}|\u2026/g,b),b=a.parseTransformString(b)||[],c=a.parseTransformString(c)||[];var d=x(b.length,c.length),e=[],f=[],g=0,h,i,j,k;for(;g<d;g++){j=b[g]||bP(c[g]),k=c[g]||bP(j);if(j[0]!=k[0]||j[0].toLowerCase()=="r"&&(j[2]!=k[2]||j[3]!=k[3])||j[0].toLowerCase()=="s"&&(j[3]!=k[3]||j[4]!=k[4]))return;e[g]=[],f[g]=[];for(h=0,i=x(j.length,k.length);h<i;h++)h in j&&(e[g][h]=j[h]),h in k&&(f[g][h]=k[h])}return{from:e,to:f}};a._getContainer=function(b,c,d,e){var f;f=e==null&&!a.is(b,"object")?h.doc.getElementById(b):b;if(f!=null){if(f.tagName)return c==null?{container:f,width:f.style.pixelWidth||f.offsetWidth,height:f.style.pixelHeight||f.offsetHeight}:{container:f,width:c,height:d};return{container:1,x:b,y:c,width:d,height:e}}},a.pathToRelative=bz,a._engine={},a.path2curve=bG,a.matrix=function(a,b,c,d,e,f){return new bR(a,b,c,d,e,f)},function(b){function d(a){var b=w.sqrt(c(a));a[0]&&(a[0]/=b),a[1]&&(a[1]/=b)}function c(a){return a[0]*a[0]+a[1]*a[1]}b.add=function(a,b,c,d,e,f){var g=[[],[],[]],h=[[this.a,this.c,this.e],[this.b,this.d,this.f],[0,0,1]],i=[[a,c,e],[b,d,f],[0,0,1]],j,k,l,m;a&&a instanceof bR&&(i=[[a.a,a.c,a.e],[a.b,a.d,a.f],[0,0,1]]);for(j=0;j<3;j++)for(k=0;k<3;k++){m=0;for(l=0;l<3;l++)m+=h[j][l]*i[l][k];g[j][k]=m}this.a=g[0][0],this.b=g[1][0],this.c=g[0][1],this.d=g[1][1],this.e=g[0][2],this.f=g[1][2]},b.invert=function(){var a=this,b=a.a*a.d-a.b*a.c;return new bR(a.d/b,-a.b/b,-a.c/b,a.a/b,(a.c*a.f-a.d*a.e)/b,(a.b*a.e-a.a*a.f)/b)},b.clone=function(){return new bR(this.a,this.b,this.c,this.d,this.e,this.f)},b.translate=function(a,b){this.add(1,0,0,1,a,b)},b.scale=function(a,b,c,d){b==null&&(b=a),(c||d)&&this.add(1,0,0,1,c,d),this.add(a,0,0,b,0,0),(c||d)&&this.add(1,0,0,1,-c,-d)},b.rotate=function(b,c,d){b=a.rad(b),c=c||0,d=d||0;var e=+w.cos(b).toFixed(9),f=+w.sin(b).toFixed(9);this.add(e,f,-f,e,c,d),this.add(1,0,0,1,-c,-d)},b.x=function(a,b){return a*this.a+b*this.c+this.e},b.y=function(a,b){return a*this.b+b*this.d+this.f},b.get=function(a){return+this[r.fromCharCode(97+a)].toFixed(4)},b.toString=function(){return a.svg?"matrix("+[this.get(0),this.get(1),this.get(2),this.get(3),this.get(4),this.get(5)].join()+")":[this.get(0),this.get(2),this.get(1),this.get(3),0,0].join()},b.toFilter=function(){return"progid:DXImageTransform.Microsoft.Matrix(M11="+this.get(0)+", M12="+this.get(2)+", M21="+this.get(1)+", M22="+this.get(3)+", Dx="+this.get(4)+", Dy="+this.get(5)+", sizingmethod='auto expand')"},b.offset=function(){return[this.e.toFixed(4),this.f.toFixed(4)]},b.split=function(){var b={};b.dx=this.e,b.dy=this.f;var e=[[this.a,this.c],[this.b,this.d]];b.scalex=w.sqrt(c(e[0])),d(e[0]),b.shear=e[0][0]*e[1][0]+e[0][1]*e[1][1],e[1]=[e[1][0]-e[0][0]*b.shear,e[1][1]-e[0][1]*b.shear],b.scaley=w.sqrt(c(e[1])),d(e[1]),b.shear/=b.scaley;var f=-e[0][1],g=e[1][1];g<0?(b.rotate=a.deg(w.acos(g)),f<0&&(b.rotate=360-b.rotate)):b.rotate=a.deg(w.asin(f)),b.isSimple=!+b.shear.toFixed(9)&&(b.scalex.toFixed(9)==b.scaley.toFixed(9)||!b.rotate),b.isSuperSimple=!+b.shear.toFixed(9)&&b.scalex.toFixed(9)==b.scaley.toFixed(9)&&!b.rotate,b.noRotation=!+b.shear.toFixed(9)&&!b.rotate;return b},b.toTransformString=function(a){var b=a||this[s]();return b.isSimple?"t"+[b.dx,b.dy]+"s"+[b.scalex,b.scaley,0,0]+"r"+[b.rotate,0,0]:"m"+[this.get(0),this.get(1),this.get(2),this.get(3),this.get(4),this.get(5)]}}(bR.prototype);var bS=navigator.userAgent.match(/Version\/(.*?)\s/)||navigator.userAgent.match(/Chrome\/(\d+)/);navigator.vendor=="Apple Computer, Inc."&&(bS&&bS[1]<4||navigator.platform.slice(0,2)=="iP")||navigator.vendor=="Google Inc."&&bS&&bS[1]<8?k.safari=function(){var a=this.rect(-99,-99,this.width+99,this.height+99).attr({stroke:"none"});setTimeout(function(){a.remove()})}:k.safari=bd;var bT=function(){this.returnValue=!1},bU=function(){return this.originalEvent.preventDefault()},bV=function(){this.cancelBubble=!0},bW=function(){return this.originalEvent.stopPropagation()},bX=function(){if(h.doc.addEventListener)return function(a,b,c,d){var e=o&&u[b]?u[b]:b,f=function(e){var f=h.doc.documentElement.scrollTop||h.doc.body.scrollTop,i=h.doc.documentElement.scrollLeft||h.doc.body.scrollLeft,j=e.clientX+i,k=e.clientY+f;if(o&&u[g](b))for(var l=0,m=e.targetTouches&&e.targetTouches.length;l<m;l++)if(e.targetTouches[l].target==a){var n=e;e=e.targetTouches[l],e.originalEvent=n,e.preventDefault=bU,e.stopPropagation=bW;break}return c.call(d,e,j,k)};a.addEventListener(e,f,!1);return function(){a.removeEventListener(e,f,!1);return!0}};if(h.doc.attachEvent)return function(a,b,c,d){var e=function(a){a=a||h.win.event;var b=h.doc.documentElement.scrollTop||h.doc.body.scrollTop,e=h.doc.documentElement.scrollLeft||h.doc.body.scrollLeft,f=a.clientX+e,g=a.clientY+b;a.preventDefault=a.preventDefault||bT,a.stopPropagation=a.stopPropagation||bV;return c.call(d,a,f,g)};a.attachEvent("on"+b,e);var f=function(){a.detachEvent("on"+b,e);return!0};return f}}(),bY=[],bZ=function(a){var b=a.clientX,c=a.clientY,d=h.doc.documentElement.scrollTop||h.doc.body.scrollTop,e=h.doc.documentElement.scrollLeft||h.doc.body.scrollLeft,f,g=bY.length;while(g--){f=bY[g];if(o){var i=a.touches.length,j;while(i--){j=a.touches[i];if(j.identifier==f.el._drag.id){b=j.clientX,c=j.clientY,(a.originalEvent?a.originalEvent:a).preventDefault();break}}}else a.preventDefault();var k=f.el.node,l,m=k.nextSibling,n=k.parentNode,p=k.style.display;h.win.opera&&n.removeChild(k),k.style.display="none",l=f.el.paper.getElementByPoint(b,c),k.style.display=p,h.win.opera&&(m?n.insertBefore(k,m):n.appendChild(k)),l&&eve("drag.over."+f.el.id,f.el,l),b+=e,c+=d,eve("drag.move."+f.el.id,f.move_scope||f.el,b-f.el._drag.x,c-f.el._drag.y,b,c,a)}},b$=function(b){a.unmousemove(bZ).unmouseup(b$);var c=bY.length,d;while(c--)d=bY[c],d.el._drag={},eve("drag.end."+d.el.id,d.end_scope||d.start_scope||d.move_scope||d.el,b);bY=[]},b_=a.el={};for(var ca=t.length;ca--;)(function(b){a[b]=b_[b]=function(c,d){a.is(c,"function")&&(this.events=this.events||[],this.events.push({name:b,f:c,unbind:bX(this.shape||this.node||h.doc,b,c,d||this)}));return this},a["un"+b]=b_["un"+b]=function(a){var c=this.events,d=c.length;while(d--)if(c[d].name==b&&c[d].f==a){c[d].unbind(),c.splice(d,1),!c.length&&delete this.events;return this}return this}})(t[ca]);b_.data=function(b,c){var d=ba[this.id]=ba[this.id]||{};if(arguments.length==1){if(a.is(b,"object")){for(var e in b)b[g](e)&&this.data(e,b[e]);return this}eve("data.get."+this.id,this,d[b],b);return d[b]}d[b]=c,eve("data.set."+this.id,this,c,b);return this},b_.removeData=function(a){a==null?ba[this.id]={}:ba[this.id]&&delete ba[this.id][a];return this},b_.hover=function(a,b,c,d){return this.mouseover(a,c).mouseout(b,d||c)},b_.unhover=function(a,b){return this.unmouseover(a).unmouseout(b)},b_.drag=function(b,c,d,e,f,g){function i(i){(i.originalEvent||i).preventDefault();var j=h.doc.documentElement.scrollTop||h.doc.body.scrollTop,k=h.doc.documentElement.scrollLeft||h.doc.body.scrollLeft;this._drag.x=i.clientX+k,this._drag.y=i.clientY+j,this._drag.id=i.identifier,!bY.length&&a.mousemove(bZ).mouseup(b$),bY.push({el:this,move_scope:e,start_scope:f,end_scope:g}),c&&eve.on("drag.start."+this.id,c),b&&eve.on("drag.move."+this.id,b),d&&eve.on("drag.end."+this.id,d),eve("drag.start."+this.id,f||e||this,i.clientX+k,i.clientY+j,i)}this._drag={},this.mousedown(i);return this},b_.onDragOver=function(a){a?eve.on("drag.over."+this.id,a):eve.unbind("drag.over."+this.id)},b_.undrag=function(){var b=bY.length;while(b--)bY[b].el==this&&(a.unmousedown(bY[b].start),bY.splice(b++,1),eve.unbind("drag.*."+this.id));!bY.length&&a.unmousemove(bZ).unmouseup(b$)},k.circle=function(b,c,d){var e=a._engine.circle(this,b||0,c||0,d||0);this.__set__&&this.__set__.push(e);return e},k.rect=function(b,c,d,e,f){var g=a._engine.rect(this,b||0,c||0,d||0,e||0,f||0);this.__set__&&this.__set__.push(g);return g},k.ellipse=function(b,c,d,e){var f=a._engine.ellipse(this,b||0,c||0,d||0,e||0);this.__set__&&this.__set__.push(f);return f},k.path=function(b){b&&!a.is(b,D)&&!a.is(b[0],E)&&(b+=p);var c=a._engine.path(a.format[m](a,arguments),this);this.__set__&&this.__set__.push(c);return c},k.image=function(b,c,d,e,f){var g=a._engine.image(this,b||"about:blank",c||0,d||0,e||0,f||0);this.__set__&&this.__set__.push(g);return g},k.text=function(b,c,d){var e=a._engine.text(this,b||0,c||0,r(d));this.__set__&&this.__set__.push(e);return e},k.set=function(b){!a.is(b,"array")&&(b=Array.prototype.splice.call(arguments,0,arguments.length));var c=new cs(b);this.__set__&&this.__set__.push(c);return c},k.setStart=function(a){this.__set__=a||this.set()},k.setFinish=function(a){var b=this.__set__;delete this.__set__;return b},k.setSize=function(b,c){return a._engine.setSize.call(this,b,c)},k.setViewBox=function(b,c,d,e,f){return a._engine.setViewBox.call(this,b,c,d,e,f)},k.top=k.bottom=null,k.raphael=a;var cb=function(a){var b=a.getBoundingClientRect(),c=a.ownerDocument,d=c.body,e=c.documentElement,f=e.clientTop||d.clientTop||0,g=e.clientLeft||d.clientLeft||0,i=b.top+(h.win.pageYOffset||e.scrollTop||d.scrollTop)-f,j=b.left+(h.win.pageXOffset||e.scrollLeft||d.scrollLeft)-g;return{y:i,x:j}};k.getElementByPoint=function(a,b){var c=this,d=c.canvas,e=h.doc.elementFromPoint(a,b);if(h.win.opera&&e.tagName=="svg"){var f=cb(d),g=d.createSVGRect();g.x=a-f.x,g.y=b-f.y,g.width=g.height=1;var i=d.getIntersectionList(g,null);i.length&&(e=i[i.length-1])}if(!e)return null;while(e.parentNode&&e!=d.parentNode&&!e.raphael)e=e.parentNode;e==c.canvas.parentNode&&(e=d),e=e&&e.raphael?c.getById(e.raphaelid):null;return e},k.getById=function(a){var b=this.bottom;while(b){if(b.id==a)return b;b=b.next}return null},k.forEach=function(a,b){var c=this.bottom;while(c){if(a.call(b,c)===!1)return this;c=c.next}return this},b_.getBBox=function(a){if(this.removed)return{};var b=this._;if(a){if(b.dirty||!b.bboxwt)this.realPath=bh[this.type](this),b.bboxwt=bx(this.realPath),b.bboxwt.toString=cd,b.dirty=0;return b.bboxwt}if(b.dirty||b.dirtyT||!b.bbox){if(b.dirty||!this.realPath)b.bboxwt=0,this.realPath=bh[this.type](this);b.bbox=bx(bi(this.realPath,this.matrix)),b.bbox.toString=cd,b.dirty=b.dirtyT=0}return b.bbox},b_.clone=function(){if(this.removed)return null;var a=this.paper[this.type]().attr(this.attr());this.__set__&&this.__set__.push(a);return a},b_.glow=function(a){if(this.type=="text")return null;a=a||{};var b={width:(a.width||10)+(+this.attr("stroke-width")||1),fill:a.fill||!1,opacity:a.opacity||.5,offsetx:a.offsetx||0,offsety:a.offsety||0,color:a.color||"#000"},c=b.width/2,d=this.paper,e=d.set(),f=this.realPath||bh[this.type](this);f=this.matrix?bi(f,this.matrix):f;for(var g=1;g<c+1;g++)e.push(d.path(f).attr({stroke:b.color,fill:b.fill?b.color:"none","stroke-linejoin":"round","stroke-linecap":"round","stroke-width":+(b.width/c*g).toFixed(3),opacity:+(b.opacity/c).toFixed(3)}));return e.insertBefore(this).translate(b.offsetx,b.offsety)};var ce={},cf=function(b,c,d,e,f,g,h,i,j){var k=0,l=100,m=[b,c,d,e,f,g,h,i].join(),n=ce[m],o,p;!n&&(ce[m]=n={data:[]}),n.timer&&clearTimeout(n.timer),n.timer=setTimeout(function(){delete ce[m]},2e3);if(j!=null&&!n.precision){var q=cf(b,c,d,e,f,g,h,i);n.precision=~~q*10,n.data=[]}l=n.precision||l;for(var r=0;r<l+1;r++){n.data[r*l]?p=n.data[r*l]:(p=a.findDotsAtSegment(b,c,d,e,f,g,h,i,r/l),n.data[r*l]=p),r&&(k+=A(A(o.x-p.x,2)+A(o.y-p.y,2),.5));if(j!=null&&k>=j)return p;o=p}if(j==null)return k},cg=function(b,c){return function(d,e,f){d=bG(d);var g,h,i,j,k="",l={},m,n=0;for(var o=0,p=d.length;o<p;o++){i=d[o];if(i[0]=="M")g=+i[1],h=+i[2];else{j=cf(g,h,i[1],i[2],i[3],i[4],i[5],i[6]);if(n+j>e){if(c&&!l.start){m=cf(g,h,i[1],i[2],i[3],i[4],i[5],i[6],e-n),k+=["C"+m.start.x,m.start.y,m.m.x,m.m.y,m.x,m.y];if(f)return k;l.start=k,k=["M"+m.x,m.y+"C"+m.n.x,m.n.y,m.end.x,m.end.y,i[5],i[6]].join(),n+=j,g=+i[5],h=+i[6];continue}if(!b&&!c){m=cf(g,h,i[1],i[2],i[3],i[4],i[5],i[6],e-n);return{x:m.x,y:m.y,alpha:m.alpha}}}n+=j,g=+i[5],h=+i[6]}k+=i.shift()+i}l.end=k,m=b?n:c?l:a.findDotsAtSegment(g,h,i[0],i[1],i[2],i[3],i[4],i[5],1),m.alpha&&(m={x:m.x,y:m.y,alpha:m.alpha});return m}},ch=cg(1),ci=cg(),cj=cg(0,1);a.getTotalLength=ch,a.getPointAtLength=ci,a.getSubpath=function(a,b,c){if(this.getTotalLength(a)-c<1e-6)return cj(a,b).end;var d=cj(a,c,1);return b?cj(d,b).end:d},b_.getTotalLength=function(){if(this.type=="path"){if(this.node.getTotalLength)return this.node.getTotalLength();return ch(this.attrs.path)}},b_.getPointAtLength=function(a){if(this.type=="path")return ci(this.attrs.path,a)},b_.getSubpath=function(b,c){if(this.type=="path")return a.getSubpath(this.attrs.path,b,c)};var ck=a.easing_formulas={linear:function(a){return a},"<":function(a){return A(a,1.7)},">":function(a){return A(a,.48)},"<>":function(a){var b=.48-a/1.04,c=w.sqrt(.1734+b*b),d=c-b,e=A(z(d),1/3)*(d<0?-1:1),f=-c-b,g=A(z(f),1/3)*(f<0?-1:1),h=e+g+.5;return(1-h)*3*h*h+h*h*h},backIn:function(a){var b=1.70158;return a*a*((b+1)*a-b)},backOut:function(a){a=a-1;var b=1.70158;return a*a*((b+1)*a+b)+1},elastic:function(a){if(a==!!a)return a;return A(2,-10*a)*w.sin((a-.075)*2*B/.3)+1},bounce:function(a){var b=7.5625,c=2.75,d;a<1/c?d=b*a*a:a<2/c?(a-=1.5/c,d=b*a*a+.75):a<2.5/c?(a-=2.25/c,d=b*a*a+.9375):(a-=2.625/c,d=b*a*a+.984375);return d}};ck.easeIn=ck["ease-in"]=ck["<"],ck.easeOut=ck["ease-out"]=ck[">"],ck.easeInOut=ck["ease-in-out"]=ck["<>"],ck["back-in"]=ck.backIn,ck["back-out"]=ck.backOut;var cl=[],cm=window.requestAnimationFrame||window.webkitRequestAnimationFrame||window.mozRequestAnimationFrame||window.oRequestAnimationFrame||window.msRequestAnimationFrame||function(a){setTimeout(a,16)},cn=function(){var b=+(new Date),c=0;for(;c<cl.length;c++){var d=cl[c];if(d.el.removed||d.paused)continue;var e=b-d.start,f=d.ms,h=d.easing,i=d.from,j=d.diff,k=d.to,l=d.t,m=d.el,o={},p,r={},s;d.initstatus?(e=(d.initstatus*d.anim.top-d.prev)/(d.percent-d.prev)*f,d.status=d.initstatus,delete d.initstatus,d.stop&&cl.splice(c--,1)):d.status=(d.prev+(d.percent-d.prev)*(e/f))/d.anim.top;if(e<0)continue;if(e<f){var t=h(e/f);for(var u in i)if(i[g](u)){switch(U[u]){case C:p=+i[u]+t*f*j[u];break;case"colour":p="rgb("+[co(O(i[u].r+t*f*j[u].r)),co(O(i[u].g+t*f*j[u].g)),co(O(i[u].b+t*f*j[u].b))].join(",")+")";break;case"path":p=[];for(var v=0,w=i[u].length;v<w;v++){p[v]=[i[u][v][0]];for(var x=1,y=i[u][v].length;x<y;x++)p[v][x]=+i[u][v][x]+t*f*j[u][v][x];p[v]=p[v].join(q)}p=p.join(q);break;case"transform":if(j[u].real){p=[];for(v=0,w=i[u].length;v<w;v++){p[v]=[i[u][v][0]];for(x=1,y=i[u][v].length;x<y;x++)p[v][x]=i[u][v][x]+t*f*j[u][v][x]}}else{var z=function(a){return+i[u][a]+t*f*j[u][a]};p=[["m",z(0),z(1),z(2),z(3),z(4),z(5)]]}break;case"csv":if(u=="clip-rect"){p=[],v=4;while(v--)p[v]=+i[u][v]+t*f*j[u][v]}break;default:var A=[][n](i[u]);p=[],v=m.paper.customAttributes[u].length;while(v--)p[v]=+A[v]+t*f*j[u][v]}o[u]=p}m.attr(o),function(a,b,c){setTimeout(function(){eve("anim.frame."+a,b,c)})}(m.id,m,d.anim)}else{(function(b,c,d){setTimeout(function(){eve("anim.frame."+c.id,c,d),eve("anim.finish."+c.id,c,d),a.is(b,"function")&&b.call(c)})})(d.callback,m,d.anim),m.attr(k),cl.splice(c--,1);if(d.repeat>1&&!d.next){for(s in k)k[g](s)&&(r[s]=d.totalOrigin[s]);d.el.attr(r),cr(d.anim,d.el,d.anim.percents[0],null,d.totalOrigin,d.repeat-1)}d.next&&!d.stop&&cr(d.anim,d.el,d.next,null,d.totalOrigin,d.repeat)}}a.svg&&m&&m.paper&&m.paper.safari(),cl.length&&cm(cn)},co=function(a){return a>255?255:a<0?0:a};b_.animateWith=function(b,c,d,e,f,g){var h=d?a.animation(d,e,f,g):c;status=b.status(c);return this.animate(h).status(h,status*c.ms/h.ms)},b_.onAnimation=function(a){a?eve.on("anim.frame."+this.id,a):eve.unbind("anim.frame."+this.id);return this},cq.prototype.delay=function(a){var b=new cq(this.anim,this.ms);b.times=this.times,b.del=+a||0;return b},cq.prototype.repeat=function(a){var b=new cq(this.anim,this.ms);b.del=this.del,b.times=w.floor(x(a,0))||1;return b},a.animation=function(b,c,d,e){if(b instanceof cq)return b;if(a.is(d,"function")||!d)e=e||d||null,d=null;b=Object(b),c=+c||0;var f={},h,i;for(i in b)b[g](i)&&Q(i)!=i&&Q(i)+"%"!=i&&(h=!0,f[i]=b[i]);if(!h)return new cq(b,c);d&&(f.easing=d),e&&(f.callback=e);return new cq({100:f},c)},b_.animate=function(b,c,d,e){var f=this;if(f.removed){e&&e.call(f);return f}var g=b instanceof cq?b:a.animation(b,c,d,e);cr(g,f,g.percents[0],null,f.attr());return f},b_.setTime=function(a,b){a&&b!=null&&this.status(a,y(b,a.ms)/a.ms);return this},b_.status=function(a,b){var c=[],d=0,e,f;if(b!=null){cr(a,this,-1,y(b,1));return this}e=cl.length;for(;d<e;d++){f=cl[d];if(f.el.id==this.id&&(!a||f.anim==a)){if(a)return f.status;c.push({anim:f.anim,status:f.status})}}if(a)return 0;return c},b_.pause=function(a){for(var b=0;b<cl.length;b++)cl[b].el.id==this.id&&(!a||cl[b].anim==a)&&eve("anim.pause."+this.id,this,cl[b].anim)!==!1&&(cl[b].paused=!0);return this},b_.resume=function(a){for(var b=0;b<cl.length;b++)if(cl[b].el.id==this.id&&(!a||cl[b].anim==a)){var c=cl[b];eve("anim.resume."+this.id,this,c.anim)!==!1&&(delete c.paused,this.status(c.anim,c.status))}return this},b_.stop=function(a){for(var b=0;b<cl.length;b++)cl[b].el.id==this.id&&(!a||cl[b].anim==a)&&eve("anim.stop."+this.id,this,cl[b].anim)!==!1&&cl.splice(b--,1);return this},b_.toString=function(){return"Raphaël’s object"};var cs=function(a){this.items=[],this.length=0,this.type="set";if(a)for(var b=0,c=a.length;b<c;b++)a[b]&&(a[b].constructor==b_.constructor||a[b].constructor==cs)&&(this[this.items.length]=this.items[this.items.length]=a[b],this.length++)},ct=cs.prototype;ct.push=function(){var a,b;for(var c=0,d=arguments.length;c<d;c++)a=arguments[c],a&&(a.constructor==b_.constructor||a.constructor==cs)&&(b=this.items.length,this[b]=this.items[b]=a,this.length++);return this},ct.pop=function(){this.length&&delete this[this.length--];return this.items.pop()},ct.forEach=function(a,b){for(var c=0,d=this.items.length;c<d;c++)if(a.call(b,this.items[c],c)===!1)return this;return this};for(var cu in b_)b_[g](cu)&&(ct[cu]=function(a){return function(){var b=arguments;return this.forEach(function(c){c[a][m](c,b)})}}(cu));ct.attr=function(b,c){if(b&&a.is(b,E)&&a.is(b[0],"object"))for(var d=0,e=b.length;d<e;d++)this.items[d].attr(b[d]);else for(var f=0,g=this.items.length;f<g;f++)this.items[f].attr(b,c);return this},ct.clear=function(){while(this.length)this.pop()},ct.splice=function(a,b,c){a=a<0?x(this.length+a,0):a,b=x(0,y(this.length-a,b));var d=[],e=[],f=[],g;for(g=2;g<arguments.length;g++)f.push(arguments[g]);for(g=0;g<b;g++)e.push(this[a+g]);for(;g<this.length-a;g++)d.push(this[a+g]);var h=f.length;for(g=0;g<h+d.length;g++)this.items[a+g]=this[a+g]=g<h?f[g]:d[g-h];g=this.items.length=this.length-=b-h;while(this[g])delete this[g++];return new cs(e)},ct.exclude=function(a){for(var b=0,c=this.length;b<c;b++)if(this[b]==a){this.splice(b,1);return!0}},ct.animate=function(b,c,d,e){(a.is(d,"function")||!d)&&(e=d||null);var f=this.items.length,g=f,h,i=this,j;if(!f)return this;e&&(j=function(){!--f&&e.call(i)}),d=a.is(d,D)?d:j;var k=a.animation(b,c,d,j);h=this.items[--g].animate(k);while(g--)this.items[g]&&!this.items[g].removed&&this.items[g].animateWith(h,k);return this},ct.insertAfter=function(a){var b=this.items.length;while(b--)this.items[b].insertAfter(a);return this},ct.getBBox=function(){var a=[],b=[],c=[],d=[];for(var e=this.items.length;e--;)if(!this.items[e].removed){var f=this.items[e].getBBox();a.push(f.x),b.push(f.y),c.push(f.x+f.width),d.push(f.y+f.height)}a=y[m](0,a),b=y[m](0,b);return{x:a,y:b,width:x[m](0,c)-a,height:x[m](0,d)-b}},ct.clone=function(a){a=new cs;for(var b=0,c=this.items.length;b<c;b++)a.push(this.items[b].clone());return a},ct.toString=function(){return"Raphaël‘s set"},a.registerFont=function(a){if(!a.face)return a;this.fonts=this.fonts||{};var b={w:a.w,face:{},glyphs:{}},c=a.face["font-family"];for(var d in a.face)a.face[g](d)&&(b.face[d]=a.face[d]);this.fonts[c]?this.fonts[c].push(b):this.fonts[c]=[b];if(!a.svg){b.face["units-per-em"]=R(a.face["units-per-em"],10);for(var e in a.glyphs)if(a.glyphs[g](e)){var f=a.glyphs[e];b.glyphs[e]={w:f.w,k:{},d:f.d&&"M"+f.d.replace(/[mlcxtrv]/g,function(a){return{l:"L",c:"C",x:"z",t:"m",r:"l",v:"c"}[a]||"M"})+"z"};if(f.k)for(var h in f.k)f[g](h)&&(b.glyphs[e].k[h]=f.k[h])}}return a},k.getFont=function(b,c,d,e){e=e||"normal",d=d||"normal",c=+c||{normal:400,bold:700,lighter:300,bolder:800}[c]||400;if(!!a.fonts){var f=a.fonts[b];if(!f){var h=new RegExp("(^|\\s)"+b.replace(/[^\w\d\s+!~.:_-]/g,p)+"(\\s|$)","i");for(var i in a.fonts)if(a.fonts[g](i)&&h.test(i)){f=a.fonts[i];break}}var j;if(f)for(var k=0,l=f.length;k<l;k++){j=f[k];if(j.face["font-weight"]==c&&(j.face["font-style"]==d||!j.face["font-style"])&&j.face["font-stretch"]==e)break}return j}},k.print=function(b,d,e,f,g,h,i){h=h||"middle",i=x(y(i||0,1),-1);var j=this.set(),k=r(e)[s](p),l=0,m=p,n;a.is(f,e)&&(f=this.getFont(f));if(f){n=(g||16)/f.face["units-per-em"];var o=f.face.bbox[s](c),q=+o[0],t=+o[1]+(h=="baseline"?o[3]-o[1]+ +f.face.descent:(o[3]-o[1])/2);for(var u=0,v=k.length;u<v;u++){var w=u&&f.glyphs[k[u-1]]||{},z=f.glyphs[k[u]];l+=u?(w.w||f.w)+(w.k&&w.k[k[u]]||0)+f.w*i:0,z&&z.d&&j.push(this.path(z.d).attr({fill:"#000",stroke:"none",transform:[["t",l*n,0]]}))}j.transform(["...s",n,n,q,t,"t",(b-q)/n,(d-t)/n])}return j},a.format=function(b,c){var d=a.is(c,E)?[0][n](c):arguments;b&&a.is(b,D)&&d.length-1&&(b=b.replace(e,function(a,b){return d[++b]==null?p:d[b]}));return b||p},a.fullfill=function(){var a=/\{([^\}]+)\}/g,b=/(?:(?:^|\.)(.+?)(?=\[|\.|$|\()|\[('|")(.+?)\2\])(\(\))?/g,c=function(a,c,d){var e=d;c.replace(b,function(a,b,c,d,f){b=b||d,e&&(b in e&&(e=e[b]),typeof e=="function"&&f&&(e=e()))}),e=(e==null||e==d?a:e)+"";return e};return function(b,d){return String(b).replace(a,function(a,b){return c(a,b,d)})}}(),a.ninja=function(){i.was?h.win.Raphael=i.is:delete Raphael;return a},a.st=ct,function(b,c,d){function e(){/in/.test(b.readyState)?setTimeout(e,9):a.eve("DOMload")}b.readyState==null&&b.addEventListener&&(b.addEventListener(c,d=function(){b.removeEventListener(c,d,!1),b.readyState="complete"},!1),b.readyState="loading"),e()}(document,"DOMContentLoaded"),i.was?h.win.Raphael=a:Raphael=a,eve.on("DOMload",function(){b=!0})}(),window.Raphael.svg&&function(a){var b="hasOwnProperty",c=String,d=parseFloat,e=parseInt,f=Math,g=f.max,h=f.abs,i=f.pow,j=/[, ]+/,k=a.eve,l="",m=" ",n="http://www.w3.org/1999/xlink",o={block:"M5,0 0,2.5 5,5z",classic:"M5,0 0,2.5 5,5 3.5,3 3.5,2z",diamond:"M2.5,0 5,2.5 2.5,5 0,2.5z",open:"M6,1 1,3.5 6,6",oval:"M2.5,0A2.5,2.5,0,0,1,2.5,5 2.5,2.5,0,0,1,2.5,0z"},p={};a.toString=function(){return"Your browser supports SVG.\nYou are running Raphaël "+this.version};var q=function(d,e){if(e){typeof d=="string"&&(d=q(d));for(var f in e)e[b](f)&&(f.substring(0,6)=="xlink:"?d.setAttributeNS(n,f.substring(6),c(e[f])):d.setAttribute(f,c(e[f])))}else d=a._g.doc.createElementNS("http://www.w3.org/2000/svg",d),d.style&&(d.style.webkitTapHighlightColor="rgba(0,0,0,0)");return d},r={},s=/^url\(#(.*)\)$/,t=function(b,c){var d=b.getAttribute("fill");d=d&&d.match(s),d&&!--r[d[1]]&&(delete r[d[1]],c.defs.removeChild(a._g.doc.getElementById(d[1])))},u=function(b,e){var j="linear",k=b.id+e,m=.5,n=.5,o=b.node,p=b.paper,r=o.style,s=a._g.doc.getElementById(k);if(!s){e=c(e).replace(a._radial_gradient,function(a,b,c){j="radial";if(b&&c){m=d(b),n=d(c);var e=(n>.5)*2-1;i(m-.5,2)+i(n-.5,2)>.25&&(n=f.sqrt(.25-i(m-.5,2))*e+.5)&&n!=.5&&(n=n.toFixed(5)-1e-5*e)}return l}),e=e.split(/\s*\-\s*/);if(j=="linear"){var t=e.shift();t=-d(t);if(isNaN(t))return null;var u=[0,0,f.cos(a.rad(t)),f.sin(a.rad(t))],v=1/(g(h(u[2]),h(u[3]))||1);u[2]*=v,u[3]*=v,u[2]<0&&(u[0]=-u[2],u[2]=0),u[3]<0&&(u[1]=-u[3],u[3]=0)}var w=a._parseDots(e);if(!w)return null;b.gradient&&(p.defs.removeChild(b.gradient),delete b.gradient),k=k.replace(/[\(\)\s,\xb0#]/g,"-"),s=q(j+"Gradient",{id:k}),b.gradient=s,q(s,j=="radial"?{fx:m,fy:n}:{x1:u[0],y1:u[1],x2:u[2],y2:u[3],gradientTransform:b.matrix.invert()}),p.defs.appendChild(s);for(var x=0,y=w.length;x<y;x++)s.appendChild(q("stop",{offset:w[x].offset?w[x].offset:x?"100%":"0%","stop-color":w[x].color||"#fff"}))}q(o,{fill:"url(#"+k+")",opacity:1,"fill-opacity":1}),r.fill=l,r.opacity=1,r.fillOpacity=1;return 1},v=function(a){var b=a.getBBox(1);q(a.pattern,{patternTransform:a.matrix.invert()+" translate("+b.x+","+b.y+")"})},w=function(d,e,f){if(d.type=="path"){var g=c(e).toLowerCase().split("-"),h=d.paper,i=f?"end":"start",j=d.node,k=d.attrs,l=k["stroke-width"],n=g.length,r="classic",s,t,u,v,w,x=3,y=3,z=5;while(n--)switch(g[n]){case"block":case"classic":case"oval":case"diamond":case"open":case"none":r=g[n];break;case"wide":y=5;break;case"narrow":y=2;break;case"long":x=5;break;case"short":x=2}r=="open"?(x+=2,y+=2,z+=2,u=1,v=f?4:1,w={fill:"none",stroke:k.stroke}):(v=u=x/2,w={fill:k.stroke,stroke:"none"}),d._.arrows?f?(d._.arrows.endPath&&p[d._.arrows.endPath]--,d._.arrows.endMarker&&p[d._.arrows.endMarker]--):(d._.arrows.startPath&&p[d._.arrows.startPath]--,d._.arrows.startMarker&&p[d._.arrows.startMarker]--):d._.arrows={};if(r!="none"){var A="raphael-marker-"+r,B="raphael-marker-"+i+r+x+y;a._g.doc.getElementById(A)?p[A]++:(h.defs.appendChild(q(q("path"),{"stroke-linecap":"round",d:o[r],id:A})),p[A]=1);var C=a._g.doc.getElementById(B),D;C?(p[B]++,D=C.getElementsByTagName("use")[0]):(C=q(q("marker"),{id:B,markerHeight:y,markerWidth:x,orient:"auto",refX:v,refY:y/2}),D=q(q("use"),{"xlink:href":"#"+A,transform:(f?" rotate(180 "+x/2+" "+y/2+") ":m)+"scale("+x/z+","+y/z+")","stroke-width":1/((x/z+y/z)/2)}),C.appendChild(D),h.defs.appendChild(C),p[B]=1),q(D,w);var E=u*(r!="diamond"&&r!="oval");f?(s=d._.arrows.startdx*l||0,t=a.getTotalLength(k.path)-E*l):(s=E*l,t=a.getTotalLength(k.path)-(d._.arrows.enddx*l||0)),w={},w["marker-"+i]="url(#"+B+")";if(t||s)w.d=Raphael.getSubpath(k.path,s,t);q(j,w),d._.arrows[i+"Path"]=A,d._.arrows[i+"Marker"]=B,d._.arrows[i+"dx"]=E,d._.arrows[i+"Type"]=r,d._.arrows[i+"String"]=e}else f?(s=d._.arrows.startdx*l||0,t=a.getTotalLength(k.path)-s):(s=0,t=a.getTotalLength(k.path)-(d._.arrows.enddx*l||0)),d._.arrows[i+"Path"]&&q(j,{d:Raphael.getSubpath(k.path,s,t)}),delete d._.arrows[i+"Path"],delete d._.arrows[i+"Marker"],delete d._.arrows[i+"dx"],delete d._.arrows[i+"Type"],delete d._.arrows[i+"String"];for(w in p)if(p[b](w)&&!p[w]){var F=a._g.doc.getElementById(w);F&&F.parentNode.removeChild(F)}}},x={"":[0],none:[0],"-":[3,1],".":[1,1],"-.":[3,1,1,1],"-..":[3,1,1,1,1,1],". ":[1,3],"- ":[4,3],"--":[8,3],"- .":[4,3,1,3],"--.":[8,3,1,3],"--..":[8,3,1,3,1,3]},y=function(a,b,d){b=x[c(b).toLowerCase()];if(b){var e=a.attrs["stroke-width"]||"1",f={round:e,square:e,butt:0}[a.attrs["stroke-linecap"]||d["stroke-linecap"]]||0,g=[],h=b.length;while(h--)g[h]=b[h]*e+(h%2?1:-1)*f;q(a.node,{"stroke-dasharray":g.join(",")})}},z=function(d,f){var i=d.node,k=d.attrs,m=i.style.visibility;i.style.visibility="hidden";for(var o in f)if(f[b](o)){if(!a._availableAttrs[b](o))continue;var p=f[o];k[o]=p;switch(o){case"blur":d.blur(p);break;case"href":case"title":case"target":var r=i.parentNode;if(r.tagName.toLowerCase()!="a"){var s=q("a");r.insertBefore(s,i),s.appendChild(i),r=s}o=="target"&&p=="blank"?r.setAttributeNS(n,"show","new"):r.setAttributeNS(n,o,p);break;case"cursor":i.style.cursor=p;break;case"transform":d.transform(p);break;case"arrow-start":w(d,p);break;case"arrow-end":w(d,p,1);break;case"clip-rect":var t=c(p).split(j);if(t.length==4){d.clip&&d.clip.parentNode.parentNode.removeChild(d.clip.parentNode);var x=q("clipPath"),z=q("rect");x.id=a.createUUID(),q(z,{x:t[0],y:t[1],width:t[2],height:t[3]}),x.appendChild(z),d.paper.defs.appendChild(x),q(i,{"clip-path":"url(#"+x.id+")"}),d.clip=z}if(!p){var A=a._g.doc.getElementById(i.getAttribute("clip-path").replace(/(^url\(#|\)$)/g,l));A&&A.parentNode.removeChild(A),q(i,{"clip-path":l}),delete d.clip}break;case"path":d.type=="path"&&(q(i,{d:p?k.path=a._pathToAbsolute(p):"M0,0"}),d._.dirty=1,d._.arrows&&("startString"in d._.arrows&&w(d,d._.arrows.startString),"endString"in d._.arrows&&w(d,d._.arrows.endString,1)));break;case"width":i.setAttribute(o,p),d._.dirty=1;if(k.fx)o="x",p=k.x;else break;case"x":k.fx&&(p=-k.x-(k.width||0));case"rx":if(o=="rx"&&d.type=="rect")break;case"cx":i.setAttribute(o,p),d.pattern&&v(d),d._.dirty=1;break;case"height":i.setAttribute(o,p),d._.dirty=1;if(k.fy)o="y",p=k.y;else break;case"y":k.fy&&(p=-k.y-(k.height||0));case"ry":if(o=="ry"&&d.type=="rect")break;case"cy":i.setAttribute(o,p),d.pattern&&v(d),d._.dirty=1;break;case"r":d.type=="rect"?q(i,{rx:p,ry:p}):i.setAttribute(o,p),d._.dirty=1;break;case"src":d.type=="image"&&i.setAttributeNS(n,"href",p);break;case"stroke-width":if(d._.sx!=1||d._.sy!=1)p/=g(h(d._.sx),h(d._.sy))||1;d.paper._vbSize&&(p*=d.paper._vbSize),i.setAttribute(o,p),k["stroke-dasharray"]&&y(d,k["stroke-dasharray"],f),d._.arrows&&("startString"in d._.arrows&&w(d,d._.arrows.startString),"endString"in d._.arrows&&w(d,d._.arrows.endString,1));break;case"stroke-dasharray":y(d,p,f);break;case"fill":var C=c(p).match(a._ISURL);if(C){x=q("pattern");var D=q("image");x.id=a.createUUID(),q(x,{x:0,y:0,patternUnits:"userSpaceOnUse",height:1,width:1}),q(D,{x:0,y:0,"xlink:href":C[1]}),x.appendChild(D),function(b){a._preload(C[1],function(){var a=this.offsetWidth,c=this.offsetHeight;q(b,{width:a,height:c}),q(D,{width:a,height:c}),d.paper.safari()})}(x),d.paper.defs.appendChild(x),i.style.fill="url(#"+x.id+")",q(i,{fill:"url(#"+x.id+")"}),d.pattern=x,d.pattern&&v(d);break}var E=a.getRGB(p);if(!E.error)delete f.gradient,delete k.gradient,!a.is(k.opacity,"undefined")&&a.is(f.opacity,"undefined")&&q(i,{opacity:k.opacity}),!a.is(k["fill-opacity"],"undefined")&&a.is(f["fill-opacity"],"undefined")&&q(i,{"fill-opacity":k["fill-opacity"]});else if((d.type=="circle"||d.type=="ellipse"||c(p).charAt()!="r")&&u(d,p)){if("opacity"in k||"fill-opacity"in k){var F=a._g.doc.getElementById(i.getAttribute("fill").replace(/^url\(#|\)$/g,l));if(F){var G=F.getElementsByTagName("stop");q(G[G.length-1],{"stop-opacity":("opacity"in k?k.opacity:1)*("fill-opacity"in k?k["fill-opacity"]:1)})}}k.gradient=p,k.fill="none";break}E[b]("opacity")&&q(i,{"fill-opacity":E.opacity>1?E.opacity/100:E.opacity});case"stroke":E=a.getRGB(p),i.setAttribute(o,E.hex),o=="stroke"&&E[b]("opacity")&&q(i,{"stroke-opacity":E.opacity>1?E.opacity/100:E.opacity}),o=="stroke"&&d._.arrows&&("startString"in d._.arrows&&w(d,d._.arrows.startString),"endString"in d._.arrows&&w(d,d._.arrows.endString,1));break;case"gradient":(d.type=="circle"||d.type=="ellipse"||c(p).charAt()!="r")&&u(d,p);break;case"opacity":k.gradient&&!k[b]("stroke-opacity")&&q(i,{"stroke-opacity":p>1?p/100:p});case"fill-opacity":if(k.gradient){F=a._g.doc.getElementById(i.getAttribute("fill").replace(/^url\(#|\)$/g,l)),F&&(G=F.getElementsByTagName("stop"),q(G[G.length-1],{"stop-opacity":p}));break};default:o=="font-size"&&(p=e(p,10)+"px");var H=o.replace(/(\-.)/g,function(a){return a.substring(1).toUpperCase()});i.style[H]=p,d._.dirty=1,i.setAttribute(o,p)}}B(d,f),i.style.visibility=m},A=1.2,B=function(d,f){if(d.type=="text"&&!!(f[b]("text")||f[b]("font")||f[b]("font-size")||f[b]("x")||f[b]("y"))){var g=d.attrs,h=d.node,i=h.firstChild?e(a._g.doc.defaultView.getComputedStyle(h.firstChild,l).getPropertyValue("font-size"),10):10;if(f[b]("text")){g.text=f.text;while(h.firstChild)h.removeChild(h.firstChild);var j=c(f.text).split("\n"),k=[],m;for(var n=0,o=j.length;n<o;n++)m=q("tspan"),n&&q(m,{dy:i*A,x:g.x}),m.appendChild(a._g.doc.createTextNode(j[n])),h.appendChild(m),k[n]=m}else{k=h.getElementsByTagName("tspan");for(n=0,o=k.length;n<o;n++)n?q(k[n],{dy:i*A,x:g.x}):q(k[0],{dy:0})}q(h,{x:g.x,y:g.y}),d._.dirty=1;var p=d._getBBox(),r=g.y-(p.y+p.height/2);r&&a.is(r,"finite")&&q(k[0],{dy:r})}},C=function(b,c){var d=0,e=0;this[0]=this.node=b,b.raphael=!0,this.id=a._oid++,b.raphaelid=this.id,this.matrix=a.matrix(),this.realPath=null,this.paper=c,this.attrs=this.attrs||{},this._={transform:[],sx:1,sy:1,deg:0,dx:0,dy:0,dirty:1},!c.bottom&&(c.bottom=this),this.prev=c.top,c.top&&(c.top.next=this),c.top=this,this.next=null},D=a.el;C.prototype=D,D.constructor=C,a._engine.path=function(a,b){var c=q("path");b.canvas&&b.canvas.appendChild(c);var d=new C(c,b);d.type="path",z(d,{fill:"none",stroke:"#000",path:a});return d},D.rotate=function(a,b,e){if(this.removed)return this;a=c(a).split(j),a.length-1&&(b=d(a[1]),e=d(a[2])),a=d(a[0]),e==null&&(b=e);if(b==null||e==null){var f=this.getBBox(1);b=f.x+f.width/2,e=f.y+f.height/2}this.transform(this._.transform.concat([["r",a,b,e]]));return this},D.scale=function(a,b,e,f){if(this.removed)return this;a=c(a).split(j),a.length-1&&(b=d(a[1]),e=d(a[2]),f=d(a[3])),a=d(a[0]),b==null&&(b=a),f==null&&(e=f);if(e==null||f==null)var g=this.getBBox(1);e=e==null?g.x+g.width/2:e,f=f==null?g.y+g.height/2:f,this.transform(this._.transform.concat([["s",a,b,e,f]]));return this},D.translate=function(a,b){if(this.removed)return this;a=c(a).split(j),a.length-1&&(b=d(a[1])),a=d(a[0])||0,b=+b||0,this.transform(this._.transform.concat([["t",a,b]]));return this},D.transform=function(c){var d=this._;if(c==null)return d.transform;a._extractTransform(this,c),this.clip&&q(this.clip,{transform:this.matrix.invert()}),this.pattern&&v(this),this.node&&q(this.node,{transform:this.matrix});if(d.sx!=1||d.sy!=1){var e=this.attrs[b]("stroke-width")?this.attrs["stroke-width"]:1;this.attr({"stroke-width":e})}return this},D.hide=function(){!this.removed&&this.paper.safari(this.node.style.display="none");return this},D.show=function(){!this.removed&&this.paper.safari(this.node.style.display="");return this},D.remove=function(){if(!this.removed){this.paper.__set__&&this.paper.__set__.exclude(this),k.unbind("*.*."+this.id),a._tear(this,this.paper),this.node.parentNode.removeChild(this.node);for(var b in this)delete this[b];this.removed=!0}},D._getBBox=function(){if(this.node.style.display=="none"){this.show();var a=!0}var b={};try{b=this.node.getBBox()}catch(c){}finally{b=b||{}}a&&this.hide();return b},D.attr=function(c,d){if(this.removed)return this;if(c==null){var e={};for(var f in this.attrs)this.attrs[b](f)&&(e[f]=this.attrs[f]);e.gradient&&e.fill=="none"&&(e.fill=e.gradient)&&delete e.gradient,e.transform=this._.transform;return e}if(d==null&&a.is(c,"string")){if(c=="fill"&&this.attrs.fill=="none"&&this.attrs.gradient)return this.attrs.gradient;if(c=="transform")return this._.transform;var g=c.split(j),h={};for(var i=0,l=g.length;i<l;i++)c=g[i],c in this.attrs?h[c]=this.attrs[c]:a.is(this.paper.customAttributes[c],"function")?h[c]=this.paper.customAttributes[c].def:h[c]=a._availableAttrs[c];return l-1?h:h[g[0]]}if(d==null&&a.is(c,"array")){h={};for(i=0,l=c.length;i<l;i++)h[c[i]]=this.attr(c[i]);return h}if(d!=null){var m={};m[c]=d}else c!=null&&a.is(c,"object")&&(m=c);for(var n in m)k("attr."+n+"."+this.id,this,m[n]);for(n in this.paper.customAttributes)if(this.paper.customAttributes[b](n)&&m[b](n)&&a.is(this.paper.customAttributes[n],"function")){var o=this.paper.customAttributes[n].apply(this,[].concat(m[n]));this.attrs[n]=m[n];for(var p in o)o[b](p)&&(m[p]=o[p])}z(this,m);return this},D.toFront=function(){if(this.removed)return this;this.node.parentNode.appendChild(this.node);var b=this.paper;b.top!=this&&a._tofront(this,b);return this},D.toBack=function(){if(this.removed)return this;if(this.node.parentNode.firstChild!=this.node){this.node.parentNode.insertBefore(this.node,this.node.parentNode.firstChild),a._toback(this,this.paper);var b=this.paper}return this},D.insertAfter=function(b){if(this.removed)return this;var c=b.node||b[b.length-1].node;c.nextSibling?c.parentNode.insertBefore(this.node,c.nextSibling):c.parentNode.appendChild(this.node),a._insertafter(this,b,this.paper);return this},D.insertBefore=function(b){if(this.removed)return this;var c=b.node||b[0].node;c.parentNode.insertBefore(this.node,c),a._insertbefore(this,b,this.paper);return this},D.blur=function(b){var c=this;if(+b!==0){var d=q("filter"),e=q("feGaussianBlur");c.attrs.blur=b,d.id=a.createUUID(),q(e,{stdDeviation:+b||1.5}),d.appendChild(e),c.paper.defs.appendChild(d),c._blur=d,q(c.node,{filter:"url(#"+d.id+")"})}else c._blur&&(c._blur.parentNode.removeChild(c._blur),delete c._blur,delete c.attrs.blur),c.node.removeAttribute("filter")},a._engine.circle=function(a,b,c,d){var e=q("circle");a.canvas&&a.canvas.appendChild(e);var f=new C(e,a);f.attrs={cx:b,cy:c,r:d,fill:"none",stroke:"#000"},f.type="circle",q(e,f.attrs);return f},a._engine.rect=function(a,b,c,d,e,f){var g=q("rect");a.canvas&&a.canvas.appendChild(g);var h=new C(g,a);h.attrs={x:b,y:c,width:d,height:e,r:f||0,rx:f||0,ry:f||0,fill:"none",stroke:"#000"},h.type="rect",q(g,h.attrs);return h},a._engine.ellipse=function(a,b,c,d,e){var f=q("ellipse");a.canvas&&a.canvas.appendChild(f);var g=new C(f,a);g.attrs={cx:b,cy:c,rx:d,ry:e,fill:"none",stroke:"#000"},g.type="ellipse",q(f,g.attrs);return g},a._engine.image=function(a,b,c,d,e,f){var g=q("image");q(g,{x:c,y:d,width:e,height:f,preserveAspectRatio:"none"}),g.setAttributeNS(n,"href",b),a.canvas&&a.canvas.appendChild(g);var h=new C(g,a);h.attrs={x:c,y:d,width:e,height:f,src:b},h.type="image";return h},a._engine.text=function(b,c,d,e){var f=q("text");b.canvas&&b.canvas.appendChild(f);var g=new C(f,b);g.attrs={x:c,y:d,"text-anchor":"middle",text:e,font:a._availableAttrs.font,stroke:"none",fill:"#000"},g.type="text",z(g,g.attrs);return g},a._engine.setSize=function(a,b){this.width=a||this.width,this.height=b||this.height,this.canvas.setAttribute("width",this.width),this.canvas.setAttribute("height",this.height),this._viewBox&&this.setViewBox.apply(this,this._viewBox);return this},a._engine.create=function(){var b=a._getContainer.apply(0,arguments),c=b&&b.container,d=b.x,e=b.y,f=b.width,g=b.height;if(!c)throw new Error("SVG container not found.");var h=q("svg"),i="overflow:hidden;",j;d=d||0,e=e||0,f=f||512,g=g||342,q(h,{height:g,version:1.1,width:f,xmlns:"http://www.w3.org/2000/svg"}),c==1?(h.style.cssText=i+"position:absolute;left:"+d+"px;top:"+e+"px",a._g.doc.body.appendChild(h),j=1):(h.style.cssText=i+"position:relative",c.firstChild?c.insertBefore(h,c.firstChild):c.appendChild(h)),c=new a._Paper,c.width=f,c.height=g,c.canvas=h,c.clear(),c._left=c._top=0,j&&(c.renderfix=function(){}),c.renderfix();return c},a._engine.setViewBox=function(a,b,c,d,e){k("setViewBox",this,this._viewBox,[a,b,c,d,e]);var f=g(c/this.width,d/this.height),h=this.top,i=e?"meet":"xMinYMin",j,l;a==null?(this._vbSize&&(f=1),delete this._vbSize,j="0 0 "+this.width+m+this.height):(this._vbSize=f,j=a+m+b+m+c+m+d),q(this.canvas,{viewBox:j,preserveAspectRatio:i});while(f&&h)l="stroke-width"in h.attrs?h.attrs["stroke-width"]:1,h.attr({"stroke-width":l}),h._.dirty=1,h._.dirtyT=1,h=h.prev;this._viewBox=[a,b,c,d,!!e];return this},a.prototype.renderfix=function(){var a=this.canvas,b=a.style,c=a.getScreenCTM()||a.createSVGMatrix(),d=-c.e%1,e=-c.f%1;if(d||e)d&&(this._left=(this._left+d)%1,b.left=this._left+"px"),e&&(this._top=(this._top+e)%1,b.top=this._top+"px")},a.prototype.clear=function(){a.eve("clear",this);var b=this.canvas;while(b.firstChild)b.removeChild(b.firstChild);this.bottom=this.top=null,(this.desc=q("desc")).appendChild(a._g.doc.createTextNode("Created with Raphaël "+a.version)),b.appendChild(this.desc),b.appendChild(this.defs=q("defs"))},a.prototype.remove=function(){k("remove",this),this.canvas.parentNode&&this.canvas.parentNode.removeChild(this.canvas);for(var a in this)this[a]=removed(a)};var E=a.st;for(var F in D)D[b](F)&&!E[b](F)&&(E[F]=function(a){return function(){var b=arguments;return this.forEach(function(c){c[a].apply(c,b)})}}(F))}(window.Raphael),window.Raphael.vml&&function(a){var b="hasOwnProperty",c=String,d=parseFloat,e=Math,f=e.round,g=e.max,h=e.min,i=e.abs,j="fill",k=/[, ]+/,l=a.eve,m=" progid:DXImageTransform.Microsoft",n=" ",o="",p={M:"m",L:"l",C:"c",Z:"x",m:"t",l:"r",c:"v",z:"x"},q=/([clmz]),?([^clmz]*)/gi,r=/ progid:\S+Blur\([^\)]+\)/g,s=/-?[^,\s-]+/g,t="position:absolute;left:0;top:0;width:1px;height:1px",u=21600,v={path:1,rect:1,image:1},w={circle:1,ellipse:1},x=function(b){var d=/[ahqstv]/ig,e=a._pathToAbsolute;c(b).match(d)&&(e=a._path2curve),d=/[clmz]/g;if(e==a._pathToAbsolute&&!c(b).match(d)){var g=c(b).replace(q,function(a,b,c){var d=[],e=b.toLowerCase()=="m",g=p[b];c.replace(s,function(a){e&&d.length==2&&(g+=d+p[b=="m"?"l":"L"],d=[]),d.push(f(a*u))});return g+d});return g}var h=e(b),i,j;g=[];for(var k=0,l=h.length;k<l;k++){i=h[k],j=h[k][0].toLowerCase(),j=="z"&&(j="x");for(var m=1,r=i.length;m<r;m++)j+=f(i[m]*u)+(m!=r-1?",":o);g.push(j)}return g.join(n)},y=function(b,c,d){var e=a.matrix();e.rotate(-b,.5,.5);return{dx:e.x(c,d),dy:e.y(c,d)}},z=function(a,b,c,d,e,f){var g=a._,h=a.matrix,k=g.fillpos,l=a.node,m=l.style,o=1,p="",q,r=u/b,s=u/c;m.visibility="hidden";if(!!b&&!!c){l.coordsize=i(r)+n+i(s),m.rotation=f*(b*c<0?-1:1);if(f){var t=y(f,d,e);d=t.dx,e=t.dy}b<0&&(p+="x"),c<0&&(p+=" y")&&(o=-1),m.flip=p,l.coordorigin=d*-r+n+e*-s;if(k||g.fillsize){var v=l.getElementsByTagName(j);v=v&&v[0],l.removeChild(v),k&&(t=y(f,h.x(k[0],k[1]),h.y(k[0],k[1])),v.position=t.dx*o+n+t.dy*o),g.fillsize&&(v.size=g.fillsize[0]*i(b)+n+g.fillsize[1]*i(c)),l.appendChild(v)}m.visibility="visible"}};a.toString=function(){return"Your browser doesn’t support SVG. Falling down to VML.\nYou are running Raphaël "+this.version},addArrow=function(a,b,d){var e=c(b).toLowerCase().split("-"),f=d?"end":"start",g=e.length,h="classic",i="medium",j="medium";while(g--)switch(e[g]){case"block":case"classic":case"oval":case"diamond":case"open":case"none":h=e[g];break;case"wide":case"narrow":j=e[g];break;case"long":case"short":i=e[g]}var k=a.node.getElementsByTagName("stroke")[0];k[f+"arrow"]=h,k[f+"arrowlength"]=i,k[f+"arrowwidth"]=j},setFillAndStroke=function(e,i){e.attrs=e.attrs||{};var l=e.node,m=e.attrs,p=l.style,q,r=v[e.type]&&(i.x!=m.x||i.y!=m.y||i.width!=m.width||i.height!=m.height||i.cx!=m.cx||i.cy!=m.cy||i.rx!=m.rx||i.ry!=m.ry||i.r!=m.r),s=w[e.type]&&(m.cx!=i.cx||m.cy!=i.cy||m.r!=i.r||m.rx!=i.rx||m.ry!=i.ry),t=e;for(var y in i)i[b](y)&&(m[y]=i[y]);r&&(m.path=a._getPath[e.type](e),e._.dirty=1),i.href&&(l.href=i.href),i.title&&(l.title=i.title),i.target&&(l.target=i.target),i.cursor&&(p.cursor=i.cursor),"blur"in i&&e.blur(i.blur);if(i.path&&e.type=="path"||r)l.path=x(~c(m.path).toLowerCase().indexOf("r")?a._pathToAbsolute(m.path):m.path),e.type=="image"&&(e._.fillpos=[m.x,m.y],e._.fillsize=[m.width,m.height],z(e,1,1,0,0,0));"transform"in i&&e.transform(i.transform);if(s){var A=+m.cx,C=+m.cy,D=+m.rx||+m.r||0,E=+m.ry||+m.r||0;l.path=a.format("ar{0},{1},{2},{3},{4},{1},{4},{1}x",f((A-D)*u),f((C-E)*u),f((A+D)*u),f((C+E)*u),f(A*u))}if("clip-rect"in i){var F=c(i["clip-rect"]).split(k);if(F.length==4){F[2]=+F[2]+ +F[0],F[3]=+F[3]+ +F[1];var G=l.clipRect||a._g.doc.createElement("div"),H=G.style;H.clip=a.format("rect({1}px {2}px {3}px {0}px)",F),l.clipRect||(H.position="absolute",H.top=0,H.left=0,H.width=e.paper.width+"px",H.height=e.paper.height+"px",l.parentNode.insertBefore(G,l),G.appendChild(l),l.clipRect=G)}i["clip-rect"]||l.clipRect&&(l.clipRect.style.clip=o)}if(e.textpath){var I=e.textpath.style;i.font&&(I.font=i.font),i["font-family"]&&(I.fontFamily='"'+i["font-family"].split(",")[0].replace(/^['"]+|['"]+$/g,o)+'"'),i["font-size"]&&(I.fontSize=i["font-size"]),i["font-weight"]&&(I.fontWeight=i["font-weight"]),i["font-style"]&&(I.fontStyle=i["font-style"])}"arrow-start"in i&&addArrow(t,i["arrow-start"]),"arrow-end"in i&&addArrow(t,i["arrow-end"],1);if(i.opacity!=null||i["stroke-width"]!=null||i.fill!=null||i.src!=null||i.stroke!=null||i["stroke-width"]!=null||i["stroke-opacity"]!=null||i["fill-opacity"]!=null||i["stroke-dasharray"]!=null||i["stroke-miterlimit"]!=null||i["stroke-linejoin"]!=null||i["stroke-linecap"]!=null){var J=l.getElementsByTagName(j),K=!1;J=J&&J[0],!J&&(K=J=B(j)),e.type=="image"&&i.src&&(J.src=i.src),i.fill&&(J.on=!0);if(J.on==null||i.fill=="none"||i.fill===null)J.on=!1;if(J.on&&i.fill){var L=c(i.fill).match(a._ISURL);if(L){J.parentNode==l&&l.removeChild(J),J.rotate=!0,J.src=L[1],J.type="tile";var M=e.getBBox(1);J.position=M.x+n+M.y,e._.fillpos=[M.x,M.y],a._preload(L[1],function(){e._.fillsize=[this.offsetWidth,this.offsetHeight]})}else J.color=a.getRGB(i.fill).hex,J.src=o,J.type="solid",a.getRGB(i.fill).error&&(t.type in{circle:1,ellipse:1}||c(i.fill).charAt()!="r")&&addGradientFill(t,i.fill,J)&&(m.fill="none",m.gradient=i.fill,J.rotate=!1)}if("fill-opacity"in i||"opacity"in i){var N=((+m["fill-opacity"]+1||2)-1)*((+m.opacity+1||2)-1)*((+a.getRGB(i.fill).o+1||2)-1);N=h(g(N,0),1),J.opacity=N,J.src&&(J.color="none")}l.appendChild(J);var O=l.getElementsByTagName("stroke")&&l.getElementsByTagName("stroke")[0],P=!1;!O&&(P=O=B("stroke"));if(i.stroke&&i.stroke!="none"||i["stroke-width"]||i["stroke-opacity"]!=null||i["stroke-dasharray"]||i["stroke-miterlimit"]||i["stroke-linejoin"]||i["stroke-linecap"])O.on=!0;(i.stroke=="none"||i.stroke===null||O.on==null||i.stroke==0||i["stroke-width"]==0)&&(O.on=!1);var Q=a.getRGB(i.stroke);O.on&&i.stroke&&(O.color=Q.hex),N=((+m["stroke-opacity"]+1||2)-1)*((+m.opacity+1||2)-1)*((+Q.o+1||2)-1);var T=(d(i["stroke-width"])||1)*.75;N=h(g(N,0),1),i["stroke-width"]==null&&(T=m["stroke-width"]),i["stroke-width"]&&(O.weight=T),T&&T<1&&(N*=T)&&(O.weight=1),O.opacity=N,i["stroke-linejoin"]&&(O.joinstyle=i["stroke-linejoin"]||"miter"),O.miterlimit=i["stroke-miterlimit"]||8,i["stroke-linecap"]&&(O.endcap=i["stroke-linecap"]=="butt"?"flat":i["stroke-linecap"]=="square"?"square":"round");if(i["stroke-dasharray"]){var U={"-":"shortdash",".":"shortdot","-.":"shortdashdot","-..":"shortdashdotdot",". ":"dot","- ":"dash","--":"longdash","- .":"dashdot","--.":"longdashdot","--..":"longdashdotdot"};O.dashstyle=U[b](i["stroke-dasharray"])?U[i["stroke-dasharray"]]:o}P&&l.appendChild(O)}if(t.type=="text"){t.paper.canvas.style.display=o;var V=t.paper.span,W=100,X=m.font&&m.font.match(/\d+(?:\.\d*)?(?=px)/);p=V.style,m.font&&(p.font=m.font),m["font-family"]&&(p.fontFamily=m["font-family"]),m["font-weight"]&&(p.fontWeight=m["font-weight"]),m["font-style"]&&(p.fontStyle=m["font-style"]),X=d(X?X[0]:m["font-size"]),p.fontSize=X*W+"px",t.textpath.string&&(V.innerHTML=c(t.textpath.string).replace(/</g,"<").replace(/&/g,"&").replace(/\n/g,"<br>"));var Y=V.getBoundingClientRect();t.W=m.w=(Y.right-Y.left)/W,t.H=m.h=(Y.bottom-Y.top)/W,t.X=m.x,t.Y=m.y+t.H/2,("x"in i||"y"in i)&&(t.path.v=a.format("m{0},{1}l{2},{1}",f(m.x*u),f(m.y*u),f(m.x*u)+1));var Z=["x","y","text","font","font-family","font-weight","font-style","font-size"];for(var $=0,_=Z.length;$<_;$++)if(Z[$]in i){t._.dirty=1;break}switch(m["text-anchor"]){case"start":t.textpath.style["v-text-align"]="left",t.bbx=t.W/2;break;case"end":t.textpath.style["v-text-align"]="right",t.bbx=-t.W/2;break;default:t.textpath.style["v-text-align"]="center",t.bbx=0}t.textpath.style["v-text-kern"]=!0}},addGradientFill=function(b,f,g){b.attrs=b.attrs||{};var h=b.attrs,i=Math.pow,j,k,l="linear",m=".5 .5";b.attrs.gradient=f,f=c(f).replace(a._radial_gradient,function(a,b,c){l="radial",b&&c&&(b=d(b),c=d(c),i(b-.5,2)+i(c-.5,2)>.25&&(c=e.sqrt(.25-i(b-.5,2))*((c>.5)*2-1)+.5),m=b+n+c);return o}),f=f.split(/\s*\-\s*/);if(l=="linear"){var p=f.shift();p=-d(p);if(isNaN(p))return null}var q=a._parseDots(f);if(!q)return null;b=b.shape||b.node;if(q.length){b.removeChild(g),g.on=!0,g.method="none",g.color=q[0].color,g.color2=q[q.length-1].color;var r=[];for(var s=0,t=q.length;s<t;s++)q[s].offset&&r.push(q[s].offset+n+q[s].color);g.colors=r.length?r.join():"0% "+g.color,l=="radial"?(g.type="gradientTitle",g.focus="100%",g.focussize="0 0",g.focusposition=m,g.angle=0):(g.type="gradient",g.angle=(270-p)%360),b.appendChild(g)}return 1},Element=function(b,c){this[0]=this.node=b,b.raphael=!0,this.id=a._oid++,b.raphaelid=this.id,this.X=0,this.Y=0,this.attrs={},this.paper=c,this.matrix=a.matrix(),this._={transform:[],sx:1,sy:1,dx:0,dy:0,deg:0,dirty:1,dirtyT:1},!c.bottom&&(c.bottom=this),this.prev=c.top,c.top&&(c.top.next=this),c.top=this,this.next=null};var A=a.el;Element.prototype=A,A.constructor=Element,A.transform=function(b){if(b==null)return this._.transform;var d=this.paper._viewBoxShift,e=d?"s"+[d.scale,d.scale]+"-1-1t"+[d.dx,d.dy]:o,f;d&&(f=b=c(b).replace(/\.{3}|\u2026/g,this._.transform||o)),a._extractTransform(this,e+b);var g=this.matrix.clone(),h=this.skew,i=this.node,j,k=~c(this.attrs.fill).indexOf("-"),l=!c(this.attrs.fill).indexOf("url(");g.translate(-0.5,-0.5);if(l||k||this.type=="image"){h.matrix="1 0 0 1",h.offset="0 0",j=g.split();if(k&&j.noRotation||!j.isSimple){i.style.filter=g.toFilter();var m=this.getBBox(),p=this.getBBox(1),q=m.x-p.x,r=m.y-p.y;i.coordorigin=q*-u+n+r*-u,z(this,1,1,q,r,0)}else i.style.filter=o,z(this,j.scalex,j.scaley,j.dx,j.dy,j.rotate)}else i.style.filter=o,h.matrix=c(g),h.offset=g.offset();f&&(this._.transform=f);return this},A.rotate=function(a,b,e){if(this.removed)return this;if(a!=null){a=c(a).split(k),a.length-1&&(b=d(a[1]),e=d(a[2])),a=d(a[0]),e==null&&(b=e);if(b==null||e==null){var f=this.getBBox(1);b=f.x+f.width/2,e=f.y+f.height/2}this._.dirtyT=1,this.transform(this._.transform.concat([["r",a,b,e]]));return this}},A.translate=function(a,b){if(this.removed)return this;a=c(a).split(k),a.length-1&&(b=d(a[1])),a=d(a[0])||0,b=+b||0,this._.bbox&&(this._.bbox.x+=a,this._.bbox.y+=b),this.transform(this._.transform.concat([["t",a,b]]));return this},A.scale=function(a,b,e,f){if(this.removed)return this;a=c(a).split(k),a.length-1&&(b=d(a[1]),e=d(a[2]),f=d(a[3]),isNaN(e)&&(e=null),isNaN(f)&&(f=null)),a=d(a[0]),b==null&&(b=a),f==null&&(e=f);if(e==null||f==null)var g=this.getBBox(1);e=e==null?g.x+g.width/2:e,f=f==null?g.y+g.height/2:f,this.transform(this._.transform.concat([["s",a,b,e,f]])),this._.dirtyT=1;return this},A.hide=function(){!this.removed&&(this.node.style.display="none");return this},A.show=function(){!this.removed&&(this.node.style.display=o);return this},A._getBBox=function(){if(this.removed)return{};return this.type=="text"?{x:this.X+(this.bbx||0)-this.W/2,y:this.Y-this.H,width:this.W,height:this.H}:pathDimensions(this.attrs.path)},A.remove=function(){if(!this.removed){this.paper.__set__&&this.paper.__set__.exclude(this),a.eve.unbind("*.*."+this.id),a._tear(this,this.paper),this.node.parentNode.removeChild(this.node),this.shape&&this.shape.parentNode.removeChild(this.shape);for(var b in this)delete this[b];this.removed=!0}},A.attr=function(c,d){if(this.removed)return this;if(c==null){var e={};for(var f in this.attrs)this.attrs[b](f)&&(e[f]=this.attrs[f]);e.gradient&&e.fill=="none"&&(e.fill=e.gradient)&&delete e.gradient,e.transform=this._.transform;return e}if(d==null&&a.is(c,"string")){if(c==j&&this.attrs.fill=="none"&&this.attrs.gradient)return this.attrs.gradient;var g=c.split(k),h={};for(var i=0,m=g.length;i<m;i++)c=g[i],c in this.attrs?h[c]=this.attrs[c]:a.is(this.paper.customAttributes[c],"function")?h[c]=this.paper.customAttributes[c].def:h[c]=a._availableAttrs[c];return m-1?h:h[g[0]]}if(this.attrs&&d==null&&a.is(c,"array")){h={};for(i=0,m=c.length;i<m;i++)h[c[i]]=this.attr(c[i]);return h}var n;d!=null&&(n={},n[c]=d),d==null&&a.is(c,"object")&&(n=c);for(var o in n)l("attr."+o+"."+this.id,this,n[o]);if(n){for(o in this.paper.customAttributes)if(this.paper.customAttributes[b](o)&&n[b](o)&&a.is(this.paper.customAttributes[o],"function")){var p=this.paper.customAttributes[o].apply(this,[].concat(n[o]));this.attrs[o]=n[o];for(var q in p)p[b](q)&&(n[q]=p[q])}n.text&&this.type=="text"&&(this.textpath.string=n.text),setFillAndStroke(this,n)}return this},A.toFront=function(){!this.removed&&this.node.parentNode.appendChild(this.node),this.paper&&this.paper.top!=this&&a._tofront(this,this.paper);return this},A.toBack=function(){if(this.removed)return this;this.node.parentNode.firstChild!=this.node&&(this.node.parentNode.insertBefore(this.node,this.node.parentNode.firstChild),a._toback(this,this.paper));return this},A.insertAfter=function(b){if(this.removed)return this;b.constructor==a.st.constructor&&(b=b[b.length-1]),b.node.nextSibling?b.node.parentNode.insertBefore(this.node,b.node.nextSibling):b.node.parentNode.appendChild(this.node),a._insertafter(this,b,this.paper);return this},A.insertBefore=function(b){if(this.removed)return this;b.constructor==a.st.constructor&&(b=b[0]),b.node.parentNode.insertBefore(this.node,b.node),a._insertbefore(this,b,this.paper);return this},A.blur=function(b){var c=this.node.runtimeStyle,d=c.filter;d=d.replace(r,o),+b!==0?(this.attrs.blur=b,c.filter=d+n+m+".Blur(pixelradius="+(+b||1.5)+")",c.margin=a.format("-{0}px 0 0 -{0}px",f(+b||1.5))):(c.filter=d,c.margin=0,delete this.attrs.blur)},a._engine.path=function(a,b){var c=B("shape");c.style.cssText=t,c.coordsize=u+n+u,c.coordorigin=b.coordorigin;var d=new Element(c,b),e={fill:"none",stroke:"#000"};a&&(e.path=a),d.type="path",d.path=[],d.Path=o,setFillAndStroke(d,e),b.canvas.appendChild(c);var f=B("skew");f.on=!0,c.appendChild(f),d.skew=f,d.transform(o);return d},a._engine.rect=function(b,c,d,e,f,g){var h=a._rectPath(c,d,e,f,g),i=b.path(h),j=i.attrs;i.X=j.x=c,i.Y=j.y=d,i.W=j.width=e,i.H=j.height=f,j.r=g,j.path=h,i.type="rect";return i},a._engine.ellipse=function(a,b,c,d,e){var f=a.path(),g=f.attrs;f.X=b-d,f.Y=c-e,f.W=d*2,f.H=e*2,f.type="ellipse",setFillAndStroke(f,{cx:b,cy:c,rx:d,ry:e});return f},a._engine.circle=function(a,b,c,d){var e=a.path(),f=e.attrs;e.X=b-d,e.Y=c-d,e.W=e.H=d*2,e.type="circle",setFillAndStroke(e,{cx:b,cy:c,r:d});return e},a._engine.image=function(b,c,d,e,f,g){var h=a._rectPath(d,e,f,g),i=b.path(h).attr({stroke:"none"}),k=i.attrs,l=i.node,m=l.getElementsByTagName(j)[0];k.src=c,i.X=k.x=d,i.Y=k.y=e,i.W=k.width=f,i.H=k.height=g,k.path=h,i.type="image",m.parentNode==l&&l.removeChild(m),m.rotate=!0,m.src=c,m.type="tile",i._.fillpos=[d,e],i._.fillsize=[f,g],l.appendChild(m),z(i,1,1,0,0,0);return i},a._engine.text=function(b,d,e,g){var h=B("shape"),i=B("path"),j=B("textpath");d=d||0,e=e||0,g=g||"",i.v=a.format("m{0},{1}l{2},{1}",f(d*u),f(e*u),f(d*u)+1),i.textpathok=!0,j.string=c(g),j.on=!0,h.style.cssText=t,h.coordsize=u+n+u,h.coordorigin="0 0";var k=new Element(h,b),l={fill:"#000",stroke:"none",font:a._availableAttrs.font,text:g};k.shape=h,k.path=i,k.textpath=j,k.type="text",k.attrs.text=c(g),k.attrs.x=d,k.attrs.y=e,k.attrs.w=1,k.attrs.h=1,setFillAndStroke(k,l),h.appendChild(j),h.appendChild(i),b.canvas.appendChild(h);var m=B("skew");m.on=!0,h.appendChild(m),k.skew=m,k.transform(o);return k},a._engine.setSize=function(a,b){var c=this.canvas.style;this.width=a,this.height=b,a==+a&&(a+="px"),b==+b&&(b+="px"),c.width=a,c.height=b,c.clip="rect(0 "+a+" "+b+" 0)",this._viewBox&&setViewBox.apply(this,this._viewBox);return this},a._engine.setViewBox=function(b,c,d,e,f){a.eve("setViewBox",this,this._viewBox,[b,c,d,e,f]);var h=this.width,i=this.height,j=1/g(d/h,e/i),k,l;f&&(k=i/e,l=h/d,d*k<h&&(b-=(h-d*k)/2/k),e*l<i&&(c-=(i-e*l)/2/l)),this._viewBox=[b,c,d,e,!!f],this._viewBoxShift={dx:-b,dy:-c,scale:j},this.forEach(function(a){a.transform("...")});return this};var B,C=function(a){var b=a.document;b.createStyleSheet().addRule(".rvml","behavior:url(#default#VML)");try{!b.namespaces.rvml&&b.namespaces.add("rvml","urn:schemas-microsoft-com:vml"),B=function(a){return b.createElement("<rvml:"+a+' class="rvml">')}}catch(c){B=function(a){return b.createElement("<"+a+' xmlns="urn:schemas-microsoft.com:vml" class="rvml">')}}};C(a._g.win),a._engine.create=function(){var b=a._getContainer.apply(0,arguments),c=b.container,d=b.height,e,f=b.width,g=b.x,h=b.y;if(!c)throw new Error("VML container not found.");var i=new a._Paper,j=i.canvas=a._g.doc.createElement("div"),k=j.style;g=g||0,h=h||0,f=f||512,d=d||342,i.width=f,i.height=d,f==+f&&(f+="px"),d==+d&&(d+="px"),i.coordsize=u*1e3+n+u*1e3,i.coordorigin="0 0",i.span=a._g.doc.createElement("span"),i.span.style.cssText="position:absolute;left:-9999em;top:-9999em;padding:0;margin:0;line-height:1;",j.appendChild(i.span),k.cssText=a.format("top:0;left:0;width:{0};height:{1};display:inline-block;position:relative;clip:rect(0 {0} {1} 0);overflow:hidden",f,d),c==1?(a._g.doc.body.appendChild(j),k.left=g+"px",k.top=h+"px",k.position="absolute"):c.firstChild?c.insertBefore(j,c.firstChild):c.appendChild(j),i.renderfix=function(){};return i},a.prototype.clear=function(){a.eve("clear",this),this.canvas.innerHTML=o,this.span=a._g.doc.createElement("span"),this.span.style.cssText="position:absolute;left:-9999em;top:-9999em;padding:0;margin:0;line-height:1;display:inline;",this.canvas.appendChild(this.span),this.bottom=this.top=null},a.prototype.remove=function(){a.eve("remove",this),this.canvas.parentNode.removeChild(this.canvas);for(var b in this)this[b]=removed(b);return!0};var D=a.st;for(var E in A)A[b](E)&&!D[b](E)&&(D[E]=function(a){return function(){var b=arguments;return this.forEach(function(c){c[a].apply(c,b)})}}(E))}(window.Raphael)
\ No newline at end of file diff --git a/mod/graphstats/vendors/simile-timeline/CHANGES.txt b/mod/graphstats/vendors/simile-timeline/CHANGES.txt new file mode 100644 index 000000000..84ea92736 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/CHANGES.txt @@ -0,0 +1,72 @@ +CHANGES.txt + +Version 2.2.0 -- September 23, 2008 +* Prep for 2.2.0: updated RELEASE_NOTES -- LarryK +* Added comments per MPS in timeline-api.js that bundle=true + is needed unless you've installed full source -- LarryK +* Added comments to original-painter.js -- LarryK +* Re-built to pick up new simile-ajax that includes jquery 1.2.6 + -- eob rev 1589 + +Version 2.1.0 -- September 19, 2008 +* Prep for 2.1.0: updated examples, readme. created RELEASE_NOTES LarryK +* Added timeline_libraries.zip to build file. Removed install.sh + -- LarryK rev 1579 +* Event attribute classname is added to the classnames for the event's label + and tape divs. Eg classname of 'hot_event' will result in div classes of + 'timeline-event-label hot_event' and 'timeline-event-tape hot_event' for + the event's Timeline label and tape, respectively. Change is that classname + is now added to the tape's div. -- LarryK rev 1576 +* Re-worked function Timeline.DefaultEventSource.Event in sources.js to use + named arguments (via a hash/anon object) rather than positional arguments. + 19 positional arguments are too many! Now much easier and cleaner to add + additional event attributes. + Note: this is a breaking change for anyone who calls Event directly. But since
+ the wiki page about dynamic events recommends calling loadXML, etc, I
+ hoping that this won't cause anyone much pain. And the new format is
+ MUCH easier to use as a developer. -- LarryK rev 1576 +* New event attribute eventID is a 'cookie' attribute that is stored, not used + by the Timeline library. If you write a custom labeller or event bubble + filler, the attribute can be obtained using the getEventID() method on the + event object. -- LarryK rev 1576 +* New event attribute caption superceedes hoverText. hoverText is deprecated. + For now, it will live on for backwards compatibility. -- LarryK rev 1576 +* Event attributes barImage and barRepeat renamed to tapeImage and tapeRepeat. + No backwards compatibility. (Breaking change from previous checkin) + -- LarryK rev 1576 +* Fix: Event color attribute now properly sets the background color of the bar. + Note that events (where isDuration = true) have opacity applied. See + http://code.google.com/p/simile-widgets/wiki/Timeline_EventSources (LarryK) rev 1569 +* New event attribute barImage sets the event's bar div background-image. + New event attribute barRepeat sets the background-repeat. Default is 'repeat' + Cubism example updated to demonstrate color, textColor, barImage, barRepeat and + hoverText attributes. For a handy stripe generator, see + http://www.stripegenerator.com (LarryK) rev 1569 +* Fix: Event attribute hoverText was not properly processed by JSON or SPARCL sources + (LarryK) rev 1569 +* Build process now creates timeline_source.zip which has source, examples and the + jetty web server. Enables easy access with for folks without svn. (LarryK) rev 1569 +* Added copy of JFK timeline in examples with Dutch locale set. + (LarryK) rev 1560 +* Added forceLocale parameter to timeline-api.js to force a locale for testing + (LarryK) rev 1560 +* Added Dutch localization (Marko) rev 1560 +* Added mouse-wheel scroll. Mouse-wheel acts as left and right arrow keys. Theme + controls whether the mouse-wheel scrolls, zooms or moves the page (if the page + has a scroll-bar). Docs: see webapp/docs/create-timelines.html + (LarryK) rev 1553 +* Additional support in timeline-api for using your own server for Timeline + libraries (LarryK) rev 1553 +* Separation of javascript and css (gm.marko) rev 1326 +* Added mouse-wheel zoom functionality. It operates on a per-band basis, keeping + the date under the mouse cursor static while the timeline around it scales. + Zoom is specified as user-defined steps. Documentation and a working demo in + the webapp/docs/create-timelines.html page (halcyon1981) rev 1418 +* Added support for 'hoverText' - title pop-ups on Exhibit-based timelines + (Vincent.Vazzo) rev 1411 + + +Version 2.0 +* Software changes +* Moved svn repository to Google code + diff --git a/mod/graphstats/vendors/simile-timeline/LICENSE.txt b/mod/graphstats/vendors/simile-timeline/LICENSE.txt new file mode 100644 index 000000000..2f3e0503c --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/LICENSE.txt @@ -0,0 +1,29 @@ +/* + * (c) Copyright The SIMILE Project 2006. All rights reserved. + * + * Redistribution and use in source and binary forms, with or without + * modification, are permitted provided that the following conditions + * are met: + * + * 1. Redistributions of source code must retain the above copyright + * notice, this list of conditions and the following disclaimer. + * + * 2. Redistributions in binary form must reproduce the above copyright + * notice, this list of conditions and the following disclaimer in the + * documentation and/or other materials provided with the distribution. + * + * 3. The name of the author may not be used to endorse or promote products + * derived from this software without specific prior written permission. + * + * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``AS IS'' AND ANY EXPRESS OR + * IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES + * OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. + * IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY DIRECT, INDIRECT, + * INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT + * NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, + * DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY + * THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT + * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF + * THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. + * + */ diff --git a/mod/graphstats/vendors/simile-timeline/README.txt b/mod/graphstats/vendors/simile-timeline/README.txt new file mode 100644 index 000000000..e82a65b9a --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/README.txt @@ -0,0 +1,88 @@ + + T I M E L I N E + + + What is this? + ------------- + + Timeline is a DHTML-based AJAXy timeline. + + + Running Timeline + ---------------- + + Timeline consists of static resources, Javascript libraries, + image files and css files. All you really need is to + serve those resources off a web server. Any web server will do. + + Two ways to access the library + + 1. Unzip either timeline_source.zip or timeline_libraries.zip into + a directory served by a webserver. + + timeline_source.zip includes complete source and example files. Use your + browser to see the examples at + .../timeline_directory/src/webapp + + timeline_libraries.zip is the minimum install of the bundled js libraries, + css and image files + + 2. No web server? The timeline project includes a small webserver called + Jetty (use the timeline_source.zip file) + a) install the Java runtime from Sun + b) unzip timeline_source.zip to an install directory + c) Open a shell or command prompt to the install directory and type: + + [win32]> run + [unix/macosx]> chmod +x run; ./run + + and then point your browser to + + http://127.0.0.1:9999/timeline/ + + + How do I customize Timeline? + ---------------------------- + + Refer to the Timeline web site at + http://code.google.com/p/simile-widgets/ + + + Mailing List and Forum + ---------------------- + + Join the community by joining the Google Group SIMILE Widgets + http://groups.google.com/group/simile-widgets/ + + + Licensing and legal issues + -------------------------- + + Timeline is open source software and are licensed under the BSD license + located in the LICENSE.txt file located in the same directory as this very file + you are reading. + + + + Credits + ------- + + This software was created by the SIMILE project and originally written + by the SIMILE development team (in alphabetical order): + + - David Franois Huynh <dfhuynh at csail.mit.edu> + + + + + --- o --- + + + Thanks for your interest. + + + + + The SIMILE Project + http://simile.mit.edu/ + diff --git a/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-bottom-arrow.png b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-bottom-arrow.png Binary files differnew file mode 100644 index 000000000..38c391714 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-bottom-arrow.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-bottom-left.png b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-bottom-left.png Binary files differnew file mode 100644 index 000000000..6d320266f --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-bottom-left.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-bottom-right.png b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-bottom-right.png Binary files differnew file mode 100644 index 000000000..e5dc1367c --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-bottom-right.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-bottom.png b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-bottom.png Binary files differnew file mode 100644 index 000000000..166b05735 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-bottom.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-left-arrow.png b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-left-arrow.png Binary files differnew file mode 100644 index 000000000..5b173cd4e --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-left-arrow.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-left.png b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-left.png Binary files differnew file mode 100644 index 000000000..38267220a --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-left.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-right-arrow.png b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-right-arrow.png Binary files differnew file mode 100644 index 000000000..11e287364 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-right-arrow.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-right.png b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-right.png Binary files differnew file mode 100644 index 000000000..f66f87919 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-right.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-top-arrow.png b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-top-arrow.png Binary files differnew file mode 100644 index 000000000..524c46e78 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-top-arrow.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-top-left.png b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-top-left.png Binary files differnew file mode 100644 index 000000000..d69841f82 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-top-left.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-top-right.png b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-top-right.png Binary files differnew file mode 100644 index 000000000..9ab219aea --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-top-right.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-top.png b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-top.png Binary files differnew file mode 100644 index 000000000..917defaf5 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/bubble-top.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/close-button.png b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/close-button.png Binary files differnew file mode 100644 index 000000000..15f31b3cc --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/close-button.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/copy.png b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/copy.png Binary files differnew file mode 100644 index 000000000..cf7cee464 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/copy.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/message-bottom-left.png b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/message-bottom-left.png Binary files differnew file mode 100644 index 000000000..43a9d6167 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/message-bottom-left.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/message-bottom-right.png b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/message-bottom-right.png Binary files differnew file mode 100644 index 000000000..bfa4954e1 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/message-bottom-right.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/message-left.png b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/message-left.png Binary files differnew file mode 100644 index 000000000..f354376bd --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/message-left.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/message-right.png b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/message-right.png Binary files differnew file mode 100644 index 000000000..4702c2850 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/message-right.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/message-top-left.png b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/message-top-left.png Binary files differnew file mode 100644 index 000000000..b19b0eaeb --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/message-top-left.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/message-top-right.png b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/message-top-right.png Binary files differnew file mode 100644 index 000000000..c092555fd --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_ajax/images/message-top-right.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_ajax/scripts/signal.js b/mod/graphstats/vendors/simile-timeline/timeline_ajax/scripts/signal.js new file mode 100644 index 000000000..7bfcf2a35 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_ajax/scripts/signal.js @@ -0,0 +1,44 @@ +/*================================================== + * This file is used to detect that all outstanding + * javascript files have been loaded. You can put + * a function reference into SimileAjax_onLoad + * to have it executed once all javascript files + * have loaded. + *================================================== + */ +(function() { + var substring = SimileAjax.urlPrefix + "scripts/signal.js"; + var heads = document.documentElement.getElementsByTagName("head"); + for (var h = 0; h < heads.length; h++) { + var node = heads[h].firstChild; + while (node != null) { + if (node.nodeType == 1 && node.tagName.toLowerCase() == "script") { + var url = node.src; + var i = url.indexOf(substring); + if (i >= 0) { + heads[h].removeChild(node); // remove it so we won't hit it again + + var count = parseInt(url.substr(substring.length + 1)); + SimileAjax.loadingScriptsCount -= count; + + if (SimileAjax.loadingScriptsCount == 0) { + var f = null; + if (typeof SimileAjax_onLoad == "string") { + f = eval(SimileAjax_onLoad); + SimileAjax_onLoad = null; + } else if (typeof SimileAjax_onLoad == "function") { + f = SimileAjax_onLoad; + SimileAjax_onLoad = null; + } + + if (f != null) { + f(); + } + } + return; + } + } + node = node.nextSibling; + } + } +})();
\ No newline at end of file diff --git a/mod/graphstats/vendors/simile-timeline/timeline_ajax/simile-ajax-api.js b/mod/graphstats/vendors/simile-timeline/timeline_ajax/simile-ajax-api.js new file mode 100644 index 000000000..eb9ef1771 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_ajax/simile-ajax-api.js @@ -0,0 +1,211 @@ +/*================================================== + * Simile Ajax API + * + * Include this file in your HTML file as follows: + * + * <script src="http://simile.mit.edu/ajax/api/simile-ajax-api.js" type="text/javascript"></script> + * + *================================================== + */ + +if (typeof SimileAjax == "undefined") { + var SimileAjax = { + loaded: false, + loadingScriptsCount: 0, + error: null, + params: { bundle:"true" } + }; + + SimileAjax.Platform = new Object(); + /* + HACK: We need these 2 things here because we cannot simply append + a <script> element containing code that accesses SimileAjax.Platform + to initialize it because IE executes that <script> code first + before it loads ajax.js and platform.js. + */ + + var getHead = function(doc) { + return doc.getElementsByTagName("head")[0]; + }; + + SimileAjax.findScript = function(doc, substring) { + var heads = doc.documentElement.getElementsByTagName("head"); + for (var h = 0; h < heads.length; h++) { + var node = heads[h].firstChild; + while (node != null) { + if (node.nodeType == 1 && node.tagName.toLowerCase() == "script") { + var url = node.src; + var i = url.indexOf(substring); + if (i >= 0) { + return url; + } + } + node = node.nextSibling; + } + } + return null; + }; + SimileAjax.includeJavascriptFile = function(doc, url, onerror, charset) { + onerror = onerror || ""; + if (doc.body == null) { + try { + var q = "'" + onerror.replace( /'/g, '&apos' ) + "'"; // " + doc.write("<script src='" + url + "' onerror="+ q + + (charset ? " charset='"+ charset +"'" : "") + + " type='text/javascript'>"+ onerror + "</script>"); + return; + } catch (e) { + // fall through + } + } + + var script = doc.createElement("script"); + if (onerror) { + try { script.innerHTML = onerror; } catch(e) {} + script.setAttribute("onerror", onerror); + } + if (charset) { + script.setAttribute("charset", charset); + } + script.type = "text/javascript"; + script.language = "JavaScript"; + script.src = url; + return getHead(doc).appendChild(script); + }; + SimileAjax.includeJavascriptFiles = function(doc, urlPrefix, filenames) { + for (var i = 0; i < filenames.length; i++) { + SimileAjax.includeJavascriptFile(doc, urlPrefix + filenames[i]); + } + SimileAjax.loadingScriptsCount += filenames.length; + SimileAjax.includeJavascriptFile(doc, SimileAjax.urlPrefix + "scripts/signal.js?" + filenames.length); + }; + SimileAjax.includeCssFile = function(doc, url) { + if (doc.body == null) { + try { + doc.write("<link rel='stylesheet' href='" + url + "' type='text/css'/>"); + return; + } catch (e) { + // fall through + } + } + + var link = doc.createElement("link"); + link.setAttribute("rel", "stylesheet"); + link.setAttribute("type", "text/css"); + link.setAttribute("href", url); + getHead(doc).appendChild(link); + }; + SimileAjax.includeCssFiles = function(doc, urlPrefix, filenames) { + for (var i = 0; i < filenames.length; i++) { + SimileAjax.includeCssFile(doc, urlPrefix + filenames[i]); + } + }; + + /** + * Append into urls each string in suffixes after prefixing it with urlPrefix. + * @param {Array} urls + * @param {String} urlPrefix + * @param {Array} suffixes + */ + SimileAjax.prefixURLs = function(urls, urlPrefix, suffixes) { + for (var i = 0; i < suffixes.length; i++) { + urls.push(urlPrefix + suffixes[i]); + } + }; + + /** + * Parse out the query parameters from a URL + * @param {String} url the url to parse, or location.href if undefined + * @param {Object} to optional object to extend with the parameters + * @param {Object} types optional object mapping keys to value types + * (String, Number, Boolean or Array, String by default) + * @return a key/value Object whose keys are the query parameter names + * @type Object + */ + SimileAjax.parseURLParameters = function(url, to, types) { + to = to || {}; + types = types || {}; + + if (typeof url == "undefined") { + url = location.href; + } + var q = url.indexOf("?"); + if (q < 0) { + return to; + } + url = (url+"#").slice(q+1, url.indexOf("#")); // toss the URL fragment + + var params = url.split("&"), param, parsed = {}; + var decode = window.decodeURIComponent || unescape; + for (var i = 0; param = params[i]; i++) { + var eq = param.indexOf("="); + var name = decode(param.slice(0,eq)); + var old = parsed[name]; + if (typeof old == "undefined") { + old = []; + } else if (!(old instanceof Array)) { + old = [old]; + } + parsed[name] = old.concat(decode(param.slice(eq+1))); + } + for (var i in parsed) { + if (!parsed.hasOwnProperty(i)) continue; + var type = types[i] || String; + var data = parsed[i]; + if (!(data instanceof Array)) { + data = [data]; + } + if (type === Boolean && data[0] == "false") { + to[i] = false; // because Boolean("false") === true + } else { + to[i] = type.apply(this, data); + } + } + return to; + }; + + (function() { + var javascriptFiles = [ + "jquery-1.2.6.js", + "platform.js", + "debug.js", + "xmlhttp.js", + "json.js", + "dom.js", + "graphics.js", + "date-time.js", + "string.js", + "html.js", + "data-structure.js", + "units.js", + + "ajax.js", + "history.js", + "window-manager.js" + ]; + var cssFiles = [ + ]; + + if (typeof SimileAjax_urlPrefix == "string") { + SimileAjax.urlPrefix = SimileAjax_urlPrefix; + } else { + var url = SimileAjax.findScript(document, "simile-ajax-api.js"); + if (url == null) { + SimileAjax.error = new Error("Failed to derive URL prefix for Simile Ajax API code files"); + return; + } + + SimileAjax.urlPrefix = url.substr(0, url.indexOf("simile-ajax-api.js")); + } + + SimileAjax.parseURLParameters(url, SimileAjax.params, {bundle:Boolean}); + if (SimileAjax.params.bundle) { + SimileAjax.includeJavascriptFiles(document, SimileAjax.urlPrefix, [ "simile-ajax-bundle.js" ]); + } else { + SimileAjax.includeJavascriptFiles(document, SimileAjax.urlPrefix + "scripts/", javascriptFiles); + } + SimileAjax.includeCssFiles(document, SimileAjax.urlPrefix + "styles/", cssFiles); + + SimileAjax.loaded = true; + })(); +} diff --git a/mod/graphstats/vendors/simile-timeline/timeline_ajax/simile-ajax-bundle.js b/mod/graphstats/vendors/simile-timeline/timeline_ajax/simile-ajax-bundle.js new file mode 100644 index 000000000..bd0ed9031 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_ajax/simile-ajax-bundle.js @@ -0,0 +1,2628 @@ + + +/* jquery-1.2.6.js */ +(function(){var _jQuery=window.jQuery,_$=window.$; +var jQuery=window.jQuery=window.$=function(selector,context){return new jQuery.fn.init(selector,context); +}; +var quickExpr=/^[^<]*(<(.|\s)+>)[^>]*$|^#(\w+)$/,isSimple=/^.[^:#\[\.]*$/,undefined; +jQuery.fn=jQuery.prototype={init:function(selector,context){selector=selector||document; +if(selector.nodeType){this[0]=selector; +this.length=1; +return this; +}if(typeof selector=="string"){var match=quickExpr.exec(selector); +if(match&&(match[1]||!context)){if(match[1]){selector=jQuery.clean([match[1]],context); +}else{var elem=document.getElementById(match[3]); +if(elem){if(elem.id!=match[3]){return jQuery().find(selector); +}return jQuery(elem); +}selector=[]; +}}else{return jQuery(context).find(selector); +}}else{if(jQuery.isFunction(selector)){return jQuery(document)[jQuery.fn.ready?"ready":"load"](selector); +}}return this.setArray(jQuery.makeArray(selector)); +},jquery:"1.2.6",size:function(){return this.length; +},length:0,get:function(num){return num==undefined?jQuery.makeArray(this):this[num]; +},pushStack:function(elems){var ret=jQuery(elems); +ret.prevObject=this; +return ret; +},setArray:function(elems){this.length=0; +Array.prototype.push.apply(this,elems); +return this; +},each:function(callback,args){return jQuery.each(this,callback,args); +},index:function(elem){var ret=-1; +return jQuery.inArray(elem&&elem.jquery?elem[0]:elem,this); +},attr:function(name,value,type){var options=name; +if(name.constructor==String){if(value===undefined){return this[0]&&jQuery[type||"attr"](this[0],name); +}else{options={}; +options[name]=value; +}}return this.each(function(i){for(name in options){jQuery.attr(type?this.style:this,name,jQuery.prop(this,options[name],type,i,name)); +}}); +},css:function(key,value){if((key=="width"||key=="height")&&parseFloat(value)<0){value=undefined; +}return this.attr(key,value,"curCSS"); +},text:function(text){if(typeof text!="object"&&text!=null){return this.empty().append((this[0]&&this[0].ownerDocument||document).createTextNode(text)); +}var ret=""; +jQuery.each(text||this,function(){jQuery.each(this.childNodes,function(){if(this.nodeType!=8){ret+=this.nodeType!=1?this.nodeValue:jQuery.fn.text([this]); +}}); +}); +return ret; +},wrapAll:function(html){if(this[0]){jQuery(html,this[0].ownerDocument).clone().insertBefore(this[0]).map(function(){var elem=this; +while(elem.firstChild){elem=elem.firstChild; +}return elem; +}).append(this); +}return this; +},wrapInner:function(html){return this.each(function(){jQuery(this).contents().wrapAll(html); +}); +},wrap:function(html){return this.each(function(){jQuery(this).wrapAll(html); +}); +},append:function(){return this.domManip(arguments,true,false,function(elem){if(this.nodeType==1){this.appendChild(elem); +}}); +},prepend:function(){return this.domManip(arguments,true,true,function(elem){if(this.nodeType==1){this.insertBefore(elem,this.firstChild); +}}); +},before:function(){return this.domManip(arguments,false,false,function(elem){this.parentNode.insertBefore(elem,this); +}); +},after:function(){return this.domManip(arguments,false,true,function(elem){this.parentNode.insertBefore(elem,this.nextSibling); +}); +},end:function(){return this.prevObject||jQuery([]); +},find:function(selector){var elems=jQuery.map(this,function(elem){return jQuery.find(selector,elem); +}); +return this.pushStack(/[^+>] [^+>]/.test(selector)||selector.indexOf("..")>-1?jQuery.unique(elems):elems); +},clone:function(events){var ret=this.map(function(){if(jQuery.browser.msie&&!jQuery.isXMLDoc(this)){var clone=this.cloneNode(true),container=document.createElement("div"); +container.appendChild(clone); +return jQuery.clean([container.innerHTML])[0]; +}else{return this.cloneNode(true); +}}); +var clone=ret.find("*").andSelf().each(function(){if(this[expando]!=undefined){this[expando]=null; +}}); +if(events===true){this.find("*").andSelf().each(function(i){if(this.nodeType==3){return ; +}var events=jQuery.data(this,"events"); +for(var type in events){for(var handler in events[type]){jQuery.event.add(clone[i],type,events[type][handler],events[type][handler].data); +}}}); +}return ret; +},filter:function(selector){return this.pushStack(jQuery.isFunction(selector)&&jQuery.grep(this,function(elem,i){return selector.call(elem,i); +})||jQuery.multiFilter(selector,this)); +},not:function(selector){if(selector.constructor==String){if(isSimple.test(selector)){return this.pushStack(jQuery.multiFilter(selector,this,true)); +}else{selector=jQuery.multiFilter(selector,this); +}}var isArrayLike=selector.length&&selector[selector.length-1]!==undefined&&!selector.nodeType; +return this.filter(function(){return isArrayLike?jQuery.inArray(this,selector)<0:this!=selector; +}); +},add:function(selector){return this.pushStack(jQuery.unique(jQuery.merge(this.get(),typeof selector=="string"?jQuery(selector):jQuery.makeArray(selector)))); +},is:function(selector){return !!selector&&jQuery.multiFilter(selector,this).length>0; +},hasClass:function(selector){return this.is("."+selector); +},val:function(value){if(value==undefined){if(this.length){var elem=this[0]; +if(jQuery.nodeName(elem,"select")){var index=elem.selectedIndex,values=[],options=elem.options,one=elem.type=="select-one"; +if(index<0){return null; +}for(var i=one?index:0,max=one?index+1:options.length; +i<max; +i++){var option=options[i]; +if(option.selected){value=jQuery.browser.msie&&!option.attributes.value.specified?option.text:option.value; +if(one){return value; +}values.push(value); +}}return values; +}else{return(this[0].value||"").replace(/\r/g,""); +}}return undefined; +}if(value.constructor==Number){value+=""; +}return this.each(function(){if(this.nodeType!=1){return ; +}if(value.constructor==Array&&/radio|checkbox/.test(this.type)){this.checked=(jQuery.inArray(this.value,value)>=0||jQuery.inArray(this.name,value)>=0); +}else{if(jQuery.nodeName(this,"select")){var values=jQuery.makeArray(value); +jQuery("option",this).each(function(){this.selected=(jQuery.inArray(this.value,values)>=0||jQuery.inArray(this.text,values)>=0); +}); +if(!values.length){this.selectedIndex=-1; +}}else{this.value=value; +}}}); +},html:function(value){return value==undefined?(this[0]?this[0].innerHTML:null):this.empty().append(value); +},replaceWith:function(value){return this.after(value).remove(); +},eq:function(i){return this.slice(i,i+1); +},slice:function(){return this.pushStack(Array.prototype.slice.apply(this,arguments)); +},map:function(callback){return this.pushStack(jQuery.map(this,function(elem,i){return callback.call(elem,i,elem); +})); +},andSelf:function(){return this.add(this.prevObject); +},data:function(key,value){var parts=key.split("."); +parts[1]=parts[1]?"."+parts[1]:""; +if(value===undefined){var data=this.triggerHandler("getData"+parts[1]+"!",[parts[0]]); +if(data===undefined&&this.length){data=jQuery.data(this[0],key); +}return data===undefined&&parts[1]?this.data(parts[0]):data; +}else{return this.trigger("setData"+parts[1]+"!",[parts[0],value]).each(function(){jQuery.data(this,key,value); +}); +}},removeData:function(key){return this.each(function(){jQuery.removeData(this,key); +}); +},domManip:function(args,table,reverse,callback){var clone=this.length>1,elems; +return this.each(function(){if(!elems){elems=jQuery.clean(args,this.ownerDocument); +if(reverse){elems.reverse(); +}}var obj=this; +if(table&&jQuery.nodeName(this,"table")&&jQuery.nodeName(elems[0],"tr")){obj=this.getElementsByTagName("tbody")[0]||this.appendChild(this.ownerDocument.createElement("tbody")); +}var scripts=jQuery([]); +jQuery.each(elems,function(){var elem=clone?jQuery(this).clone(true)[0]:this; +if(jQuery.nodeName(elem,"script")){scripts=scripts.add(elem); +}else{if(elem.nodeType==1){scripts=scripts.add(jQuery("script",elem).remove()); +}callback.call(obj,elem); +}}); +scripts.each(evalScript); +}); +}}; +jQuery.fn.init.prototype=jQuery.fn; +function evalScript(i,elem){if(elem.src){jQuery.ajax({url:elem.src,async:false,dataType:"script"}); +}else{jQuery.globalEval(elem.text||elem.textContent||elem.innerHTML||""); +}if(elem.parentNode){elem.parentNode.removeChild(elem); +}}function now(){return +new Date; +}jQuery.extend=jQuery.fn.extend=function(){var target=arguments[0]||{},i=1,length=arguments.length,deep=false,options; +if(target.constructor==Boolean){deep=target; +target=arguments[1]||{}; +i=2; +}if(typeof target!="object"&&typeof target!="function"){target={}; +}if(length==i){target=this; +--i; +}for(; +i<length; +i++){if((options=arguments[i])!=null){for(var name in options){var src=target[name],copy=options[name]; +if(target===copy){continue; +}if(deep&©&&typeof copy=="object"&&!copy.nodeType){target[name]=jQuery.extend(deep,src||(copy.length!=null?[]:{}),copy); +}else{if(copy!==undefined){target[name]=copy; +}}}}}return target; +}; +var expando="jQuery"+now(),uuid=0,windowData={},exclude=/z-?index|font-?weight|opacity|zoom|line-?height/i,defaultView=document.defaultView||{}; +jQuery.extend({noConflict:function(deep){window.$=_$; +if(deep){window.jQuery=_jQuery; +}return jQuery; +},isFunction:function(fn){return !!fn&&typeof fn!="string"&&!fn.nodeName&&fn.constructor!=Array&&/^[\s[]?function/.test(fn+""); +},isXMLDoc:function(elem){return elem.documentElement&&!elem.body||elem.tagName&&elem.ownerDocument&&!elem.ownerDocument.body; +},globalEval:function(data){data=jQuery.trim(data); +if(data){var head=document.getElementsByTagName("head")[0]||document.documentElement,script=document.createElement("script"); +script.type="text/javascript"; +if(jQuery.browser.msie){script.text=data; +}else{script.appendChild(document.createTextNode(data)); +}head.insertBefore(script,head.firstChild); +head.removeChild(script); +}},nodeName:function(elem,name){return elem.nodeName&&elem.nodeName.toUpperCase()==name.toUpperCase(); +},cache:{},data:function(elem,name,data){elem=elem==window?windowData:elem; +var id=elem[expando]; +if(!id){id=elem[expando]=++uuid; +}if(name&&!jQuery.cache[id]){jQuery.cache[id]={}; +}if(data!==undefined){jQuery.cache[id][name]=data; +}return name?jQuery.cache[id][name]:id; +},removeData:function(elem,name){elem=elem==window?windowData:elem; +var id=elem[expando]; +if(name){if(jQuery.cache[id]){delete jQuery.cache[id][name]; +name=""; +for(name in jQuery.cache[id]){break; +}if(!name){jQuery.removeData(elem); +}}}else{try{delete elem[expando]; +}catch(e){if(elem.removeAttribute){elem.removeAttribute(expando); +}}delete jQuery.cache[id]; +}},each:function(object,callback,args){var name,i=0,length=object.length; +if(args){if(length==undefined){for(name in object){if(callback.apply(object[name],args)===false){break; +}}}else{for(; +i<length; +){if(callback.apply(object[i++],args)===false){break; +}}}}else{if(length==undefined){for(name in object){if(callback.call(object[name],name,object[name])===false){break; +}}}else{for(var value=object[0]; +i<length&&callback.call(value,i,value)!==false; +value=object[++i]){}}}return object; +},prop:function(elem,value,type,i,name){if(jQuery.isFunction(value)){value=value.call(elem,i); +}return value&&value.constructor==Number&&type=="curCSS"&&!exclude.test(name)?value+"px":value; +},className:{add:function(elem,classNames){jQuery.each((classNames||"").split(/\s+/),function(i,className){if(elem.nodeType==1&&!jQuery.className.has(elem.className,className)){elem.className+=(elem.className?" ":"")+className; +}}); +},remove:function(elem,classNames){if(elem.nodeType==1){elem.className=classNames!=undefined?jQuery.grep(elem.className.split(/\s+/),function(className){return !jQuery.className.has(classNames,className); +}).join(" "):""; +}},has:function(elem,className){return jQuery.inArray(className,(elem.className||elem).toString().split(/\s+/))>-1; +}},swap:function(elem,options,callback){var old={}; +for(var name in options){old[name]=elem.style[name]; +elem.style[name]=options[name]; +}callback.call(elem); +for(var name in options){elem.style[name]=old[name]; +}},css:function(elem,name,force){if(name=="width"||name=="height"){var val,props={position:"absolute",visibility:"hidden",display:"block"},which=name=="width"?["Left","Right"]:["Top","Bottom"]; +function getWH(){val=name=="width"?elem.offsetWidth:elem.offsetHeight; +var padding=0,border=0; +jQuery.each(which,function(){padding+=parseFloat(jQuery.curCSS(elem,"padding"+this,true))||0; +border+=parseFloat(jQuery.curCSS(elem,"border"+this+"Width",true))||0; +}); +val-=Math.round(padding+border); +}if(jQuery(elem).is(":visible")){getWH(); +}else{jQuery.swap(elem,props,getWH); +}return Math.max(0,val); +}return jQuery.curCSS(elem,name,force); +},curCSS:function(elem,name,force){var ret,style=elem.style; +function color(elem){if(!jQuery.browser.safari){return false; +}var ret=defaultView.getComputedStyle(elem,null); +return !ret||ret.getPropertyValue("color")==""; +}if(name=="opacity"&&jQuery.browser.msie){ret=jQuery.attr(style,"opacity"); +return ret==""?"1":ret; +}if(jQuery.browser.opera&&name=="display"){var save=style.outline; +style.outline="0 solid black"; +style.outline=save; +}if(name.match(/float/i)){name=styleFloat; +}if(!force&&style&&style[name]){ret=style[name]; +}else{if(defaultView.getComputedStyle){if(name.match(/float/i)){name="float"; +}name=name.replace(/([A-Z])/g,"-$1").toLowerCase(); +var computedStyle=defaultView.getComputedStyle(elem,null); +if(computedStyle&&!color(elem)){ret=computedStyle.getPropertyValue(name); +}else{var swap=[],stack=[],a=elem,i=0; +for(; +a&&color(a); +a=a.parentNode){stack.unshift(a); +}for(; +i<stack.length; +i++){if(color(stack[i])){swap[i]=stack[i].style.display; +stack[i].style.display="block"; +}}ret=name=="display"&&swap[stack.length-1]!=null?"none":(computedStyle&&computedStyle.getPropertyValue(name))||""; +for(i=0; +i<swap.length; +i++){if(swap[i]!=null){stack[i].style.display=swap[i]; +}}}if(name=="opacity"&&ret==""){ret="1"; +}}else{if(elem.currentStyle){var camelCase=name.replace(/\-(\w)/g,function(all,letter){return letter.toUpperCase(); +}); +ret=elem.currentStyle[name]||elem.currentStyle[camelCase]; +if(!/^\d+(px)?$/i.test(ret)&&/^\d/.test(ret)){var left=style.left,rsLeft=elem.runtimeStyle.left; +elem.runtimeStyle.left=elem.currentStyle.left; +style.left=ret||0; +ret=style.pixelLeft+"px"; +style.left=left; +elem.runtimeStyle.left=rsLeft; +}}}}return ret; +},clean:function(elems,context){var ret=[]; +context=context||document; +if(typeof context.createElement=="undefined"){context=context.ownerDocument||context[0]&&context[0].ownerDocument||document; +}jQuery.each(elems,function(i,elem){if(!elem){return ; +}if(elem.constructor==Number){elem+=""; +}if(typeof elem=="string"){elem=elem.replace(/(<(\w+)[^>]*?)\/>/g,function(all,front,tag){return tag.match(/^(abbr|br|col|img|input|link|meta|param|hr|area|embed)$/i)?all:front+"></"+tag+">"; +}); +var tags=jQuery.trim(elem).toLowerCase(),div=context.createElement("div"); +var wrap=!tags.indexOf("<opt")&&[1,"<select multiple='multiple'>","</select>"]||!tags.indexOf("<leg")&&[1,"<fieldset>","</fieldset>"]||tags.match(/^<(thead|tbody|tfoot|colg|cap)/)&&[1,"<table>","</table>"]||!tags.indexOf("<tr")&&[2,"<table><tbody>","</tbody></table>"]||(!tags.indexOf("<td")||!tags.indexOf("<th"))&&[3,"<table><tbody><tr>","</tr></tbody></table>"]||!tags.indexOf("<col")&&[2,"<table><tbody></tbody><colgroup>","</colgroup></table>"]||jQuery.browser.msie&&[1,"div<div>","</div>"]||[0,"",""]; +div.innerHTML=wrap[1]+elem+wrap[2]; +while(wrap[0]--){div=div.lastChild; +}if(jQuery.browser.msie){var tbody=!tags.indexOf("<table")&&tags.indexOf("<tbody")<0?div.firstChild&&div.firstChild.childNodes:wrap[1]=="<table>"&&tags.indexOf("<tbody")<0?div.childNodes:[]; +for(var j=tbody.length-1; +j>=0; +--j){if(jQuery.nodeName(tbody[j],"tbody")&&!tbody[j].childNodes.length){tbody[j].parentNode.removeChild(tbody[j]); +}}if(/^\s/.test(elem)){div.insertBefore(context.createTextNode(elem.match(/^\s*/)[0]),div.firstChild); +}}elem=jQuery.makeArray(div.childNodes); +}if(elem.length===0&&(!jQuery.nodeName(elem,"form")&&!jQuery.nodeName(elem,"select"))){return ; +}if(elem[0]==undefined||jQuery.nodeName(elem,"form")||elem.options){ret.push(elem); +}else{ret=jQuery.merge(ret,elem); +}}); +return ret; +},attr:function(elem,name,value){if(!elem||elem.nodeType==3||elem.nodeType==8){return undefined; +}var notxml=!jQuery.isXMLDoc(elem),set=value!==undefined,msie=jQuery.browser.msie; +name=notxml&&jQuery.props[name]||name; +if(elem.tagName){var special=/href|src|style/.test(name); +if(name=="selected"&&jQuery.browser.safari){elem.parentNode.selectedIndex; +}if(name in elem&¬xml&&!special){if(set){if(name=="type"&&jQuery.nodeName(elem,"input")&&elem.parentNode){throw"type property can't be changed"; +}elem[name]=value; +}if(jQuery.nodeName(elem,"form")&&elem.getAttributeNode(name)){return elem.getAttributeNode(name).nodeValue; +}return elem[name]; +}if(msie&¬xml&&name=="style"){return jQuery.attr(elem.style,"cssText",value); +}if(set){elem.setAttribute(name,""+value); +}var attr=msie&¬xml&&special?elem.getAttribute(name,2):elem.getAttribute(name); +return attr===null?undefined:attr; +}if(msie&&name=="opacity"){if(set){elem.zoom=1; +elem.filter=(elem.filter||"").replace(/alpha\([^)]*\)/,"")+(parseInt(value)+""=="NaN"?"":"alpha(opacity="+value*100+")"); +}return elem.filter&&elem.filter.indexOf("opacity=")>=0?(parseFloat(elem.filter.match(/opacity=([^)]*)/)[1])/100)+"":""; +}name=name.replace(/-([a-z])/ig,function(all,letter){return letter.toUpperCase(); +}); +if(set){elem[name]=value; +}return elem[name]; +},trim:function(text){return(text||"").replace(/^\s+|\s+$/g,""); +},makeArray:function(array){var ret=[]; +if(array!=null){var i=array.length; +if(i==null||array.split||array.setInterval||array.call){ret[0]=array; +}else{while(i){ret[--i]=array[i]; +}}}return ret; +},inArray:function(elem,array){for(var i=0,length=array.length; +i<length; +i++){if(array[i]===elem){return i; +}}return -1; +},merge:function(first,second){var i=0,elem,pos=first.length; +if(jQuery.browser.msie){while(elem=second[i++]){if(elem.nodeType!=8){first[pos++]=elem; +}}}else{while(elem=second[i++]){first[pos++]=elem; +}}return first; +},unique:function(array){var ret=[],done={}; +try{for(var i=0,length=array.length; +i<length; +i++){var id=jQuery.data(array[i]); +if(!done[id]){done[id]=true; +ret.push(array[i]); +}}}catch(e){ret=array; +}return ret; +},grep:function(elems,callback,inv){var ret=[]; +for(var i=0,length=elems.length; +i<length; +i++){if(!inv!=!callback(elems[i],i)){ret.push(elems[i]); +}}return ret; +},map:function(elems,callback){var ret=[]; +for(var i=0,length=elems.length; +i<length; +i++){var value=callback(elems[i],i); +if(value!=null){ret[ret.length]=value; +}}return ret.concat.apply([],ret); +}}); +var userAgent=navigator.userAgent.toLowerCase(); +jQuery.browser={version:(userAgent.match(/.+(?:rv|it|ra|ie)[\/: ]([\d.]+)/)||[])[1],safari:/webkit/.test(userAgent),opera:/opera/.test(userAgent),msie:/msie/.test(userAgent)&&!/opera/.test(userAgent),mozilla:/mozilla/.test(userAgent)&&!/(compatible|webkit)/.test(userAgent)}; +var styleFloat=jQuery.browser.msie?"styleFloat":"cssFloat"; +jQuery.extend({boxModel:!jQuery.browser.msie||document.compatMode=="CSS1Compat",props:{"for":"htmlFor","class":"className","float":styleFloat,cssFloat:styleFloat,styleFloat:styleFloat,readonly:"readOnly",maxlength:"maxLength",cellspacing:"cellSpacing"}}); +jQuery.each({parent:function(elem){return elem.parentNode; +},parents:function(elem){return jQuery.dir(elem,"parentNode"); +},next:function(elem){return jQuery.nth(elem,2,"nextSibling"); +},prev:function(elem){return jQuery.nth(elem,2,"previousSibling"); +},nextAll:function(elem){return jQuery.dir(elem,"nextSibling"); +},prevAll:function(elem){return jQuery.dir(elem,"previousSibling"); +},siblings:function(elem){return jQuery.sibling(elem.parentNode.firstChild,elem); +},children:function(elem){return jQuery.sibling(elem.firstChild); +},contents:function(elem){return jQuery.nodeName(elem,"iframe")?elem.contentDocument||elem.contentWindow.document:jQuery.makeArray(elem.childNodes); +}},function(name,fn){jQuery.fn[name]=function(selector){var ret=jQuery.map(this,fn); +if(selector&&typeof selector=="string"){ret=jQuery.multiFilter(selector,ret); +}return this.pushStack(jQuery.unique(ret)); +}; +}); +jQuery.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(name,original){jQuery.fn[name]=function(){var args=arguments; +return this.each(function(){for(var i=0,length=args.length; +i<length; +i++){jQuery(args[i])[original](this); +}}); +}; +}); +jQuery.each({removeAttr:function(name){jQuery.attr(this,name,""); +if(this.nodeType==1){this.removeAttribute(name); +}},addClass:function(classNames){jQuery.className.add(this,classNames); +},removeClass:function(classNames){jQuery.className.remove(this,classNames); +},toggleClass:function(classNames){jQuery.className[jQuery.className.has(this,classNames)?"remove":"add"](this,classNames); +},remove:function(selector){if(!selector||jQuery.filter(selector,[this]).r.length){jQuery("*",this).add(this).each(function(){jQuery.event.remove(this); +jQuery.removeData(this); +}); +if(this.parentNode){this.parentNode.removeChild(this); +}}},empty:function(){jQuery(">*",this).remove(); +while(this.firstChild){this.removeChild(this.firstChild); +}}},function(name,fn){jQuery.fn[name]=function(){return this.each(fn,arguments); +}; +}); +jQuery.each(["Height","Width"],function(i,name){var type=name.toLowerCase(); +jQuery.fn[type]=function(size){return this[0]==window?jQuery.browser.opera&&document.body["client"+name]||jQuery.browser.safari&&window["inner"+name]||document.compatMode=="CSS1Compat"&&document.documentElement["client"+name]||document.body["client"+name]:this[0]==document?Math.max(Math.max(document.body["scroll"+name],document.documentElement["scroll"+name]),Math.max(document.body["offset"+name],document.documentElement["offset"+name])):size==undefined?(this.length?jQuery.css(this[0],type):null):this.css(type,size.constructor==String?size:size+"px"); +}; +}); +function num(elem,prop){return elem[0]&&parseInt(jQuery.curCSS(elem[0],prop,true),10)||0; +}var chars=jQuery.browser.safari&&parseInt(jQuery.browser.version)<417?"(?:[\\w*_-]|\\\\.)":"(?:[\\w\u0128-\uFFFF*_-]|\\\\.)",quickChild=new RegExp("^>\\s*("+chars+"+)"),quickID=new RegExp("^("+chars+"+)(#)("+chars+"+)"),quickClass=new RegExp("^([#.]?)("+chars+"*)"); +jQuery.extend({expr:{"":function(a,i,m){return m[2]=="*"||jQuery.nodeName(a,m[2]); +},"#":function(a,i,m){return a.getAttribute("id")==m[2]; +},":":{lt:function(a,i,m){return i<m[3]-0; +},gt:function(a,i,m){return i>m[3]-0; +},nth:function(a,i,m){return m[3]-0==i; +},eq:function(a,i,m){return m[3]-0==i; +},first:function(a,i){return i==0; +},last:function(a,i,m,r){return i==r.length-1; +},even:function(a,i){return i%2==0; +},odd:function(a,i){return i%2; +},"first-child":function(a){return a.parentNode.getElementsByTagName("*")[0]==a; +},"last-child":function(a){return jQuery.nth(a.parentNode.lastChild,1,"previousSibling")==a; +},"only-child":function(a){return !jQuery.nth(a.parentNode.lastChild,2,"previousSibling"); +},parent:function(a){return a.firstChild; +},empty:function(a){return !a.firstChild; +},contains:function(a,i,m){return(a.textContent||a.innerText||jQuery(a).text()||"").indexOf(m[3])>=0; +},visible:function(a){return"hidden"!=a.type&&jQuery.css(a,"display")!="none"&&jQuery.css(a,"visibility")!="hidden"; +},hidden:function(a){return"hidden"==a.type||jQuery.css(a,"display")=="none"||jQuery.css(a,"visibility")=="hidden"; +},enabled:function(a){return !a.disabled; +},disabled:function(a){return a.disabled; +},checked:function(a){return a.checked; +},selected:function(a){return a.selected||jQuery.attr(a,"selected"); +},text:function(a){return"text"==a.type; +},radio:function(a){return"radio"==a.type; +},checkbox:function(a){return"checkbox"==a.type; +},file:function(a){return"file"==a.type; +},password:function(a){return"password"==a.type; +},submit:function(a){return"submit"==a.type; +},image:function(a){return"image"==a.type; +},reset:function(a){return"reset"==a.type; +},button:function(a){return"button"==a.type||jQuery.nodeName(a,"button"); +},input:function(a){return/input|select|textarea|button/i.test(a.nodeName); +},has:function(a,i,m){return jQuery.find(m[3],a).length; +},header:function(a){return/h\d/i.test(a.nodeName); +},animated:function(a){return jQuery.grep(jQuery.timers,function(fn){return a==fn.elem; +}).length; +}}},parse:[/^(\[) *@?([\w-]+) *([!*$^~=]*) *('?"?)(.*?)\4 *\]/,/^(:)([\w-]+)\("?'?(.*?(\(.*?\))?[^(]*?)"?'?\)/,new RegExp("^([:.#]*)("+chars+"+)")],multiFilter:function(expr,elems,not){var old,cur=[]; +while(expr&&expr!=old){old=expr; +var f=jQuery.filter(expr,elems,not); +expr=f.t.replace(/^\s*,\s*/,""); +cur=not?elems=f.r:jQuery.merge(cur,f.r); +}return cur; +},find:function(t,context){if(typeof t!="string"){return[t]; +}if(context&&context.nodeType!=1&&context.nodeType!=9){return[]; +}context=context||document; +var ret=[context],done=[],last,nodeName; +while(t&&last!=t){var r=[]; +last=t; +t=jQuery.trim(t); +var foundToken=false,re=quickChild,m=re.exec(t); +if(m){nodeName=m[1].toUpperCase(); +for(var i=0; +ret[i]; +i++){for(var c=ret[i].firstChild; +c; +c=c.nextSibling){if(c.nodeType==1&&(nodeName=="*"||c.nodeName.toUpperCase()==nodeName)){r.push(c); +}}}ret=r; +t=t.replace(re,""); +if(t.indexOf(" ")==0){continue; +}foundToken=true; +}else{re=/^([>+~])\s*(\w*)/i; +if((m=re.exec(t))!=null){r=[]; +var merge={}; +nodeName=m[2].toUpperCase(); +m=m[1]; +for(var j=0,rl=ret.length; +j<rl; +j++){var n=m=="~"||m=="+"?ret[j].nextSibling:ret[j].firstChild; +for(; +n; +n=n.nextSibling){if(n.nodeType==1){var id=jQuery.data(n); +if(m=="~"&&merge[id]){break; +}if(!nodeName||n.nodeName.toUpperCase()==nodeName){if(m=="~"){merge[id]=true; +}r.push(n); +}if(m=="+"){break; +}}}}ret=r; +t=jQuery.trim(t.replace(re,"")); +foundToken=true; +}}if(t&&!foundToken){if(!t.indexOf(",")){if(context==ret[0]){ret.shift(); +}done=jQuery.merge(done,ret); +r=ret=[context]; +t=" "+t.substr(1,t.length); +}else{var re2=quickID; +var m=re2.exec(t); +if(m){m=[0,m[2],m[3],m[1]]; +}else{re2=quickClass; +m=re2.exec(t); +}m[2]=m[2].replace(/\\/g,""); +var elem=ret[ret.length-1]; +if(m[1]=="#"&&elem&&elem.getElementById&&!jQuery.isXMLDoc(elem)){var oid=elem.getElementById(m[2]); +if((jQuery.browser.msie||jQuery.browser.opera)&&oid&&typeof oid.id=="string"&&oid.id!=m[2]){oid=jQuery('[@id="'+m[2]+'"]',elem)[0]; +}ret=r=oid&&(!m[3]||jQuery.nodeName(oid,m[3]))?[oid]:[]; +}else{for(var i=0; +ret[i]; +i++){var tag=m[1]=="#"&&m[3]?m[3]:m[1]!=""||m[0]==""?"*":m[2]; +if(tag=="*"&&ret[i].nodeName.toLowerCase()=="object"){tag="param"; +}r=jQuery.merge(r,ret[i].getElementsByTagName(tag)); +}if(m[1]=="."){r=jQuery.classFilter(r,m[2]); +}if(m[1]=="#"){var tmp=[]; +for(var i=0; +r[i]; +i++){if(r[i].getAttribute("id")==m[2]){tmp=[r[i]]; +break; +}}r=tmp; +}ret=r; +}t=t.replace(re2,""); +}}if(t){var val=jQuery.filter(t,r); +ret=r=val.r; +t=jQuery.trim(val.t); +}}if(t){ret=[]; +}if(ret&&context==ret[0]){ret.shift(); +}done=jQuery.merge(done,ret); +return done; +},classFilter:function(r,m,not){m=" "+m+" "; +var tmp=[]; +for(var i=0; +r[i]; +i++){var pass=(" "+r[i].className+" ").indexOf(m)>=0; +if(!not&&pass||not&&!pass){tmp.push(r[i]); +}}return tmp; +},filter:function(t,r,not){var last; +while(t&&t!=last){last=t; +var p=jQuery.parse,m; +for(var i=0; +p[i]; +i++){m=p[i].exec(t); +if(m){t=t.substring(m[0].length); +m[2]=m[2].replace(/\\/g,""); +break; +}}if(!m){break; +}if(m[1]==":"&&m[2]=="not"){r=isSimple.test(m[3])?jQuery.filter(m[3],r,true).r:jQuery(r).not(m[3]); +}else{if(m[1]=="."){r=jQuery.classFilter(r,m[2],not); +}else{if(m[1]=="["){var tmp=[],type=m[3]; +for(var i=0,rl=r.length; +i<rl; +i++){var a=r[i],z=a[jQuery.props[m[2]]||m[2]]; +if(z==null||/href|src|selected/.test(m[2])){z=jQuery.attr(a,m[2])||""; +}if((type==""&&!!z||type=="="&&z==m[5]||type=="!="&&z!=m[5]||type=="^="&&z&&!z.indexOf(m[5])||type=="$="&&z.substr(z.length-m[5].length)==m[5]||(type=="*="||type=="~=")&&z.indexOf(m[5])>=0)^not){tmp.push(a); +}}r=tmp; +}else{if(m[1]==":"&&m[2]=="nth-child"){var merge={},tmp=[],test=/(-?)(\d*)n((?:\+|-)?\d*)/.exec(m[3]=="even"&&"2n"||m[3]=="odd"&&"2n+1"||!/\D/.test(m[3])&&"0n+"+m[3]||m[3]),first=(test[1]+(test[2]||1))-0,last=test[3]-0; +for(var i=0,rl=r.length; +i<rl; +i++){var node=r[i],parentNode=node.parentNode,id=jQuery.data(parentNode); +if(!merge[id]){var c=1; +for(var n=parentNode.firstChild; +n; +n=n.nextSibling){if(n.nodeType==1){n.nodeIndex=c++; +}}merge[id]=true; +}var add=false; +if(first==0){if(node.nodeIndex==last){add=true; +}}else{if((node.nodeIndex-last)%first==0&&(node.nodeIndex-last)/first>=0){add=true; +}}if(add^not){tmp.push(node); +}}r=tmp; +}else{var fn=jQuery.expr[m[1]]; +if(typeof fn=="object"){fn=fn[m[2]]; +}if(typeof fn=="string"){fn=eval("false||function(a,i){return "+fn+";}"); +}r=jQuery.grep(r,function(elem,i){return fn(elem,i,m,r); +},not); +}}}}}return{r:r,t:t}; +},dir:function(elem,dir){var matched=[],cur=elem[dir]; +while(cur&&cur!=document){if(cur.nodeType==1){matched.push(cur); +}cur=cur[dir]; +}return matched; +},nth:function(cur,result,dir,elem){result=result||1; +var num=0; +for(; +cur; +cur=cur[dir]){if(cur.nodeType==1&&++num==result){break; +}}return cur; +},sibling:function(n,elem){var r=[]; +for(; +n; +n=n.nextSibling){if(n.nodeType==1&&n!=elem){r.push(n); +}}return r; +}}); +jQuery.event={add:function(elem,types,handler,data){if(elem.nodeType==3||elem.nodeType==8){return ; +}if(jQuery.browser.msie&&elem.setInterval){elem=window; +}if(!handler.guid){handler.guid=this.guid++; +}if(data!=undefined){var fn=handler; +handler=this.proxy(fn,function(){return fn.apply(this,arguments); +}); +handler.data=data; +}var events=jQuery.data(elem,"events")||jQuery.data(elem,"events",{}),handle=jQuery.data(elem,"handle")||jQuery.data(elem,"handle",function(){if(typeof jQuery!="undefined"&&!jQuery.event.triggered){return jQuery.event.handle.apply(arguments.callee.elem,arguments); +}}); +handle.elem=elem; +jQuery.each(types.split(/\s+/),function(index,type){var parts=type.split("."); +type=parts[0]; +handler.type=parts[1]; +var handlers=events[type]; +if(!handlers){handlers=events[type]={}; +if(!jQuery.event.special[type]||jQuery.event.special[type].setup.call(elem)===false){if(elem.addEventListener){elem.addEventListener(type,handle,false); +}else{if(elem.attachEvent){elem.attachEvent("on"+type,handle); +}}}}handlers[handler.guid]=handler; +jQuery.event.global[type]=true; +}); +elem=null; +},guid:1,global:{},remove:function(elem,types,handler){if(elem.nodeType==3||elem.nodeType==8){return ; +}var events=jQuery.data(elem,"events"),ret,index; +if(events){if(types==undefined||(typeof types=="string"&&types.charAt(0)==".")){for(var type in events){this.remove(elem,type+(types||"")); +}}else{if(types.type){handler=types.handler; +types=types.type; +}jQuery.each(types.split(/\s+/),function(index,type){var parts=type.split("."); +type=parts[0]; +if(events[type]){if(handler){delete events[type][handler.guid]; +}else{for(handler in events[type]){if(!parts[1]||events[type][handler].type==parts[1]){delete events[type][handler]; +}}}for(ret in events[type]){break; +}if(!ret){if(!jQuery.event.special[type]||jQuery.event.special[type].teardown.call(elem)===false){if(elem.removeEventListener){elem.removeEventListener(type,jQuery.data(elem,"handle"),false); +}else{if(elem.detachEvent){elem.detachEvent("on"+type,jQuery.data(elem,"handle")); +}}}ret=null; +delete events[type]; +}}}); +}for(ret in events){break; +}if(!ret){var handle=jQuery.data(elem,"handle"); +if(handle){handle.elem=null; +}jQuery.removeData(elem,"events"); +jQuery.removeData(elem,"handle"); +}}},trigger:function(type,data,elem,donative,extra){data=jQuery.makeArray(data); +if(type.indexOf("!")>=0){type=type.slice(0,-1); +var exclusive=true; +}if(!elem){if(this.global[type]){jQuery("*").add([window,document]).trigger(type,data); +}}else{if(elem.nodeType==3||elem.nodeType==8){return undefined; +}var val,ret,fn=jQuery.isFunction(elem[type]||null),event=!data[0]||!data[0].preventDefault; +if(event){data.unshift({type:type,target:elem,preventDefault:function(){},stopPropagation:function(){},timeStamp:now()}); +data[0][expando]=true; +}data[0].type=type; +if(exclusive){data[0].exclusive=true; +}var handle=jQuery.data(elem,"handle"); +if(handle){val=handle.apply(elem,data); +}if((!fn||(jQuery.nodeName(elem,"a")&&type=="click"))&&elem["on"+type]&&elem["on"+type].apply(elem,data)===false){val=false; +}if(event){data.shift(); +}if(extra&&jQuery.isFunction(extra)){ret=extra.apply(elem,val==null?data:data.concat(val)); +if(ret!==undefined){val=ret; +}}if(fn&&donative!==false&&val!==false&&!(jQuery.nodeName(elem,"a")&&type=="click")){this.triggered=true; +try{elem[type](); +}catch(e){}}this.triggered=false; +}return val; +},handle:function(event){var val,ret,namespace,all,handlers; +event=arguments[0]=jQuery.event.fix(event||window.event); +namespace=event.type.split("."); +event.type=namespace[0]; +namespace=namespace[1]; +all=!namespace&&!event.exclusive; +handlers=(jQuery.data(this,"events")||{})[event.type]; +for(var j in handlers){var handler=handlers[j]; +if(all||handler.type==namespace){event.handler=handler; +event.data=handler.data; +ret=handler.apply(this,arguments); +if(val!==false){val=ret; +}if(ret===false){event.preventDefault(); +event.stopPropagation(); +}}}return val; +},fix:function(event){if(event[expando]==true){return event; +}var originalEvent=event; +event={originalEvent:originalEvent}; +var props="altKey attrChange attrName bubbles button cancelable charCode clientX clientY ctrlKey currentTarget data detail eventPhase fromElement handler keyCode metaKey newValue originalTarget pageX pageY prevValue relatedNode relatedTarget screenX screenY shiftKey srcElement target timeStamp toElement type view wheelDelta which".split(" "); +for(var i=props.length; +i; +i--){event[props[i]]=originalEvent[props[i]]; +}event[expando]=true; +event.preventDefault=function(){if(originalEvent.preventDefault){originalEvent.preventDefault(); +}originalEvent.returnValue=false; +}; +event.stopPropagation=function(){if(originalEvent.stopPropagation){originalEvent.stopPropagation(); +}originalEvent.cancelBubble=true; +}; +event.timeStamp=event.timeStamp||now(); +if(!event.target){event.target=event.srcElement||document; +}if(event.target.nodeType==3){event.target=event.target.parentNode; +}if(!event.relatedTarget&&event.fromElement){event.relatedTarget=event.fromElement==event.target?event.toElement:event.fromElement; +}if(event.pageX==null&&event.clientX!=null){var doc=document.documentElement,body=document.body; +event.pageX=event.clientX+(doc&&doc.scrollLeft||body&&body.scrollLeft||0)-(doc.clientLeft||0); +event.pageY=event.clientY+(doc&&doc.scrollTop||body&&body.scrollTop||0)-(doc.clientTop||0); +}if(!event.which&&((event.charCode||event.charCode===0)?event.charCode:event.keyCode)){event.which=event.charCode||event.keyCode; +}if(!event.metaKey&&event.ctrlKey){event.metaKey=event.ctrlKey; +}if(!event.which&&event.button){event.which=(event.button&1?1:(event.button&2?3:(event.button&4?2:0))); +}return event; +},proxy:function(fn,proxy){proxy.guid=fn.guid=fn.guid||proxy.guid||this.guid++; +return proxy; +},special:{ready:{setup:function(){bindReady(); +return ; +},teardown:function(){return ; +}},mouseenter:{setup:function(){if(jQuery.browser.msie){return false; +}jQuery(this).bind("mouseover",jQuery.event.special.mouseenter.handler); +return true; +},teardown:function(){if(jQuery.browser.msie){return false; +}jQuery(this).unbind("mouseover",jQuery.event.special.mouseenter.handler); +return true; +},handler:function(event){if(withinElement(event,this)){return true; +}event.type="mouseenter"; +return jQuery.event.handle.apply(this,arguments); +}},mouseleave:{setup:function(){if(jQuery.browser.msie){return false; +}jQuery(this).bind("mouseout",jQuery.event.special.mouseleave.handler); +return true; +},teardown:function(){if(jQuery.browser.msie){return false; +}jQuery(this).unbind("mouseout",jQuery.event.special.mouseleave.handler); +return true; +},handler:function(event){if(withinElement(event,this)){return true; +}event.type="mouseleave"; +return jQuery.event.handle.apply(this,arguments); +}}}}; +jQuery.fn.extend({bind:function(type,data,fn){return type=="unload"?this.one(type,data,fn):this.each(function(){jQuery.event.add(this,type,fn||data,fn&&data); +}); +},one:function(type,data,fn){var one=jQuery.event.proxy(fn||data,function(event){jQuery(this).unbind(event,one); +return(fn||data).apply(this,arguments); +}); +return this.each(function(){jQuery.event.add(this,type,one,fn&&data); +}); +},unbind:function(type,fn){return this.each(function(){jQuery.event.remove(this,type,fn); +}); +},trigger:function(type,data,fn){return this.each(function(){jQuery.event.trigger(type,data,this,true,fn); +}); +},triggerHandler:function(type,data,fn){return this[0]&&jQuery.event.trigger(type,data,this[0],false,fn); +},toggle:function(fn){var args=arguments,i=1; +while(i<args.length){jQuery.event.proxy(fn,args[i++]); +}return this.click(jQuery.event.proxy(fn,function(event){this.lastToggle=(this.lastToggle||0)%i; +event.preventDefault(); +return args[this.lastToggle++].apply(this,arguments)||false; +})); +},hover:function(fnOver,fnOut){return this.bind("mouseenter",fnOver).bind("mouseleave",fnOut); +},ready:function(fn){bindReady(); +if(jQuery.isReady){fn.call(document,jQuery); +}else{jQuery.readyList.push(function(){return fn.call(this,jQuery); +}); +}return this; +}}); +jQuery.extend({isReady:false,readyList:[],ready:function(){if(!jQuery.isReady){jQuery.isReady=true; +if(jQuery.readyList){jQuery.each(jQuery.readyList,function(){this.call(document); +}); +jQuery.readyList=null; +}jQuery(document).triggerHandler("ready"); +}}}); +var readyBound=false; +function bindReady(){if(readyBound){return ; +}readyBound=true; +if(document.addEventListener&&!jQuery.browser.opera){document.addEventListener("DOMContentLoaded",jQuery.ready,false); +}if(jQuery.browser.msie&&window==top){(function(){if(jQuery.isReady){return ; +}try{document.documentElement.doScroll("left"); +}catch(error){setTimeout(arguments.callee,0); +return ; +}jQuery.ready(); +})(); +}if(jQuery.browser.opera){document.addEventListener("DOMContentLoaded",function(){if(jQuery.isReady){return ; +}for(var i=0; +i<document.styleSheets.length; +i++){if(document.styleSheets[i].disabled){setTimeout(arguments.callee,0); +return ; +}}jQuery.ready(); +},false); +}if(jQuery.browser.safari){var numStyles; +(function(){if(jQuery.isReady){return ; +}if(document.readyState!="loaded"&&document.readyState!="complete"){setTimeout(arguments.callee,0); +return ; +}if(numStyles===undefined){numStyles=jQuery("style, link[rel=stylesheet]").length; +}if(document.styleSheets.length!=numStyles){setTimeout(arguments.callee,0); +return ; +}jQuery.ready(); +})(); +}jQuery.event.add(window,"load",jQuery.ready); +}jQuery.each(("blur,focus,load,resize,scroll,unload,click,dblclick,mousedown,mouseup,mousemove,mouseover,mouseout,change,select,submit,keydown,keypress,keyup,error").split(","),function(i,name){jQuery.fn[name]=function(fn){return fn?this.bind(name,fn):this.trigger(name); +}; +}); +var withinElement=function(event,elem){var parent=event.relatedTarget; +while(parent&&parent!=elem){try{parent=parent.parentNode; +}catch(error){parent=elem; +}}return parent==elem; +}; +jQuery(window).bind("unload",function(){jQuery("*").add(document).unbind(); +}); +jQuery.fn.extend({_load:jQuery.fn.load,load:function(url,params,callback){if(typeof url!="string"){return this._load(url); +}var off=url.indexOf(" "); +if(off>=0){var selector=url.slice(off,url.length); +url=url.slice(0,off); +}callback=callback||function(){}; +var type="GET"; +if(params){if(jQuery.isFunction(params)){callback=params; +params=null; +}else{params=jQuery.param(params); +type="POST"; +}}var self=this; +jQuery.ajax({url:url,type:type,dataType:"html",data:params,complete:function(res,status){if(status=="success"||status=="notmodified"){self.html(selector?jQuery("<div/>").append(res.responseText.replace(/<script(.|\s)*?\/script>/g,"")).find(selector):res.responseText); +}self.each(callback,[res.responseText,status,res]); +}}); +return this; +},serialize:function(){return jQuery.param(this.serializeArray()); +},serializeArray:function(){return this.map(function(){return jQuery.nodeName(this,"form")?jQuery.makeArray(this.elements):this; +}).filter(function(){return this.name&&!this.disabled&&(this.checked||/select|textarea/i.test(this.nodeName)||/text|hidden|password/i.test(this.type)); +}).map(function(i,elem){var val=jQuery(this).val(); +return val==null?null:val.constructor==Array?jQuery.map(val,function(val,i){return{name:elem.name,value:val}; +}):{name:elem.name,value:val}; +}).get(); +}}); +jQuery.each("ajaxStart,ajaxStop,ajaxComplete,ajaxError,ajaxSuccess,ajaxSend".split(","),function(i,o){jQuery.fn[o]=function(f){return this.bind(o,f); +}; +}); +var jsc=now(); +jQuery.extend({get:function(url,data,callback,type){if(jQuery.isFunction(data)){callback=data; +data=null; +}return jQuery.ajax({type:"GET",url:url,data:data,success:callback,dataType:type}); +},getScript:function(url,callback){return jQuery.get(url,null,callback,"script"); +},getJSON:function(url,data,callback){return jQuery.get(url,data,callback,"json"); +},post:function(url,data,callback,type){if(jQuery.isFunction(data)){callback=data; +data={}; +}return jQuery.ajax({type:"POST",url:url,data:data,success:callback,dataType:type}); +},ajaxSetup:function(settings){jQuery.extend(jQuery.ajaxSettings,settings); +},ajaxSettings:{url:location.href,global:true,type:"GET",timeout:0,contentType:"application/x-www-form-urlencoded",processData:true,async:true,data:null,username:null,password:null,accepts:{xml:"application/xml, text/xml",html:"text/html",script:"text/javascript, application/javascript",json:"application/json, text/javascript",text:"text/plain",_default:"*/*"}},lastModified:{},ajax:function(s){s=jQuery.extend(true,s,jQuery.extend(true,{},jQuery.ajaxSettings,s)); +var jsonp,jsre=/=\?(&|$)/g,status,data,type=s.type.toUpperCase(); +if(s.data&&s.processData&&typeof s.data!="string"){s.data=jQuery.param(s.data); +}if(s.dataType=="jsonp"){if(type=="GET"){if(!s.url.match(jsre)){s.url+=(s.url.match(/\?/)?"&":"?")+(s.jsonp||"callback")+"=?"; +}}else{if(!s.data||!s.data.match(jsre)){s.data=(s.data?s.data+"&":"")+(s.jsonp||"callback")+"=?"; +}}s.dataType="json"; +}if(s.dataType=="json"&&(s.data&&s.data.match(jsre)||s.url.match(jsre))){jsonp="jsonp"+jsc++; +if(s.data){s.data=(s.data+"").replace(jsre,"="+jsonp+"$1"); +}s.url=s.url.replace(jsre,"="+jsonp+"$1"); +s.dataType="script"; +window[jsonp]=function(tmp){data=tmp; +success(); +complete(); +window[jsonp]=undefined; +try{delete window[jsonp]; +}catch(e){}if(head){head.removeChild(script); +}}; +}if(s.dataType=="script"&&s.cache==null){s.cache=false; +}if(s.cache===false&&type=="GET"){var ts=now(); +var ret=s.url.replace(/(\?|&)_=.*?(&|$)/,"$1_="+ts+"$2"); +s.url=ret+((ret==s.url)?(s.url.match(/\?/)?"&":"?")+"_="+ts:""); +}if(s.data&&type=="GET"){s.url+=(s.url.match(/\?/)?"&":"?")+s.data; +s.data=null; +}if(s.global&&!jQuery.active++){jQuery.event.trigger("ajaxStart"); +}var remote=/^(?:\w+:)?\/\/([^\/?#]+)/; +if(s.dataType=="script"&&type=="GET"&&remote.test(s.url)&&remote.exec(s.url)[1]!=location.host){var head=document.getElementsByTagName("head")[0]; +var script=document.createElement("script"); +script.src=s.url; +if(s.scriptCharset){script.charset=s.scriptCharset; +}if(!jsonp){var done=false; +script.onload=script.onreadystatechange=function(){if(!done&&(!this.readyState||this.readyState=="loaded"||this.readyState=="complete")){done=true; +success(); +complete(); +head.removeChild(script); +}}; +}head.appendChild(script); +return undefined; +}var requestDone=false; +var xhr=window.ActiveXObject?new ActiveXObject("Microsoft.XMLHTTP"):new XMLHttpRequest(); +if(s.username){xhr.open(type,s.url,s.async,s.username,s.password); +}else{xhr.open(type,s.url,s.async); +}try{if(s.data){xhr.setRequestHeader("Content-Type",s.contentType); +}if(s.ifModified){xhr.setRequestHeader("If-Modified-Since",jQuery.lastModified[s.url]||"Thu, 01 Jan 1970 00:00:00 GMT"); +}xhr.setRequestHeader("X-Requested-With","XMLHttpRequest"); +xhr.setRequestHeader("Accept",s.dataType&&s.accepts[s.dataType]?s.accepts[s.dataType]+", */*":s.accepts._default); +}catch(e){}if(s.beforeSend&&s.beforeSend(xhr,s)===false){s.global&&jQuery.active--; +xhr.abort(); +return false; +}if(s.global){jQuery.event.trigger("ajaxSend",[xhr,s]); +}var onreadystatechange=function(isTimeout){if(!requestDone&&xhr&&(xhr.readyState==4||isTimeout=="timeout")){requestDone=true; +if(ival){clearInterval(ival); +ival=null; +}status=isTimeout=="timeout"&&"timeout"||!jQuery.httpSuccess(xhr)&&"error"||s.ifModified&&jQuery.httpNotModified(xhr,s.url)&&"notmodified"||"success"; +if(status=="success"){try{data=jQuery.httpData(xhr,s.dataType,s.dataFilter); +}catch(e){status="parsererror"; +}}if(status=="success"){var modRes; +try{modRes=xhr.getResponseHeader("Last-Modified"); +}catch(e){}if(s.ifModified&&modRes){jQuery.lastModified[s.url]=modRes; +}if(!jsonp){success(); +}}else{jQuery.handleError(s,xhr,status); +}complete(); +if(s.async){xhr=null; +}}}; +if(s.async){var ival=setInterval(onreadystatechange,13); +if(s.timeout>0){setTimeout(function(){if(xhr){xhr.abort(); +if(!requestDone){onreadystatechange("timeout"); +}}},s.timeout); +}}try{xhr.send(s.data); +}catch(e){jQuery.handleError(s,xhr,null,e); +}if(!s.async){onreadystatechange(); +}function success(){if(s.success){s.success(data,status); +}if(s.global){jQuery.event.trigger("ajaxSuccess",[xhr,s]); +}}function complete(){if(s.complete){s.complete(xhr,status); +}if(s.global){jQuery.event.trigger("ajaxComplete",[xhr,s]); +}if(s.global&&!--jQuery.active){jQuery.event.trigger("ajaxStop"); +}}return xhr; +},handleError:function(s,xhr,status,e){if(s.error){s.error(xhr,status,e); +}if(s.global){jQuery.event.trigger("ajaxError",[xhr,s,e]); +}},active:0,httpSuccess:function(xhr){try{return !xhr.status&&location.protocol=="file:"||(xhr.status>=200&&xhr.status<300)||xhr.status==304||xhr.status==1223||jQuery.browser.safari&&xhr.status==undefined; +}catch(e){}return false; +},httpNotModified:function(xhr,url){try{var xhrRes=xhr.getResponseHeader("Last-Modified"); +return xhr.status==304||xhrRes==jQuery.lastModified[url]||jQuery.browser.safari&&xhr.status==undefined; +}catch(e){}return false; +},httpData:function(xhr,type,filter){var ct=xhr.getResponseHeader("content-type"),xml=type=="xml"||!type&&ct&&ct.indexOf("xml")>=0,data=xml?xhr.responseXML:xhr.responseText; +if(xml&&data.documentElement.tagName=="parsererror"){throw"parsererror"; +}if(filter){data=filter(data,type); +}if(type=="script"){jQuery.globalEval(data); +}if(type=="json"){data=eval("("+data+")"); +}return data; +},param:function(a){var s=[]; +if(a.constructor==Array||a.jquery){jQuery.each(a,function(){s.push(encodeURIComponent(this.name)+"="+encodeURIComponent(this.value)); +}); +}else{for(var j in a){if(a[j]&&a[j].constructor==Array){jQuery.each(a[j],function(){s.push(encodeURIComponent(j)+"="+encodeURIComponent(this)); +}); +}else{s.push(encodeURIComponent(j)+"="+encodeURIComponent(jQuery.isFunction(a[j])?a[j]():a[j])); +}}}return s.join("&").replace(/%20/g,"+"); +}}); +jQuery.fn.extend({show:function(speed,callback){return speed?this.animate({height:"show",width:"show",opacity:"show"},speed,callback):this.filter(":hidden").each(function(){this.style.display=this.oldblock||""; +if(jQuery.css(this,"display")=="none"){var elem=jQuery("<"+this.tagName+" />").appendTo("body"); +this.style.display=elem.css("display"); +if(this.style.display=="none"){this.style.display="block"; +}elem.remove(); +}}).end(); +},hide:function(speed,callback){return speed?this.animate({height:"hide",width:"hide",opacity:"hide"},speed,callback):this.filter(":visible").each(function(){this.oldblock=this.oldblock||jQuery.css(this,"display"); +this.style.display="none"; +}).end(); +},_toggle:jQuery.fn.toggle,toggle:function(fn,fn2){return jQuery.isFunction(fn)&&jQuery.isFunction(fn2)?this._toggle.apply(this,arguments):fn?this.animate({height:"toggle",width:"toggle",opacity:"toggle"},fn,fn2):this.each(function(){jQuery(this)[jQuery(this).is(":hidden")?"show":"hide"](); +}); +},slideDown:function(speed,callback){return this.animate({height:"show"},speed,callback); +},slideUp:function(speed,callback){return this.animate({height:"hide"},speed,callback); +},slideToggle:function(speed,callback){return this.animate({height:"toggle"},speed,callback); +},fadeIn:function(speed,callback){return this.animate({opacity:"show"},speed,callback); +},fadeOut:function(speed,callback){return this.animate({opacity:"hide"},speed,callback); +},fadeTo:function(speed,to,callback){return this.animate({opacity:to},speed,callback); +},animate:function(prop,speed,easing,callback){var optall=jQuery.speed(speed,easing,callback); +return this[optall.queue===false?"each":"queue"](function(){if(this.nodeType!=1){return false; +}var opt=jQuery.extend({},optall),p,hidden=jQuery(this).is(":hidden"),self=this; +for(p in prop){if(prop[p]=="hide"&&hidden||prop[p]=="show"&&!hidden){return opt.complete.call(this); +}if(p=="height"||p=="width"){opt.display=jQuery.css(this,"display"); +opt.overflow=this.style.overflow; +}}if(opt.overflow!=null){this.style.overflow="hidden"; +}opt.curAnim=jQuery.extend({},prop); +jQuery.each(prop,function(name,val){var e=new jQuery.fx(self,opt,name); +if(/toggle|show|hide/.test(val)){e[val=="toggle"?hidden?"show":"hide":val](prop); +}else{var parts=val.toString().match(/^([+-]=)?([\d+-.]+)(.*)$/),start=e.cur(true)||0; +if(parts){var end=parseFloat(parts[2]),unit=parts[3]||"px"; +if(unit!="px"){self.style[name]=(end||1)+unit; +start=((end||1)/e.cur(true))*start; +self.style[name]=start+unit; +}if(parts[1]){end=((parts[1]=="-="?-1:1)*end)+start; +}e.custom(start,end,unit); +}else{e.custom(start,val,""); +}}}); +return true; +}); +},queue:function(type,fn){if(jQuery.isFunction(type)||(type&&type.constructor==Array)){fn=type; +type="fx"; +}if(!type||(typeof type=="string"&&!fn)){return queue(this[0],type); +}return this.each(function(){if(fn.constructor==Array){queue(this,type,fn); +}else{queue(this,type).push(fn); +if(queue(this,type).length==1){fn.call(this); +}}}); +},stop:function(clearQueue,gotoEnd){var timers=jQuery.timers; +if(clearQueue){this.queue([]); +}this.each(function(){for(var i=timers.length-1; +i>=0; +i--){if(timers[i].elem==this){if(gotoEnd){timers[i](true); +}timers.splice(i,1); +}}}); +if(!gotoEnd){this.dequeue(); +}return this; +}}); +var queue=function(elem,type,array){if(elem){type=type||"fx"; +var q=jQuery.data(elem,type+"queue"); +if(!q||array){q=jQuery.data(elem,type+"queue",jQuery.makeArray(array)); +}}return q; +}; +jQuery.fn.dequeue=function(type){type=type||"fx"; +return this.each(function(){var q=queue(this,type); +q.shift(); +if(q.length){q[0].call(this); +}}); +}; +jQuery.extend({speed:function(speed,easing,fn){var opt=speed&&speed.constructor==Object?speed:{complete:fn||!fn&&easing||jQuery.isFunction(speed)&&speed,duration:speed,easing:fn&&easing||easing&&easing.constructor!=Function&&easing}; +opt.duration=(opt.duration&&opt.duration.constructor==Number?opt.duration:jQuery.fx.speeds[opt.duration])||jQuery.fx.speeds.def; +opt.old=opt.complete; +opt.complete=function(){if(opt.queue!==false){jQuery(this).dequeue(); +}if(jQuery.isFunction(opt.old)){opt.old.call(this); +}}; +return opt; +},easing:{linear:function(p,n,firstNum,diff){return firstNum+diff*p; +},swing:function(p,n,firstNum,diff){return((-Math.cos(p*Math.PI)/2)+0.5)*diff+firstNum; +}},timers:[],timerId:null,fx:function(elem,options,prop){this.options=options; +this.elem=elem; +this.prop=prop; +if(!options.orig){options.orig={}; +}}}); +jQuery.fx.prototype={update:function(){if(this.options.step){this.options.step.call(this.elem,this.now,this); +}(jQuery.fx.step[this.prop]||jQuery.fx.step._default)(this); +if(this.prop=="height"||this.prop=="width"){this.elem.style.display="block"; +}},cur:function(force){if(this.elem[this.prop]!=null&&this.elem.style[this.prop]==null){return this.elem[this.prop]; +}var r=parseFloat(jQuery.css(this.elem,this.prop,force)); +return r&&r>-10000?r:parseFloat(jQuery.curCSS(this.elem,this.prop))||0; +},custom:function(from,to,unit){this.startTime=now(); +this.start=from; +this.end=to; +this.unit=unit||this.unit||"px"; +this.now=this.start; +this.pos=this.state=0; +this.update(); +var self=this; +function t(gotoEnd){return self.step(gotoEnd); +}t.elem=this.elem; +jQuery.timers.push(t); +if(jQuery.timerId==null){jQuery.timerId=setInterval(function(){var timers=jQuery.timers; +for(var i=0; +i<timers.length; +i++){if(!timers[i]()){timers.splice(i--,1); +}}if(!timers.length){clearInterval(jQuery.timerId); +jQuery.timerId=null; +}},13); +}},show:function(){this.options.orig[this.prop]=jQuery.attr(this.elem.style,this.prop); +this.options.show=true; +this.custom(0,this.cur()); +if(this.prop=="width"||this.prop=="height"){this.elem.style[this.prop]="1px"; +}jQuery(this.elem).show(); +},hide:function(){this.options.orig[this.prop]=jQuery.attr(this.elem.style,this.prop); +this.options.hide=true; +this.custom(this.cur(),0); +},step:function(gotoEnd){var t=now(); +if(gotoEnd||t>this.options.duration+this.startTime){this.now=this.end; +this.pos=this.state=1; +this.update(); +this.options.curAnim[this.prop]=true; +var done=true; +for(var i in this.options.curAnim){if(this.options.curAnim[i]!==true){done=false; +}}if(done){if(this.options.display!=null){this.elem.style.overflow=this.options.overflow; +this.elem.style.display=this.options.display; +if(jQuery.css(this.elem,"display")=="none"){this.elem.style.display="block"; +}}if(this.options.hide){this.elem.style.display="none"; +}if(this.options.hide||this.options.show){for(var p in this.options.curAnim){jQuery.attr(this.elem.style,p,this.options.orig[p]); +}}}if(done){this.options.complete.call(this.elem); +}return false; +}else{var n=t-this.startTime; +this.state=n/this.options.duration; +this.pos=jQuery.easing[this.options.easing||(jQuery.easing.swing?"swing":"linear")](this.state,n,0,1,this.options.duration); +this.now=this.start+((this.end-this.start)*this.pos); +this.update(); +}return true; +}}; +jQuery.extend(jQuery.fx,{speeds:{slow:600,fast:200,def:400},step:{scrollLeft:function(fx){fx.elem.scrollLeft=fx.now; +},scrollTop:function(fx){fx.elem.scrollTop=fx.now; +},opacity:function(fx){jQuery.attr(fx.elem.style,"opacity",fx.now); +},_default:function(fx){fx.elem.style[fx.prop]=fx.now+fx.unit; +}}}); +jQuery.fn.offset=function(){var left=0,top=0,elem=this[0],results; +if(elem){with(jQuery.browser){var parent=elem.parentNode,offsetChild=elem,offsetParent=elem.offsetParent,doc=elem.ownerDocument,safari2=safari&&parseInt(version)<522&&!/adobeair/i.test(userAgent),css=jQuery.curCSS,fixed=css(elem,"position")=="fixed"; +if(elem.getBoundingClientRect){var box=elem.getBoundingClientRect(); +add(box.left+Math.max(doc.documentElement.scrollLeft,doc.body.scrollLeft),box.top+Math.max(doc.documentElement.scrollTop,doc.body.scrollTop)); +add(-doc.documentElement.clientLeft,-doc.documentElement.clientTop); +}else{add(elem.offsetLeft,elem.offsetTop); +while(offsetParent){add(offsetParent.offsetLeft,offsetParent.offsetTop); +if(mozilla&&!/^t(able|d|h)$/i.test(offsetParent.tagName)||safari&&!safari2){border(offsetParent); +}if(!fixed&&css(offsetParent,"position")=="fixed"){fixed=true; +}offsetChild=/^body$/i.test(offsetParent.tagName)?offsetChild:offsetParent; +offsetParent=offsetParent.offsetParent; +}while(parent&&parent.tagName&&!/^body|html$/i.test(parent.tagName)){if(!/^inline|table.*$/i.test(css(parent,"display"))){add(-parent.scrollLeft,-parent.scrollTop); +}if(mozilla&&css(parent,"overflow")!="visible"){border(parent); +}parent=parent.parentNode; +}if((safari2&&(fixed||css(offsetChild,"position")=="absolute"))||(mozilla&&css(offsetChild,"position")!="absolute")){add(-doc.body.offsetLeft,-doc.body.offsetTop); +}if(fixed){add(Math.max(doc.documentElement.scrollLeft,doc.body.scrollLeft),Math.max(doc.documentElement.scrollTop,doc.body.scrollTop)); +}}results={top:top,left:left}; +}}function border(elem){add(jQuery.curCSS(elem,"borderLeftWidth",true),jQuery.curCSS(elem,"borderTopWidth",true)); +}function add(l,t){left+=parseInt(l,10)||0; +top+=parseInt(t,10)||0; +}return results; +}; +jQuery.fn.extend({position:function(){var left=0,top=0,results; +if(this[0]){var offsetParent=this.offsetParent(),offset=this.offset(),parentOffset=/^body|html$/i.test(offsetParent[0].tagName)?{top:0,left:0}:offsetParent.offset(); +offset.top-=num(this,"marginTop"); +offset.left-=num(this,"marginLeft"); +parentOffset.top+=num(offsetParent,"borderTopWidth"); +parentOffset.left+=num(offsetParent,"borderLeftWidth"); +results={top:offset.top-parentOffset.top,left:offset.left-parentOffset.left}; +}return results; +},offsetParent:function(){var offsetParent=this[0].offsetParent; +while(offsetParent&&(!/^body|html$/i.test(offsetParent.tagName)&&jQuery.css(offsetParent,"position")=="static")){offsetParent=offsetParent.offsetParent; +}return jQuery(offsetParent); +}}); +jQuery.each(["Left","Top"],function(i,name){var method="scroll"+name; +jQuery.fn[method]=function(val){if(!this[0]){return ; +}return val!=undefined?this.each(function(){this==window||this==document?window.scrollTo(!i?val:jQuery(window).scrollLeft(),i?val:jQuery(window).scrollTop()):this[method]=val; +}):this[0]==window||this[0]==document?self[i?"pageYOffset":"pageXOffset"]||jQuery.boxModel&&document.documentElement[method]||document.body[method]:this[0][method]; +}; +}); +jQuery.each(["Height","Width"],function(i,name){var tl=i?"Left":"Top",br=i?"Right":"Bottom"; +jQuery.fn["inner"+name]=function(){return this[name.toLowerCase()]()+num(this,"padding"+tl)+num(this,"padding"+br); +}; +jQuery.fn["outer"+name]=function(margin){return this["inner"+name]()+num(this,"border"+tl+"Width")+num(this,"border"+br+"Width")+(margin?num(this,"margin"+tl)+num(this,"margin"+br):0); +}; +}); +})(); + + +/* platform.js */ +SimileAjax.jQuery=jQuery.noConflict(true); +if(typeof window["$"]=="undefined"){window.$=SimileAjax.jQuery; +}SimileAjax.Platform.os={isMac:false,isWin:false,isWin32:false,isUnix:false}; +SimileAjax.Platform.browser={isIE:false,isNetscape:false,isMozilla:false,isFirefox:false,isOpera:false,isSafari:false,majorVersion:0,minorVersion:0}; +(function(){var C=navigator.appName.toLowerCase(); +var A=navigator.userAgent.toLowerCase(); +SimileAjax.Platform.os.isMac=(A.indexOf("mac")!=-1); +SimileAjax.Platform.os.isWin=(A.indexOf("win")!=-1); +SimileAjax.Platform.os.isWin32=SimileAjax.Platform.isWin&&(A.indexOf("95")!=-1||A.indexOf("98")!=-1||A.indexOf("nt")!=-1||A.indexOf("win32")!=-1||A.indexOf("32bit")!=-1); +SimileAjax.Platform.os.isUnix=(A.indexOf("x11")!=-1); +SimileAjax.Platform.browser.isIE=(C.indexOf("microsoft")!=-1); +SimileAjax.Platform.browser.isNetscape=(C.indexOf("netscape")!=-1); +SimileAjax.Platform.browser.isMozilla=(A.indexOf("mozilla")!=-1); +SimileAjax.Platform.browser.isFirefox=(A.indexOf("firefox")!=-1); +SimileAjax.Platform.browser.isOpera=(C.indexOf("opera")!=-1); +SimileAjax.Platform.browser.isSafari=(C.indexOf("safari")!=-1); +var E=function(G){var F=G.split("."); +SimileAjax.Platform.browser.majorVersion=parseInt(F[0]); +SimileAjax.Platform.browser.minorVersion=parseInt(F[1]); +}; +var B=function(H,G,I){var F=H.indexOf(G,I); +return F>=0?F:H.length; +}; +if(SimileAjax.Platform.browser.isMozilla){var D=A.indexOf("mozilla/"); +if(D>=0){E(A.substring(D+8,B(A," ",D))); +}}if(SimileAjax.Platform.browser.isIE){var D=A.indexOf("msie "); +if(D>=0){E(A.substring(D+5,B(A,";",D))); +}}if(SimileAjax.Platform.browser.isNetscape){var D=A.indexOf("rv:"); +if(D>=0){E(A.substring(D+3,B(A,")",D))); +}}if(SimileAjax.Platform.browser.isFirefox){var D=A.indexOf("firefox/"); +if(D>=0){E(A.substring(D+8,B(A," ",D))); +}}if(!("localeCompare" in String.prototype)){String.prototype.localeCompare=function(F){if(this<F){return -1; +}else{if(this>F){return 1; +}else{return 0; +}}}; +}})(); +SimileAjax.Platform.getDefaultLocale=function(){return SimileAjax.Platform.clientLocale; +}; + + +/* ajax.js */ +SimileAjax.ListenerQueue=function(A){this._listeners=[]; +this._wildcardHandlerName=A; +}; +SimileAjax.ListenerQueue.prototype.add=function(A){this._listeners.push(A); +}; +SimileAjax.ListenerQueue.prototype.remove=function(C){var A=this._listeners; +for(var B=0; +B<A.length; +B++){if(A[B]==C){A.splice(B,1); +break; +}}}; +SimileAjax.ListenerQueue.prototype.fire=function(C,B){var A=[].concat(this._listeners); +for(var D=0; +D<A.length; +D++){var E=A[D]; +if(C in E){try{E[C].apply(E,B); +}catch(F){SimileAjax.Debug.exception("Error firing event of name "+C,F); +}}else{if(this._wildcardHandlerName!=null&&this._wildcardHandlerName in E){try{E[this._wildcardHandlerName].apply(E,[C]); +}catch(F){SimileAjax.Debug.exception("Error firing event of name "+C+" to wildcard handler",F); +}}}}}; + + +/* data-structure.js */ +SimileAjax.Set=function(A){this._hash={}; +this._count=0; +if(A instanceof Array){for(var B=0; +B<A.length; +B++){this.add(A[B]); +}}else{if(A instanceof SimileAjax.Set){this.addSet(A); +}}}; +SimileAjax.Set.prototype.add=function(A){if(!(A in this._hash)){this._hash[A]=true; +this._count++; +return true; +}return false; +}; +SimileAjax.Set.prototype.addSet=function(B){for(var A in B._hash){this.add(A); +}}; +SimileAjax.Set.prototype.remove=function(A){if(A in this._hash){delete this._hash[A]; +this._count--; +return true; +}return false; +}; +SimileAjax.Set.prototype.removeSet=function(B){for(var A in B._hash){this.remove(A); +}}; +SimileAjax.Set.prototype.retainSet=function(B){for(var A in this._hash){if(!B.contains(A)){delete this._hash[A]; +this._count--; +}}}; +SimileAjax.Set.prototype.contains=function(A){return(A in this._hash); +}; +SimileAjax.Set.prototype.size=function(){return this._count; +}; +SimileAjax.Set.prototype.toArray=function(){var A=[]; +for(var B in this._hash){A.push(B); +}return A; +}; +SimileAjax.Set.prototype.visit=function(A){for(var B in this._hash){if(A(B)==true){break; +}}}; +SimileAjax.SortedArray=function(B,A){this._a=(A instanceof Array)?A:[]; +this._compare=B; +}; +SimileAjax.SortedArray.prototype.add=function(C){var A=this; +var B=this.find(function(D){return A._compare(D,C); +}); +if(B<this._a.length){this._a.splice(B,0,C); +}else{this._a.push(C); +}}; +SimileAjax.SortedArray.prototype.remove=function(C){var A=this; +var B=this.find(function(D){return A._compare(D,C); +}); +while(B<this._a.length&&this._compare(this._a[B],C)==0){if(this._a[B]==C){this._a.splice(B,1); +return true; +}else{B++; +}}return false; +}; +SimileAjax.SortedArray.prototype.removeAll=function(){this._a=[]; +}; +SimileAjax.SortedArray.prototype.elementAt=function(A){return this._a[A]; +}; +SimileAjax.SortedArray.prototype.length=function(){return this._a.length; +}; +SimileAjax.SortedArray.prototype.find=function(D){var B=0; +var A=this._a.length; +while(B<A){var C=Math.floor((B+A)/2); +var E=D(this._a[C]); +if(C==B){return E<0?B+1:B; +}else{if(E<0){B=C; +}else{A=C; +}}}return B; +}; +SimileAjax.SortedArray.prototype.getFirst=function(){return(this._a.length>0)?this._a[0]:null; +}; +SimileAjax.SortedArray.prototype.getLast=function(){return(this._a.length>0)?this._a[this._a.length-1]:null; +}; +SimileAjax.EventIndex=function(B){var A=this; +this._unit=(B!=null)?B:SimileAjax.NativeDateUnit; +this._events=new SimileAjax.SortedArray(function(C,D){return A._unit.compare(C.getStart(),D.getStart()); +}); +this._idToEvent={}; +this._indexed=true; +}; +SimileAjax.EventIndex.prototype.getUnit=function(){return this._unit; +}; +SimileAjax.EventIndex.prototype.getEvent=function(A){return this._idToEvent[A]; +}; +SimileAjax.EventIndex.prototype.add=function(A){this._events.add(A); +this._idToEvent[A.getID()]=A; +this._indexed=false; +}; +SimileAjax.EventIndex.prototype.removeAll=function(){this._events.removeAll(); +this._idToEvent={}; +this._indexed=false; +}; +SimileAjax.EventIndex.prototype.getCount=function(){return this._events.length(); +}; +SimileAjax.EventIndex.prototype.getIterator=function(A,B){if(!this._indexed){this._index(); +}return new SimileAjax.EventIndex._Iterator(this._events,A,B,this._unit); +}; +SimileAjax.EventIndex.prototype.getReverseIterator=function(A,B){if(!this._indexed){this._index(); +}return new SimileAjax.EventIndex._ReverseIterator(this._events,A,B,this._unit); +}; +SimileAjax.EventIndex.prototype.getAllIterator=function(){return new SimileAjax.EventIndex._AllIterator(this._events); +}; +SimileAjax.EventIndex.prototype.getEarliestDate=function(){var A=this._events.getFirst(); +return(A==null)?null:A.getStart(); +}; +SimileAjax.EventIndex.prototype.getLatestDate=function(){var A=this._events.getLast(); +if(A==null){return null; +}if(!this._indexed){this._index(); +}var C=A._earliestOverlapIndex; +var B=this._events.elementAt(C).getEnd(); +for(var D=C+1; +D<this._events.length(); +D++){B=this._unit.later(B,this._events.elementAt(D).getEnd()); +}return B; +}; +SimileAjax.EventIndex.prototype._index=function(){var E=this._events.length(); +for(var F=0; +F<E; +F++){var D=this._events.elementAt(F); +D._earliestOverlapIndex=F; +}var G=1; +for(var F=0; +F<E; +F++){var D=this._events.elementAt(F); +var C=D.getEnd(); +G=Math.max(G,F+1); +while(G<E){var A=this._events.elementAt(G); +var B=A.getStart(); +if(this._unit.compare(B,C)<0){A._earliestOverlapIndex=F; +G++; +}else{break; +}}}this._indexed=true; +}; +SimileAjax.EventIndex._Iterator=function(A,C,D,B){this._events=A; +this._startDate=C; +this._endDate=D; +this._unit=B; +this._currentIndex=A.find(function(E){return B.compare(E.getStart(),C); +}); +if(this._currentIndex-1>=0){this._currentIndex=this._events.elementAt(this._currentIndex-1)._earliestOverlapIndex; +}this._currentIndex--; +this._maxIndex=A.find(function(E){return B.compare(E.getStart(),D); +}); +this._hasNext=false; +this._next=null; +this._findNext(); +}; +SimileAjax.EventIndex._Iterator.prototype={hasNext:function(){return this._hasNext; +},next:function(){if(this._hasNext){var A=this._next; +this._findNext(); +return A; +}else{return null; +}},_findNext:function(){var B=this._unit; +while((++this._currentIndex)<this._maxIndex){var A=this._events.elementAt(this._currentIndex); +if(B.compare(A.getStart(),this._endDate)<0&&B.compare(A.getEnd(),this._startDate)>0){this._next=A; +this._hasNext=true; +return ; +}}this._next=null; +this._hasNext=false; +}}; +SimileAjax.EventIndex._ReverseIterator=function(A,C,D,B){this._events=A; +this._startDate=C; +this._endDate=D; +this._unit=B; +this._minIndex=A.find(function(E){return B.compare(E.getStart(),C); +}); +if(this._minIndex-1>=0){this._minIndex=this._events.elementAt(this._minIndex-1)._earliestOverlapIndex; +}this._maxIndex=A.find(function(E){return B.compare(E.getStart(),D); +}); +this._currentIndex=this._maxIndex; +this._hasNext=false; +this._next=null; +this._findNext(); +}; +SimileAjax.EventIndex._ReverseIterator.prototype={hasNext:function(){return this._hasNext; +},next:function(){if(this._hasNext){var A=this._next; +this._findNext(); +return A; +}else{return null; +}},_findNext:function(){var B=this._unit; +while((--this._currentIndex)>=this._minIndex){var A=this._events.elementAt(this._currentIndex); +if(B.compare(A.getStart(),this._endDate)<0&&B.compare(A.getEnd(),this._startDate)>0){this._next=A; +this._hasNext=true; +return ; +}}this._next=null; +this._hasNext=false; +}}; +SimileAjax.EventIndex._AllIterator=function(A){this._events=A; +this._index=0; +}; +SimileAjax.EventIndex._AllIterator.prototype={hasNext:function(){return this._index<this._events.length(); +},next:function(){return this._index<this._events.length()?this._events.elementAt(this._index++):null; +}}; + + +/* date-time.js */ +SimileAjax.DateTime=new Object(); +SimileAjax.DateTime.MILLISECOND=0; +SimileAjax.DateTime.SECOND=1; +SimileAjax.DateTime.MINUTE=2; +SimileAjax.DateTime.HOUR=3; +SimileAjax.DateTime.DAY=4; +SimileAjax.DateTime.WEEK=5; +SimileAjax.DateTime.MONTH=6; +SimileAjax.DateTime.YEAR=7; +SimileAjax.DateTime.DECADE=8; +SimileAjax.DateTime.CENTURY=9; +SimileAjax.DateTime.MILLENNIUM=10; +SimileAjax.DateTime.EPOCH=-1; +SimileAjax.DateTime.ERA=-2; +SimileAjax.DateTime.gregorianUnitLengths=[]; +(function(){var B=SimileAjax.DateTime; +var A=B.gregorianUnitLengths; +A[B.MILLISECOND]=1; +A[B.SECOND]=1000; +A[B.MINUTE]=A[B.SECOND]*60; +A[B.HOUR]=A[B.MINUTE]*60; +A[B.DAY]=A[B.HOUR]*24; +A[B.WEEK]=A[B.DAY]*7; +A[B.MONTH]=A[B.DAY]*31; +A[B.YEAR]=A[B.DAY]*365; +A[B.DECADE]=A[B.YEAR]*10; +A[B.CENTURY]=A[B.YEAR]*100; +A[B.MILLENNIUM]=A[B.YEAR]*1000; +})(); +SimileAjax.DateTime._dateRegexp=new RegExp("^(-?)([0-9]{4})("+["(-?([0-9]{2})(-?([0-9]{2}))?)","(-?([0-9]{3}))","(-?W([0-9]{2})(-?([1-7]))?)"].join("|")+")?$"); +SimileAjax.DateTime._timezoneRegexp=new RegExp("Z|(([-+])([0-9]{2})(:?([0-9]{2}))?)$"); +SimileAjax.DateTime._timeRegexp=new RegExp("^([0-9]{2})(:?([0-9]{2})(:?([0-9]{2})(.([0-9]+))?)?)?$"); +SimileAjax.DateTime.setIso8601Date=function(G,C){var I=C.match(SimileAjax.DateTime._dateRegexp); +if(!I){throw new Error("Invalid date string: "+C); +}var B=(I[1]=="-")?-1:1; +var J=B*I[2]; +var H=I[5]; +var D=I[7]; +var F=I[9]; +var A=I[11]; +var M=(I[13])?I[13]:1; +G.setUTCFullYear(J); +if(F){G.setUTCMonth(0); +G.setUTCDate(Number(F)); +}else{if(A){G.setUTCMonth(0); +G.setUTCDate(1); +var L=G.getUTCDay(); +var K=(L)?L:7; +var E=Number(M)+(7*Number(A)); +if(K<=4){G.setUTCDate(E+1-K); +}else{G.setUTCDate(E+8-K); +}}else{if(H){G.setUTCDate(1); +G.setUTCMonth(H-1); +}if(D){G.setUTCDate(D); +}}}return G; +}; +SimileAjax.DateTime.setIso8601Time=function(F,D){var G=D.match(SimileAjax.DateTime._timeRegexp); +if(!G){SimileAjax.Debug.warn("Invalid time string: "+D); +return false; +}var A=G[1]; +var E=Number((G[3])?G[3]:0); +var C=(G[5])?G[5]:0; +var B=G[7]?(Number("0."+G[7])*1000):0; +F.setUTCHours(A); +F.setUTCMinutes(E); +F.setUTCSeconds(C); +F.setUTCMilliseconds(B); +return F; +}; +SimileAjax.DateTime.timezoneOffset=new Date().getTimezoneOffset(); +SimileAjax.DateTime.setIso8601=function(B,A){var D=null; +var E=(A.indexOf("T")==-1)?A.split(" "):A.split("T"); +SimileAjax.DateTime.setIso8601Date(B,E[0]); +if(E.length==2){var C=E[1].match(SimileAjax.DateTime._timezoneRegexp); +if(C){if(C[0]=="Z"){D=0; +}else{D=(Number(C[3])*60)+Number(C[5]); +D*=((C[2]=="-")?1:-1); +}E[1]=E[1].substr(0,E[1].length-C[0].length); +}SimileAjax.DateTime.setIso8601Time(B,E[1]); +}if(D==null){D=B.getTimezoneOffset(); +}B.setTime(B.getTime()+D*60000); +return B; +}; +SimileAjax.DateTime.parseIso8601DateTime=function(A){try{return SimileAjax.DateTime.setIso8601(new Date(0),A); +}catch(B){return null; +}}; +SimileAjax.DateTime.parseGregorianDateTime=function(F){if(F==null){return null; +}else{if(F instanceof Date){return F; +}}var B=F.toString(); +if(B.length>0&&B.length<8){var C=B.indexOf(" "); +if(C>0){var A=parseInt(B.substr(0,C)); +var G=B.substr(C+1); +if(G.toLowerCase()=="bc"){A=1-A; +}}else{var A=parseInt(B); +}var E=new Date(0); +E.setUTCFullYear(A); +return E; +}try{return new Date(Date.parse(B)); +}catch(D){return null; +}}; +SimileAjax.DateTime.roundDownToInterval=function(E,B,I,K,A){var F=I*SimileAjax.DateTime.gregorianUnitLengths[SimileAjax.DateTime.HOUR]; +var J=new Date(E.getTime()+F); +var C=function(L){L.setUTCMilliseconds(0); +L.setUTCSeconds(0); +L.setUTCMinutes(0); +L.setUTCHours(0); +}; +var D=function(L){C(L); +L.setUTCDate(1); +L.setUTCMonth(0); +}; +switch(B){case SimileAjax.DateTime.MILLISECOND:var H=J.getUTCMilliseconds(); +J.setUTCMilliseconds(H-(H%K)); +break; +case SimileAjax.DateTime.SECOND:J.setUTCMilliseconds(0); +var H=J.getUTCSeconds(); +J.setUTCSeconds(H-(H%K)); +break; +case SimileAjax.DateTime.MINUTE:J.setUTCMilliseconds(0); +J.setUTCSeconds(0); +var H=J.getUTCMinutes(); +J.setTime(J.getTime()-(H%K)*SimileAjax.DateTime.gregorianUnitLengths[SimileAjax.DateTime.MINUTE]); +break; +case SimileAjax.DateTime.HOUR:J.setUTCMilliseconds(0); +J.setUTCSeconds(0); +J.setUTCMinutes(0); +var H=J.getUTCHours(); +J.setUTCHours(H-(H%K)); +break; +case SimileAjax.DateTime.DAY:C(J); +break; +case SimileAjax.DateTime.WEEK:C(J); +var G=(J.getUTCDay()+7-A)%7; +J.setTime(J.getTime()-G*SimileAjax.DateTime.gregorianUnitLengths[SimileAjax.DateTime.DAY]); +break; +case SimileAjax.DateTime.MONTH:C(J); +J.setUTCDate(1); +var H=J.getUTCMonth(); +J.setUTCMonth(H-(H%K)); +break; +case SimileAjax.DateTime.YEAR:D(J); +var H=J.getUTCFullYear(); +J.setUTCFullYear(H-(H%K)); +break; +case SimileAjax.DateTime.DECADE:D(J); +J.setUTCFullYear(Math.floor(J.getUTCFullYear()/10)*10); +break; +case SimileAjax.DateTime.CENTURY:D(J); +J.setUTCFullYear(Math.floor(J.getUTCFullYear()/100)*100); +break; +case SimileAjax.DateTime.MILLENNIUM:D(J); +J.setUTCFullYear(Math.floor(J.getUTCFullYear()/1000)*1000); +break; +}E.setTime(J.getTime()-F); +}; +SimileAjax.DateTime.roundUpToInterval=function(C,F,D,A,B){var E=C.getTime(); +SimileAjax.DateTime.roundDownToInterval(C,F,D,A,B); +if(C.getTime()<E){C.setTime(C.getTime()+SimileAjax.DateTime.gregorianUnitLengths[F]*A); +}}; +SimileAjax.DateTime.incrementByInterval=function(A,D,B){B=(typeof B=="undefined")?0:B; +var E=B*SimileAjax.DateTime.gregorianUnitLengths[SimileAjax.DateTime.HOUR]; +var C=new Date(A.getTime()+E); +switch(D){case SimileAjax.DateTime.MILLISECOND:C.setTime(C.getTime()+1); +break; +case SimileAjax.DateTime.SECOND:C.setTime(C.getTime()+1000); +break; +case SimileAjax.DateTime.MINUTE:C.setTime(C.getTime()+SimileAjax.DateTime.gregorianUnitLengths[SimileAjax.DateTime.MINUTE]); +break; +case SimileAjax.DateTime.HOUR:C.setTime(C.getTime()+SimileAjax.DateTime.gregorianUnitLengths[SimileAjax.DateTime.HOUR]); +break; +case SimileAjax.DateTime.DAY:C.setUTCDate(C.getUTCDate()+1); +break; +case SimileAjax.DateTime.WEEK:C.setUTCDate(C.getUTCDate()+7); +break; +case SimileAjax.DateTime.MONTH:C.setUTCMonth(C.getUTCMonth()+1); +break; +case SimileAjax.DateTime.YEAR:C.setUTCFullYear(C.getUTCFullYear()+1); +break; +case SimileAjax.DateTime.DECADE:C.setUTCFullYear(C.getUTCFullYear()+10); +break; +case SimileAjax.DateTime.CENTURY:C.setUTCFullYear(C.getUTCFullYear()+100); +break; +case SimileAjax.DateTime.MILLENNIUM:C.setUTCFullYear(C.getUTCFullYear()+1000); +break; +}A.setTime(C.getTime()-E); +}; +SimileAjax.DateTime.removeTimeZoneOffset=function(A,B){return new Date(A.getTime()+B*SimileAjax.DateTime.gregorianUnitLengths[SimileAjax.DateTime.HOUR]); +}; +SimileAjax.DateTime.getTimezone=function(){var A=new Date().getTimezoneOffset(); +return A/-60; +}; + + +/* debug.js */ +SimileAjax.Debug={silent:false}; +SimileAjax.Debug.log=function(B){var A; +if("console" in window&&"log" in window.console){A=function(C){console.log(C); +}; +}else{A=function(C){if(!SimileAjax.Debug.silent){alert(C); +}}; +}SimileAjax.Debug.log=A; +A(B); +}; +SimileAjax.Debug.warn=function(B){var A; +if("console" in window&&"warn" in window.console){A=function(C){console.warn(C); +}; +}else{A=function(C){if(!SimileAjax.Debug.silent){alert(C); +}}; +}SimileAjax.Debug.warn=A; +A(B); +}; +SimileAjax.Debug.exception=function(B,D){var A,C=SimileAjax.parseURLParameters(); +if(C.errors=="throw"||SimileAjax.params.errors=="throw"){A=function(F,E){throw (F); +}; +}else{if("console" in window&&"error" in window.console){A=function(F,E){if(E!=null){console.error(E+" %o",F); +}else{console.error(F); +}throw (F); +}; +}else{A=function(F,E){if(!SimileAjax.Debug.silent){alert("Caught exception: "+E+"\n\nDetails: "+("description" in F?F.description:F)); +}throw (F); +}; +}}SimileAjax.Debug.exception=A; +A(B,D); +}; +SimileAjax.Debug.objectToString=function(A){return SimileAjax.Debug._objectToString(A,""); +}; +SimileAjax.Debug._objectToString=function(D,C){var B=C+" "; +if(typeof D=="object"){var A="{"; +for(E in D){A+=B+E+": "+SimileAjax.Debug._objectToString(D[E],B)+"\n"; +}A+=C+"}"; +return A; +}else{if(typeof D=="array"){var A="["; +for(var E=0; +E<D.length; +E++){A+=SimileAjax.Debug._objectToString(D[E],B)+"\n"; +}A+=C+"]"; +return A; +}else{return D; +}}}; + + +/* dom.js */ +SimileAjax.DOM=new Object(); +SimileAjax.DOM.registerEventWithObject=function(C,A,D,B){SimileAjax.DOM.registerEvent(C,A,function(F,E,G){return D[B].call(D,F,E,G); +}); +}; +SimileAjax.DOM.registerEvent=function(C,B,D){var A=function(E){E=(E)?E:((event)?event:null); +if(E){var F=(E.target)?E.target:((E.srcElement)?E.srcElement:null); +if(F){F=(F.nodeType==1||F.nodeType==9)?F:F.parentNode; +}return D(C,E,F); +}return true; +}; +if(SimileAjax.Platform.browser.isIE){C.attachEvent("on"+B,A); +}else{C.addEventListener(B,A,false); +}}; +SimileAjax.DOM.getPageCoordinates=function(B){var E=0; +var D=0; +if(B.nodeType!=1){B=B.parentNode; +}var C=B; +while(C!=null){E+=C.offsetLeft; +D+=C.offsetTop; +C=C.offsetParent; +}var A=document.body; +while(B!=null&&B!=A){if("scrollLeft" in B){E-=B.scrollLeft; +D-=B.scrollTop; +}B=B.parentNode; +}return{left:E,top:D}; +}; +SimileAjax.DOM.getSize=function(B){var A=this.getStyle(B,"width"); +var C=this.getStyle(B,"height"); +if(A.indexOf("px")>-1){A=A.replace("px",""); +}if(C.indexOf("px")>-1){C=C.replace("px",""); +}return{w:A,h:C}; +}; +SimileAjax.DOM.getStyle=function(B,A){if(B.currentStyle){var C=B.currentStyle[A]; +}else{if(window.getComputedStyle){var C=document.defaultView.getComputedStyle(B,null).getPropertyValue(A); +}else{var C=""; +}}return C; +}; +SimileAjax.DOM.getEventRelativeCoordinates=function(B,C){if(SimileAjax.Platform.browser.isIE){if(B.type=="mousewheel"){var A=SimileAjax.DOM.getPageCoordinates(C); +return{x:B.clientX-A.left,y:B.clientY-A.top}; +}else{return{x:B.offsetX,y:B.offsetY}; +}}else{var A=SimileAjax.DOM.getPageCoordinates(C); +if((B.type=="DOMMouseScroll")&&SimileAjax.Platform.browser.isFirefox&&(SimileAjax.Platform.browser.majorVersion==2)){return{x:B.screenX-A.left,y:B.screenY-A.top}; +}else{return{x:B.pageX-A.left,y:B.pageY-A.top}; +}}}; +SimileAjax.DOM.getEventPageCoordinates=function(A){if(SimileAjax.Platform.browser.isIE){return{x:A.clientX+document.body.scrollLeft,y:A.clientY+document.body.scrollTop}; +}else{return{x:A.pageX,y:A.pageY}; +}}; +SimileAjax.DOM.hittest=function(A,C,B){return SimileAjax.DOM._hittest(document.body,A,C,B); +}; +SimileAjax.DOM._hittest=function(C,L,K,A){var M=C.childNodes; +outer:for(var G=0; +G<M.length; +G++){var H=M[G]; +for(var F=0; +F<A.length; +F++){if(H==A[F]){continue outer; +}}if(H.offsetWidth==0&&H.offsetHeight==0){var B=SimileAjax.DOM._hittest(H,L,K,A); +if(B!=H){return B; +}}else{var J=0; +var E=0; +var D=H; +while(D){J+=D.offsetTop; +E+=D.offsetLeft; +D=D.offsetParent; +}if(E<=L&&J<=K&&(L-E)<H.offsetWidth&&(K-J)<H.offsetHeight){return SimileAjax.DOM._hittest(H,L,K,A); +}else{if(H.nodeType==1&&H.tagName=="TR"){var I=SimileAjax.DOM._hittest(H,L,K,A); +if(I!=H){return I; +}}}}}return C; +}; +SimileAjax.DOM.cancelEvent=function(A){A.returnValue=false; +A.cancelBubble=true; +if("preventDefault" in A){A.preventDefault(); +}}; +SimileAjax.DOM.appendClassName=function(D,A){var C=D.className.split(" "); +for(var B=0; +B<C.length; +B++){if(C[B]==A){return ; +}}C.push(A); +D.className=C.join(" "); +}; +SimileAjax.DOM.createInputElement=function(A){var B=document.createElement("div"); +B.innerHTML="<input type='"+A+"' />"; +return B.firstChild; +}; +SimileAjax.DOM.createDOMFromTemplate=function(A){var B={}; +B.elmt=SimileAjax.DOM._createDOMFromTemplate(A,B,null); +return B; +}; +SimileAjax.DOM._createDOMFromTemplate=function(F,G,D){if(F==null){return null; +}else{if(typeof F!="object"){var C=document.createTextNode(F); +if(D!=null){D.appendChild(C); +}return C; +}else{var A=null; +if("tag" in F){var J=F.tag; +if(D!=null){if(J=="tr"){A=D.insertRow(D.rows.length); +}else{if(J=="td"){A=D.insertCell(D.cells.length); +}}}if(A==null){A=J=="input"?SimileAjax.DOM.createInputElement(F.type):document.createElement(J); +if(D!=null){D.appendChild(A); +}}}else{A=F.elmt; +if(D!=null){D.appendChild(A); +}}for(var B in F){var H=F[B]; +if(B=="field"){G[H]=A; +}else{if(B=="className"){A.className=H; +}else{if(B=="id"){A.id=H; +}else{if(B=="title"){A.title=H; +}else{if(B=="type"&&A.tagName=="input"){}else{if(B=="style"){for(n in H){var I=H[n]; +if(n=="float"){n=SimileAjax.Platform.browser.isIE?"styleFloat":"cssFloat"; +}A.style[n]=I; +}}else{if(B=="children"){for(var E=0; +E<H.length; +E++){SimileAjax.DOM._createDOMFromTemplate(H[E],G,A); +}}else{if(B!="tag"&&B!="elmt"){A.setAttribute(B,H); +}}}}}}}}}return A; +}}}; +SimileAjax.DOM._cachedParent=null; +SimileAjax.DOM.createElementFromString=function(A){if(SimileAjax.DOM._cachedParent==null){SimileAjax.DOM._cachedParent=document.createElement("div"); +}SimileAjax.DOM._cachedParent.innerHTML=A; +return SimileAjax.DOM._cachedParent.firstChild; +}; +SimileAjax.DOM.createDOMFromString=function(A,C,D){var B=typeof A=="string"?document.createElement(A):A; +B.innerHTML=C; +var E={elmt:B}; +SimileAjax.DOM._processDOMChildrenConstructedFromString(E,B,D!=null?D:{}); +return E; +}; +SimileAjax.DOM._processDOMConstructedFromString=function(D,A,B){var E=A.id; +if(E!=null&&E.length>0){A.removeAttribute("id"); +if(E in B){var C=A.parentNode; +C.insertBefore(B[E],A); +C.removeChild(A); +D[E]=B[E]; +return ; +}else{D[E]=A; +}}if(A.hasChildNodes()){SimileAjax.DOM._processDOMChildrenConstructedFromString(D,A,B); +}}; +SimileAjax.DOM._processDOMChildrenConstructedFromString=function(E,B,D){var C=B.firstChild; +while(C!=null){var A=C.nextSibling; +if(C.nodeType==1){SimileAjax.DOM._processDOMConstructedFromString(E,C,D); +}C=A; +}}; + + +/* graphics.js */ +SimileAjax.Graphics=new Object(); +SimileAjax.Graphics.pngIsTranslucent=(!SimileAjax.Platform.browser.isIE)||(SimileAjax.Platform.browser.majorVersion>6); +SimileAjax.Graphics._createTranslucentImage1=function(A,C){var B=document.createElement("img"); +B.setAttribute("src",A); +if(C!=null){B.style.verticalAlign=C; +}return B; +}; +SimileAjax.Graphics._createTranslucentImage2=function(A,C){var B=document.createElement("img"); +B.style.width="1px"; +B.style.height="1px"; +B.style.filter="progid:DXImageTransform.Microsoft.AlphaImageLoader(src='"+A+"', sizingMethod='image')"; +B.style.verticalAlign=(C!=null)?C:"middle"; +return B; +}; +SimileAjax.Graphics.createTranslucentImage=SimileAjax.Graphics.pngIsTranslucent?SimileAjax.Graphics._createTranslucentImage1:SimileAjax.Graphics._createTranslucentImage2; +SimileAjax.Graphics._createTranslucentImageHTML1=function(A,B){return'<img src="'+A+'"'+(B!=null?' style="vertical-align: '+B+';"':"")+" />"; +}; +SimileAjax.Graphics._createTranslucentImageHTML2=function(A,C){var B="width: 1px; height: 1px; filter:progid:DXImageTransform.Microsoft.AlphaImageLoader(src='"+A+"', sizingMethod='image');"+(C!=null?" vertical-align: "+C+";":""); +return"<img src='"+A+"' style=\""+B+'" />'; +}; +SimileAjax.Graphics.createTranslucentImageHTML=SimileAjax.Graphics.pngIsTranslucent?SimileAjax.Graphics._createTranslucentImageHTML1:SimileAjax.Graphics._createTranslucentImageHTML2; +SimileAjax.Graphics.setOpacity=function(B,A){if(SimileAjax.Platform.browser.isIE){B.style.filter="progid:DXImageTransform.Microsoft.Alpha(Style=0,Opacity="+A+")"; +}else{var C=(A/100).toString(); +B.style.opacity=C; +B.style.MozOpacity=C; +}}; +SimileAjax.Graphics._bubbleMargins={top:33,bottom:42,left:33,right:40}; +SimileAjax.Graphics._arrowOffsets={top:0,bottom:9,left:1,right:8}; +SimileAjax.Graphics._bubblePadding=15; +SimileAjax.Graphics._bubblePointOffset=6; +SimileAjax.Graphics._halfArrowWidth=18; +SimileAjax.Graphics.createBubbleForContentAndPoint=function(E,D,B,A,C){if(typeof A!="number"){A=300; +}E.style.position="absolute"; +E.style.left="-5000px"; +E.style.top="0px"; +E.style.width=A+"px"; +document.body.appendChild(E); +window.setTimeout(function(){var F=E.scrollWidth+10; +var H=E.scrollHeight+10; +var G=SimileAjax.Graphics.createBubbleForPoint(D,B,F,H,C); +document.body.removeChild(E); +E.style.position="static"; +E.style.left=""; +E.style.top=""; +E.style.width=F+"px"; +G.content.appendChild(E); +},200); +}; +SimileAjax.Graphics.createBubbleForPoint=function(B,A,M,Q,H){function S(){if(typeof window.innerHeight=="number"){return{w:window.innerWidth,h:window.innerHeight}; +}else{if(document.documentElement&&document.documentElement.clientHeight){return{w:document.documentElement.clientWidth,h:document.documentElement.clientHeight}; +}else{if(document.body&&document.body.clientHeight){return{w:document.body.clientWidth,h:document.body.clientHeight}; +}}}}var L=function(){if(!W._closed){document.body.removeChild(W._div); +W._doc=null; +W._div=null; +W._content=null; +W._closed=true; +}}; +var W={_closed:false}; +var O=S(); +var E=O.w; +var F=O.h; +var C=SimileAjax.Graphics._bubbleMargins; +M=parseInt(M,10); +Q=parseInt(Q,10); +var N=C.left+M+C.right; +var T=C.top+Q+C.bottom; +var R=SimileAjax.Graphics.pngIsTranslucent; +var D=SimileAjax.urlPrefix; +var J=function(Y,X,Z,a){Y.style.position="absolute"; +Y.style.width=Z+"px"; +Y.style.height=a+"px"; +if(R){Y.style.background="url("+X+")"; +}else{Y.style.filter="progid:DXImageTransform.Microsoft.AlphaImageLoader(src='"+X+"', sizingMethod='crop')"; +}}; +var K=document.createElement("div"); +K.style.width=N+"px"; +K.style.height=T+"px"; +K.style.position="absolute"; +K.style.zIndex=1000; +var V=SimileAjax.WindowManager.pushLayer(L,true,K); +W._div=K; +W.close=function(){SimileAjax.WindowManager.popLayer(V); +}; +var G=document.createElement("div"); +G.style.width="100%"; +G.style.height="100%"; +G.style.position="relative"; +K.appendChild(G); +var P=function(X,c,b,Y,a){var Z=document.createElement("div"); +Z.style.left=c+"px"; +Z.style.top=b+"px"; +J(Z,X,Y,a); +G.appendChild(Z); +}; +P(D+"images/bubble-top-left.png",0,0,C.left,C.top); +P(D+"images/bubble-top.png",C.left,0,M,C.top); +P(D+"images/bubble-top-right.png",C.left+M,0,C.right,C.top); +P(D+"images/bubble-left.png",0,C.top,C.left,Q); +P(D+"images/bubble-right.png",C.left+M,C.top,C.right,Q); +P(D+"images/bubble-bottom-left.png",0,C.top+Q,C.left,C.bottom); +P(D+"images/bubble-bottom.png",C.left,C.top+Q,M,C.bottom); +P(D+"images/bubble-bottom-right.png",C.left+M,C.top+Q,C.right,C.bottom); +var U=document.createElement("div"); +U.style.left=(N-C.right+SimileAjax.Graphics._bubblePadding-16-2)+"px"; +U.style.top=(C.top-SimileAjax.Graphics._bubblePadding+1)+"px"; +U.style.cursor="pointer"; +J(U,D+"images/close-button.png",16,16); +SimileAjax.WindowManager.registerEventWithObject(U,"click",W,"close"); +G.appendChild(U); +var I=document.createElement("div"); +I.style.position="absolute"; +I.style.left=C.left+"px"; +I.style.top=C.top+"px"; +I.style.width=M+"px"; +I.style.height=Q+"px"; +I.style.overflow="auto"; +I.style.background="white"; +G.appendChild(I); +W.content=I; +(function(){if(B-SimileAjax.Graphics._halfArrowWidth-SimileAjax.Graphics._bubblePadding>0&&B+SimileAjax.Graphics._halfArrowWidth+SimileAjax.Graphics._bubblePadding<E){var Z=B-Math.round(M/2)-C.left; +Z=B<(E/2)?Math.max(Z,-(C.left-SimileAjax.Graphics._bubblePadding)):Math.min(Z,E+(C.right-SimileAjax.Graphics._bubblePadding)-N); +if((H&&H=="top")||(!H&&(A-SimileAjax.Graphics._bubblePointOffset-T>0))){var X=document.createElement("div"); +X.style.left=(B-SimileAjax.Graphics._halfArrowWidth-Z)+"px"; +X.style.top=(C.top+Q)+"px"; +J(X,D+"images/bubble-bottom-arrow.png",37,C.bottom); +G.appendChild(X); +K.style.left=Z+"px"; +K.style.top=(A-SimileAjax.Graphics._bubblePointOffset-T+SimileAjax.Graphics._arrowOffsets.bottom)+"px"; +return ; +}else{if((H&&H=="bottom")||(!H&&(A+SimileAjax.Graphics._bubblePointOffset+T<F))){var X=document.createElement("div"); +X.style.left=(B-SimileAjax.Graphics._halfArrowWidth-Z)+"px"; +X.style.top="0px"; +J(X,D+"images/bubble-top-arrow.png",37,C.top); +G.appendChild(X); +K.style.left=Z+"px"; +K.style.top=(A+SimileAjax.Graphics._bubblePointOffset-SimileAjax.Graphics._arrowOffsets.top)+"px"; +return ; +}}}var Y=A-Math.round(Q/2)-C.top; +Y=A<(F/2)?Math.max(Y,-(C.top-SimileAjax.Graphics._bubblePadding)):Math.min(Y,F+(C.bottom-SimileAjax.Graphics._bubblePadding)-T); +if((H&&H=="left")||(!H&&(B-SimileAjax.Graphics._bubblePointOffset-N>0))){var X=document.createElement("div"); +X.style.left=(C.left+M)+"px"; +X.style.top=(A-SimileAjax.Graphics._halfArrowWidth-Y)+"px"; +J(X,D+"images/bubble-right-arrow.png",C.right,37); +G.appendChild(X); +K.style.left=(B-SimileAjax.Graphics._bubblePointOffset-N+SimileAjax.Graphics._arrowOffsets.right)+"px"; +K.style.top=Y+"px"; +}else{if((H&&H=="right")||(!H&&(B-SimileAjax.Graphics._bubblePointOffset-N<E))){var X=document.createElement("div"); +X.style.left="0px"; +X.style.top=(A-SimileAjax.Graphics._halfArrowWidth-Y)+"px"; +J(X,D+"images/bubble-left-arrow.png",C.left,37); +G.appendChild(X); +K.style.left=(B+SimileAjax.Graphics._bubblePointOffset-SimileAjax.Graphics._arrowOffsets.left)+"px"; +K.style.top=Y+"px"; +}}})(); +document.body.appendChild(K); +return W; +}; +SimileAjax.Graphics.createMessageBubble=function(H){var G=H.createElement("div"); +if(SimileAjax.Graphics.pngIsTranslucent){var I=H.createElement("div"); +I.style.height="33px"; +I.style.background="url("+SimileAjax.urlPrefix+"images/message-top-left.png) top left no-repeat"; +I.style.paddingLeft="44px"; +G.appendChild(I); +var D=H.createElement("div"); +D.style.height="33px"; +D.style.background="url("+SimileAjax.urlPrefix+"images/message-top-right.png) top right no-repeat"; +I.appendChild(D); +var F=H.createElement("div"); +F.style.background="url("+SimileAjax.urlPrefix+"images/message-left.png) top left repeat-y"; +F.style.paddingLeft="44px"; +G.appendChild(F); +var B=H.createElement("div"); +B.style.background="url("+SimileAjax.urlPrefix+"images/message-right.png) top right repeat-y"; +B.style.paddingRight="44px"; +F.appendChild(B); +var C=H.createElement("div"); +B.appendChild(C); +var E=H.createElement("div"); +E.style.height="55px"; +E.style.background="url("+SimileAjax.urlPrefix+"images/message-bottom-left.png) bottom left no-repeat"; +E.style.paddingLeft="44px"; +G.appendChild(E); +var A=H.createElement("div"); +A.style.height="55px"; +A.style.background="url("+SimileAjax.urlPrefix+"images/message-bottom-right.png) bottom right no-repeat"; +E.appendChild(A); +}else{G.style.border="2px solid #7777AA"; +G.style.padding="20px"; +G.style.background="white"; +SimileAjax.Graphics.setOpacity(G,90); +var C=H.createElement("div"); +G.appendChild(C); +}return{containerDiv:G,contentDiv:C}; +}; +SimileAjax.Graphics.createAnimation=function(B,E,D,C,A){return new SimileAjax.Graphics._Animation(B,E,D,C,A); +}; +SimileAjax.Graphics._Animation=function(B,E,D,C,A){this.f=B; +this.cont=(typeof A=="function")?A:function(){}; +this.from=E; +this.to=D; +this.current=E; +this.duration=C; +this.start=new Date().getTime(); +this.timePassed=0; +}; +SimileAjax.Graphics._Animation.prototype.run=function(){var A=this; +window.setTimeout(function(){A.step(); +},50); +}; +SimileAjax.Graphics._Animation.prototype.step=function(){this.timePassed+=50; +var A=this.timePassed/this.duration; +var B=-Math.cos(A*Math.PI)/2+0.5; +var D=B*(this.to-this.from)+this.from; +try{this.f(D,D-this.current); +}catch(C){}this.current=D; +if(this.timePassed<this.duration){this.run(); +}else{this.f(this.to,0); +this["cont"](); +}}; +SimileAjax.Graphics.createStructuredDataCopyButton=function(F,B,D,E){var G=document.createElement("div"); +G.style.position="relative"; +G.style.display="inline"; +G.style.width=B+"px"; +G.style.height=D+"px"; +G.style.overflow="hidden"; +G.style.margin="2px"; +if(SimileAjax.Graphics.pngIsTranslucent){G.style.background="url("+F+") no-repeat"; +}else{G.style.filter="progid:DXImageTransform.Microsoft.AlphaImageLoader(src='"+F+"', sizingMethod='image')"; +}var A; +if(SimileAjax.Platform.browser.isIE){A="filter:alpha(opacity=0)"; +}else{A="opacity: 0"; +}G.innerHTML="<textarea rows='1' autocomplete='off' value='none' style='"+A+"' />"; +var C=G.firstChild; +C.style.width=B+"px"; +C.style.height=D+"px"; +C.onmousedown=function(H){H=(H)?H:((event)?event:null); +if(H.button==2){C.value=E(); +C.select(); +}}; +return G; +}; +SimileAjax.Graphics.getFontRenderingContext=function(A,B){return new SimileAjax.Graphics._FontRenderingContext(A,B); +}; +SimileAjax.Graphics._FontRenderingContext=function(A,B){this._elmt=A; +this._elmt.style.visibility="hidden"; +if(typeof B=="string"){this._elmt.style.width=B; +}else{if(typeof B=="number"){this._elmt.style.width=B+"px"; +}}}; +SimileAjax.Graphics._FontRenderingContext.prototype.dispose=function(){this._elmt=null; +}; +SimileAjax.Graphics._FontRenderingContext.prototype.update=function(){this._elmt.innerHTML="A"; +this._lineHeight=this._elmt.offsetHeight; +}; +SimileAjax.Graphics._FontRenderingContext.prototype.computeSize=function(A){this._elmt.innerHTML=A; +return{width:this._elmt.offsetWidth,height:this._elmt.offsetHeight}; +}; +SimileAjax.Graphics._FontRenderingContext.prototype.getLineHeight=function(){return this._lineHeight; +}; + + +/* history.js */ +SimileAjax.History={maxHistoryLength:10,historyFile:"__history__.html",enabled:true,_initialized:false,_listeners:new SimileAjax.ListenerQueue(),_actions:[],_baseIndex:0,_currentIndex:0,_plainDocumentTitle:document.title}; +SimileAjax.History.formatHistoryEntryTitle=function(A){return SimileAjax.History._plainDocumentTitle+" {"+A+"}"; +}; +SimileAjax.History.initialize=function(){if(SimileAjax.History._initialized){return ; +}if(SimileAjax.History.enabled){var A=document.createElement("iframe"); +A.id="simile-ajax-history"; +A.style.position="absolute"; +A.style.width="10px"; +A.style.height="10px"; +A.style.top="0px"; +A.style.left="0px"; +A.style.visibility="hidden"; +A.src=SimileAjax.History.historyFile+"?0"; +document.body.appendChild(A); +SimileAjax.DOM.registerEvent(A,"load",SimileAjax.History._handleIFrameOnLoad); +SimileAjax.History._iframe=A; +}SimileAjax.History._initialized=true; +}; +SimileAjax.History.addListener=function(A){SimileAjax.History.initialize(); +SimileAjax.History._listeners.add(A); +}; +SimileAjax.History.removeListener=function(A){SimileAjax.History.initialize(); +SimileAjax.History._listeners.remove(A); +}; +SimileAjax.History.addAction=function(A){SimileAjax.History.initialize(); +SimileAjax.History._listeners.fire("onBeforePerform",[A]); +window.setTimeout(function(){try{A.perform(); +SimileAjax.History._listeners.fire("onAfterPerform",[A]); +if(SimileAjax.History.enabled){SimileAjax.History._actions=SimileAjax.History._actions.slice(0,SimileAjax.History._currentIndex-SimileAjax.History._baseIndex); +SimileAjax.History._actions.push(A); +SimileAjax.History._currentIndex++; +var C=SimileAjax.History._actions.length-SimileAjax.History.maxHistoryLength; +if(C>0){SimileAjax.History._actions=SimileAjax.History._actions.slice(C); +SimileAjax.History._baseIndex+=C; +}try{SimileAjax.History._iframe.contentWindow.location.search="?"+SimileAjax.History._currentIndex; +}catch(B){var D=SimileAjax.History.formatHistoryEntryTitle(A.label); +document.title=D; +}}}catch(B){SimileAjax.Debug.exception(B,"Error adding action {"+A.label+"} to history"); +}},0); +}; +SimileAjax.History.addLengthyAction=function(B,A,C){SimileAjax.History.addAction({perform:B,undo:A,label:C,uiLayer:SimileAjax.WindowManager.getBaseLayer(),lengthy:true}); +}; +SimileAjax.History._handleIFrameOnLoad=function(){try{var B=SimileAjax.History._iframe.contentWindow.location.search; +var F=(B.length==0)?0:Math.max(0,parseInt(B.substr(1))); +var D=function(){var G=F-SimileAjax.History._currentIndex; +SimileAjax.History._currentIndex+=G; +SimileAjax.History._baseIndex+=G; +SimileAjax.History._iframe.contentWindow.location.search="?"+F; +}; +if(F<SimileAjax.History._currentIndex){SimileAjax.History._listeners.fire("onBeforeUndoSeveral",[]); +window.setTimeout(function(){while(SimileAjax.History._currentIndex>F&&SimileAjax.History._currentIndex>SimileAjax.History._baseIndex){SimileAjax.History._currentIndex--; +var G=SimileAjax.History._actions[SimileAjax.History._currentIndex-SimileAjax.History._baseIndex]; +try{G.undo(); +}catch(H){SimileAjax.Debug.exception(H,"History: Failed to undo action {"+G.label+"}"); +}}SimileAjax.History._listeners.fire("onAfterUndoSeveral",[]); +D(); +},0); +}else{if(F>SimileAjax.History._currentIndex){SimileAjax.History._listeners.fire("onBeforeRedoSeveral",[]); +window.setTimeout(function(){while(SimileAjax.History._currentIndex<F&&SimileAjax.History._currentIndex-SimileAjax.History._baseIndex<SimileAjax.History._actions.length){var G=SimileAjax.History._actions[SimileAjax.History._currentIndex-SimileAjax.History._baseIndex]; +try{G.perform(); +}catch(H){SimileAjax.Debug.exception(H,"History: Failed to redo action {"+G.label+"}"); +}SimileAjax.History._currentIndex++; +}SimileAjax.History._listeners.fire("onAfterRedoSeveral",[]); +D(); +},0); +}else{var A=SimileAjax.History._currentIndex-SimileAjax.History._baseIndex-1; +var E=(A>=0&&A<SimileAjax.History._actions.length)?SimileAjax.History.formatHistoryEntryTitle(SimileAjax.History._actions[A].label):SimileAjax.History._plainDocumentTitle; +SimileAjax.History._iframe.contentWindow.document.title=E; +document.title=E; +}}}catch(C){}}; +SimileAjax.History.getNextUndoAction=function(){try{var A=SimileAjax.History._currentIndex-SimileAjax.History._baseIndex-1; +return SimileAjax.History._actions[A]; +}catch(B){return null; +}}; +SimileAjax.History.getNextRedoAction=function(){try{var A=SimileAjax.History._currentIndex-SimileAjax.History._baseIndex; +return SimileAjax.History._actions[A]; +}catch(B){return null; +}}; + + +/* html.js */ +SimileAjax.HTML=new Object(); +SimileAjax.HTML._e2uHash={}; +(function(){var A=SimileAjax.HTML._e2uHash; +A["nbsp"]="\u00A0[space]"; +A["iexcl"]="\u00A1"; +A["cent"]="\u00A2"; +A["pound"]="\u00A3"; +A["curren"]="\u00A4"; +A["yen"]="\u00A5"; +A["brvbar"]="\u00A6"; +A["sect"]="\u00A7"; +A["uml"]="\u00A8"; +A["copy"]="\u00A9"; +A["ordf"]="\u00AA"; +A["laquo"]="\u00AB"; +A["not"]="\u00AC"; +A["shy"]="\u00AD"; +A["reg"]="\u00AE"; +A["macr"]="\u00AF"; +A["deg"]="\u00B0"; +A["plusmn"]="\u00B1"; +A["sup2"]="\u00B2"; +A["sup3"]="\u00B3"; +A["acute"]="\u00B4"; +A["micro"]="\u00B5"; +A["para"]="\u00B6"; +A["middot"]="\u00B7"; +A["cedil"]="\u00B8"; +A["sup1"]="\u00B9"; +A["ordm"]="\u00BA"; +A["raquo"]="\u00BB"; +A["frac14"]="\u00BC"; +A["frac12"]="\u00BD"; +A["frac34"]="\u00BE"; +A["iquest"]="\u00BF"; +A["Agrave"]="\u00C0"; +A["Aacute"]="\u00C1"; +A["Acirc"]="\u00C2"; +A["Atilde"]="\u00C3"; +A["Auml"]="\u00C4"; +A["Aring"]="\u00C5"; +A["AElig"]="\u00C6"; +A["Ccedil"]="\u00C7"; +A["Egrave"]="\u00C8"; +A["Eacute"]="\u00C9"; +A["Ecirc"]="\u00CA"; +A["Euml"]="\u00CB"; +A["Igrave"]="\u00CC"; +A["Iacute"]="\u00CD"; +A["Icirc"]="\u00CE"; +A["Iuml"]="\u00CF"; +A["ETH"]="\u00D0"; +A["Ntilde"]="\u00D1"; +A["Ograve"]="\u00D2"; +A["Oacute"]="\u00D3"; +A["Ocirc"]="\u00D4"; +A["Otilde"]="\u00D5"; +A["Ouml"]="\u00D6"; +A["times"]="\u00D7"; +A["Oslash"]="\u00D8"; +A["Ugrave"]="\u00D9"; +A["Uacute"]="\u00DA"; +A["Ucirc"]="\u00DB"; +A["Uuml"]="\u00DC"; +A["Yacute"]="\u00DD"; +A["THORN"]="\u00DE"; +A["szlig"]="\u00DF"; +A["agrave"]="\u00E0"; +A["aacute"]="\u00E1"; +A["acirc"]="\u00E2"; +A["atilde"]="\u00E3"; +A["auml"]="\u00E4"; +A["aring"]="\u00E5"; +A["aelig"]="\u00E6"; +A["ccedil"]="\u00E7"; +A["egrave"]="\u00E8"; +A["eacute"]="\u00E9"; +A["ecirc"]="\u00EA"; +A["euml"]="\u00EB"; +A["igrave"]="\u00EC"; +A["iacute"]="\u00ED"; +A["icirc"]="\u00EE"; +A["iuml"]="\u00EF"; +A["eth"]="\u00F0"; +A["ntilde"]="\u00F1"; +A["ograve"]="\u00F2"; +A["oacute"]="\u00F3"; +A["ocirc"]="\u00F4"; +A["otilde"]="\u00F5"; +A["ouml"]="\u00F6"; +A["divide"]="\u00F7"; +A["oslash"]="\u00F8"; +A["ugrave"]="\u00F9"; +A["uacute"]="\u00FA"; +A["ucirc"]="\u00FB"; +A["uuml"]="\u00FC"; +A["yacute"]="\u00FD"; +A["thorn"]="\u00FE"; +A["yuml"]="\u00FF"; +A["quot"]="\u0022"; +A["amp"]="\u0026"; +A["lt"]="\u003C"; +A["gt"]="\u003E"; +A["OElig"]=""; +A["oelig"]="\u0153"; +A["Scaron"]="\u0160"; +A["scaron"]="\u0161"; +A["Yuml"]="\u0178"; +A["circ"]="\u02C6"; +A["tilde"]="\u02DC"; +A["ensp"]="\u2002"; +A["emsp"]="\u2003"; +A["thinsp"]="\u2009"; +A["zwnj"]="\u200C"; +A["zwj"]="\u200D"; +A["lrm"]="\u200E"; +A["rlm"]="\u200F"; +A["ndash"]="\u2013"; +A["mdash"]="\u2014"; +A["lsquo"]="\u2018"; +A["rsquo"]="\u2019"; +A["sbquo"]="\u201A"; +A["ldquo"]="\u201C"; +A["rdquo"]="\u201D"; +A["bdquo"]="\u201E"; +A["dagger"]="\u2020"; +A["Dagger"]="\u2021"; +A["permil"]="\u2030"; +A["lsaquo"]="\u2039"; +A["rsaquo"]="\u203A"; +A["euro"]="\u20AC"; +A["fnof"]="\u0192"; +A["Alpha"]="\u0391"; +A["Beta"]="\u0392"; +A["Gamma"]="\u0393"; +A["Delta"]="\u0394"; +A["Epsilon"]="\u0395"; +A["Zeta"]="\u0396"; +A["Eta"]="\u0397"; +A["Theta"]="\u0398"; +A["Iota"]="\u0399"; +A["Kappa"]="\u039A"; +A["Lambda"]="\u039B"; +A["Mu"]="\u039C"; +A["Nu"]="\u039D"; +A["Xi"]="\u039E"; +A["Omicron"]="\u039F"; +A["Pi"]="\u03A0"; +A["Rho"]="\u03A1"; +A["Sigma"]="\u03A3"; +A["Tau"]="\u03A4"; +A["Upsilon"]="\u03A5"; +A["Phi"]="\u03A6"; +A["Chi"]="\u03A7"; +A["Psi"]="\u03A8"; +A["Omega"]="\u03A9"; +A["alpha"]="\u03B1"; +A["beta"]="\u03B2"; +A["gamma"]="\u03B3"; +A["delta"]="\u03B4"; +A["epsilon"]="\u03B5"; +A["zeta"]="\u03B6"; +A["eta"]="\u03B7"; +A["theta"]="\u03B8"; +A["iota"]="\u03B9"; +A["kappa"]="\u03BA"; +A["lambda"]="\u03BB"; +A["mu"]="\u03BC"; +A["nu"]="\u03BD"; +A["xi"]="\u03BE"; +A["omicron"]="\u03BF"; +A["pi"]="\u03C0"; +A["rho"]="\u03C1"; +A["sigmaf"]="\u03C2"; +A["sigma"]="\u03C3"; +A["tau"]="\u03C4"; +A["upsilon"]="\u03C5"; +A["phi"]="\u03C6"; +A["chi"]="\u03C7"; +A["psi"]="\u03C8"; +A["omega"]="\u03C9"; +A["thetasym"]="\u03D1"; +A["upsih"]="\u03D2"; +A["piv"]="\u03D6"; +A["bull"]="\u2022"; +A["hellip"]="\u2026"; +A["prime"]="\u2032"; +A["Prime"]="\u2033"; +A["oline"]="\u203E"; +A["frasl"]="\u2044"; +A["weierp"]="\u2118"; +A["image"]="\u2111"; +A["real"]="\u211C"; +A["trade"]="\u2122"; +A["alefsym"]="\u2135"; +A["larr"]="\u2190"; +A["uarr"]="\u2191"; +A["rarr"]="\u2192"; +A["darr"]="\u2193"; +A["harr"]="\u2194"; +A["crarr"]="\u21B5"; +A["lArr"]="\u21D0"; +A["uArr"]="\u21D1"; +A["rArr"]="\u21D2"; +A["dArr"]="\u21D3"; +A["hArr"]="\u21D4"; +A["forall"]="\u2200"; +A["part"]="\u2202"; +A["exist"]="\u2203"; +A["empty"]="\u2205"; +A["nabla"]="\u2207"; +A["isin"]="\u2208"; +A["notin"]="\u2209"; +A["ni"]="\u220B"; +A["prod"]="\u220F"; +A["sum"]="\u2211"; +A["minus"]="\u2212"; +A["lowast"]="\u2217"; +A["radic"]="\u221A"; +A["prop"]="\u221D"; +A["infin"]="\u221E"; +A["ang"]="\u2220"; +A["and"]="\u2227"; +A["or"]="\u2228"; +A["cap"]="\u2229"; +A["cup"]="\u222A"; +A["int"]="\u222B"; +A["there4"]="\u2234"; +A["sim"]="\u223C"; +A["cong"]="\u2245"; +A["asymp"]="\u2248"; +A["ne"]="\u2260"; +A["equiv"]="\u2261"; +A["le"]="\u2264"; +A["ge"]="\u2265"; +A["sub"]="\u2282"; +A["sup"]="\u2283"; +A["nsub"]="\u2284"; +A["sube"]="\u2286"; +A["supe"]="\u2287"; +A["oplus"]="\u2295"; +A["otimes"]="\u2297"; +A["perp"]="\u22A5"; +A["sdot"]="\u22C5"; +A["lceil"]="\u2308"; +A["rceil"]="\u2309"; +A["lfloor"]="\u230A"; +A["rfloor"]="\u230B"; +A["lang"]="\u2329"; +A["rang"]="\u232A"; +A["loz"]="\u25CA"; +A["spades"]="\u2660"; +A["clubs"]="\u2663"; +A["hearts"]="\u2665"; +A["diams"]="\u2666"; +})(); +SimileAjax.HTML.deEntify=function(C){var D=SimileAjax.HTML._e2uHash; +var B=/&(\w+?);/; +while(B.test(C)){var A=C.match(B); +C=C.replace(B,D[A[1]]); +}return C; +}; + + +/* json.js */ +SimileAjax.JSON=new Object(); +(function(){var m={"\b":"\\b","\t":"\\t","\n":"\\n","\f":"\\f","\r":"\\r",'"':'\\"',"\\":"\\\\"}; +var s={array:function(x){var a=["["],b,f,i,l=x.length,v; +for(i=0; +i<l; +i+=1){v=x[i]; +f=s[typeof v]; +if(f){v=f(v); +if(typeof v=="string"){if(b){a[a.length]=","; +}a[a.length]=v; +b=true; +}}}a[a.length]="]"; +return a.join(""); +},"boolean":function(x){return String(x); +},"null":function(x){return"null"; +},number:function(x){return isFinite(x)?String(x):"null"; +},object:function(x){if(x){if(x instanceof Array){return s.array(x); +}var a=["{"],b,f,i,v; +for(i in x){v=x[i]; +f=s[typeof v]; +if(f){v=f(v); +if(typeof v=="string"){if(b){a[a.length]=","; +}a.push(s.string(i),":",v); +b=true; +}}}a[a.length]="}"; +return a.join(""); +}return"null"; +},string:function(x){if(/["\\\x00-\x1f]/.test(x)){x=x.replace(/([\x00-\x1f\\"])/g,function(a,b){var c=m[b]; +if(c){return c; +}c=b.charCodeAt(); +return"\\u00"+Math.floor(c/16).toString(16)+(c%16).toString(16); +}); +}return'"'+x+'"'; +}}; +SimileAjax.JSON.toJSONString=function(o){if(o instanceof Object){return s.object(o); +}else{if(o instanceof Array){return s.array(o); +}else{return o.toString(); +}}}; +SimileAjax.JSON.parseJSON=function(){try{return !(/[^,:{}\[\]0-9.\-+Eaeflnr-u \n\r\t]/.test(this.replace(/"(\\.|[^"\\])*"/g,"")))&&eval("("+this+")"); +}catch(e){return false; +}}; +})(); + + +/* string.js */ +String.prototype.trim=function(){return this.replace(/^\s+|\s+$/g,""); +}; +String.prototype.startsWith=function(A){return this.length>=A.length&&this.substr(0,A.length)==A; +}; +String.prototype.endsWith=function(A){return this.length>=A.length&&this.substr(this.length-A.length)==A; +}; +String.substitute=function(C,A){var D=""; +var F=0; +while(F<C.length-1){var B=C.indexOf("%",F); +if(B<0||B==C.length-1){break; +}else{if(B>F&&C.charAt(B-1)=="\\"){D+=C.substring(F,B-1)+"%"; +F=B+1; +}else{var E=parseInt(C.charAt(B+1)); +if(isNaN(E)||E>=A.length){D+=C.substring(F,B+2); +}else{D+=C.substring(F,B)+A[E].toString(); +}F=B+2; +}}}if(F<C.length){D+=C.substring(F); +}return D; +}; + + +/* units.js */ +SimileAjax.NativeDateUnit=new Object(); +SimileAjax.NativeDateUnit.makeDefaultValue=function(){return new Date(); +}; +SimileAjax.NativeDateUnit.cloneValue=function(A){return new Date(A.getTime()); +}; +SimileAjax.NativeDateUnit.getParser=function(A){if(typeof A=="string"){A=A.toLowerCase(); +}return(A=="iso8601"||A=="iso 8601")?SimileAjax.DateTime.parseIso8601DateTime:SimileAjax.DateTime.parseGregorianDateTime; +}; +SimileAjax.NativeDateUnit.parseFromObject=function(A){return SimileAjax.DateTime.parseGregorianDateTime(A); +}; +SimileAjax.NativeDateUnit.toNumber=function(A){return A.getTime(); +}; +SimileAjax.NativeDateUnit.fromNumber=function(A){return new Date(A); +}; +SimileAjax.NativeDateUnit.compare=function(D,C){var B,A; +if(typeof D=="object"){B=D.getTime(); +}else{B=Number(D); +}if(typeof C=="object"){A=C.getTime(); +}else{A=Number(C); +}return B-A; +}; +SimileAjax.NativeDateUnit.earlier=function(B,A){return SimileAjax.NativeDateUnit.compare(B,A)<0?B:A; +}; +SimileAjax.NativeDateUnit.later=function(B,A){return SimileAjax.NativeDateUnit.compare(B,A)>0?B:A; +}; +SimileAjax.NativeDateUnit.change=function(A,B){return new Date(A.getTime()+B); +}; + + +/* window-manager.js */ +SimileAjax.WindowManager={_initialized:false,_listeners:[],_draggedElement:null,_draggedElementCallback:null,_dropTargetHighlightElement:null,_lastCoords:null,_ghostCoords:null,_draggingMode:"",_dragging:false,_layers:[]}; +SimileAjax.WindowManager.initialize=function(){if(SimileAjax.WindowManager._initialized){return ; +}SimileAjax.DOM.registerEvent(document.body,"mousedown",SimileAjax.WindowManager._onBodyMouseDown); +SimileAjax.DOM.registerEvent(document.body,"mousemove",SimileAjax.WindowManager._onBodyMouseMove); +SimileAjax.DOM.registerEvent(document.body,"mouseup",SimileAjax.WindowManager._onBodyMouseUp); +SimileAjax.DOM.registerEvent(document,"keydown",SimileAjax.WindowManager._onBodyKeyDown); +SimileAjax.DOM.registerEvent(document,"keyup",SimileAjax.WindowManager._onBodyKeyUp); +SimileAjax.WindowManager._layers.push({index:0}); +SimileAjax.WindowManager._historyListener={onBeforeUndoSeveral:function(){},onAfterUndoSeveral:function(){},onBeforeUndo:function(){},onAfterUndo:function(){},onBeforeRedoSeveral:function(){},onAfterRedoSeveral:function(){},onBeforeRedo:function(){},onAfterRedo:function(){}}; +SimileAjax.History.addListener(SimileAjax.WindowManager._historyListener); +SimileAjax.WindowManager._initialized=true; +}; +SimileAjax.WindowManager.getBaseLayer=function(){SimileAjax.WindowManager.initialize(); +return SimileAjax.WindowManager._layers[0]; +}; +SimileAjax.WindowManager.getHighestLayer=function(){SimileAjax.WindowManager.initialize(); +return SimileAjax.WindowManager._layers[SimileAjax.WindowManager._layers.length-1]; +}; +SimileAjax.WindowManager.registerEventWithObject=function(D,A,E,B,C){SimileAjax.WindowManager.registerEvent(D,A,function(G,F,H){return E[B].call(E,G,F,H); +},C); +}; +SimileAjax.WindowManager.registerEvent=function(D,B,E,C){if(C==null){C=SimileAjax.WindowManager.getHighestLayer(); +}var A=function(G,F,I){if(SimileAjax.WindowManager._canProcessEventAtLayer(C)){SimileAjax.WindowManager._popToLayer(C.index); +try{E(G,F,I); +}catch(H){SimileAjax.Debug.exception(H); +}}SimileAjax.DOM.cancelEvent(F); +return false; +}; +SimileAjax.DOM.registerEvent(D,B,A); +}; +SimileAjax.WindowManager.pushLayer=function(C,D,B){var A={onPop:C,index:SimileAjax.WindowManager._layers.length,ephemeral:(D),elmt:B}; +SimileAjax.WindowManager._layers.push(A); +return A; +}; +SimileAjax.WindowManager.popLayer=function(B){for(var A=1; +A<SimileAjax.WindowManager._layers.length; +A++){if(SimileAjax.WindowManager._layers[A]==B){SimileAjax.WindowManager._popToLayer(A-1); +break; +}}}; +SimileAjax.WindowManager.popAllLayers=function(){SimileAjax.WindowManager._popToLayer(0); +}; +SimileAjax.WindowManager.registerForDragging=function(B,C,A){SimileAjax.WindowManager.registerEvent(B,"mousedown",function(E,D,F){SimileAjax.WindowManager._handleMouseDown(E,D,C); +},A); +}; +SimileAjax.WindowManager._popToLayer=function(C){while(C+1<SimileAjax.WindowManager._layers.length){try{var A=SimileAjax.WindowManager._layers.pop(); +if(A.onPop!=null){A.onPop(); +}}catch(B){}}}; +SimileAjax.WindowManager._canProcessEventAtLayer=function(B){if(B.index==(SimileAjax.WindowManager._layers.length-1)){return true; +}for(var A=B.index+1; +A<SimileAjax.WindowManager._layers.length; +A++){if(!SimileAjax.WindowManager._layers[A].ephemeral){return false; +}}return true; +}; +SimileAjax.WindowManager.cancelPopups=function(A){var F=(A)?SimileAjax.DOM.getEventPageCoordinates(A):{x:-1,y:-1}; +var E=SimileAjax.WindowManager._layers.length-1; +while(E>0&&SimileAjax.WindowManager._layers[E].ephemeral){var D=SimileAjax.WindowManager._layers[E]; +if(D.elmt!=null){var C=D.elmt; +var B=SimileAjax.DOM.getPageCoordinates(C); +if(F.x>=B.left&&F.x<(B.left+C.offsetWidth)&&F.y>=B.top&&F.y<(B.top+C.offsetHeight)){break; +}}E--; +}SimileAjax.WindowManager._popToLayer(E); +}; +SimileAjax.WindowManager._onBodyMouseDown=function(B,A,C){if(!("eventPhase" in A)||A.eventPhase==A.BUBBLING_PHASE){SimileAjax.WindowManager.cancelPopups(A); +}}; +SimileAjax.WindowManager._handleMouseDown=function(B,A,C){SimileAjax.WindowManager._draggedElement=B; +SimileAjax.WindowManager._draggedElementCallback=C; +SimileAjax.WindowManager._lastCoords={x:A.clientX,y:A.clientY}; +SimileAjax.DOM.cancelEvent(A); +return false; +}; +SimileAjax.WindowManager._onBodyKeyDown=function(C,A,D){if(SimileAjax.WindowManager._dragging){if(A.keyCode==27){SimileAjax.WindowManager._cancelDragging(); +}else{if((A.keyCode==17||A.keyCode==16)&&SimileAjax.WindowManager._draggingMode!="copy"){SimileAjax.WindowManager._draggingMode="copy"; +var B=SimileAjax.Graphics.createTranslucentImage(SimileAjax.urlPrefix+"images/copy.png"); +B.style.position="absolute"; +B.style.left=(SimileAjax.WindowManager._ghostCoords.left-16)+"px"; +B.style.top=(SimileAjax.WindowManager._ghostCoords.top)+"px"; +document.body.appendChild(B); +SimileAjax.WindowManager._draggingModeIndicatorElmt=B; +}}}}; +SimileAjax.WindowManager._onBodyKeyUp=function(B,A,C){if(SimileAjax.WindowManager._dragging){if(A.keyCode==17||A.keyCode==16){SimileAjax.WindowManager._draggingMode=""; +if(SimileAjax.WindowManager._draggingModeIndicatorElmt!=null){document.body.removeChild(SimileAjax.WindowManager._draggingModeIndicatorElmt); +SimileAjax.WindowManager._draggingModeIndicatorElmt=null; +}}}}; +SimileAjax.WindowManager._onBodyMouseMove=function(C,M,B){if(SimileAjax.WindowManager._draggedElement!=null){var L=SimileAjax.WindowManager._draggedElementCallback; +var G=SimileAjax.WindowManager._lastCoords; +var J=M.clientX-G.x; +var I=M.clientY-G.y; +if(!SimileAjax.WindowManager._dragging){if(Math.abs(J)>5||Math.abs(I)>5){try{if("onDragStart" in L){L.onDragStart(); +}if("ghost" in L&&L.ghost){var P=SimileAjax.WindowManager._draggedElement; +SimileAjax.WindowManager._ghostCoords=SimileAjax.DOM.getPageCoordinates(P); +SimileAjax.WindowManager._ghostCoords.left+=J; +SimileAjax.WindowManager._ghostCoords.top+=I; +var K=P.cloneNode(true); +K.style.position="absolute"; +K.style.left=SimileAjax.WindowManager._ghostCoords.left+"px"; +K.style.top=SimileAjax.WindowManager._ghostCoords.top+"px"; +K.style.zIndex=1000; +SimileAjax.Graphics.setOpacity(K,50); +document.body.appendChild(K); +L._ghostElmt=K; +}SimileAjax.WindowManager._dragging=true; +SimileAjax.WindowManager._lastCoords={x:M.clientX,y:M.clientY}; +document.body.focus(); +}catch(H){SimileAjax.Debug.exception("WindowManager: Error handling mouse down",H); +SimileAjax.WindowManager._cancelDragging(); +}}}else{try{SimileAjax.WindowManager._lastCoords={x:M.clientX,y:M.clientY}; +if("onDragBy" in L){L.onDragBy(J,I); +}if("_ghostElmt" in L){var K=L._ghostElmt; +SimileAjax.WindowManager._ghostCoords.left+=J; +SimileAjax.WindowManager._ghostCoords.top+=I; +K.style.left=SimileAjax.WindowManager._ghostCoords.left+"px"; +K.style.top=SimileAjax.WindowManager._ghostCoords.top+"px"; +if(SimileAjax.WindowManager._draggingModeIndicatorElmt!=null){var O=SimileAjax.WindowManager._draggingModeIndicatorElmt; +O.style.left=(SimileAjax.WindowManager._ghostCoords.left-16)+"px"; +O.style.top=SimileAjax.WindowManager._ghostCoords.top+"px"; +}if("droppable" in L&&L.droppable){var N=SimileAjax.DOM.getEventPageCoordinates(M); +var B=SimileAjax.DOM.hittest(N.x,N.y,[SimileAjax.WindowManager._ghostElmt,SimileAjax.WindowManager._dropTargetHighlightElement]); +B=SimileAjax.WindowManager._findDropTarget(B); +if(B!=SimileAjax.WindowManager._potentialDropTarget){if(SimileAjax.WindowManager._dropTargetHighlightElement!=null){document.body.removeChild(SimileAjax.WindowManager._dropTargetHighlightElement); +SimileAjax.WindowManager._dropTargetHighlightElement=null; +SimileAjax.WindowManager._potentialDropTarget=null; +}var A=false; +if(B!=null){if((!("canDropOn" in L)||L.canDropOn(B))&&(!("canDrop" in B)||B.canDrop(SimileAjax.WindowManager._draggedElement))){A=true; +}}if(A){var E=4; +var D=SimileAjax.DOM.getPageCoordinates(B); +var F=document.createElement("div"); +F.style.border=E+"px solid yellow"; +F.style.backgroundColor="yellow"; +F.style.position="absolute"; +F.style.left=D.left+"px"; +F.style.top=D.top+"px"; +F.style.width=(B.offsetWidth-E*2)+"px"; +F.style.height=(B.offsetHeight-E*2)+"px"; +SimileAjax.Graphics.setOpacity(F,30); +document.body.appendChild(F); +SimileAjax.WindowManager._potentialDropTarget=B; +SimileAjax.WindowManager._dropTargetHighlightElement=F; +}}}}}catch(H){SimileAjax.Debug.exception("WindowManager: Error handling mouse move",H); +SimileAjax.WindowManager._cancelDragging(); +}}SimileAjax.DOM.cancelEvent(M); +return false; +}}; +SimileAjax.WindowManager._onBodyMouseUp=function(B,A,E){if(SimileAjax.WindowManager._draggedElement!=null){try{if(SimileAjax.WindowManager._dragging){var C=SimileAjax.WindowManager._draggedElementCallback; +if("onDragEnd" in C){C.onDragEnd(); +}if("droppable" in C&&C.droppable){var D=false; +var E=SimileAjax.WindowManager._potentialDropTarget; +if(E!=null){if((!("canDropOn" in C)||C.canDropOn(E))&&(!("canDrop" in E)||E.canDrop(SimileAjax.WindowManager._draggedElement))){if("onDropOn" in C){C.onDropOn(E); +}E.ondrop(SimileAjax.WindowManager._draggedElement,SimileAjax.WindowManager._draggingMode); +D=true; +}}if(!D){}}}}finally{SimileAjax.WindowManager._cancelDragging(); +}SimileAjax.DOM.cancelEvent(A); +return false; +}}; +SimileAjax.WindowManager._cancelDragging=function(){var A=SimileAjax.WindowManager._draggedElementCallback; +if("_ghostElmt" in A){var B=A._ghostElmt; +document.body.removeChild(B); +delete A._ghostElmt; +}if(SimileAjax.WindowManager._dropTargetHighlightElement!=null){document.body.removeChild(SimileAjax.WindowManager._dropTargetHighlightElement); +SimileAjax.WindowManager._dropTargetHighlightElement=null; +}if(SimileAjax.WindowManager._draggingModeIndicatorElmt!=null){document.body.removeChild(SimileAjax.WindowManager._draggingModeIndicatorElmt); +SimileAjax.WindowManager._draggingModeIndicatorElmt=null; +}SimileAjax.WindowManager._draggedElement=null; +SimileAjax.WindowManager._draggedElementCallback=null; +SimileAjax.WindowManager._potentialDropTarget=null; +SimileAjax.WindowManager._dropTargetHighlightElement=null; +SimileAjax.WindowManager._lastCoords=null; +SimileAjax.WindowManager._ghostCoords=null; +SimileAjax.WindowManager._draggingMode=""; +SimileAjax.WindowManager._dragging=false; +}; +SimileAjax.WindowManager._findDropTarget=function(A){while(A!=null){if("ondrop" in A&&(typeof A.ondrop)=="function"){break; +}A=A.parentNode; +}return A; +}; + + +/* xmlhttp.js */ +SimileAjax.XmlHttp=new Object(); +SimileAjax.XmlHttp._onReadyStateChange=function(A,D,B){switch(A.readyState){case 4:try{if(A.status==0||A.status==200){if(B){B(A); +}}else{if(D){D(A.statusText,A.status,A); +}}}catch(C){SimileAjax.Debug.exception("XmlHttp: Error handling onReadyStateChange",C); +}break; +}}; +SimileAjax.XmlHttp._createRequest=function(){if(SimileAjax.Platform.browser.isIE){var B=["Msxml2.XMLHTTP","Microsoft.XMLHTTP","Msxml2.XMLHTTP.4.0"]; +for(var C=0; +C<B.length; +C++){try{var A=B[C]; +var D=function(){return new ActiveXObject(A); +}; +var F=D(); +SimileAjax.XmlHttp._createRequest=D; +return F; +}catch(E){}}}try{var D=function(){return new XMLHttpRequest(); +}; +var F=D(); +SimileAjax.XmlHttp._createRequest=D; +return F; +}catch(E){throw new Error("Failed to create an XMLHttpRequest object"); +}}; +SimileAjax.XmlHttp.get=function(B,D,C){var A=SimileAjax.XmlHttp._createRequest(); +A.open("GET",B,true); +A.onreadystatechange=function(){SimileAjax.XmlHttp._onReadyStateChange(A,D,C); +}; +A.send(null); +}; +SimileAjax.XmlHttp.post=function(C,A,E,D){var B=SimileAjax.XmlHttp._createRequest(); +B.open("POST",C,true); +B.onreadystatechange=function(){SimileAjax.XmlHttp._onReadyStateChange(B,E,D); +}; +B.send(A); +}; +SimileAjax.XmlHttp._forceXML=function(A){try{A.overrideMimeType("text/xml"); +}catch(B){A.setrequestheader("Content-Type","text/xml"); +}}; diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/blue-circle.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/blue-circle.png Binary files differnew file mode 100644 index 000000000..9ef045c33 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/blue-circle.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-bottom-arrow.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-bottom-arrow.png Binary files differnew file mode 100644 index 000000000..38c391714 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-bottom-arrow.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-bottom-left.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-bottom-left.png Binary files differnew file mode 100644 index 000000000..6d320266f --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-bottom-left.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-bottom-right.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-bottom-right.png Binary files differnew file mode 100644 index 000000000..e5dc1367c --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-bottom-right.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-bottom.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-bottom.png Binary files differnew file mode 100644 index 000000000..166b05735 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-bottom.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-left-arrow.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-left-arrow.png Binary files differnew file mode 100644 index 000000000..5b173cd4e --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-left-arrow.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-left.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-left.png Binary files differnew file mode 100644 index 000000000..38267220a --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-left.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-right-arrow.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-right-arrow.png Binary files differnew file mode 100644 index 000000000..11e287364 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-right-arrow.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-right.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-right.png Binary files differnew file mode 100644 index 000000000..f66f87919 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-right.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-top-arrow.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-top-arrow.png Binary files differnew file mode 100644 index 000000000..524c46e78 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-top-arrow.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-top-left.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-top-left.png Binary files differnew file mode 100644 index 000000000..d69841f82 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-top-left.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-top-right.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-top-right.png Binary files differnew file mode 100644 index 000000000..9ab219aea --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-top-right.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-top.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-top.png Binary files differnew file mode 100644 index 000000000..917defaf5 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/bubble-top.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/close-button.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/close-button.png Binary files differnew file mode 100644 index 000000000..15f31b3cc --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/close-button.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/copyright-vertical.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/copyright-vertical.png Binary files differnew file mode 100644 index 000000000..b15197b4f --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/copyright-vertical.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/copyright.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/copyright.png Binary files differnew file mode 100644 index 000000000..bcf69c6dd --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/copyright.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/dark-blue-circle.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/dark-blue-circle.png Binary files differnew file mode 100644 index 000000000..2747397be --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/dark-blue-circle.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/dark-green-circle.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/dark-green-circle.png Binary files differnew file mode 100644 index 000000000..903f9fdc3 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/dark-green-circle.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/dark-red-circle.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/dark-red-circle.png Binary files differnew file mode 100644 index 000000000..5cbb085dd --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/dark-red-circle.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/dull-blue-circle.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/dull-blue-circle.png Binary files differnew file mode 100644 index 000000000..19dd0da8f --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/dull-blue-circle.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/dull-green-circle.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/dull-green-circle.png Binary files differnew file mode 100644 index 000000000..eecf66571 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/dull-green-circle.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/dull-red-circle.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/dull-red-circle.png Binary files differnew file mode 100644 index 000000000..2ff011129 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/dull-red-circle.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/gray-circle.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/gray-circle.png Binary files differnew file mode 100644 index 000000000..39360d7aa --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/gray-circle.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/green-circle.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/green-circle.png Binary files differnew file mode 100644 index 000000000..a5fc15c57 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/green-circle.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/message-bottom-left.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/message-bottom-left.png Binary files differnew file mode 100644 index 000000000..43a9d6167 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/message-bottom-left.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/message-bottom-right.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/message-bottom-right.png Binary files differnew file mode 100644 index 000000000..bfa4954e1 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/message-bottom-right.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/message-left.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/message-left.png Binary files differnew file mode 100644 index 000000000..f354376bd --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/message-left.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/message-right.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/message-right.png Binary files differnew file mode 100644 index 000000000..4702c2850 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/message-right.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/message-top-left.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/message-top-left.png Binary files differnew file mode 100644 index 000000000..b19b0eaeb --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/message-top-left.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/message-top-right.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/message-top-right.png Binary files differnew file mode 100644 index 000000000..c092555fd --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/message-top-right.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/progress-running.gif b/mod/graphstats/vendors/simile-timeline/timeline_js/images/progress-running.gif Binary files differnew file mode 100644 index 000000000..f7429ebc3 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/progress-running.gif diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/red-circle.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/red-circle.png Binary files differnew file mode 100644 index 000000000..d56e73438 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/red-circle.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/images/top-bubble.png b/mod/graphstats/vendors/simile-timeline/timeline_js/images/top-bubble.png Binary files differnew file mode 100644 index 000000000..db6c93d0d --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/images/top-bubble.png diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/cs/labellers.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/cs/labellers.js new file mode 100644 index 000000000..954c7a814 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/cs/labellers.js @@ -0,0 +1,30 @@ +/*==================================================
+ * Localization of labellers.js
+ *==================================================
+ */
+
+Timeline.GregorianDateLabeller.monthNames["cs"] = [
+ "Leden", "nor", "Bezen", "Duben", "Kvten", "erven", "ervenec", "Srpen", "Z", "jen", "Listopad", "Prosinec"
+];
+
+Timeline.GregorianDateLabeller.dayNames["cs"] = [
+ "Ne", "Po", "t", "St", "t", "P", "So"
+];
+
+Timeline.GregorianDateLabeller.labelIntervalFunctions["cs"] = function(date, intervalUnit) {
+ var text;
+ var emphasized = false;
+
+ var date2 = Timeline.DateTime.removeTimeZoneOffset(date, this._timeZone);
+
+ switch(intervalUnit) {
+ case Timeline.DateTime.DAY:
+ case Timeline.DateTime.WEEK:
+ text = date2.getUTCDate() + ". " + (date2.getUTCMonth() + 1) + ".";
+ break;
+ default:
+ return this.defaultLabelInterval(date, intervalUnit);
+ }
+
+ return { text: text, emphasized: emphasized };
+};
diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/cs/timeline.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/cs/timeline.js new file mode 100644 index 000000000..d823a5197 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/cs/timeline.js @@ -0,0 +1,9 @@ +/*==================================================
+ * Common localization strings
+ *==================================================
+ */
+
+Timeline.strings["cs"] = {
+ wikiLinkLabel: "Diskuze"
+};
+
diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/de/labellers.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/de/labellers.js new file mode 100644 index 000000000..f0eb7df1c --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/de/labellers.js @@ -0,0 +1,27 @@ +/*================================================== + * Localization of labellers.js + *================================================== + */ + +Timeline.GregorianDateLabeller.monthNames["de"] = [ + "Jan", "Feb", "Mrz", "Apr", "Mai", "Jun", "Jul", "Aug", "Sep", "Okt", "Nov", "Dez" +]; + +Timeline.GregorianDateLabeller.labelIntervalFunctions["de"] = function(date, intervalUnit) { + var text; + var emphasized = false; + + var date2 = Timeline.DateTime.removeTimeZoneOffset(date, this._timeZone); + + switch(intervalUnit) { + case Timeline.DateTime.DAY: + case Timeline.DateTime.WEEK: + text = date2.getUTCDate() + ". " + + Timeline.GregorianDateLabeller.getMonthName(date2.getUTCMonth(), this._locale); + break; + default: + return this.defaultLabelInterval(date, intervalUnit); + } + + return { text: text, emphasized: emphasized }; +};
\ No newline at end of file diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/de/timeline.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/de/timeline.js new file mode 100644 index 000000000..7292cef29 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/de/timeline.js @@ -0,0 +1,8 @@ +/*================================================== + * Common localization strings + *================================================== + */ + +Timeline.strings["de"] = { + wikiLinkLabel: "Diskutieren" +}; diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/en/labellers.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/en/labellers.js new file mode 100644 index 000000000..3f1beb6e2 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/en/labellers.js @@ -0,0 +1,8 @@ +/*================================================== + * Localization of labellers.js + *================================================== + */ + +Timeline.GregorianDateLabeller.monthNames["en"] = [ + "Jan", "Feb", "Mar", "Apr", "May", "Jun", "Jul", "Aug", "Sep", "Oct", "Nov", "Dec" +]; diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/en/timeline.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/en/timeline.js new file mode 100644 index 000000000..c6b70dda2 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/en/timeline.js @@ -0,0 +1,9 @@ +/*================================================== + * Common localization strings + *================================================== + */ + +Timeline.strings["en"] = { + wikiLinkLabel: "Discuss" +}; + diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/es/labellers.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/es/labellers.js new file mode 100644 index 000000000..963038e2d --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/es/labellers.js @@ -0,0 +1,8 @@ +/*================================================== + * Localization of labellers.js + *================================================== + */ + +Timeline.GregorianDateLabeller.monthNames["es"] = [ + "Ene", "Feb", "Mar", "Abr", "May", "Jun", "Jul", "Ago", "Sep", "Oct", "Nov", "Dic" +]; diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/es/timeline.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/es/timeline.js new file mode 100644 index 000000000..2a5183c0b --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/es/timeline.js @@ -0,0 +1,9 @@ +/*================================================== + * Common localization strings + *================================================== + */ + +Timeline.strings["es"] = { + wikiLinkLabel: "Discute" +}; + diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/fr/labellers.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/fr/labellers.js new file mode 100644 index 000000000..5e7392a79 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/fr/labellers.js @@ -0,0 +1,8 @@ +/*================================================== + * Localization of labellers.js + *================================================== + */ + +Timeline.GregorianDateLabeller.monthNames["fr"] = [ + "jan", "fev", "mar", "avr", "mai", "jui", "jui", "aou", "sep", "oct", "nov", "dec" +]; diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/fr/timeline.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/fr/timeline.js new file mode 100644 index 000000000..459cc3842 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/fr/timeline.js @@ -0,0 +1,9 @@ +/*================================================== + * Common localization strings + *================================================== + */ + +Timeline.strings["fr"] = { + wikiLinkLabel: "Discute" +}; + diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/it/labellers.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/it/labellers.js new file mode 100644 index 000000000..85d50d470 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/it/labellers.js @@ -0,0 +1,8 @@ +/*================================================== + * Localization of labellers.js + *================================================== + */ + +Timeline.GregorianDateLabeller.monthNames["it"] = [ + "Gen", "Feb", "Mar", "Apr", "Mag", "Giu", "Lug", "Ago", "Set", "Ott", "Nov", "Dic" +]; diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/it/timeline.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/it/timeline.js new file mode 100644 index 000000000..69582dc6e --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/it/timeline.js @@ -0,0 +1,9 @@ +/*================================================== + * Common localization strings + *================================================== + */ + +Timeline.strings["it"] = { + wikiLinkLabel: "Discuti" +}; + diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/nl/labellers.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/nl/labellers.js new file mode 100644 index 000000000..007c91ba7 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/nl/labellers.js @@ -0,0 +1,11 @@ +/*================================================== + * Localization of labellers.js + *================================================== + */ + +/* The Dutch do not capitalize months +*/ + +Timeline.GregorianDateLabeller.monthNames["nl"] = [ + "jan", "feb", "mrt", "apr", "mei", "jun", "jul", "aug", "sep", "okt", "nov", "dec" +]; diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/nl/timeline.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/nl/timeline.js new file mode 100644 index 000000000..e2799e385 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/nl/timeline.js @@ -0,0 +1,9 @@ +/*================================================== + * Common localization strings + *================================================== + */ + +Timeline.strings["nl"] = { + wikiLinkLabel: "Discussieer" +}; + diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/ru/labellers.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/ru/labellers.js new file mode 100644 index 000000000..b7545d601 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/ru/labellers.js @@ -0,0 +1,10 @@ +/*================================================== + * Localization of labellers.js + * + * UTF-8 encoded + *================================================== + */ + +Timeline.GregorianDateLabeller.monthNames["ru"] = [ + "Янв", "Фев", "Мар", "Апр", "Май", "Июн", "Июл", "Авг", "Сен", "Окт", "Ноя", "Дек" +]; diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/ru/timeline.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/ru/timeline.js new file mode 100644 index 000000000..af5fcc7a8 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/ru/timeline.js @@ -0,0 +1,9 @@ +/*================================================== + * Common localization strings + *================================================== + */ + +Timeline.strings["ru"] = { + wikiLinkLabel: "обсудите" +}; + diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/se/labellers.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/se/labellers.js new file mode 100644 index 000000000..378cda18b --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/se/labellers.js @@ -0,0 +1,12 @@ +/*================================================== + * Localization of labellers.js + *================================================== + */ + +Timeline.GregorianDateLabeller.monthNames["se"] = [
+ "Jan", "Feb", "Mar", "Apr", "Maj", "Jun", "Jul", "Aug", "Sep", "Okt", "Nov", "Dec"
+]; + +Timeline.GregorianDateLabeller.dayNames["se"] = [
+ "Sön", "Mån", "Tis", "Ons", "Tors", "Fre", "Lör"
+]; diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/se/timeline.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/se/timeline.js new file mode 100644 index 000000000..31751ac1f --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/se/timeline.js @@ -0,0 +1,9 @@ +/*================================================== + * Common localization strings + *================================================== + */ + +Timeline.strings["se"] = { + wikiLinkLabel: "Discuss" +}; + diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/tr/labellers.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/tr/labellers.js new file mode 100644 index 000000000..5d4dd72f3 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/tr/labellers.js @@ -0,0 +1,8 @@ +/*================================================== + * Localization of labellers.js + *================================================== + */ + +Timeline.GregorianDateLabeller.monthNames["tr"] = [ + "Ock", "Şbt", "Mrt", "Nsn", "Mys", "Hzr", "Tem", "Ağs", "Eyl", "Ekm", "Ksm", "Arl" +]; diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/tr/timeline.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/tr/timeline.js new file mode 100644 index 000000000..696dc34e0 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/tr/timeline.js @@ -0,0 +1,9 @@ +/*================================================== + * Common localization strings + *================================================== + */ + +Timeline.strings["tr"] = { + wikiLinkLabel: "Tartış" +}; + diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/vi/labellers.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/vi/labellers.js new file mode 100644 index 000000000..85994d029 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/vi/labellers.js @@ -0,0 +1,26 @@ +/*================================================== + * Localization of labellers.js + *================================================== + */ + +Timeline.GregorianDateLabeller.monthNames["vi"] = [ + "Thng 1", "Thng 2", "Thng 3", "Thng 4", "Thng 5", "Thng 6", "Thng 7", "Thng 8", "Thng 9", "Thng 10", "Thng 11", "Thng 12" +]; + +Timeline.GregorianDateLabeller.labelIntervalFunctions["vi"] = function(date, intervalUnit) { + var text; + var emphasized = false; + + var date2 = Timeline.DateTime.removeTimeZoneOffset(date, this._timeZone); + + switch(intervalUnit) { + case Timeline.DateTime.DAY: + case Timeline.DateTime.WEEK: + text = date2.getUTCDate() + "/" + (date2.getUTCMonth() + 1); + break; + default: + return this.defaultLabelInterval(date, intervalUnit); + } + + return { text: text, emphasized: emphasized }; +}; diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/vi/timeline.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/vi/timeline.js new file mode 100644 index 000000000..a67befc48 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/vi/timeline.js @@ -0,0 +1,9 @@ +/*================================================== + * Common localization strings + *================================================== + */ + +Timeline.strings["vi"] = { + wikiLinkLabel: "Bàn luận" +}; + diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/zh/labellers.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/zh/labellers.js new file mode 100644 index 000000000..599f2d1a5 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/zh/labellers.js @@ -0,0 +1,27 @@ +/*================================================== + * Localization of labellers.js + *================================================== + */ + +Timeline.GregorianDateLabeller.monthNames["zh"] = [ + "1月", "2月", "3月", "4月", "5月", "6月", "7月", "8月", "9月", "10月", "11月", "12月" +]; + +Timeline.GregorianDateLabeller.labelIntervalFunctions["zh"] = function(date, intervalUnit) { + var text; + var emphasized = false; + + var date2 = Timeline.DateTime.removeTimeZoneOffset(date, this._timeZone); + + switch(intervalUnit) { + case Timeline.DateTime.DAY: + case Timeline.DateTime.WEEK: + text = Timeline.GregorianDateLabeller.getMonthName(date2.getUTCMonth(), this._locale) + + date2.getUTCDate() + "日"; + break; + default: + return this.defaultLabelInterval(date, intervalUnit); + } + + return { text: text, emphasized: emphasized }; +};
\ No newline at end of file diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/zh/timeline.js b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/zh/timeline.js new file mode 100644 index 000000000..94884929a --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/scripts/l10n/zh/timeline.js @@ -0,0 +1,9 @@ +/*================================================== + * Common localization strings + *================================================== + */ + +Timeline.strings["zh"] = { + wikiLinkLabel: "讨论" +}; + diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/timeline-api.js b/mod/graphstats/vendors/simile-timeline/timeline_js/timeline-api.js new file mode 100644 index 000000000..f71037094 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/timeline-api.js @@ -0,0 +1,277 @@ +/*================================================== + * Timeline API + * + * This file will load all the Javascript files + * necessary to make the standard timeline work. + * It also detects the default locale. + * + * To run from the MIT copy of Timeline: + * Include this file in your HTML file as follows: + * + * <script src="http://static.simile.mit.edu/timeline/api-2.0/timeline-api.js" + * type="text/javascript"></script> + * + * + * To host the Timeline files on your own server: + * 1) Install the Timeline and Simile-Ajax files onto your webserver using + * timeline_libraries.zip or timeline_source.zip + * + * 2) Set global js variables used to send parameters to this script: + * Timeline_ajax_url -- url for simile-ajax-api.js + * Timeline_urlPrefix -- url for the *directory* that contains timeline-api.js + * Include trailing slash + * Timeline_parameters='bundle=true'; // you must set bundle to true if you are using + * // timeline_libraries.zip since only the + * // bundled libraries are included + * + * eg your html page would include + * + * <script> + * Timeline_ajax_url="http://YOUR_SERVER/javascripts/timeline/timeline_ajax/simile-ajax-api.js"; + * Timeline_urlPrefix='http://YOUR_SERVER/javascripts/timeline/timeline_js/'; + * Timeline_parameters='bundle=true'; + * </script> + * <script src="http://YOUR_SERVER/javascripts/timeline/timeline_js/timeline-api.js" + * type="text/javascript"> + * </script> + * + * SCRIPT PARAMETERS + * This script auto-magically figures out locale and has defaults for other parameters + * To set parameters explicity, set js global variable Timeline_parameters or include as + * parameters on the url using GET style. Eg the two next lines pass the same parameters: + * Timeline_parameters='bundle=true'; // pass parameter via js variable + * <script src="http://....timeline-api.js?bundle=true" // pass parameter via url + * + * Parameters + * timeline-use-local-resources -- + * bundle -- true: use the single js bundle file; false: load individual files (for debugging) + * locales -- + * defaultLocale -- + * forceLocale -- force locale to be a particular value--used for debugging. Normally locale is determined + * by browser's and server's locale settings. + *================================================== + */ + +(function() { + var useLocalResources = false; + if (document.location.search.length > 0) { + var params = document.location.search.substr(1).split("&"); + for (var i = 0; i < params.length; i++) { + if (params[i] == "timeline-use-local-resources") { + useLocalResources = true; + } + } + }; + + var loadMe = function() { + if ("Timeline" in window) { + return; + } + + window.Timeline = new Object(); + window.Timeline.DateTime = window.SimileAjax.DateTime; // for backward compatibility + + var bundle = false; + var javascriptFiles = [ + "timeline.js", + "themes.js", + "ethers.js", + "ether-painters.js", + "labellers.js", + "sources.js", + "original-painter.js", + "detailed-painter.js", + "overview-painter.js", + "decorators.js", + "units.js" + ]; + var cssFiles = [ + "timeline.css", + "ethers.css", + "events.css" + ]; + + var localizedJavascriptFiles = [ + "timeline.js", + "labellers.js" + ]; + var localizedCssFiles = [ + ]; + + // ISO-639 language codes, ISO-3166 country codes (2 characters) + var supportedLocales = [ + "cs", // Czech + "de", // German + "en", // English + "es", // Spanish + "fr", // French + "it", // Italian + "nl", // Dutch (The Netherlands) + "ru", // Russian + "se", // Swedish + "tr", // Turkish + "vi", // Vietnamese + "zh" // Chinese + ]; + + try { + var desiredLocales = [ "en" ], + defaultServerLocale = "en", + forceLocale = null; + + var parseURLParameters = function(parameters) { + var params = parameters.split("&"); + for (var p = 0; p < params.length; p++) { + var pair = params[p].split("="); + if (pair[0] == "locales") { + desiredLocales = desiredLocales.concat(pair[1].split(",")); + } else if (pair[0] == "defaultLocale") { + defaultServerLocale = pair[1]; + } else if (pair[0] == "forceLocale") { + forceLocale = pair[1]; + desiredLocales = desiredLocales.concat(pair[1].split(",")); + } else if (pair[0] == "bundle") { + bundle = pair[1] != "false"; + } + } + }; + + (function() { + if (typeof Timeline_urlPrefix == "string") { + Timeline.urlPrefix = Timeline_urlPrefix; + if (typeof Timeline_parameters == "string") { + parseURLParameters(Timeline_parameters); + } + } else { + var heads = document.documentElement.getElementsByTagName("head"); + for (var h = 0; h < heads.length; h++) { + var scripts = heads[h].getElementsByTagName("script"); + for (var s = 0; s < scripts.length; s++) { + var url = scripts[s].src; + var i = url.indexOf("timeline-api.js"); + if (i >= 0) { + Timeline.urlPrefix = url.substr(0, i); + var q = url.indexOf("?"); + if (q > 0) { + parseURLParameters(url.substr(q + 1)); + } + return; + } + } + } + throw new Error("Failed to derive URL prefix for Timeline API code files"); + } + })(); + + var includeJavascriptFiles = function(urlPrefix, filenames) { + SimileAjax.includeJavascriptFiles(document, urlPrefix, filenames); + } + var includeCssFiles = function(urlPrefix, filenames) { + SimileAjax.includeCssFiles(document, urlPrefix, filenames); + } + + /* + * Include non-localized files + */ + if (bundle) { + includeJavascriptFiles(Timeline.urlPrefix, [ "timeline-bundle.js" ]); + includeCssFiles(Timeline.urlPrefix, [ "timeline-bundle.css" ]); + } else { + includeJavascriptFiles(Timeline.urlPrefix + "scripts/", javascriptFiles); + includeCssFiles(Timeline.urlPrefix + "styles/", cssFiles); + } + + /* + * Include localized files + */ + var loadLocale = []; + loadLocale[defaultServerLocale] = true; + + var tryExactLocale = function(locale) { + for (var l = 0; l < supportedLocales.length; l++) { + if (locale == supportedLocales[l]) { + loadLocale[locale] = true; + return true; + } + } + return false; + } + var tryLocale = function(locale) { + if (tryExactLocale(locale)) { + return locale; + } + + var dash = locale.indexOf("-"); + if (dash > 0 && tryExactLocale(locale.substr(0, dash))) { + return locale.substr(0, dash); + } + + return null; + } + + for (var l = 0; l < desiredLocales.length; l++) { + tryLocale(desiredLocales[l]); + } + + var defaultClientLocale = defaultServerLocale; + var defaultClientLocales = ("language" in navigator ? navigator.language : navigator.browserLanguage).split(";"); + for (var l = 0; l < defaultClientLocales.length; l++) { + var locale = tryLocale(defaultClientLocales[l]); + if (locale != null) { + defaultClientLocale = locale; + break; + } + } + + for (var l = 0; l < supportedLocales.length; l++) { + var locale = supportedLocales[l]; + if (loadLocale[locale]) { + includeJavascriptFiles(Timeline.urlPrefix + "scripts/l10n/" + locale + "/", localizedJavascriptFiles); + includeCssFiles(Timeline.urlPrefix + "styles/l10n/" + locale + "/", localizedCssFiles); + } + } + + if (forceLocale == null) { + Timeline.serverLocale = defaultServerLocale; + Timeline.clientLocale = defaultClientLocale; + } else { + Timeline.serverLocale = forceLocale; + Timeline.clientLocale = forceLocale; + } + } catch (e) { + alert(e); + } + }; + + /* + * Load SimileAjax if it's not already loaded + */ + if (typeof SimileAjax == "undefined") { + window.SimileAjax_onLoad = loadMe; + + var url = useLocalResources ? + "http://127.0.0.1:9999/ajax/api/simile-ajax-api.js?bundle=false" : + "http://static.simile.mit.edu/ajax/api-2.0/simile-ajax-api.js"; + if (typeof Timeline_ajax_url == "string") { + url = Timeline_ajax_url; + } + var createScriptElement = function() { + var script = document.createElement("script"); + script.type = "text/javascript"; + script.language = "JavaScript"; + script.src = url; + document.getElementsByTagName("head")[0].appendChild(script); + } + if (document.body == null) { + try { + document.write("<script src='" + url + "' type='text/javascript'></script>"); + } catch (e) { + createScriptElement(); + } + } else { + createScriptElement(); + } + } else { + loadMe(); + } +})(); diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/timeline-bundle.css b/mod/graphstats/vendors/simile-timeline/timeline_js/timeline-bundle.css new file mode 100644 index 000000000..7f8acdca7 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/timeline-bundle.css @@ -0,0 +1,232 @@ + + +/*------------------- Horizontal / Vertical lines ----------------*/ + +/* style for ethers */ +.timeline-ether-lines{border-color:#666; border-style:dotted; position:absolute;} + +.timeline-horizontal .timeline-ether-lines{border-width:0 0 0 1px; height:100%; top: 0; width: 1px;} + +.timeline-vertical .timeline-ether-lines{border-width:1px 0 0; height:1px; left: 0; width: 100%;} + + + + +/*---------------- Weekends ---------------------------*/ + +.timeline-ether-weekends{ + position:absolute; + background-color:#FFFFE0; +} + +.timeline-vertical .timeline-ether-weekends{left:0;width:100%;} + +.timeline-horizontal .timeline-ether-weekends{top:0; height:100%;} + + + +/*-------------------------- HIGHLIGHT DECORATORS -------------------*/ +.timeline-highlight-decorator, +.timeline-highlight-point-decorator{ + position:absolute; + overflow:hidden; +} +.timeline-horizontal .timeline-highlight-point-decorator, +.timeline-horizontal .timeline-highlight-decorator{ + width:10px; + top:0; + height:100%; +} + +.timeline-vertical .timeline-highlight-point-decorator, +.timeline-vertical .timeline-highlight-decorator{ + height:10px; + width:100%; + left:0; +} + +.timeline-highlight-decorator{background-color:#FFC080;} +.timeline-highlight-point-decorator{background-color:#ff5;} + + + +/*---------------------------- LABELS -------------------------*/ +.timeline-highlight-label{position:absolute;overflow:hidden;font-size:200%;font-weight:bold;color:#999;} + + +/*---------------- VERTICAL LABEL -------------------*/ +.timeline-horizontal .timeline-highlight-label{top:0;height:100%;} +.timeline-horizontal .timeline-highlight-label td{vertical-align:middle;} +.timeline-horizontal .timeline-highlight-label-start{text-align:right;} +.timeline-horizontal .timeline-highlight-label-end{text-align:left;} + + +/*---------------- HORIZONTAL LABEL -------------------*/ +.timeline-vertical .timeline-highlight-label{left:0;width:100%;} +.timeline-vertical .timeline-highlight-label td{vertical-align:top;} +.timeline-vertical .timeline-highlight-label-start{text-align:center;} +.timeline-vertical .timeline-highlight-label-end{text-align:center;} + + + +/*-------------------------------- DATE LABELS --------------------------------*/ +.timeline-date-label{position:absolute; border:solid #aaa; color:#aaa; width:5em; height:1.5em;} +.timeline-date-label-em{color:#000;} + +/* horizontal */ +.timeline-horizontal .timeline-date-label{padding-left:2px;} +.timeline-horizontal .timeline-date-label{border-width:0 0 0 1px;} +.timeline-horizontal .timeline-date-label-em{height:2em} + +/* vertical */ +.timeline-vertical .timeline-date-label{padding-top:2px;} +.timeline-vertical .timeline-date-label{border-width:1px 0 0;} +.timeline-vertical .timeline-date-label-em{width:7em} + +/*------------------------------- Ether.highlight -------------------------*/ +.timeline-ether-highlight{position:absolute; background-color:#fff;} +.timeline-horizontal .timeline-ether-highlight{top:2px;} +.timeline-vertical .timeline-ether-highlight{left:2px;} + + + +/*------------------------------ EVENTS ------------------------------------*/ +.timeline-event-icon, .timeline-event-label,.timeline-event-tape{ + position:absolute; + cursor:pointer; +} + +.timeline-event-tape, +.timeline-small-event-tape, +.timeline-small-event-icon{ + background-color:#58A0DC; + overflow:hidden; +} + +.timeline-small-event-tape, +.timeline-small-event-icon{ + position:absolute; +} + +.timeline-event-tape{height:4px;} + +.timeline-small-event-tape{height:2px;} +.timeline-small-event-icon{width:1px; height:6px;} + + + +/*--------------------------------- TIMELINE-------------------------*/ +.timeline-ether-bg{width:100%; height:100%;} +.timeline-band-0 .timeline-ether-bg{background-color:#eee} +.timeline-band-1 .timeline-ether-bg{background-color:#ddd} +.timeline-band-2 .timeline-ether-bg{background-color:#ccc} +.timeline-band-3 .timeline-ether-bg{background-color:#aaa} +.timeline-duration-event { + position: absolute; + overflow: hidden; + border: 1px solid blue; +} + +.timeline-instant-event2 { + position: absolute; + overflow: hidden; + border-left: 1px solid blue; + padding-left: 2px; +} + +.timeline-instant-event { + position: absolute; + overflow: hidden; +} + +.timeline-event-bubble-title { + font-weight: bold; + border-bottom: 1px solid #888; + margin-bottom: 0.5em; +} + +.timeline-event-bubble-body { +} + +.timeline-event-bubble-wiki { + margin: 0.5em; + text-align: right; + color: #A0A040; +} +.timeline-event-bubble-wiki a { + color: #A0A040; +} + +.timeline-event-bubble-time { + color: #aaa; +} + +.timeline-event-bubble-image { + float: right; + padding-left: 5px; + padding-bottom: 5px; +}.timeline-container { + position: relative; + overflow: hidden; +} + +.timeline-copyright { + position: absolute; + bottom: 0px; + left: 0px; + z-index: 1000; + cursor: pointer; +} + +.timeline-message-container { + position: absolute; + top: 30%; + left: 35%; + right: 35%; + z-index: 1000; + display: none; +} +.timeline-message { + font-size: 120%; + font-weight: bold; + text-align: center; +} +.timeline-message img { + vertical-align: middle; +} + +.timeline-band { + position: absolute; + background: #eee; + z-index: 10; +} + +.timeline-band-inner { + position: relative; + width: 100%; + height: 100%; +} + +.timeline-band-input { + position: absolute; + width: 1em; + height: 1em; + overflow: hidden; + z-index: 0; +} +.timeline-band-input input{ + width: 0; +} + +.timeline-band-layer { + position: absolute; + width: 100%; + height: 100%; +} + +.timeline-band-layer-inner { + position: relative; + width: 100%; + height: 100%; +} + diff --git a/mod/graphstats/vendors/simile-timeline/timeline_js/timeline-bundle.js b/mod/graphstats/vendors/simile-timeline/timeline_js/timeline-bundle.js new file mode 100644 index 000000000..f35701f92 --- /dev/null +++ b/mod/graphstats/vendors/simile-timeline/timeline_js/timeline-bundle.js @@ -0,0 +1,2142 @@ + + +/* decorators.js */ +Timeline.SpanHighlightDecorator=function(A){this._unit=("unit" in A)?A.unit:SimileAjax.NativeDateUnit; +this._startDate=(typeof A.startDate=="string")?this._unit.parseFromObject(A.startDate):A.startDate; +this._endDate=(typeof A.endDate=="string")?this._unit.parseFromObject(A.endDate):A.endDate; +this._startLabel=A.startLabel; +this._endLabel=A.endLabel; +this._color=A.color; +this._cssClass=("cssClass" in A)?A.cssClass:null; +this._opacity=("opacity" in A)?A.opacity:100; +}; +Timeline.SpanHighlightDecorator.prototype.initialize=function(B,A){this._band=B; +this._timeline=A; +this._layerDiv=null; +}; +Timeline.SpanHighlightDecorator.prototype.paint=function(){if(this._layerDiv!=null){this._band.removeLayerDiv(this._layerDiv); +}this._layerDiv=this._band.createLayerDiv(10); +this._layerDiv.setAttribute("name","span-highlight-decorator"); +this._layerDiv.style.display="none"; +var E=this._band.getMinDate(); +var A=this._band.getMaxDate(); +if(this._unit.compare(this._startDate,A)<0&&this._unit.compare(this._endDate,E)>0){E=this._unit.later(E,this._startDate); +A=this._unit.earlier(A,this._endDate); +var F=this._band.dateToPixelOffset(E); +var I=this._band.dateToPixelOffset(A); +var H=this._timeline.getDocument(); +var K=function(){var L=H.createElement("table"); +L.insertRow(0).insertCell(0); +return L; +}; +var B=H.createElement("div"); +B.className="timeline-highlight-decorator"; +if(this._cssClass){B.className+=" "+this._cssClass; +}if(this._opacity<100){SimileAjax.Graphics.setOpacity(B,this._opacity); +}this._layerDiv.appendChild(B); +var J=K(); +J.className="timeline-highlight-label timeline-highlight-label-start"; +var C=J.rows[0].cells[0]; +C.innerHTML=this._startLabel; +if(this._cssClass){C.className="label_"+this._cssClass; +}this._layerDiv.appendChild(J); +var G=K(); +G.className="timeline-highlight-label timeline-highlight-label-end"; +var D=G.rows[0].cells[0]; +D.innerHTML=this._endLabel; +if(this._cssClass){D.className="label_"+this._cssClass; +}this._layerDiv.appendChild(G); +if(this._timeline.isHorizontal()){B.style.left=F+"px"; +B.style.width=(I-F)+"px"; +J.style.right=(this._band.getTotalViewLength()-F)+"px"; +J.style.width=(this._startLabel.length)+"em"; +G.style.left=I+"px"; +G.style.width=(this._endLabel.length)+"em"; +}else{B.style.top=F+"px"; +B.style.height=(I-F)+"px"; +J.style.bottom=F+"px"; +J.style.height="1.5px"; +G.style.top=I+"px"; +G.style.height="1.5px"; +}}this._layerDiv.style.display="block"; +}; +Timeline.SpanHighlightDecorator.prototype.softPaint=function(){}; +Timeline.PointHighlightDecorator=function(A){this._unit=("unit" in A)?A.unit:SimileAjax.NativeDateUnit; +this._date=(typeof A.date=="string")?this._unit.parseFromObject(A.date):A.date; +this._width=("width" in A)?A.width:10; +this._color=A.color; +this._cssClass=("cssClass" in A)?A.cssClass:""; +this._opacity=("opacity" in A)?A.opacity:100; +}; +Timeline.PointHighlightDecorator.prototype.initialize=function(B,A){this._band=B; +this._timeline=A; +this._layerDiv=null; +}; +Timeline.PointHighlightDecorator.prototype.paint=function(){if(this._layerDiv!=null){this._band.removeLayerDiv(this._layerDiv); +}this._layerDiv=this._band.createLayerDiv(10); +this._layerDiv.setAttribute("name","span-highlight-decorator"); +this._layerDiv.style.display="none"; +var C=this._band.getMinDate(); +var E=this._band.getMaxDate(); +if(this._unit.compare(this._date,E)<0&&this._unit.compare(this._date,C)>0){var A=this._band.dateToPixelOffset(this._date); +var B=A-Math.round(this._width/2); +var D=this._timeline.getDocument(); +var F=D.createElement("div"); +F.className="timeline-highlight-point-decorator"; +F.className+=" "+this._cssClass; +if(this._opacity<100){SimileAjax.Graphics.setOpacity(F,this._opacity); +}this._layerDiv.appendChild(F); +if(this._timeline.isHorizontal()){F.style.left=B+"px"; +}else{F.style.top=B+"px"; +}}this._layerDiv.style.display="block"; +}; +Timeline.PointHighlightDecorator.prototype.softPaint=function(){}; + + +/* detailed-painter.js */ +Timeline.DetailedEventPainter=function(A){this._params=A; +this._onSelectListeners=[]; +this._filterMatcher=null; +this._highlightMatcher=null; +this._frc=null; +this._eventIdToElmt={}; +}; +Timeline.DetailedEventPainter.prototype.initialize=function(B,A){this._band=B; +this._timeline=A; +this._backLayer=null; +this._eventLayer=null; +this._lineLayer=null; +this._highlightLayer=null; +this._eventIdToElmt=null; +}; +Timeline.DetailedEventPainter.prototype.addOnSelectListener=function(A){this._onSelectListeners.push(A); +}; +Timeline.DetailedEventPainter.prototype.removeOnSelectListener=function(B){for(var A=0; +A<this._onSelectListeners.length; +A++){if(this._onSelectListeners[A]==B){this._onSelectListeners.splice(A,1); +break; +}}}; +Timeline.DetailedEventPainter.prototype.getFilterMatcher=function(){return this._filterMatcher; +}; +Timeline.DetailedEventPainter.prototype.setFilterMatcher=function(A){this._filterMatcher=A; +}; +Timeline.DetailedEventPainter.prototype.getHighlightMatcher=function(){return this._highlightMatcher; +}; +Timeline.DetailedEventPainter.prototype.setHighlightMatcher=function(A){this._highlightMatcher=A; +}; +Timeline.DetailedEventPainter.prototype.paint=function(){var C=this._band.getEventSource(); +if(C==null){return ; +}this._eventIdToElmt={}; +this._prepareForPainting(); +var I=this._params.theme.event; +var G=Math.max(I.track.height,this._frc.getLineHeight()); +var F={trackOffset:Math.round(this._band.getViewWidth()/2-G/2),trackHeight:G,trackGap:I.track.gap,trackIncrement:G+I.track.gap,icon:I.instant.icon,iconWidth:I.instant.iconWidth,iconHeight:I.instant.iconHeight,labelWidth:I.label.width}; +var D=this._band.getMinDate(); +var B=this._band.getMaxDate(); +var J=(this._filterMatcher!=null)?this._filterMatcher:function(K){return true; +}; +var A=(this._highlightMatcher!=null)?this._highlightMatcher:function(K){return -1; +}; +var E=C.getEventReverseIterator(D,B); +while(E.hasNext()){var H=E.next(); +if(J(H)){this.paintEvent(H,F,this._params.theme,A(H)); +}}this._highlightLayer.style.display="block"; +this._lineLayer.style.display="block"; +this._eventLayer.style.display="block"; +}; +Timeline.DetailedEventPainter.prototype.softPaint=function(){}; +Timeline.DetailedEventPainter.prototype._prepareForPainting=function(){var B=this._band; +if(this._backLayer==null){this._backLayer=this._band.createLayerDiv(0,"timeline-band-events"); +this._backLayer.style.visibility="hidden"; +var A=document.createElement("span"); +A.className="timeline-event-label"; +this._backLayer.appendChild(A); +this._frc=SimileAjax.Graphics.getFontRenderingContext(A); +}this._frc.update(); +this._lowerTracks=[]; +this._upperTracks=[]; +if(this._highlightLayer!=null){B.removeLayerDiv(this._highlightLayer); +}this._highlightLayer=B.createLayerDiv(105,"timeline-band-highlights"); +this._highlightLayer.style.display="none"; +if(this._lineLayer!=null){B.removeLayerDiv(this._lineLayer); +}this._lineLayer=B.createLayerDiv(110,"timeline-band-lines"); +this._lineLayer.style.display="none"; +if(this._eventLayer!=null){B.removeLayerDiv(this._eventLayer); +}this._eventLayer=B.createLayerDiv(110,"timeline-band-events"); +this._eventLayer.style.display="none"; +}; +Timeline.DetailedEventPainter.prototype.paintEvent=function(B,C,D,A){if(B.isInstant()){this.paintInstantEvent(B,C,D,A); +}else{this.paintDurationEvent(B,C,D,A); +}}; +Timeline.DetailedEventPainter.prototype.paintInstantEvent=function(B,C,D,A){if(B.isImprecise()){this.paintImpreciseInstantEvent(B,C,D,A); +}else{this.paintPreciseInstantEvent(B,C,D,A); +}}; +Timeline.DetailedEventPainter.prototype.paintDurationEvent=function(B,C,D,A){if(B.isImprecise()){this.paintImpreciseDurationEvent(B,C,D,A); +}else{this.paintPreciseDurationEvent(B,C,D,A); +}}; +Timeline.DetailedEventPainter.prototype.paintPreciseInstantEvent=function(L,P,S,Q){var T=this._timeline.getDocument(); +var J=L.getText(); +var G=L.getStart(); +var H=Math.round(this._band.dateToPixelOffset(G)); +var A=Math.round(H+P.iconWidth/2); +var C=Math.round(H-P.iconWidth/2); +var E=this._frc.computeSize(J); +var F=this._findFreeTrackForSolid(A,H); +var B=this._paintEventIcon(L,F,C,P,S); +var K=A+S.event.label.offsetFromLine; +var O=F; +var D=this._getTrackData(F); +if(Math.min(D.solid,D.text)>=K+E.width){D.solid=C; +D.text=K; +}else{D.solid=C; +K=H+S.event.label.offsetFromLine; +O=this._findFreeTrackForText(F,K+E.width,function(U){U.line=H-2; +}); +this._getTrackData(O).text=C; +this._paintEventLine(L,H,F,O,P,S); +}var N=Math.round(P.trackOffset+O*P.trackIncrement+P.trackHeight/2-E.height/2); +var R=this._paintEventLabel(L,J,K,N,E.width,E.height,S); +var M=this; +var I=function(V,U,W){return M._onClickInstantEvent(B.elmt,U,L); +}; +SimileAjax.DOM.registerEvent(B.elmt,"mousedown",I); +SimileAjax.DOM.registerEvent(R.elmt,"mousedown",I); +this._createHighlightDiv(Q,B,S); +this._eventIdToElmt[L.getID()]=B.elmt; +}; +Timeline.DetailedEventPainter.prototype.paintImpreciseInstantEvent=function(O,S,W,T){var X=this._timeline.getDocument(); +var M=O.getText(); +var I=O.getStart(); +var U=O.getEnd(); +var K=Math.round(this._band.dateToPixelOffset(I)); +var B=Math.round(this._band.dateToPixelOffset(U)); +var A=Math.round(K+S.iconWidth/2); +var D=Math.round(K-S.iconWidth/2); +var G=this._frc.computeSize(M); +var H=this._findFreeTrackForSolid(B,K); +var E=this._paintEventTape(O,H,K,B,W.event.instant.impreciseColor,W.event.instant.impreciseOpacity,S,W); +var C=this._paintEventIcon(O,H,D,S,W); +var F=this._getTrackData(H); +F.solid=D; +var N=A+W.event.label.offsetFromLine; +var J=N+G.width; +var R; +if(J<B){R=H; +}else{N=K+W.event.label.offsetFromLine; +J=N+G.width; +R=this._findFreeTrackForText(H,J,function(Y){Y.line=K-2; +}); +this._getTrackData(R).text=D; +this._paintEventLine(O,K,H,R,S,W); +}var Q=Math.round(S.trackOffset+R*S.trackIncrement+S.trackHeight/2-G.height/2); +var V=this._paintEventLabel(O,M,N,Q,G.width,G.height,W); +var P=this; +var L=function(Z,Y,a){return P._onClickInstantEvent(C.elmt,Y,O); +}; +SimileAjax.DOM.registerEvent(C.elmt,"mousedown",L); +SimileAjax.DOM.registerEvent(E.elmt,"mousedown",L); +SimileAjax.DOM.registerEvent(V.elmt,"mousedown",L); +this._createHighlightDiv(T,C,W); +this._eventIdToElmt[O.getID()]=C.elmt; +}; +Timeline.DetailedEventPainter.prototype.paintPreciseDurationEvent=function(K,O,T,Q){var U=this._timeline.getDocument(); +var I=K.getText(); +var E=K.getStart(); +var R=K.getEnd(); +var F=Math.round(this._band.dateToPixelOffset(E)); +var A=Math.round(this._band.dateToPixelOffset(R)); +var C=this._frc.computeSize(I); +var D=this._findFreeTrackForSolid(A); +var P=K.getColor(); +P=P!=null?P:T.event.duration.color; +var B=this._paintEventTape(K,D,F,A,P,100,O,T); +var H=this._getTrackData(D); +H.solid=F; +var J=F+T.event.label.offsetFromLine; +var N=this._findFreeTrackForText(D,J+C.width,function(V){V.line=F-2; +}); +this._getTrackData(N).text=F-2; +this._paintEventLine(K,F,D,N,O,T); +var M=Math.round(O.trackOffset+N*O.trackIncrement+O.trackHeight/2-C.height/2); +var S=this._paintEventLabel(K,I,J,M,C.width,C.height,T); +var L=this; +var G=function(W,V,X){return L._onClickDurationEvent(B.elmt,V,K); +}; +SimileAjax.DOM.registerEvent(B.elmt,"mousedown",G); +SimileAjax.DOM.registerEvent(S.elmt,"mousedown",G); +this._createHighlightDiv(Q,B,T); +this._eventIdToElmt[K.getID()]=B.elmt; +}; +Timeline.DetailedEventPainter.prototype.paintImpreciseDurationEvent=function(M,T,Y,V){var Z=this._timeline.getDocument(); +var K=M.getText(); +var G=M.getStart(); +var S=M.getLatestStart(); +var W=M.getEnd(); +var O=M.getEarliestEnd(); +var H=Math.round(this._band.dateToPixelOffset(G)); +var E=Math.round(this._band.dateToPixelOffset(S)); +var A=Math.round(this._band.dateToPixelOffset(W)); +var F=Math.round(this._band.dateToPixelOffset(O)); +var C=this._frc.computeSize(K); +var D=this._findFreeTrackForSolid(A); +var U=M.getColor(); +U=U!=null?U:Y.event.duration.color; +var R=this._paintEventTape(M,D,H,A,Y.event.duration.impreciseColor,Y.event.duration.impreciseOpacity,T,Y); +var B=this._paintEventTape(M,D,E,F,U,100,T,Y); +var J=this._getTrackData(D); +J.solid=H; +var L=E+Y.event.label.offsetFromLine; +var Q=this._findFreeTrackForText(D,L+C.width,function(a){a.line=E-2; +}); +this._getTrackData(Q).text=E-2; +this._paintEventLine(M,E,D,Q,T,Y); +var P=Math.round(T.trackOffset+Q*T.trackIncrement+T.trackHeight/2-C.height/2); +var X=this._paintEventLabel(M,K,L,P,C.width,C.height,Y); +var N=this; +var I=function(b,a,c){return N._onClickDurationEvent(B.elmt,a,M); +}; +SimileAjax.DOM.registerEvent(B.elmt,"mousedown",I); +SimileAjax.DOM.registerEvent(X.elmt,"mousedown",I); +this._createHighlightDiv(V,B,Y); +this._eventIdToElmt[M.getID()]=B.elmt; +}; +Timeline.DetailedEventPainter.prototype._findFreeTrackForSolid=function(D,A){for(var C=0; +true; +C++){if(C<this._lowerTracks.length){var B=this._lowerTracks[C]; +if(Math.min(B.solid,B.text)>D&&(!(A)||B.line>A)){return C; +}}else{this._lowerTracks.push({solid:Number.POSITIVE_INFINITY,text:Number.POSITIVE_INFINITY,line:Number.POSITIVE_INFINITY}); +return C; +}if(C<this._upperTracks.length){var B=this._upperTracks[C]; +if(Math.min(B.solid,B.text)>D&&(!(A)||B.line>A)){return -1-C; +}}else{this._upperTracks.push({solid:Number.POSITIVE_INFINITY,text:Number.POSITIVE_INFINITY,line:Number.POSITIVE_INFINITY}); +return -1-C; +}}}; +Timeline.DetailedEventPainter.prototype._findFreeTrackForText=function(C,A,I){var B; +var E; +var F; +var H; +if(C<0){B=true; +F=-C; +E=this._findFreeUpperTrackForText(F,A); +H=-1-E; +}else{if(C>0){B=false; +F=C+1; +E=this._findFreeLowerTrackForText(F,A); +H=E; +}else{var G=this._findFreeUpperTrackForText(0,A); +var J=this._findFreeLowerTrackForText(1,A); +if(J-1<=G){B=false; +F=1; +E=J; +H=E; +}else{B=true; +F=0; +E=G; +H=-1-E; +}}}if(B){if(E==this._upperTracks.length){this._upperTracks.push({solid:Number.POSITIVE_INFINITY,text:Number.POSITIVE_INFINITY,line:Number.POSITIVE_INFINITY}); +}for(var D=F; +D<E; +D++){I(this._upperTracks[D]); +}}else{if(E==this._lowerTracks.length){this._lowerTracks.push({solid:Number.POSITIVE_INFINITY,text:Number.POSITIVE_INFINITY,line:Number.POSITIVE_INFINITY}); +}for(var D=F; +D<E; +D++){I(this._lowerTracks[D]); +}}return H; +}; +Timeline.DetailedEventPainter.prototype._findFreeLowerTrackForText=function(A,C){for(; +A<this._lowerTracks.length; +A++){var B=this._lowerTracks[A]; +if(Math.min(B.solid,B.text)>=C){break; +}}return A; +}; +Timeline.DetailedEventPainter.prototype._findFreeUpperTrackForText=function(A,C){for(; +A<this._upperTracks.length; +A++){var B=this._upperTracks[A]; +if(Math.min(B.solid,B.text)>=C){break; +}}return A; +}; +Timeline.DetailedEventPainter.prototype._getTrackData=function(A){return(A<0)?this._upperTracks[-A-1]:this._lowerTracks[A]; +}; +Timeline.DetailedEventPainter.prototype._paintEventLine=function(J,E,D,A,G,F){var H=Math.round(G.trackOffset+D*G.trackIncrement+G.trackHeight/2); +var I=Math.round(Math.abs(A-D)*G.trackIncrement); +var C="1px solid "+F.event.label.lineColor; +var B=this._timeline.getDocument().createElement("div"); +B.style.position="absolute"; +B.style.left=E+"px"; +B.style.width=F.event.label.offsetFromLine+"px"; +B.style.height=I+"px"; +if(D>A){B.style.top=(H-I)+"px"; +B.style.borderTop=C; +}else{B.style.top=H+"px"; +B.style.borderBottom=C; +}B.style.borderLeft=C; +this._lineLayer.appendChild(B); +}; +Timeline.DetailedEventPainter.prototype._paintEventIcon=function(J,B,C,F,E){var H=J.getIcon(); +H=H!=null?H:F.icon; +var G=F.trackOffset+B*F.trackIncrement+F.trackHeight/2; +var I=Math.round(G-F.iconHeight/2); +var D=SimileAjax.Graphics.createTranslucentImage(H); +var A=this._timeline.getDocument().createElement("div"); +A.style.position="absolute"; +A.style.left=C+"px"; +A.style.top=I+"px"; +A.appendChild(D); +A.style.cursor="pointer"; +if(J._title!=null){A.title=J._title; +}this._eventLayer.appendChild(A); +return{left:C,top:I,width:F.iconWidth,height:F.iconHeight,elmt:A}; +}; +Timeline.DetailedEventPainter.prototype._paintEventLabel=function(I,J,C,F,A,G,E){var H=this._timeline.getDocument(); +var K=H.createElement("div"); +K.style.position="absolute"; +K.style.left=C+"px"; +K.style.width=A+"px"; +K.style.top=F+"px"; +K.style.height=G+"px"; +K.style.backgroundColor=E.event.label.backgroundColor; +SimileAjax.Graphics.setOpacity(K,E.event.label.backgroundOpacity); +this._eventLayer.appendChild(K); +var B=H.createElement("div"); +B.style.position="absolute"; +B.style.left=C+"px"; +B.style.width=A+"px"; +B.style.top=F+"px"; +B.innerHTML=J; +B.style.cursor="pointer"; +if(I._title!=null){B.title=I._title; +}var D=I.getTextColor(); +if(D==null){D=I.getColor(); +}if(D!=null){B.style.color=D; +}this._eventLayer.appendChild(B); +return{left:C,top:F,width:A,height:G,elmt:B}; +}; +Timeline.DetailedEventPainter.prototype._paintEventTape=function(L,B,D,A,G,C,I,H){var F=A-D; +var E=H.event.tape.height; +var K=I.trackOffset+B*I.trackIncrement+I.trackHeight/2; +var J=Math.round(K-E/2); +var M=this._timeline.getDocument().createElement("div"); +M.style.position="absolute"; +M.style.left=D+"px"; +M.style.width=F+"px"; +M.style.top=J+"px"; +M.style.height=E+"px"; +M.style.backgroundColor=G; +M.style.overflow="hidden"; +M.style.cursor="pointer"; +if(L._title!=null){M.title=L._title; +}SimileAjax.Graphics.setOpacity(M,C); +this._eventLayer.appendChild(M); +return{left:D,top:J,width:F,height:E,elmt:M}; +}; +Timeline.DetailedEventPainter.prototype._createHighlightDiv=function(A,C,E){if(A>=0){var D=this._timeline.getDocument(); +var G=E.event; +var B=G.highlightColors[Math.min(A,G.highlightColors.length-1)]; +var F=D.createElement("div"); +F.style.position="absolute"; +F.style.overflow="hidden"; +F.style.left=(C.left-2)+"px"; +F.style.width=(C.width+4)+"px"; +F.style.top=(C.top-2)+"px"; +F.style.height=(C.height+4)+"px"; +F.style.background=B; +this._highlightLayer.appendChild(F); +}}; +Timeline.DetailedEventPainter.prototype._onClickInstantEvent=function(C,A,B){var D=SimileAjax.DOM.getPageCoordinates(C); +this._showBubble(D.left+Math.ceil(C.offsetWidth/2),D.top+Math.ceil(C.offsetHeight/2),B); +this._fireOnSelect(B.getID()); +A.cancelBubble=true; +SimileAjax.DOM.cancelEvent(A); +return false; +}; +Timeline.DetailedEventPainter.prototype._onClickDurationEvent=function(F,B,C){if("pageX" in B){var A=B.pageX; +var E=B.pageY; +}else{var D=SimileAjax.DOM.getPageCoordinates(F); +var A=B.offsetX+D.left; +var E=B.offsetY+D.top; +}this._showBubble(A,E,C); +this._fireOnSelect(C.getID()); +B.cancelBubble=true; +SimileAjax.DOM.cancelEvent(B); +return false; +}; +Timeline.DetailedEventPainter.prototype.showBubble=function(A){var B=this._eventIdToElmt[A.getID()]; +if(B){var C=SimileAjax.DOM.getPageCoordinates(B); +this._showBubble(C.left+B.offsetWidth/2,C.top+B.offsetHeight/2,A); +}}; +Timeline.DetailedEventPainter.prototype._showBubble=function(A,D,B){var C=document.createElement("div"); +B.fillInfoBubble(C,this._params.theme,this._band.getLabeller()); +SimileAjax.WindowManager.cancelPopups(); +SimileAjax.Graphics.createBubbleForContentAndPoint(C,A,D,this._params.theme.event.bubble.width); +}; +Timeline.DetailedEventPainter.prototype._fireOnSelect=function(A){for(var B=0; +B<this._onSelectListeners.length; +B++){this._onSelectListeners[B](A); +}}; + + +/* ether-painters.js */ +Timeline.GregorianEtherPainter=function(A){this._params=A; +this._theme=A.theme; +this._unit=A.unit; +this._multiple=("multiple" in A)?A.multiple:1; +}; +Timeline.GregorianEtherPainter.prototype.initialize=function(C,B){this._band=C; +this._timeline=B; +this._backgroundLayer=C.createLayerDiv(0); +this._backgroundLayer.setAttribute("name","ether-background"); +this._backgroundLayer.className="timeline-ether-bg"; +this._markerLayer=null; +this._lineLayer=null; +var D=("align" in this._params&&this._params.align!=undefined)?this._params.align:this._theme.ether.interval.marker[B.isHorizontal()?"hAlign":"vAlign"]; +var A=("showLine" in this._params)?this._params.showLine:this._theme.ether.interval.line.show; +this._intervalMarkerLayout=new Timeline.EtherIntervalMarkerLayout(this._timeline,this._band,this._theme,D,A); +this._highlight=new Timeline.EtherHighlight(this._timeline,this._band,this._theme,this._backgroundLayer); +}; +Timeline.GregorianEtherPainter.prototype.setHighlight=function(A,B){this._highlight.position(A,B); +}; +Timeline.GregorianEtherPainter.prototype.paint=function(){if(this._markerLayer){this._band.removeLayerDiv(this._markerLayer); +}this._markerLayer=this._band.createLayerDiv(100); +this._markerLayer.setAttribute("name","ether-markers"); +this._markerLayer.style.display="none"; +if(this._lineLayer){this._band.removeLayerDiv(this._lineLayer); +}this._lineLayer=this._band.createLayerDiv(1); +this._lineLayer.setAttribute("name","ether-lines"); +this._lineLayer.style.display="none"; +var C=this._band.getMinDate(); +var F=this._band.getMaxDate(); +var A=this._band.getTimeZone(); +var E=this._band.getLabeller(); +SimileAjax.DateTime.roundDownToInterval(C,this._unit,A,this._multiple,this._theme.firstDayOfWeek); +var D=this; +var B=function(G){for(var H=0; +H<D._multiple; +H++){SimileAjax.DateTime.incrementByInterval(G,D._unit); +}}; +while(C.getTime()<F.getTime()){this._intervalMarkerLayout.createIntervalMarker(C,E,this._unit,this._markerLayer,this._lineLayer); +B(C); +}this._markerLayer.style.display="block"; +this._lineLayer.style.display="block"; +}; +Timeline.GregorianEtherPainter.prototype.softPaint=function(){}; +Timeline.GregorianEtherPainter.prototype.zoom=function(A){if(A!=0){this._unit+=A; +}}; +Timeline.HotZoneGregorianEtherPainter=function(G){this._params=G; +this._theme=G.theme; +this._zones=[{startTime:Number.NEGATIVE_INFINITY,endTime:Number.POSITIVE_INFINITY,unit:G.unit,multiple:1}]; +for(var F=0; +F<G.zones.length; +F++){var C=G.zones[F]; +var E=SimileAjax.DateTime.parseGregorianDateTime(C.start).getTime(); +var B=SimileAjax.DateTime.parseGregorianDateTime(C.end).getTime(); +for(var D=0; +D<this._zones.length&&B>E; +D++){var A=this._zones[D]; +if(E<A.endTime){if(E>A.startTime){this._zones.splice(D,0,{startTime:A.startTime,endTime:E,unit:A.unit,multiple:A.multiple}); +D++; +A.startTime=E; +}if(B<A.endTime){this._zones.splice(D,0,{startTime:E,endTime:B,unit:C.unit,multiple:(C.multiple)?C.multiple:1}); +D++; +A.startTime=B; +E=B; +}else{A.multiple=C.multiple; +A.unit=C.unit; +E=A.endTime; +}}}}}; +Timeline.HotZoneGregorianEtherPainter.prototype.initialize=function(C,B){this._band=C; +this._timeline=B; +this._backgroundLayer=C.createLayerDiv(0); +this._backgroundLayer.setAttribute("name","ether-background"); +this._backgroundLayer.className="timeline-ether-bg"; +this._markerLayer=null; +this._lineLayer=null; +var D=("align" in this._params&&this._params.align!=undefined)?this._params.align:this._theme.ether.interval.marker[B.isHorizontal()?"hAlign":"vAlign"]; +var A=("showLine" in this._params)?this._params.showLine:this._theme.ether.interval.line.show; +this._intervalMarkerLayout=new Timeline.EtherIntervalMarkerLayout(this._timeline,this._band,this._theme,D,A); +this._highlight=new Timeline.EtherHighlight(this._timeline,this._band,this._theme,this._backgroundLayer); +}; +Timeline.HotZoneGregorianEtherPainter.prototype.setHighlight=function(A,B){this._highlight.position(A,B); +}; +Timeline.HotZoneGregorianEtherPainter.prototype.paint=function(){if(this._markerLayer){this._band.removeLayerDiv(this._markerLayer); +}this._markerLayer=this._band.createLayerDiv(100); +this._markerLayer.setAttribute("name","ether-markers"); +this._markerLayer.style.display="none"; +if(this._lineLayer){this._band.removeLayerDiv(this._lineLayer); +}this._lineLayer=this._band.createLayerDiv(1); +this._lineLayer.setAttribute("name","ether-lines"); +this._lineLayer.style.display="none"; +var C=this._band.getMinDate(); +var A=this._band.getMaxDate(); +var I=this._band.getTimeZone(); +var L=this._band.getLabeller(); +var B=this; +var J=function(N,M){for(var O=0; +O<M.multiple; +O++){SimileAjax.DateTime.incrementByInterval(N,M.unit); +}}; +var D=0; +while(D<this._zones.length){if(C.getTime()<this._zones[D].endTime){break; +}D++; +}var E=this._zones.length-1; +while(E>=0){if(A.getTime()>this._zones[E].startTime){break; +}E--; +}for(var H=D; +H<=E; +H++){var G=this._zones[H]; +var K=new Date(Math.max(C.getTime(),G.startTime)); +var F=new Date(Math.min(A.getTime(),G.endTime)); +SimileAjax.DateTime.roundDownToInterval(K,G.unit,I,G.multiple,this._theme.firstDayOfWeek); +SimileAjax.DateTime.roundUpToInterval(F,G.unit,I,G.multiple,this._theme.firstDayOfWeek); +while(K.getTime()<F.getTime()){this._intervalMarkerLayout.createIntervalMarker(K,L,G.unit,this._markerLayer,this._lineLayer); +J(K,G); +}}this._markerLayer.style.display="block"; +this._lineLayer.style.display="block"; +}; +Timeline.HotZoneGregorianEtherPainter.prototype.softPaint=function(){}; +Timeline.HotZoneGregorianEtherPainter.prototype.zoom=function(A){if(A!=0){for(var B=0; +B<this._zones.length; +++B){if(this._zones[B]){this._zones[B].unit+=A; +}}}}; +Timeline.YearCountEtherPainter=function(A){this._params=A; +this._theme=A.theme; +this._startDate=SimileAjax.DateTime.parseGregorianDateTime(A.startDate); +this._multiple=("multiple" in A)?A.multiple:1; +}; +Timeline.YearCountEtherPainter.prototype.initialize=function(C,B){this._band=C; +this._timeline=B; +this._backgroundLayer=C.createLayerDiv(0); +this._backgroundLayer.setAttribute("name","ether-background"); +this._backgroundLayer.className="timeline-ether-bg"; +this._markerLayer=null; +this._lineLayer=null; +var D=("align" in this._params)?this._params.align:this._theme.ether.interval.marker[B.isHorizontal()?"hAlign":"vAlign"]; +var A=("showLine" in this._params)?this._params.showLine:this._theme.ether.interval.line.show; +this._intervalMarkerLayout=new Timeline.EtherIntervalMarkerLayout(this._timeline,this._band,this._theme,D,A); +this._highlight=new Timeline.EtherHighlight(this._timeline,this._band,this._theme,this._backgroundLayer); +}; +Timeline.YearCountEtherPainter.prototype.setHighlight=function(A,B){this._highlight.position(A,B); +}; +Timeline.YearCountEtherPainter.prototype.paint=function(){if(this._markerLayer){this._band.removeLayerDiv(this._markerLayer); +}this._markerLayer=this._band.createLayerDiv(100); +this._markerLayer.setAttribute("name","ether-markers"); +this._markerLayer.style.display="none"; +if(this._lineLayer){this._band.removeLayerDiv(this._lineLayer); +}this._lineLayer=this._band.createLayerDiv(1); +this._lineLayer.setAttribute("name","ether-lines"); +this._lineLayer.style.display="none"; +var B=new Date(this._startDate.getTime()); +var F=this._band.getMaxDate(); +var E=this._band.getMinDate().getUTCFullYear()-this._startDate.getUTCFullYear(); +B.setUTCFullYear(this._band.getMinDate().getUTCFullYear()-E%this._multiple); +var C=this; +var A=function(G){for(var H=0; +H<C._multiple; +H++){SimileAjax.DateTime.incrementByInterval(G,SimileAjax.DateTime.YEAR); +}}; +var D={labelInterval:function(G,I){var H=G.getUTCFullYear()-C._startDate.getUTCFullYear(); +return{text:H,emphasized:H==0}; +}}; +while(B.getTime()<F.getTime()){this._intervalMarkerLayout.createIntervalMarker(B,D,SimileAjax.DateTime.YEAR,this._markerLayer,this._lineLayer); +A(B); +}this._markerLayer.style.display="block"; +this._lineLayer.style.display="block"; +}; +Timeline.YearCountEtherPainter.prototype.softPaint=function(){}; +Timeline.QuarterlyEtherPainter=function(A){this._params=A; +this._theme=A.theme; +this._startDate=SimileAjax.DateTime.parseGregorianDateTime(A.startDate); +}; +Timeline.QuarterlyEtherPainter.prototype.initialize=function(C,B){this._band=C; +this._timeline=B; +this._backgroundLayer=C.createLayerDiv(0); +this._backgroundLayer.setAttribute("name","ether-background"); +this._backgroundLayer.className="timeline-ether-bg"; +this._markerLayer=null; +this._lineLayer=null; +var D=("align" in this._params)?this._params.align:this._theme.ether.interval.marker[B.isHorizontal()?"hAlign":"vAlign"]; +var A=("showLine" in this._params)?this._params.showLine:this._theme.ether.interval.line.show; +this._intervalMarkerLayout=new Timeline.EtherIntervalMarkerLayout(this._timeline,this._band,this._theme,D,A); +this._highlight=new Timeline.EtherHighlight(this._timeline,this._band,this._theme,this._backgroundLayer); +}; +Timeline.QuarterlyEtherPainter.prototype.setHighlight=function(A,B){this._highlight.position(A,B); +}; +Timeline.QuarterlyEtherPainter.prototype.paint=function(){if(this._markerLayer){this._band.removeLayerDiv(this._markerLayer); +}this._markerLayer=this._band.createLayerDiv(100); +this._markerLayer.setAttribute("name","ether-markers"); +this._markerLayer.style.display="none"; +if(this._lineLayer){this._band.removeLayerDiv(this._lineLayer); +}this._lineLayer=this._band.createLayerDiv(1); +this._lineLayer.setAttribute("name","ether-lines"); +this._lineLayer.style.display="none"; +var B=new Date(0); +var E=this._band.getMaxDate(); +B.setUTCFullYear(Math.max(this._startDate.getUTCFullYear(),this._band.getMinDate().getUTCFullYear())); +B.setUTCMonth(this._startDate.getUTCMonth()); +var C=this; +var A=function(F){F.setUTCMonth(F.getUTCMonth()+3); +}; +var D={labelInterval:function(G,H){var F=(4+(G.getUTCMonth()-C._startDate.getUTCMonth())/3)%4; +if(F!=0){return{text:"Q"+(F+1),emphasized:false}; +}else{return{text:"Y"+(G.getUTCFullYear()-C._startDate.getUTCFullYear()+1),emphasized:true}; +}}}; +while(B.getTime()<E.getTime()){this._intervalMarkerLayout.createIntervalMarker(B,D,SimileAjax.DateTime.YEAR,this._markerLayer,this._lineLayer); +A(B); +}this._markerLayer.style.display="block"; +this._lineLayer.style.display="block"; +}; +Timeline.QuarterlyEtherPainter.prototype.softPaint=function(){}; +Timeline.EtherIntervalMarkerLayout=function(I,L,C,E,M){var A=I.isHorizontal(); +if(A){if(E=="Top"){this.positionDiv=function(O,N){O.style.left=N+"px"; +O.style.top="0px"; +}; +}else{this.positionDiv=function(O,N){O.style.left=N+"px"; +O.style.bottom="0px"; +}; +}}else{if(E=="Left"){this.positionDiv=function(O,N){O.style.top=N+"px"; +O.style.left="0px"; +}; +}else{this.positionDiv=function(O,N){O.style.top=N+"px"; +O.style.right="0px"; +}; +}}var D=C.ether.interval.marker; +var K=C.ether.interval.line; +var B=C.ether.interval.weekend; +var H=(A?"h":"v")+E; +var G=D[H+"Styler"]; +var J=D[H+"EmphasizedStyler"]; +var F=SimileAjax.DateTime.gregorianUnitLengths[SimileAjax.DateTime.DAY]; +this.createIntervalMarker=function(T,c,a,Y,P){var U=Math.round(L.dateToPixelOffset(T)); +if(M&&a!=SimileAjax.DateTime.WEEK){var V=I.getDocument().createElement("div"); +V.className="timeline-ether-lines"; +if(K.opacity<100){SimileAjax.Graphics.setOpacity(V,K.opacity); +}if(A){V.style.left=U+"px"; +}else{V.style.top=U+"px"; +}P.appendChild(V); +}if(a==SimileAjax.DateTime.WEEK){var N=C.firstDayOfWeek; +var R=new Date(T.getTime()+(6-N-7)*F); +var b=new Date(R.getTime()+2*F); +var Q=Math.round(L.dateToPixelOffset(R)); +var S=Math.round(L.dateToPixelOffset(b)); +var W=Math.max(1,S-Q); +var X=I.getDocument().createElement("div"); +X.className="timeline-ether-weekends"; +if(B.opacity<100){SimileAjax.Graphics.setOpacity(X,B.opacity); +}if(A){X.style.left=Q+"px"; +X.style.width=W+"px"; +}else{X.style.top=Q+"px"; +X.style.height=W+"px"; +}P.appendChild(X); +}var Z=c.labelInterval(T,a); +var O=I.getDocument().createElement("div"); +O.innerHTML=Z.text; +O.className="timeline-date-label"; +if(Z.emphasized){O.className+=" timeline-date-label-em"; +}this.positionDiv(O,U); +Y.appendChild(O); +return O; +}; +}; +Timeline.EtherHighlight=function(B,E,D,C){var A=B.isHorizontal(); +this._highlightDiv=null; +this._createHighlightDiv=function(){if(this._highlightDiv==null){this._highlightDiv=B.getDocument().createElement("div"); +this._highlightDiv.setAttribute("name","ether-highlight"); +this._highlightDiv.className="timeline-ether-highlight"; +var F=D.ether.highlightOpacity; +if(F<100){SimileAjax.Graphics.setOpacity(this._highlightDiv,F); +}C.appendChild(this._highlightDiv); +}}; +this.position=function(H,J){this._createHighlightDiv(); +var I=Math.round(E.dateToPixelOffset(H)); +var G=Math.round(E.dateToPixelOffset(J)); +var F=Math.max(G-I,3); +if(A){this._highlightDiv.style.left=I+"px"; +this._highlightDiv.style.width=F+"px"; +this._highlightDiv.style.height=(E.getViewWidth()-4)+"px"; +}else{this._highlightDiv.style.top=I+"px"; +this._highlightDiv.style.height=F+"px"; +this._highlightDiv.style.width=(E.getViewWidth()-4)+"px"; +}}; +}; + + +/* ethers.js */ +Timeline.LinearEther=function(A){this._params=A; +this._interval=A.interval; +this._pixelsPerInterval=A.pixelsPerInterval; +}; +Timeline.LinearEther.prototype.initialize=function(B,A){this._band=B; +this._timeline=A; +this._unit=A.getUnit(); +if("startsOn" in this._params){this._start=this._unit.parseFromObject(this._params.startsOn); +}else{if("endsOn" in this._params){this._start=this._unit.parseFromObject(this._params.endsOn); +this.shiftPixels(-this._timeline.getPixelLength()); +}else{if("centersOn" in this._params){this._start=this._unit.parseFromObject(this._params.centersOn); +this.shiftPixels(-this._timeline.getPixelLength()/2); +}else{this._start=this._unit.makeDefaultValue(); +this.shiftPixels(-this._timeline.getPixelLength()/2); +}}}}; +Timeline.LinearEther.prototype.setDate=function(A){this._start=this._unit.cloneValue(A); +}; +Timeline.LinearEther.prototype.shiftPixels=function(B){var A=this._interval*B/this._pixelsPerInterval; +this._start=this._unit.change(this._start,A); +}; +Timeline.LinearEther.prototype.dateToPixelOffset=function(B){var A=this._unit.compare(B,this._start); +return this._pixelsPerInterval*A/this._interval; +}; +Timeline.LinearEther.prototype.pixelOffsetToDate=function(B){var A=B*this._interval/this._pixelsPerInterval; +return this._unit.change(this._start,A); +}; +Timeline.LinearEther.prototype.zoom=function(D){var A=0; +var B=this._band._zoomIndex; +var C=B; +if(D&&(B>0)){C=B-1; +}if(!D&&(B<(this._band._zoomSteps.length-1))){C=B+1; +}this._band._zoomIndex=C; +this._interval=SimileAjax.DateTime.gregorianUnitLengths[this._band._zoomSteps[C].unit]; +this._pixelsPerInterval=this._band._zoomSteps[C].pixelsPerInterval; +A=this._band._zoomSteps[C].unit-this._band._zoomSteps[B].unit; +return A; +}; +Timeline.HotZoneEther=function(A){this._params=A; +this._interval=A.interval; +this._pixelsPerInterval=A.pixelsPerInterval; +this._theme=A.theme; +}; +Timeline.HotZoneEther.prototype.initialize=function(I,H){this._band=I; +this._timeline=H; +this._unit=H.getUnit(); +this._zones=[{startTime:Number.NEGATIVE_INFINITY,endTime:Number.POSITIVE_INFINITY,magnify:1}]; +var D=this._params; +for(var E=0; +E<D.zones.length; +E++){var G=D.zones[E]; +var F=this._unit.parseFromObject(G.start); +var B=this._unit.parseFromObject(G.end); +for(var C=0; +C<this._zones.length&&this._unit.compare(B,F)>0; +C++){var A=this._zones[C]; +if(this._unit.compare(F,A.endTime)<0){if(this._unit.compare(F,A.startTime)>0){this._zones.splice(C,0,{startTime:A.startTime,endTime:F,magnify:A.magnify}); +C++; +A.startTime=F; +}if(this._unit.compare(B,A.endTime)<0){this._zones.splice(C,0,{startTime:F,endTime:B,magnify:G.magnify*A.magnify}); +C++; +A.startTime=B; +F=B; +}else{A.magnify*=G.magnify; +F=A.endTime; +}}}}if("startsOn" in this._params){this._start=this._unit.parseFromObject(this._params.startsOn); +}else{if("endsOn" in this._params){this._start=this._unit.parseFromObject(this._params.endsOn); +this.shiftPixels(-this._timeline.getPixelLength()); +}else{if("centersOn" in this._params){this._start=this._unit.parseFromObject(this._params.centersOn); +this.shiftPixels(-this._timeline.getPixelLength()/2); +}else{this._start=this._unit.makeDefaultValue(); +this.shiftPixels(-this._timeline.getPixelLength()/2); +}}}}; +Timeline.HotZoneEther.prototype.setDate=function(A){this._start=this._unit.cloneValue(A); +}; +Timeline.HotZoneEther.prototype.shiftPixels=function(A){this._start=this.pixelOffsetToDate(A); +}; +Timeline.HotZoneEther.prototype.dateToPixelOffset=function(A){return this._dateDiffToPixelOffset(this._start,A); +}; +Timeline.HotZoneEther.prototype.pixelOffsetToDate=function(A){return this._pixelOffsetToDate(A,this._start); +}; +Timeline.HotZoneEther.prototype.zoom=function(D){var A=0; +var B=this._band._zoomIndex; +var C=B; +if(D&&(B>0)){C=B-1; +}if(!D&&(B<(this._band._zoomSteps.length-1))){C=B+1; +}this._band._zoomIndex=C; +this._interval=SimileAjax.DateTime.gregorianUnitLengths[this._band._zoomSteps[C].unit]; +this._pixelsPerInterval=this._band._zoomSteps[C].pixelsPerInterval; +A=this._band._zoomSteps[C].unit-this._band._zoomSteps[B].unit; +return A; +}; +Timeline.HotZoneEther.prototype._dateDiffToPixelOffset=function(H,C){var D=this._getScale(); +var I=H; +var B=C; +var E=0; +if(this._unit.compare(I,B)<0){var G=0; +while(G<this._zones.length){if(this._unit.compare(I,this._zones[G].endTime)<0){break; +}G++; +}while(this._unit.compare(I,B)<0){var F=this._zones[G]; +var A=this._unit.earlier(B,F.endTime); +E+=(this._unit.compare(A,I)/(D/F.magnify)); +I=A; +G++; +}}else{var G=this._zones.length-1; +while(G>=0){if(this._unit.compare(I,this._zones[G].startTime)>0){break; +}G--; +}while(this._unit.compare(I,B)>0){var F=this._zones[G]; +var A=this._unit.later(B,F.startTime); +E+=(this._unit.compare(A,I)/(D/F.magnify)); +I=A; +G--; +}}return E; +}; +Timeline.HotZoneEther.prototype._pixelOffsetToDate=function(E,B){var G=this._getScale(); +var D=B; +if(E>0){var F=0; +while(F<this._zones.length){if(this._unit.compare(D,this._zones[F].endTime)<0){break; +}F++; +}while(E>0){var A=this._zones[F]; +var H=G/A.magnify; +if(A.endTime==Number.POSITIVE_INFINITY){D=this._unit.change(D,E*H); +E=0; +}else{var C=this._unit.compare(A.endTime,D)/H; +if(C>E){D=this._unit.change(D,E*H); +E=0; +}else{D=A.endTime; +E-=C; +}}F++; +}}else{var F=this._zones.length-1; +while(F>=0){if(this._unit.compare(D,this._zones[F].startTime)>0){break; +}F--; +}E=-E; +while(E>0){var A=this._zones[F]; +var H=G/A.magnify; +if(A.startTime==Number.NEGATIVE_INFINITY){D=this._unit.change(D,-E*H); +E=0; +}else{var C=this._unit.compare(D,A.startTime)/H; +if(C>E){D=this._unit.change(D,-E*H); +E=0; +}else{D=A.startTime; +E-=C; +}}F--; +}}return D; +}; +Timeline.HotZoneEther.prototype._getScale=function(){return this._interval/this._pixelsPerInterval; +}; + + +/* labellers.js */ +Timeline.GregorianDateLabeller=function(B,A){this._locale=B; +this._timeZone=A; +}; +Timeline.GregorianDateLabeller.monthNames=[]; +Timeline.GregorianDateLabeller.dayNames=[]; +Timeline.GregorianDateLabeller.labelIntervalFunctions=[]; +Timeline.GregorianDateLabeller.getMonthName=function(B,A){return Timeline.GregorianDateLabeller.monthNames[A][B]; +}; +Timeline.GregorianDateLabeller.prototype.labelInterval=function(A,C){var B=Timeline.GregorianDateLabeller.labelIntervalFunctions[this._locale]; +if(B==null){B=Timeline.GregorianDateLabeller.prototype.defaultLabelInterval; +}return B.call(this,A,C); +}; +Timeline.GregorianDateLabeller.prototype.labelPrecise=function(A){return SimileAjax.DateTime.removeTimeZoneOffset(A,this._timeZone).toUTCString(); +}; +Timeline.GregorianDateLabeller.prototype.defaultLabelInterval=function(B,C){var D; +var F=false; +B=SimileAjax.DateTime.removeTimeZoneOffset(B,this._timeZone); +switch(C){case SimileAjax.DateTime.MILLISECOND:D=B.getUTCMilliseconds(); +break; +case SimileAjax.DateTime.SECOND:D=B.getUTCSeconds(); +break; +case SimileAjax.DateTime.MINUTE:var A=B.getUTCMinutes(); +if(A==0){D=B.getUTCHours()+":00"; +F=true; +}else{D=A; +}break; +case SimileAjax.DateTime.HOUR:D=B.getUTCHours()+"hr"; +break; +case SimileAjax.DateTime.DAY:D=Timeline.GregorianDateLabeller.getMonthName(B.getUTCMonth(),this._locale)+" "+B.getUTCDate(); +break; +case SimileAjax.DateTime.WEEK:D=Timeline.GregorianDateLabeller.getMonthName(B.getUTCMonth(),this._locale)+" "+B.getUTCDate(); +break; +case SimileAjax.DateTime.MONTH:var A=B.getUTCMonth(); +if(A!=0){D=Timeline.GregorianDateLabeller.getMonthName(A,this._locale); +break; +}case SimileAjax.DateTime.YEAR:case SimileAjax.DateTime.DECADE:case SimileAjax.DateTime.CENTURY:case SimileAjax.DateTime.MILLENNIUM:var E=B.getUTCFullYear(); +if(E>0){D=B.getUTCFullYear(); +}else{D=(1-E)+"BC"; +}F=(C==SimileAjax.DateTime.MONTH)||(C==SimileAjax.DateTime.DECADE&&E%100==0)||(C==SimileAjax.DateTime.CENTURY&&E%1000==0); +break; +default:D=B.toUTCString(); +}return{text:D,emphasized:F}; +}; + + +/* original-painter.js */ +Timeline.OriginalEventPainter=function(A){this._params=A; +this._onSelectListeners=[]; +this._filterMatcher=null; +this._highlightMatcher=null; +this._frc=null; +this._eventIdToElmt={}; +}; +Timeline.OriginalEventPainter.prototype.initialize=function(B,A){this._band=B; +this._timeline=A; +this._backLayer=null; +this._eventLayer=null; +this._lineLayer=null; +this._highlightLayer=null; +this._eventIdToElmt=null; +}; +Timeline.OriginalEventPainter.prototype.addOnSelectListener=function(A){this._onSelectListeners.push(A); +}; +Timeline.OriginalEventPainter.prototype.removeOnSelectListener=function(B){for(var A=0; +A<this._onSelectListeners.length; +A++){if(this._onSelectListeners[A]==B){this._onSelectListeners.splice(A,1); +break; +}}}; +Timeline.OriginalEventPainter.prototype.getFilterMatcher=function(){return this._filterMatcher; +}; +Timeline.OriginalEventPainter.prototype.setFilterMatcher=function(A){this._filterMatcher=A; +}; +Timeline.OriginalEventPainter.prototype.getHighlightMatcher=function(){return this._highlightMatcher; +}; +Timeline.OriginalEventPainter.prototype.setHighlightMatcher=function(A){this._highlightMatcher=A; +}; +Timeline.OriginalEventPainter.prototype.paint=function(){var C=this._band.getEventSource(); +if(C==null){return ; +}this._eventIdToElmt={}; +this._prepareForPainting(); +var I=this._params.theme.event; +var G=Math.max(I.track.height,I.tape.height+this._frc.getLineHeight()); +var F={trackOffset:I.track.gap,trackHeight:G,trackGap:I.track.gap,trackIncrement:G+I.track.gap,icon:I.instant.icon,iconWidth:I.instant.iconWidth,iconHeight:I.instant.iconHeight,labelWidth:I.label.width}; +var D=this._band.getMinDate(); +var B=this._band.getMaxDate(); +var J=(this._filterMatcher!=null)?this._filterMatcher:function(K){return true; +}; +var A=(this._highlightMatcher!=null)?this._highlightMatcher:function(K){return -1; +}; +var E=C.getEventReverseIterator(D,B); +while(E.hasNext()){var H=E.next(); +if(J(H)){this.paintEvent(H,F,this._params.theme,A(H)); +}}this._highlightLayer.style.display="block"; +this._lineLayer.style.display="block"; +this._eventLayer.style.display="block"; +}; +Timeline.OriginalEventPainter.prototype.softPaint=function(){}; +Timeline.OriginalEventPainter.prototype._prepareForPainting=function(){var B=this._band; +if(this._backLayer==null){this._backLayer=this._band.createLayerDiv(0,"timeline-band-events"); +this._backLayer.style.visibility="hidden"; +var A=document.createElement("span"); +A.className="timeline-event-label"; +this._backLayer.appendChild(A); +this._frc=SimileAjax.Graphics.getFontRenderingContext(A); +}this._frc.update(); +this._tracks=[]; +if(this._highlightLayer!=null){B.removeLayerDiv(this._highlightLayer); +}this._highlightLayer=B.createLayerDiv(105,"timeline-band-highlights"); +this._highlightLayer.style.display="none"; +if(this._lineLayer!=null){B.removeLayerDiv(this._lineLayer); +}this._lineLayer=B.createLayerDiv(110,"timeline-band-lines"); +this._lineLayer.style.display="none"; +if(this._eventLayer!=null){B.removeLayerDiv(this._eventLayer); +}this._eventLayer=B.createLayerDiv(115,"timeline-band-events"); +this._eventLayer.style.display="none"; +}; +Timeline.OriginalEventPainter.prototype.paintEvent=function(B,C,D,A){if(B.isInstant()){this.paintInstantEvent(B,C,D,A); +}else{this.paintDurationEvent(B,C,D,A); +}}; +Timeline.OriginalEventPainter.prototype.paintInstantEvent=function(B,C,D,A){if(B.isImprecise()){this.paintImpreciseInstantEvent(B,C,D,A); +}else{this.paintPreciseInstantEvent(B,C,D,A); +}}; +Timeline.OriginalEventPainter.prototype.paintDurationEvent=function(B,C,D,A){if(B.isImprecise()){this.paintImpreciseDurationEvent(B,C,D,A); +}else{this.paintPreciseDurationEvent(B,C,D,A); +}}; +Timeline.OriginalEventPainter.prototype.paintPreciseInstantEvent=function(K,P,S,Q){var T=this._timeline.getDocument(); +var I=K.getText(); +var E=K.getStart(); +var F=Math.round(this._band.dateToPixelOffset(E)); +var A=Math.round(F+P.iconWidth/2); +var C=Math.round(F-P.iconWidth/2); +var D=this._frc.computeSize(I); +var J=A+S.event.label.offsetFromLine; +var G=J+D.width; +var N=G; +var M=this._findFreeTrack(N); +var O=Math.round(P.trackOffset+M*P.trackIncrement+P.trackHeight/2-D.height/2); +var B=this._paintEventIcon(K,M,C,P,S); +var R=this._paintEventLabel(K,I,J,O,D.width,D.height,S); +var L=this; +var H=function(V,U,W){return L._onClickInstantEvent(B.elmt,U,K); +}; +SimileAjax.DOM.registerEvent(B.elmt,"mousedown",H); +SimileAjax.DOM.registerEvent(R.elmt,"mousedown",H); +this._createHighlightDiv(Q,B,S); +this._eventIdToElmt[K.getID()]=B.elmt; +this._tracks[M]=C; +}; +Timeline.OriginalEventPainter.prototype.paintImpreciseInstantEvent=function(M,R,W,T){var X=this._timeline.getDocument(); +var K=M.getText(); +var G=M.getStart(); +var U=M.getEnd(); +var H=Math.round(this._band.dateToPixelOffset(G)); +var B=Math.round(this._band.dateToPixelOffset(U)); +var A=Math.round(H+R.iconWidth/2); +var D=Math.round(H-R.iconWidth/2); +var F=this._frc.computeSize(K); +var L=A+W.event.label.offsetFromLine; +var I=L+F.width; +var P=Math.max(I,B); +var O=this._findFreeTrack(P); +var Q=Math.round(R.trackOffset+O*R.trackIncrement+R.trackHeight/2-F.height/2); +var C=this._paintEventIcon(M,O,D,R,W); +var V=this._paintEventLabel(M,K,L,Q,F.width,F.height,W); +var S=M.getColor(); +S=S!=null?S:W.event.instant.impreciseColor; +var E=this._paintEventTape(M,O,H,B,S,W.event.instant.impreciseOpacity,R,W); +var N=this; +var J=function(Z,Y,a){return N._onClickInstantEvent(C.elmt,Y,M); +}; +SimileAjax.DOM.registerEvent(C.elmt,"mousedown",J); +SimileAjax.DOM.registerEvent(E.elmt,"mousedown",J); +SimileAjax.DOM.registerEvent(V.elmt,"mousedown",J); +this._createHighlightDiv(T,C,W); +this._eventIdToElmt[M.getID()]=C.elmt; +this._tracks[O]=D; +}; +Timeline.OriginalEventPainter.prototype.paintPreciseDurationEvent=function(J,O,T,Q){var U=this._timeline.getDocument(); +var H=J.getText(); +var D=J.getStart(); +var R=J.getEnd(); +var E=Math.round(this._band.dateToPixelOffset(D)); +var A=Math.round(this._band.dateToPixelOffset(R)); +var C=this._frc.computeSize(H); +var I=E; +var F=I+C.width; +var M=Math.max(F,A); +var L=this._findFreeTrack(M); +var N=Math.round(O.trackOffset+L*O.trackIncrement+T.event.tape.height); +var P=J.getColor(); +P=P!=null?P:T.event.duration.color; +var B=this._paintEventTape(J,L,E,A,P,100,O,T); +var S=this._paintEventLabel(J,H,I,N,C.width,C.height,T); +var K=this; +var G=function(W,V,X){return K._onClickDurationEvent(B.elmt,V,J); +}; +SimileAjax.DOM.registerEvent(B.elmt,"mousedown",G); +SimileAjax.DOM.registerEvent(S.elmt,"mousedown",G); +this._createHighlightDiv(Q,B,T); +this._eventIdToElmt[J.getID()]=B.elmt; +this._tracks[L]=E; +}; +Timeline.OriginalEventPainter.prototype.paintImpreciseDurationEvent=function(L,T,Y,V){var Z=this._timeline.getDocument(); +var J=L.getText(); +var F=L.getStart(); +var S=L.getLatestStart(); +var W=L.getEnd(); +var N=L.getEarliestEnd(); +var G=Math.round(this._band.dateToPixelOffset(F)); +var D=Math.round(this._band.dateToPixelOffset(S)); +var A=Math.round(this._band.dateToPixelOffset(W)); +var E=Math.round(this._band.dateToPixelOffset(N)); +var C=this._frc.computeSize(J); +var K=D; +var H=K+C.width; +var P=Math.max(H,A); +var O=this._findFreeTrack(P); +var Q=Math.round(T.trackOffset+O*T.trackIncrement+Y.event.tape.height); +var U=L.getColor(); +U=U!=null?U:Y.event.duration.color; +var R=this._paintEventTape(L,O,G,A,Y.event.duration.impreciseColor,Y.event.duration.impreciseOpacity,T,Y); +var B=this._paintEventTape(L,O,D,E,U,100,T,Y); +var X=this._paintEventLabel(L,J,K,Q,C.width,C.height,Y); +var M=this; +var I=function(b,a,c){return M._onClickDurationEvent(B.elmt,a,L); +}; +SimileAjax.DOM.registerEvent(B.elmt,"mousedown",I); +SimileAjax.DOM.registerEvent(X.elmt,"mousedown",I); +this._createHighlightDiv(V,B,Y); +this._eventIdToElmt[L.getID()]=B.elmt; +this._tracks[O]=G; +}; +Timeline.OriginalEventPainter.prototype._findFreeTrack=function(C){for(var B=0; +B<this._tracks.length; +B++){var A=this._tracks[B]; +if(A>C){break; +}}return B; +}; +Timeline.OriginalEventPainter.prototype._paintEventIcon=function(J,B,C,F,E){var H=J.getIcon(); +H=H!=null?H:F.icon; +var G=F.trackOffset+B*F.trackIncrement+F.trackHeight/2; +var I=Math.round(G-F.iconHeight/2); +var D=SimileAjax.Graphics.createTranslucentImage(H); +var A=this._timeline.getDocument().createElement("div"); +A.className="timeline-event-icon"; +A.style.left=C+"px"; +A.style.top=I+"px"; +A.appendChild(D); +if(J._title!=null){A.title=J._title; +}this._eventLayer.appendChild(A); +return{left:C,top:I,width:F.iconWidth,height:F.iconHeight,elmt:A}; +}; +Timeline.OriginalEventPainter.prototype._paintEventLabel=function(J,K,C,G,A,H,F){var I=this._timeline.getDocument(); +var B=I.createElement("div"); +B.className="timeline-event-label"; +B.style.left=C+"px"; +B.style.width=A+"px"; +B.style.top=G+"px"; +B.innerHTML=K; +if(J._title!=null){B.title=J._title; +}var D=J.getTextColor(); +if(D==null){D=J.getColor(); +}if(D!=null){B.style.color=D; +}var E=J.getClassName(); +if(E!=null){B.className+=" "+E; +}this._eventLayer.appendChild(B); +return{left:C,top:G,width:A,height:H,elmt:B}; +}; +Timeline.OriginalEventPainter.prototype._paintEventTape=function(N,B,D,A,G,C,K,J){var F=A-D; +var E=J.event.tape.height; +var L=K.trackOffset+B*K.trackIncrement; +var O=this._timeline.getDocument().createElement("div"); +O.className="timeline-event-tape"; +O.style.left=D+"px"; +O.style.width=F+"px"; +O.style.top=L+"px"; +if(N._title!=null){O.title=N._title; +}if(G!=null){O.style.backgroundColor=G; +}var M=N.getTapeImage(); +var H=N.getTapeRepeat(); +H=H!=null?H:"repeat"; +if(M!=null){O.style.backgroundImage="url("+M+")"; +O.style.backgroundRepeat=H; +}SimileAjax.Graphics.setOpacity(O,C); +var I=N.getClassName(); +if(I!=null){O.className+=" "+I; +}this._eventLayer.appendChild(O); +return{left:D,top:L,width:F,height:E,elmt:O}; +}; +Timeline.OriginalEventPainter.prototype._createHighlightDiv=function(A,C,E){if(A>=0){var D=this._timeline.getDocument(); +var G=E.event; +var B=G.highlightColors[Math.min(A,G.highlightColors.length-1)]; +var F=D.createElement("div"); +F.style.position="absolute"; +F.style.overflow="hidden"; +F.style.left=(C.left-2)+"px"; +F.style.width=(C.width+4)+"px"; +F.style.top=(C.top-2)+"px"; +F.style.height=(C.height+4)+"px"; +this._highlightLayer.appendChild(F); +}}; +Timeline.OriginalEventPainter.prototype._onClickInstantEvent=function(C,A,B){var D=SimileAjax.DOM.getPageCoordinates(C); +this._showBubble(D.left+Math.ceil(C.offsetWidth/2),D.top+Math.ceil(C.offsetHeight/2),B); +this._fireOnSelect(B.getID()); +A.cancelBubble=true; +SimileAjax.DOM.cancelEvent(A); +return false; +}; +Timeline.OriginalEventPainter.prototype._onClickDurationEvent=function(F,B,C){if("pageX" in B){var A=B.pageX; +var E=B.pageY; +}else{var D=SimileAjax.DOM.getPageCoordinates(F); +var A=B.offsetX+D.left; +var E=B.offsetY+D.top; +}this._showBubble(A,E,C); +this._fireOnSelect(C.getID()); +B.cancelBubble=true; +SimileAjax.DOM.cancelEvent(B); +return false; +}; +Timeline.OriginalEventPainter.prototype.showBubble=function(A){var B=this._eventIdToElmt[A.getID()]; +if(B){var C=SimileAjax.DOM.getPageCoordinates(B); +this._showBubble(C.left+B.offsetWidth/2,C.top+B.offsetHeight/2,A); +}}; +Timeline.OriginalEventPainter.prototype._showBubble=function(A,D,B){var C=document.createElement("div"); +B.fillInfoBubble(C,this._params.theme,this._band.getLabeller()); +SimileAjax.WindowManager.cancelPopups(); +SimileAjax.Graphics.createBubbleForContentAndPoint(C,A,D,this._params.theme.event.bubble.width); +}; +Timeline.OriginalEventPainter.prototype._fireOnSelect=function(A){for(var B=0; +B<this._onSelectListeners.length; +B++){this._onSelectListeners[B](A); +}}; + + +/* overview-painter.js */ +Timeline.OverviewEventPainter=function(A){this._params=A; +this._onSelectListeners=[]; +this._filterMatcher=null; +this._highlightMatcher=null; +}; +Timeline.OverviewEventPainter.prototype.initialize=function(B,A){this._band=B; +this._timeline=A; +this._eventLayer=null; +this._highlightLayer=null; +}; +Timeline.OverviewEventPainter.prototype.addOnSelectListener=function(A){this._onSelectListeners.push(A); +}; +Timeline.OverviewEventPainter.prototype.removeOnSelectListener=function(B){for(var A=0; +A<this._onSelectListeners.length; +A++){if(this._onSelectListeners[A]==B){this._onSelectListeners.splice(A,1); +break; +}}}; +Timeline.OverviewEventPainter.prototype.getFilterMatcher=function(){return this._filterMatcher; +}; +Timeline.OverviewEventPainter.prototype.setFilterMatcher=function(A){this._filterMatcher=A; +}; +Timeline.OverviewEventPainter.prototype.getHighlightMatcher=function(){return this._highlightMatcher; +}; +Timeline.OverviewEventPainter.prototype.setHighlightMatcher=function(A){this._highlightMatcher=A; +}; +Timeline.OverviewEventPainter.prototype.paint=function(){var C=this._band.getEventSource(); +if(C==null){return ; +}this._prepareForPainting(); +var H=this._params.theme.event; +var F={trackOffset:H.overviewTrack.offset,trackHeight:H.overviewTrack.height,trackGap:H.overviewTrack.gap,trackIncrement:H.overviewTrack.height+H.overviewTrack.gap}; +var D=this._band.getMinDate(); +var B=this._band.getMaxDate(); +var I=(this._filterMatcher!=null)?this._filterMatcher:function(J){return true; +}; +var A=(this._highlightMatcher!=null)?this._highlightMatcher:function(J){return -1; +}; +var E=C.getEventReverseIterator(D,B); +while(E.hasNext()){var G=E.next(); +if(I(G)){this.paintEvent(G,F,this._params.theme,A(G)); +}}this._highlightLayer.style.display="block"; +this._eventLayer.style.display="block"; +}; +Timeline.OverviewEventPainter.prototype.softPaint=function(){}; +Timeline.OverviewEventPainter.prototype._prepareForPainting=function(){var A=this._band; +this._tracks=[]; +if(this._highlightLayer!=null){A.removeLayerDiv(this._highlightLayer); +}this._highlightLayer=A.createLayerDiv(105,"timeline-band-highlights"); +this._highlightLayer.style.display="none"; +if(this._eventLayer!=null){A.removeLayerDiv(this._eventLayer); +}this._eventLayer=A.createLayerDiv(110,"timeline-band-events"); +this._eventLayer.style.display="none"; +}; +Timeline.OverviewEventPainter.prototype.paintEvent=function(B,C,D,A){if(B.isInstant()){this.paintInstantEvent(B,C,D,A); +}else{this.paintDurationEvent(B,C,D,A); +}}; +Timeline.OverviewEventPainter.prototype.paintInstantEvent=function(B,E,G,A){var F=B.getStart(); +var H=Math.round(this._band.dateToPixelOffset(F)); +var C=B.getColor(); +C=C!=null?C:G.event.duration.color; +var D=this._paintEventTick(B,H,C,100,E,G); +this._createHighlightDiv(A,D,G); +}; +Timeline.OverviewEventPainter.prototype.paintDurationEvent=function(K,J,G,B){var A=K.getLatestStart(); +var H=K.getEarliestEnd(); +var I=Math.round(this._band.dateToPixelOffset(A)); +var C=Math.round(this._band.dateToPixelOffset(H)); +var F=0; +for(; +F<this._tracks.length; +F++){if(C<this._tracks[F]){break; +}}this._tracks[F]=C; +var E=K.getColor(); +E=E!=null?E:G.event.duration.color; +var D=this._paintEventTape(K,F,I,C,E,100,J,G); +this._createHighlightDiv(B,D,G); +}; +Timeline.OverviewEventPainter.prototype._paintEventTape=function(J,B,D,K,E,C,G,F){var H=G.trackOffset+B*G.trackIncrement; +var A=K-D; +var I=G.trackHeight; +var L=this._timeline.getDocument().createElement("div"); +L.className="timeline-small-event-tape"; +L.style.left=D+"px"; +L.style.width=A+"px"; +L.style.top=H+"px"; +if(C<100){SimileAjax.Graphics.setOpacity(L,C); +}this._eventLayer.appendChild(L); +return{left:D,top:H,width:A,height:I,elmt:L}; +}; +Timeline.OverviewEventPainter.prototype._paintEventTick=function(J,C,D,B,G,F){var I=F.event.overviewTrack.tickHeight; +var H=G.trackOffset-I; +var A=1; +var K=this._timeline.getDocument().createElement("div"); +K.className="timeline-small-event-icon"; +K.style.left=C+"px"; +K.style.top=H+"px"; +var E=J.getClassName(); +if(E){K.className+=" small-"+E; +}if(B<100){SimileAjax.Graphics.setOpacity(K,B); +}this._eventLayer.appendChild(K); +return{left:C,top:H,width:A,height:I,elmt:K}; +}; +Timeline.OverviewEventPainter.prototype._createHighlightDiv=function(A,C,E){if(A>=0){var D=this._timeline.getDocument(); +var G=E.event; +var B=G.highlightColors[Math.min(A,G.highlightColors.length-1)]; +var F=D.createElement("div"); +F.style.position="absolute"; +F.style.overflow="hidden"; +F.style.left=(C.left-1)+"px"; +F.style.width=(C.width+2)+"px"; +F.style.top=(C.top-1)+"px"; +F.style.height=(C.height+2)+"px"; +F.style.background=B; +this._highlightLayer.appendChild(F); +}}; +Timeline.OverviewEventPainter.prototype.showBubble=function(A){}; + + +/* sources.js */ +Timeline.DefaultEventSource=function(A){this._events=(A instanceof Object)?A:new SimileAjax.EventIndex(); +this._listeners=[]; +}; +Timeline.DefaultEventSource.prototype.addListener=function(A){this._listeners.push(A); +}; +Timeline.DefaultEventSource.prototype.removeListener=function(B){for(var A=0; +A<this._listeners.length; +A++){if(this._listeners[A]==B){this._listeners.splice(A,1); +break; +}}}; +Timeline.DefaultEventSource.prototype.loadXML=function(F,A){var B=this._getBaseURL(A); +var G=F.documentElement.getAttribute("wiki-url"); +var I=F.documentElement.getAttribute("wiki-section"); +var E=F.documentElement.getAttribute("date-time-format"); +var D=this._events.getUnit().getParser(E); +var C=F.documentElement.firstChild; +var H=false; +while(C!=null){if(C.nodeType==1){var K=""; +if(C.firstChild!=null&&C.firstChild.nodeType==3){K=C.firstChild.nodeValue; +}var J=new Timeline.DefaultEventSource.Event({id:C.getAttribute("id"),start:D(C.getAttribute("start")),end:D(C.getAttribute("end")),latestStart:D(C.getAttribute("latestStart")),earliestEnd:D(C.getAttribute("earliestEnd")),instant:C.getAttribute("isDuration")!="true",text:C.getAttribute("title"),description:K,image:this._resolveRelativeURL(C.getAttribute("image"),B),link:this._resolveRelativeURL(C.getAttribute("link"),B),icon:this._resolveRelativeURL(C.getAttribute("icon"),B),color:C.getAttribute("color"),textColor:C.getAttribute("textColor"),hoverText:C.getAttribute("hoverText"),classname:C.getAttribute("classname"),tapeImage:C.getAttribute("tapeImage"),tapeRepeat:C.getAttribute("tapeRepeat"),caption:C.getAttribute("caption"),eventID:C.getAttribute("eventID")}); +J._node=C; +J.getProperty=function(L){return this._node.getAttribute(L); +}; +J.setWikiInfo(G,I); +this._events.add(J); +H=true; +}C=C.nextSibling; +}if(H){this._fire("onAddMany",[]); +}}; +Timeline.DefaultEventSource.prototype.loadJSON=function(G,B){var C=this._getBaseURL(B); +var I=false; +if(G&&G.events){var H=("wikiURL" in G)?G.wikiURL:null; +var J=("wikiSection" in G)?G.wikiSection:null; +var E=("dateTimeFormat" in G)?G.dateTimeFormat:null; +var D=this._events.getUnit().getParser(E); +for(var F=0; +F<G.events.length; +F++){var A=G.events[F]; +var K=new Timeline.DefaultEventSource.Event({id:("id" in A)?A.id:undefined,start:D(A.start),end:D(A.end),latestStart:D(A.latestStart),earliestEnd:D(A.earliestEnd),instant:A.isDuration||false,text:A.title,description:A.description,image:this._resolveRelativeURL(A.image,C),link:this._resolveRelativeURL(A.link,C),icon:this._resolveRelativeURL(A.icon,C),color:A.color,textColor:A.textColor,hoverText:A.hoverText,classname:A.classname,tapeImage:A.tapeImage,tapeRepeat:A.tapeRepeat,caption:A.caption,eventID:A.eventID}); +K._obj=A; +K.getProperty=function(L){return this._obj[L]; +}; +K.setWikiInfo(H,J); +this._events.add(K); +I=true; +}}if(I){this._fire("onAddMany",[]); +}}; +Timeline.DefaultEventSource.prototype.loadSPARQL=function(H,B){var D=this._getBaseURL(B); +var G="iso8601"; +var F=this._events.getUnit().getParser(G); +if(H==null){return ; +}var E=H.documentElement.firstChild; +while(E!=null&&(E.nodeType!=1||E.nodeName!="results")){E=E.nextSibling; +}var I=null; +var K=null; +if(E!=null){I=E.getAttribute("wiki-url"); +K=E.getAttribute("wiki-section"); +E=E.firstChild; +}var J=false; +while(E!=null){if(E.nodeType==1){var C={}; +var A=E.firstChild; +while(A!=null){if(A.nodeType==1&&A.firstChild!=null&&A.firstChild.nodeType==1&&A.firstChild.firstChild!=null&&A.firstChild.firstChild.nodeType==3){C[A.getAttribute("name")]=A.firstChild.firstChild.nodeValue; +}A=A.nextSibling; +}if(C["start"]==null&&C["date"]!=null){C["start"]=C["date"]; +}var L=new Timeline.DefaultEventSource.Event({id:C["id"],start:F(C["start"]),end:F(C["end"]),latestStart:F(C["latestStart"]),earliestEnd:F(C["earliestEnd"]),instant:C["isDuration"]!="true",text:C["title"],description:C["description"],image:this._resolveRelativeURL(C["image"],D),link:this._resolveRelativeURL(C["link"],D),icon:this._resolveRelativeURL(C["icon"],D),color:C["color"],textColor:C["textColor"],hoverText:C["hoverText"],caption:C["caption"],classname:C["classname"],tapeImage:C["tapeImage"],tapeRepeat:C["tapeRepeat"],eventID:C["eventID"]}); +L._bindings=C; +L.getProperty=function(M){return this._bindings[M]; +}; +L.setWikiInfo(I,K); +this._events.add(L); +J=true; +}E=E.nextSibling; +}if(J){this._fire("onAddMany",[]); +}}; +Timeline.DefaultEventSource.prototype.add=function(A){this._events.add(A); +this._fire("onAddOne",[A]); +}; +Timeline.DefaultEventSource.prototype.addMany=function(A){for(var B=0; +B<A.length; +B++){this._events.add(A[B]); +}this._fire("onAddMany",[]); +}; +Timeline.DefaultEventSource.prototype.clear=function(){this._events.removeAll(); +this._fire("onClear",[]); +}; +Timeline.DefaultEventSource.prototype.getEvent=function(A){return this._events.getEvent(A); +}; +Timeline.DefaultEventSource.prototype.getEventIterator=function(A,B){return this._events.getIterator(A,B); +}; +Timeline.DefaultEventSource.prototype.getEventReverseIterator=function(A,B){return this._events.getReverseIterator(A,B); +}; +Timeline.DefaultEventSource.prototype.getAllEventIterator=function(){return this._events.getAllIterator(); +}; +Timeline.DefaultEventSource.prototype.getCount=function(){return this._events.getCount(); +}; +Timeline.DefaultEventSource.prototype.getEarliestDate=function(){return this._events.getEarliestDate(); +}; +Timeline.DefaultEventSource.prototype.getLatestDate=function(){return this._events.getLatestDate(); +}; +Timeline.DefaultEventSource.prototype._fire=function(B,A){for(var C=0; +C<this._listeners.length; +C++){var D=this._listeners[C]; +if(B in D){try{D[B].apply(D,A); +}catch(E){SimileAjax.Debug.exception(E); +}}}}; +Timeline.DefaultEventSource.prototype._getBaseURL=function(A){if(A.indexOf("://")<0){var C=this._getBaseURL(document.location.href); +if(A.substr(0,1)=="/"){A=C.substr(0,C.indexOf("/",C.indexOf("://")+3))+A; +}else{A=C+A; +}}var B=A.lastIndexOf("/"); +if(B<0){return""; +}else{return A.substr(0,B+1); +}}; +Timeline.DefaultEventSource.prototype._resolveRelativeURL=function(A,B){if(A==null||A==""){return A; +}else{if(A.indexOf("://")>0){return A; +}else{if(A.substr(0,1)=="/"){return B.substr(0,B.indexOf("/",B.indexOf("://")+3))+A; +}else{return B+A; +}}}}; +Timeline.DefaultEventSource.Event=function(A){function C(D){return(A[D]!=null&&A[D]!="")?A[D]:null; +}var B=(A.id)?A.id.trim():""; +this._id=B.length>0?B:("e"+Math.floor(Math.random()*1000000)); +this._instant=A.instant||(A.end==null); +this._start=A.start; +this._end=(A.end!=null)?A.end:A.start; +this._latestStart=(A.latestStart!=null)?A.latestStart:(A.instant?this._end:this._start); +this._earliestEnd=(A.earliestEnd!=null)?A.earliestEnd:(A.instant?this._start:this._end); +this._eventID=C("eventID"); +this._text=SimileAjax.HTML.deEntify(A.text); +this._description=SimileAjax.HTML.deEntify(A.description); +this._image=C("image"); +this._link=C("link"); +this._title=C("hoverText"); +this._title=C("caption"); +this._icon=C("icon"); +this._color=C("color"); +this._textColor=C("textColor"); +this._classname=C("classname"); +this._tapeImage=C("tapeImage"); +this._tapeRepeat=C("tapeRepeat"); +this._wikiURL=null; +this._wikiSection=null; +}; +Timeline.DefaultEventSource.Event.prototype={getID:function(){return this._id; +},isInstant:function(){return this._instant; +},isImprecise:function(){return this._start!=this._latestStart||this._end!=this._earliestEnd; +},getStart:function(){return this._start; +},getEnd:function(){return this._end; +},getLatestStart:function(){return this._latestStart; +},getEarliestEnd:function(){return this._earliestEnd; +},getEventID:function(){return this._eventID; +},getText:function(){return this._text; +},getDescription:function(){return this._description; +},getImage:function(){return this._image; +},getLink:function(){return this._link; +},getIcon:function(){return this._icon; +},getColor:function(){return this._color; +},getTextColor:function(){return this._textColor; +},getClassName:function(){return this._classname; +},getTapeImage:function(){return this._tapeImage; +},getTapeRepeat:function(){return this._tapeRepeat; +},getProperty:function(A){return null; +},getWikiURL:function(){return this._wikiURL; +},getWikiSection:function(){return this._wikiSection; +},setWikiInfo:function(B,A){this._wikiURL=B; +this._wikiSection=A; +},fillDescription:function(A){A.innerHTML=this._description; +},fillWikiInfo:function(D){if(this._wikiURL!=null&&this._wikiSection!=null){var C=this.getProperty("wikiID"); +if(C==null||C.length==0){C=this.getText(); +}C=C.replace(/\s/g,"_"); +var B=this._wikiURL+this._wikiSection.replace(/\s/g,"_")+"/"+C; +var A=document.createElement("a"); +A.href=B; +A.target="new"; +A.innerHTML=Timeline.strings[Timeline.clientLocale].wikiLinkLabel; +D.appendChild(document.createTextNode("[")); +D.appendChild(A); +D.appendChild(document.createTextNode("]")); +}else{D.style.display="none"; +}},fillTime:function(A,B){if(this._instant){if(this.isImprecise()){A.appendChild(A.ownerDocument.createTextNode(B.labelPrecise(this._start))); +A.appendChild(A.ownerDocument.createElement("br")); +A.appendChild(A.ownerDocument.createTextNode(B.labelPrecise(this._end))); +}else{A.appendChild(A.ownerDocument.createTextNode(B.labelPrecise(this._start))); +}}else{if(this.isImprecise()){A.appendChild(A.ownerDocument.createTextNode(B.labelPrecise(this._start)+" ~ "+B.labelPrecise(this._latestStart))); +A.appendChild(A.ownerDocument.createElement("br")); +A.appendChild(A.ownerDocument.createTextNode(B.labelPrecise(this._earliestEnd)+" ~ "+B.labelPrecise(this._end))); +}else{A.appendChild(A.ownerDocument.createTextNode(B.labelPrecise(this._start))); +A.appendChild(A.ownerDocument.createElement("br")); +A.appendChild(A.ownerDocument.createTextNode(B.labelPrecise(this._end))); +}}},fillInfoBubble:function(A,E,M){var K=A.ownerDocument; +var J=this.getText(); +var H=this.getLink(); +var B=this.getImage(); +if(B!=null){var D=K.createElement("img"); +D.src=B; +E.event.bubble.imageStyler(D); +A.appendChild(D); +}var L=K.createElement("div"); +var C=K.createTextNode(J); +if(H!=null){var I=K.createElement("a"); +I.href=H; +I.appendChild(C); +L.appendChild(I); +}else{L.appendChild(C); +}E.event.bubble.titleStyler(L); +A.appendChild(L); +var N=K.createElement("div"); +this.fillDescription(N); +E.event.bubble.bodyStyler(N); +A.appendChild(N); +var G=K.createElement("div"); +this.fillTime(G,M); +E.event.bubble.timeStyler(G); +A.appendChild(G); +var F=K.createElement("div"); +this.fillWikiInfo(F); +E.event.bubble.wikiStyler(F); +A.appendChild(F); +}}; + + +/* themes.js */ +Timeline.ClassicTheme=new Object(); +Timeline.ClassicTheme.implementations=[]; +Timeline.ClassicTheme.create=function(B){if(B==null){B=Timeline.getDefaultLocale(); +}var A=Timeline.ClassicTheme.implementations[B]; +if(A==null){A=Timeline.ClassicTheme._Impl; +}return new A(); +}; +Timeline.ClassicTheme._Impl=function(){this.firstDayOfWeek=0; +this.ether={backgroundColors:[],highlightOpacity:50,interval:{line:{show:true,opacity:25},weekend:{opacity:30},marker:{hAlign:"Bottom",vAlign:"Right"}}}; +this.event={track:{height:10,gap:2},overviewTrack:{offset:20,tickHeight:6,height:2,gap:1},tape:{height:4},instant:{icon:Timeline.urlPrefix+"images/dull-blue-circle.png",iconWidth:10,iconHeight:10,impreciseOpacity:20},duration:{impreciseOpacity:20},label:{backgroundOpacity:50,offsetFromLine:3},highlightColors:[],bubble:{width:250,height:125,titleStyler:function(A){A.className="timeline-event-bubble-title"; +},bodyStyler:function(A){A.className="timeline-event-bubble-body"; +},imageStyler:function(A){A.className="timeline-event-bubble-image"; +},wikiStyler:function(A){A.className="timeline-event-bubble-wiki"; +},timeStyler:function(A){A.className="timeline-event-bubble-time"; +}}}; +this.mouseWheel="scroll"; +}; + + +/* timeline.js */ +Timeline.strings={}; +Timeline.getDefaultLocale=function(){return Timeline.clientLocale; +}; +Timeline.create=function(B,A,C,D){return new Timeline._Impl(B,A,C,D); +}; +Timeline.HORIZONTAL=0; +Timeline.VERTICAL=1; +Timeline._defaultTheme=null; +Timeline.createBandInfo=function(F){var G=("theme" in F)?F.theme:Timeline.getDefaultTheme(); +var D=("eventSource" in F)?F.eventSource:null; +var H=new Timeline.LinearEther({centersOn:("date" in F)?F.date:new Date(),interval:SimileAjax.DateTime.gregorianUnitLengths[F.intervalUnit],pixelsPerInterval:F.intervalPixels,theme:G}); +var C=new Timeline.GregorianEtherPainter({unit:F.intervalUnit,multiple:("multiple" in F)?F.multiple:1,theme:G,align:("align" in F)?F.align:undefined}); +var I={showText:("showEventText" in F)?F.showEventText:true,theme:G}; +if("eventPainterParams" in F){for(var A in F.eventPainterParams){I[A]=F.eventPainterParams[A]; +}}if("trackHeight" in F){I.trackHeight=F.trackHeight; +}if("trackGap" in F){I.trackGap=F.trackGap; +}var B=("overview" in F&&F.overview)?"overview":("layout" in F?F.layout:"original"); +var E; +if("eventPainter" in F){E=new F.eventPainter(I); +}else{switch(B){case"overview":E=new Timeline.OverviewEventPainter(I); +break; +case"detailed":E=new Timeline.DetailedEventPainter(I); +break; +default:E=new Timeline.OriginalEventPainter(I); +}}return{width:F.width,eventSource:D,timeZone:("timeZone" in F)?F.timeZone:0,ether:H,etherPainter:C,eventPainter:E,theme:G,zoomIndex:("zoomIndex" in F)?F.zoomIndex:0,zoomSteps:("zoomSteps" in F)?F.zoomSteps:null}; +}; +Timeline.createHotZoneBandInfo=function(F){var G=("theme" in F)?F.theme:Timeline.getDefaultTheme(); +var D=("eventSource" in F)?F.eventSource:null; +var H=new Timeline.HotZoneEther({centersOn:("date" in F)?F.date:new Date(),interval:SimileAjax.DateTime.gregorianUnitLengths[F.intervalUnit],pixelsPerInterval:F.intervalPixels,zones:F.zones,theme:G}); +var C=new Timeline.HotZoneGregorianEtherPainter({unit:F.intervalUnit,zones:F.zones,theme:G,align:("align" in F)?F.align:undefined}); +var I={showText:("showEventText" in F)?F.showEventText:true,theme:G}; +if("eventPainterParams" in F){for(var A in F.eventPainterParams){I[A]=F.eventPainterParams[A]; +}}if("trackHeight" in F){I.trackHeight=F.trackHeight; +}if("trackGap" in F){I.trackGap=F.trackGap; +}var B=("overview" in F&&F.overview)?"overview":("layout" in F?F.layout:"original"); +var E; +if("eventPainter" in F){E=new F.eventPainter(I); +}else{switch(B){case"overview":E=new Timeline.OverviewEventPainter(I); +break; +case"detailed":E=new Timeline.DetailedEventPainter(I); +break; +default:E=new Timeline.OriginalEventPainter(I); +}}return{width:F.width,eventSource:D,timeZone:("timeZone" in F)?F.timeZone:0,ether:H,etherPainter:C,eventPainter:E,theme:G,zoomIndex:("zoomIndex" in F)?F.zoomIndex:0,zoomSteps:("zoomSteps" in F)?F.zoomSteps:null}; +}; +Timeline.getDefaultTheme=function(){if(Timeline._defaultTheme==null){Timeline._defaultTheme=Timeline.ClassicTheme.create(Timeline.getDefaultLocale()); +}return Timeline._defaultTheme; +}; +Timeline.setDefaultTheme=function(A){Timeline._defaultTheme=A; +}; +Timeline.loadXML=function(A,C){var D=function(G,F,E){alert("Failed to load data xml from "+A+"\n"+G); +}; +var B=function(F){var E=F.responseXML; +if(!E.documentElement&&F.responseStream){E.load(F.responseStream); +}C(E,A); +}; +SimileAjax.XmlHttp.get(A,D,B); +}; +Timeline.loadJSON=function(url,f){var fError=function(statusText,status,xmlhttp){alert("Failed to load json data from "+url+"\n"+statusText); +}; +var fDone=function(xmlhttp){f(eval("("+xmlhttp.responseText+")"),url); +}; +SimileAjax.XmlHttp.get(url,fError,fDone); +}; +Timeline._Impl=function(B,A,C,D){SimileAjax.WindowManager.initialize(); +this._containerDiv=B; +this._bandInfos=A; +this._orientation=C==null?Timeline.HORIZONTAL:C; +this._unit=(D!=null)?D:SimileAjax.NativeDateUnit; +this._initialize(); +}; +Timeline._Impl.prototype.dispose=function(){for(var A=0; +A<this._bands.length; +A++){this._bands[A].dispose(); +}this._bands=null; +this._bandInfos=null; +this._containerDiv.innerHTML=""; +}; +Timeline._Impl.prototype.getBandCount=function(){return this._bands.length; +}; +Timeline._Impl.prototype.getBand=function(A){return this._bands[A]; +}; +Timeline._Impl.prototype.layout=function(){this._distributeWidths(); +}; +Timeline._Impl.prototype.paint=function(){for(var A=0; +A<this._bands.length; +A++){this._bands[A].paint(); +}}; +Timeline._Impl.prototype.getDocument=function(){return this._containerDiv.ownerDocument; +}; +Timeline._Impl.prototype.addDiv=function(A){this._containerDiv.appendChild(A); +}; +Timeline._Impl.prototype.removeDiv=function(A){this._containerDiv.removeChild(A); +}; +Timeline._Impl.prototype.isHorizontal=function(){return this._orientation==Timeline.HORIZONTAL; +}; +Timeline._Impl.prototype.isVertical=function(){return this._orientation==Timeline.VERTICAL; +}; +Timeline._Impl.prototype.getPixelLength=function(){return this._orientation==Timeline.HORIZONTAL?this._containerDiv.offsetWidth:this._containerDiv.offsetHeight; +}; +Timeline._Impl.prototype.getPixelWidth=function(){return this._orientation==Timeline.VERTICAL?this._containerDiv.offsetWidth:this._containerDiv.offsetHeight; +}; +Timeline._Impl.prototype.getUnit=function(){return this._unit; +}; +Timeline._Impl.prototype.loadXML=function(B,D){var A=this; +var E=function(H,G,F){alert("Failed to load data xml from "+B+"\n"+H); +A.hideLoadingMessage(); +}; +var C=function(G){try{var F=G.responseXML; +if(!F.documentElement&&G.responseStream){F.load(G.responseStream); +}D(F,B); +}finally{A.hideLoadingMessage(); +}}; +this.showLoadingMessage(); +window.setTimeout(function(){SimileAjax.XmlHttp.get(B,E,C); +},0); +}; +Timeline._Impl.prototype.loadJSON=function(url,f){var tl=this; +var fError=function(statusText,status,xmlhttp){alert("Failed to load json data from "+url+"\n"+statusText); +tl.hideLoadingMessage(); +}; +var fDone=function(xmlhttp){try{f(eval("("+xmlhttp.responseText+")"),url); +}finally{tl.hideLoadingMessage(); +}}; +this.showLoadingMessage(); +window.setTimeout(function(){SimileAjax.XmlHttp.get(url,fError,fDone); +},0); +}; +Timeline._Impl.prototype._initialize=function(){var H=this._containerDiv; +var E=H.ownerDocument; +H.className=H.className.split(" ").concat("timeline-container").join(" "); +var C=(this.isHorizontal())?"horizontal":"vertical"; +H.className+=" timeline-"+C; +while(H.firstChild){H.removeChild(H.firstChild); +}var A=SimileAjax.Graphics.createTranslucentImage(Timeline.urlPrefix+(this.isHorizontal()?"images/copyright-vertical.png":"images/copyright.png")); +A.className="timeline-copyright"; +A.title="Timeline (c) SIMILE - http://simile.mit.edu/timeline/"; +SimileAjax.DOM.registerEvent(A,"click",function(){window.location="http://simile.mit.edu/timeline/"; +}); +H.appendChild(A); +this._bands=[]; +for(var B=0; +B<this._bandInfos.length; +B++){var G=new Timeline._Band(this,this._bandInfos[B],B); +this._bands.push(G); +}this._distributeWidths(); +for(var B=0; +B<this._bandInfos.length; +B++){var F=this._bandInfos[B]; +if("syncWith" in F){this._bands[B].setSyncWithBand(this._bands[F.syncWith],("highlight" in F)?F.highlight:false); +}}var D=SimileAjax.Graphics.createMessageBubble(E); +D.containerDiv.className="timeline-message-container"; +H.appendChild(D.containerDiv); +D.contentDiv.className="timeline-message"; +D.contentDiv.innerHTML="<img src='"+Timeline.urlPrefix+"images/progress-running.gif' /> Loading..."; +this.showLoadingMessage=function(){D.containerDiv.style.display="block"; +}; +this.hideLoadingMessage=function(){D.containerDiv.style.display="none"; +}; +}; +Timeline._Impl.prototype._distributeWidths=function(){var G=this.getPixelLength(); +var B=this.getPixelWidth(); +var C=0; +for(var F=0; +F<this._bands.length; +F++){var J=this._bands[F]; +var I=this._bandInfos[F]; +var E=I.width; +var H=E.indexOf("%"); +if(H>0){var A=parseInt(E.substr(0,H)); +var D=A*B/100; +}else{var D=parseInt(E); +}J.setBandShiftAndWidth(C,D); +J.setViewLength(G); +C+=D; +}}; +Timeline._Impl.prototype.zoom=function(D,A,G,F){var C=new RegExp("^timeline-band-([0-9]+)$"); +var E=null; +var B=C.exec(F.id); +if(B){E=parseInt(B[1]); +}if(E!=null){this._bands[E].zoom(D,A,G,F); +}this.paint(); +}; +Timeline._Band=function(B,G,C){this._timeline=B; +this._bandInfo=G; +this._index=C; +this._locale=("locale" in G)?G.locale:Timeline.getDefaultLocale(); +this._timeZone=("timeZone" in G)?G.timeZone:0; +this._labeller=("labeller" in G)?G.labeller:(("createLabeller" in B.getUnit())?B.getUnit().createLabeller(this._locale,this._timeZone):new Timeline.GregorianDateLabeller(this._locale,this._timeZone)); +this._theme=G.theme; +this._zoomIndex=("zoomIndex" in G)?G.zoomIndex:0; +this._zoomSteps=("zoomSteps" in G)?G.zoomSteps:null; +this._dragging=false; +this._changing=false; +this._originalScrollSpeed=5; +this._scrollSpeed=this._originalScrollSpeed; +this._onScrollListeners=[]; +var A=this; +this._syncWithBand=null; +this._syncWithBandHandler=function(H){A._onHighlightBandScroll(); +}; +this._selectorListener=function(H){A._onHighlightBandScroll(); +}; +var E=this._timeline.getDocument().createElement("div"); +E.className="timeline-band-input"; +this._timeline.addDiv(E); +this._keyboardInput=document.createElement("input"); +this._keyboardInput.type="text"; +E.appendChild(this._keyboardInput); +SimileAjax.DOM.registerEventWithObject(this._keyboardInput,"keydown",this,"_onKeyDown"); +SimileAjax.DOM.registerEventWithObject(this._keyboardInput,"keyup",this,"_onKeyUp"); +this._div=this._timeline.getDocument().createElement("div"); +this._div.id="timeline-band-"+C; +this._div.className="timeline-band timeline-band-"+C; +this._timeline.addDiv(this._div); +SimileAjax.DOM.registerEventWithObject(this._div,"mousedown",this,"_onMouseDown"); +SimileAjax.DOM.registerEventWithObject(this._div,"mousemove",this,"_onMouseMove"); +SimileAjax.DOM.registerEventWithObject(this._div,"mouseup",this,"_onMouseUp"); +SimileAjax.DOM.registerEventWithObject(this._div,"mouseout",this,"_onMouseOut"); +SimileAjax.DOM.registerEventWithObject(this._div,"dblclick",this,"_onDblClick"); +var F=this._theme!=null?this._theme.mouseWheel:"scroll"; +if(F==="zoom"||F==="scroll"||this._zoomSteps){if(SimileAjax.Platform.browser.isFirefox){SimileAjax.DOM.registerEventWithObject(this._div,"DOMMouseScroll",this,"_onMouseScroll"); +}else{SimileAjax.DOM.registerEventWithObject(this._div,"mousewheel",this,"_onMouseScroll"); +}}this._innerDiv=this._timeline.getDocument().createElement("div"); +this._innerDiv.className="timeline-band-inner"; +this._div.appendChild(this._innerDiv); +this._ether=G.ether; +G.ether.initialize(this,B); +this._etherPainter=G.etherPainter; +G.etherPainter.initialize(this,B); +this._eventSource=G.eventSource; +if(this._eventSource){this._eventListener={onAddMany:function(){A._onAddMany(); +},onClear:function(){A._onClear(); +}}; +this._eventSource.addListener(this._eventListener); +}this._eventPainter=G.eventPainter; +G.eventPainter.initialize(this,B); +this._decorators=("decorators" in G)?G.decorators:[]; +for(var D=0; +D<this._decorators.length; +D++){this._decorators[D].initialize(this,B); +}}; +Timeline._Band.SCROLL_MULTIPLES=5; +Timeline._Band.prototype.dispose=function(){this.closeBubble(); +if(this._eventSource){this._eventSource.removeListener(this._eventListener); +this._eventListener=null; +this._eventSource=null; +}this._timeline=null; +this._bandInfo=null; +this._labeller=null; +this._ether=null; +this._etherPainter=null; +this._eventPainter=null; +this._decorators=null; +this._onScrollListeners=null; +this._syncWithBandHandler=null; +this._selectorListener=null; +this._div=null; +this._innerDiv=null; +this._keyboardInput=null; +}; +Timeline._Band.prototype.addOnScrollListener=function(A){this._onScrollListeners.push(A); +}; +Timeline._Band.prototype.removeOnScrollListener=function(B){for(var A=0; +A<this._onScrollListeners.length; +A++){if(this._onScrollListeners[A]==B){this._onScrollListeners.splice(A,1); +break; +}}}; +Timeline._Band.prototype.setSyncWithBand=function(B,A){if(this._syncWithBand){this._syncWithBand.removeOnScrollListener(this._syncWithBandHandler); +}this._syncWithBand=B; +this._syncWithBand.addOnScrollListener(this._syncWithBandHandler); +this._highlight=A; +this._positionHighlight(); +}; +Timeline._Band.prototype.getLocale=function(){return this._locale; +}; +Timeline._Band.prototype.getTimeZone=function(){return this._timeZone; +}; +Timeline._Band.prototype.getLabeller=function(){return this._labeller; +}; +Timeline._Band.prototype.getIndex=function(){return this._index; +}; +Timeline._Band.prototype.getEther=function(){return this._ether; +}; +Timeline._Band.prototype.getEtherPainter=function(){return this._etherPainter; +}; +Timeline._Band.prototype.getEventSource=function(){return this._eventSource; +}; +Timeline._Band.prototype.getEventPainter=function(){return this._eventPainter; +}; +Timeline._Band.prototype.layout=function(){this.paint(); +}; +Timeline._Band.prototype.paint=function(){this._etherPainter.paint(); +this._paintDecorators(); +this._paintEvents(); +}; +Timeline._Band.prototype.softLayout=function(){this.softPaint(); +}; +Timeline._Band.prototype.softPaint=function(){this._etherPainter.softPaint(); +this._softPaintDecorators(); +this._softPaintEvents(); +}; +Timeline._Band.prototype.setBandShiftAndWidth=function(A,D){var C=this._keyboardInput.parentNode; +var B=A+Math.floor(D/2); +if(this._timeline.isHorizontal()){this._div.style.top=A+"px"; +this._div.style.height=D+"px"; +C.style.top=B+"px"; +C.style.left="-1em"; +}else{this._div.style.left=A+"px"; +this._div.style.width=D+"px"; +C.style.left=B+"px"; +C.style.top="-1em"; +}}; +Timeline._Band.prototype.getViewWidth=function(){if(this._timeline.isHorizontal()){return this._div.offsetHeight; +}else{return this._div.offsetWidth; +}}; +Timeline._Band.prototype.setViewLength=function(A){this._viewLength=A; +this._recenterDiv(); +this._onChanging(); +}; +Timeline._Band.prototype.getViewLength=function(){return this._viewLength; +}; +Timeline._Band.prototype.getTotalViewLength=function(){return Timeline._Band.SCROLL_MULTIPLES*this._viewLength; +}; +Timeline._Band.prototype.getViewOffset=function(){return this._viewOffset; +}; +Timeline._Band.prototype.getMinDate=function(){return this._ether.pixelOffsetToDate(this._viewOffset); +}; +Timeline._Band.prototype.getMaxDate=function(){return this._ether.pixelOffsetToDate(this._viewOffset+Timeline._Band.SCROLL_MULTIPLES*this._viewLength); +}; +Timeline._Band.prototype.getMinVisibleDate=function(){return this._ether.pixelOffsetToDate(0); +}; +Timeline._Band.prototype.getMaxVisibleDate=function(){return this._ether.pixelOffsetToDate(this._viewLength); +}; +Timeline._Band.prototype.getCenterVisibleDate=function(){return this._ether.pixelOffsetToDate(this._viewLength/2); +}; +Timeline._Band.prototype.setMinVisibleDate=function(A){if(!this._changing){this._moveEther(Math.round(-this._ether.dateToPixelOffset(A))); +}}; +Timeline._Band.prototype.setMaxVisibleDate=function(A){if(!this._changing){this._moveEther(Math.round(this._viewLength-this._ether.dateToPixelOffset(A))); +}}; +Timeline._Band.prototype.setCenterVisibleDate=function(A){if(!this._changing){this._moveEther(Math.round(this._viewLength/2-this._ether.dateToPixelOffset(A))); +}}; +Timeline._Band.prototype.dateToPixelOffset=function(A){return this._ether.dateToPixelOffset(A)-this._viewOffset; +}; +Timeline._Band.prototype.pixelOffsetToDate=function(A){return this._ether.pixelOffsetToDate(A+this._viewOffset); +}; +Timeline._Band.prototype.createLayerDiv=function(C,A){var D=this._timeline.getDocument().createElement("div"); +D.className="timeline-band-layer"+(typeof A=="string"?(" "+A):""); +D.style.zIndex=C; +this._innerDiv.appendChild(D); +var B=this._timeline.getDocument().createElement("div"); +B.className="timeline-band-layer-inner"; +if(SimileAjax.Platform.browser.isIE){B.style.cursor="move"; +}else{B.style.cursor="-moz-grab"; +}D.appendChild(B); +return B; +}; +Timeline._Band.prototype.removeLayerDiv=function(A){this._innerDiv.removeChild(A.parentNode); +}; +Timeline._Band.prototype.scrollToCenter=function(A,C){var B=this._ether.dateToPixelOffset(A); +if(B<-this._viewLength/2){this.setCenterVisibleDate(this.pixelOffsetToDate(B+this._viewLength)); +}else{if(B>3*this._viewLength/2){this.setCenterVisibleDate(this.pixelOffsetToDate(B-this._viewLength)); +}}this._autoScroll(Math.round(this._viewLength/2-this._ether.dateToPixelOffset(A)),C); +}; +Timeline._Band.prototype.showBubbleForEvent=function(C){var A=this.getEventSource().getEvent(C); +if(A){var B=this; +this.scrollToCenter(A.getStart(),function(){B._eventPainter.showBubble(A); +}); +}}; +Timeline._Band.prototype.zoom=function(C,A,F,E){if(!this._zoomSteps){return ; +}A+=this._viewOffset; +var D=this._ether.pixelOffsetToDate(A); +var B=this._ether.zoom(C); +this._etherPainter.zoom(B); +this._moveEther(Math.round(-this._ether.dateToPixelOffset(D))); +this._moveEther(A); +}; +Timeline._Band.prototype._onMouseDown=function(B,A,C){this.closeBubble(); +this._dragging=true; +this._dragX=A.clientX; +this._dragY=A.clientY; +}; +Timeline._Band.prototype._onMouseMove=function(D,A,E){if(this._dragging){var C=A.clientX-this._dragX; +var B=A.clientY-this._dragY; +this._dragX=A.clientX; +this._dragY=A.clientY; +this._moveEther(this._timeline.isHorizontal()?C:B); +this._positionHighlight(); +}}; +Timeline._Band.prototype._onMouseUp=function(B,A,C){this._dragging=false; +this._keyboardInput.focus(); +}; +Timeline._Band.prototype._onMouseOut=function(C,B,D){var A=SimileAjax.DOM.getEventRelativeCoordinates(B,C); +A.x+=this._viewOffset; +if(A.x<0||A.x>C.offsetWidth||A.y<0||A.y>C.offsetHeight){this._dragging=false; +}}; +Timeline._Band.prototype._onMouseScroll=function(G,H,B){var A=new Date(); +A=A.getTime(); +if(!this._lastScrollTime||((A-this._lastScrollTime)>50)){this._lastScrollTime=A; +var I=0; +if(H.wheelDelta){I=H.wheelDelta/120; +}else{if(H.detail){I=-H.detail/3; +}}var F=this._theme.mouseWheel; +if(this._zoomSteps||F==="zoom"){var E=SimileAjax.DOM.getEventRelativeCoordinates(H,G); +if(I!=0){var D; +if(I>0){D=true; +}if(I<0){D=false; +}this._timeline.zoom(D,E.x,E.y,G); +}}else{if(F==="scroll"){var C=50*(I<0?-1:1); +this._moveEther(C); +}}}if(H.stopPropagation){H.stopPropagation(); +}H.cancelBubble=true; +if(H.preventDefault){H.preventDefault(); +}H.returnValue=false; +}; +Timeline._Band.prototype._onDblClick=function(C,B,E){var A=SimileAjax.DOM.getEventRelativeCoordinates(B,C); +var D=A.x-(this._viewLength/2-this._viewOffset); +this._autoScroll(-D); +}; +Timeline._Band.prototype._onKeyDown=function(B,A,C){if(!this._dragging){switch(A.keyCode){case 27:break; +case 37:case 38:this._scrollSpeed=Math.min(50,Math.abs(this._scrollSpeed*1.05)); +this._moveEther(this._scrollSpeed); +break; +case 39:case 40:this._scrollSpeed=-Math.min(50,Math.abs(this._scrollSpeed*1.05)); +this._moveEther(this._scrollSpeed); +break; +default:return true; +}this.closeBubble(); +SimileAjax.DOM.cancelEvent(A); +return false; +}return true; +}; +Timeline._Band.prototype._onKeyUp=function(B,A,C){if(!this._dragging){this._scrollSpeed=this._originalScrollSpeed; +switch(A.keyCode){case 35:this.setCenterVisibleDate(this._eventSource.getLatestDate()); +break; +case 36:this.setCenterVisibleDate(this._eventSource.getEarliestDate()); +break; +case 33:this._autoScroll(this._timeline.getPixelLength()); +break; +case 34:this._autoScroll(-this._timeline.getPixelLength()); +break; +default:return true; +}this.closeBubble(); +SimileAjax.DOM.cancelEvent(A); +return false; +}return true; +}; +Timeline._Band.prototype._autoScroll=function(D,C){var A=this; +var B=SimileAjax.Graphics.createAnimation(function(E,F){A._moveEther(F); +},0,D,1000,C); +B.run(); +}; +Timeline._Band.prototype._moveEther=function(A){this.closeBubble(); +this._viewOffset+=A; +this._ether.shiftPixels(-A); +if(this._timeline.isHorizontal()){this._div.style.left=this._viewOffset+"px"; +}else{this._div.style.top=this._viewOffset+"px"; +}if(this._viewOffset>-this._viewLength*0.5||this._viewOffset<-this._viewLength*(Timeline._Band.SCROLL_MULTIPLES-1.5)){this._recenterDiv(); +}else{this.softLayout(); +}this._onChanging(); +}; +Timeline._Band.prototype._onChanging=function(){this._changing=true; +this._fireOnScroll(); +this._setSyncWithBandDate(); +this._changing=false; +}; +Timeline._Band.prototype._fireOnScroll=function(){for(var A=0; +A<this._onScrollListeners.length; +A++){this._onScrollListeners[A](this); +}}; +Timeline._Band.prototype._setSyncWithBandDate=function(){if(this._syncWithBand){var A=this._ether.pixelOffsetToDate(this.getViewLength()/2); +this._syncWithBand.setCenterVisibleDate(A); +}}; +Timeline._Band.prototype._onHighlightBandScroll=function(){if(this._syncWithBand){var A=this._syncWithBand.getCenterVisibleDate(); +var B=this._ether.dateToPixelOffset(A); +this._moveEther(Math.round(this._viewLength/2-B)); +if(this._highlight){this._etherPainter.setHighlight(this._syncWithBand.getMinVisibleDate(),this._syncWithBand.getMaxVisibleDate()); +}}}; +Timeline._Band.prototype._onAddMany=function(){this._paintEvents(); +}; +Timeline._Band.prototype._onClear=function(){this._paintEvents(); +}; +Timeline._Band.prototype._positionHighlight=function(){if(this._syncWithBand){var A=this._syncWithBand.getMinVisibleDate(); +var B=this._syncWithBand.getMaxVisibleDate(); +if(this._highlight){this._etherPainter.setHighlight(A,B); +}}}; +Timeline._Band.prototype._recenterDiv=function(){this._viewOffset=-this._viewLength*(Timeline._Band.SCROLL_MULTIPLES-1)/2; +if(this._timeline.isHorizontal()){this._div.style.left=this._viewOffset+"px"; +this._div.style.width=(Timeline._Band.SCROLL_MULTIPLES*this._viewLength)+"px"; +}else{this._div.style.top=this._viewOffset+"px"; +this._div.style.height=(Timeline._Band.SCROLL_MULTIPLES*this._viewLength)+"px"; +}this.layout(); +}; +Timeline._Band.prototype._paintEvents=function(){this._eventPainter.paint(); +}; +Timeline._Band.prototype._softPaintEvents=function(){this._eventPainter.softPaint(); +}; +Timeline._Band.prototype._paintDecorators=function(){for(var A=0; +A<this._decorators.length; +A++){this._decorators[A].paint(); +}}; +Timeline._Band.prototype._softPaintDecorators=function(){for(var A=0; +A<this._decorators.length; +A++){this._decorators[A].softPaint(); +}}; +Timeline._Band.prototype.closeBubble=function(){SimileAjax.WindowManager.cancelPopups(); +}; + + +/* units.js */ +Timeline.NativeDateUnit=new Object(); +Timeline.NativeDateUnit.createLabeller=function(B,A){return new Timeline.GregorianDateLabeller(B,A); +}; +Timeline.NativeDateUnit.makeDefaultValue=function(){return new Date(); +}; +Timeline.NativeDateUnit.cloneValue=function(A){return new Date(A.getTime()); +}; +Timeline.NativeDateUnit.getParser=function(A){if(typeof A=="string"){A=A.toLowerCase(); +}return(A=="iso8601"||A=="iso 8601")?Timeline.DateTime.parseIso8601DateTime:Timeline.DateTime.parseGregorianDateTime; +}; +Timeline.NativeDateUnit.parseFromObject=function(A){return Timeline.DateTime.parseGregorianDateTime(A); +}; +Timeline.NativeDateUnit.toNumber=function(A){return A.getTime(); +}; +Timeline.NativeDateUnit.fromNumber=function(A){return new Date(A); +}; +Timeline.NativeDateUnit.compare=function(D,C){var B,A; +if(typeof D=="object"){B=D.getTime(); +}else{B=Number(D); +}if(typeof C=="object"){A=C.getTime(); +}else{A=Number(C); +}return B-A; +}; +Timeline.NativeDateUnit.earlier=function(B,A){return Timeline.NativeDateUnit.compare(B,A)<0?B:A; +}; +Timeline.NativeDateUnit.later=function(B,A){return Timeline.NativeDateUnit.compare(B,A)>0?B:A; +}; +Timeline.NativeDateUnit.change=function(A,B){return new Date(A.getTime()+B); +}; diff --git a/mod/graphstats/views/default/graphs/data/timestats.php b/mod/graphstats/views/default/graphs/data/timestats.php new file mode 100644 index 000000000..6179301a9 --- /dev/null +++ b/mod/graphstats/views/default/graphs/data/timestats.php @@ -0,0 +1,33 @@ +<?php + +$type = $vars['type']; +$subtype = $vars['subtype']; +$relative = $vars['relative']; + +elgg_load_library('elgg:graphs:timestats'); + +$timestats = timestats($type, $subtype, $relative); + +?> + +<table style="position: absolute; left: -9999em; top: -9999em;" id="data"> + <tfoot> + <tr> + <?php + foreach ($timestats as $time => $stat) { + $date = date(elgg_echo('friendlytime:date_format'), $time); + echo "<th>$date</th>\n"; + } + ?> + </tr> + </tfoot> + <tbody> + <tr> + <?php + foreach ($timestats as $time => $stat) { + echo "<td>$stat</td>\n"; + } + ?> + </tr> + </tbody> +</table> diff --git a/mod/graphstats/views/default/graphs/timeline.php b/mod/graphstats/views/default/graphs/timeline.php new file mode 100644 index 000000000..08d47581f --- /dev/null +++ b/mod/graphstats/views/default/graphs/timeline.php @@ -0,0 +1,44 @@ +<?php + +$json_url = $vars['json_url']; +if(empty($json_url)) return true; + +elgg_load_js('simile.timeline'); + +?> +<div id="group-timeline" style="height: 300px; border: 1px solid #aaa"></div> +<script type="text/javascript"> +$(function(){ + var eventSource = new Timeline.DefaultEventSource(); + var bandInfos = [ + Timeline.createBandInfo({ + width: "80%", + intervalUnit: Timeline.DateTime.DAY, + intervalPixels: 200, + eventSource: eventSource, + }), + Timeline.createBandInfo({ + width: "20%", + intervalUnit: Timeline.DateTime.MONTH, + intervalPixels: 200, + eventSource: eventSource, + overview: true, + }) + ]; + bandInfos[1].syncWith = 0; + bandInfos[1].highlight = true; + tl = Timeline.create(document.getElementById("group-timeline"), bandInfos); + tl.loadJSON("<?php echo $json_url; ?>", function(json, url) { + eventSource.loadJSON(json, url); + }); + + $().resize(function(){ + if (resizeTimerID == null) { + resizeTimerID = window.setTimeout(function() { + resizeTimerID = null; + tl.layout(); + }, 500); + } + }); +}); +</script> diff --git a/mod/graphstats/views/default/graphs/timestats.php b/mod/graphstats/views/default/graphs/timestats.php new file mode 100644 index 000000000..d200c9b94 --- /dev/null +++ b/mod/graphstats/views/default/graphs/timestats.php @@ -0,0 +1,8 @@ +<?php + +elgg_load_js('raphael'); +elgg_load_js('raphael.analytics'); + +echo $vars['table']; +?> +<div id="holder"></div> diff --git a/mod/graphstats/views/default/graphstats/timestats_filter_menu.php b/mod/graphstats/views/default/graphstats/timestats_filter_menu.php new file mode 100644 index 000000000..9f4ab55d1 --- /dev/null +++ b/mod/graphstats/views/default/graphstats/timestats_filter_menu.php @@ -0,0 +1,31 @@ +<?php +/** + * All groups listing page navigation + * + */ + +$tabs = array( + 'absolute' => array( + 'text' => elgg_echo('absolute'), + 'href' => 'graphs/timestats?filter=absolute', + 'priority' => 200, + ), + 'relative' => array( + 'text' => elgg_echo('relative'), + 'href' => 'graphs/timestats?filter=relative', + 'priority' => 300, + ), +); + +// sets default selected item +if (strpos(full_url(), 'filter') === false) { + $tabs['absolute']['selected'] = true; +} + +foreach ($tabs as $name => $tab) { + $tab['name'] = $name; + + elgg_register_menu_item('filter', $tab); +} + +echo elgg_view_menu('filter', array('sort_by' => 'priority', 'class' => 'elgg-menu-hz')); diff --git a/mod/graphstats/views/default/groups/profile/activity_module.php b/mod/graphstats/views/default/groups/profile/activity_module.php new file mode 100644 index 000000000..7829f8c70 --- /dev/null +++ b/mod/graphstats/views/default/groups/profile/activity_module.php @@ -0,0 +1,49 @@ +<?php +/** + * Groups latest activity + * + * @todo add people joining group to activity + * + * @package Groups + */ + +if ($vars['entity']->activity_enable == 'no') { + return true; +} + +$group = $vars['entity']; +if (!$group) { + return true; +} + +$all_link = elgg_view('output/url', array( + 'href' => "groups/activity/$group->guid", + 'text' => elgg_echo('link:view:all'), +)); + +$add_link = ' '.elgg_view('output/url', array( + 'href' => "graphs/group/$group->guid", + 'text' => elgg_echo('timeline'), +)); + + +elgg_push_context('widgets'); +$db_prefix = elgg_get_config('dbprefix'); +$content = elgg_list_river(array( + 'limit' => 4, + 'pagination' => false, + 'joins' => array("JOIN {$db_prefix}entities e1 ON e1.guid = rv.object_guid"), + 'wheres' => array("(e1.container_guid = $group->guid)"), +)); +elgg_pop_context(); + +if (!$content) { + $content = '<p>' . elgg_echo('groups:activity:none') . '</p>'; +} + +echo elgg_view('groups/profile/module', array( + 'title' => elgg_echo('groups:activity'), + 'content' => $content, + 'all_link' => $all_link, + 'add_link' => $add_link, +)); diff --git a/mod/graphstats/views/default/js/raphael/analytics.php b/mod/graphstats/views/default/js/raphael/analytics.php new file mode 100644 index 000000000..e8703b100 --- /dev/null +++ b/mod/graphstats/views/default/js/raphael/analytics.php @@ -0,0 +1,5 @@ +<?php + +include(elgg_get_plugins_path() . 'graphstats/vendors/raphaeljs/popup.js'); +include(elgg_get_plugins_path() . 'graphstats/vendors/raphaeljs/analytics.js'); + diff --git a/mod/graphstats/views/default/js/raphael/raphael.php b/mod/graphstats/views/default/js/raphael/raphael.php new file mode 100644 index 000000000..4ce441133 --- /dev/null +++ b/mod/graphstats/views/default/js/raphael/raphael.php @@ -0,0 +1,3 @@ +<?php + +include(elgg_get_plugins_path() . 'graphstats/vendors/raphaeljs/raphael.js'); diff --git a/mod/graphstats/views/default/js/timeline.php b/mod/graphstats/views/default/js/timeline.php new file mode 100644 index 000000000..eae9c24ba --- /dev/null +++ b/mod/graphstats/views/default/js/timeline.php @@ -0,0 +1,8 @@ +<?php +$timeline_base = elgg_get_site_url() . 'mod/graphstats/vendors/simile-timeline'; + +echo "Timeline_ajax_url='$timeline_base/timeline_ajax/simile-ajax-api.js';"; +echo "Timeline_urlPrefix='$timeline_base/timeline_js/';"; +echo "Timeline_parameters='bundle=true';"; + +include(elgg_get_plugins_path() . 'graphstats/vendors/simile-timeline/timeline_js/timeline-api.js'); diff --git a/mod/graphstats/views/json/timeline/group.php b/mod/graphstats/views/json/timeline/group.php new file mode 100644 index 000000000..77655938b --- /dev/null +++ b/mod/graphstats/views/json/timeline/group.php @@ -0,0 +1,35 @@ +<?php + +$group_guid = sanitize_int(get_input('group_guid')); + +$entities = elgg_get_entities(array('container_guid'=>$group_guid, 'limit'=>0, 'type'=>'object')); +$events = array(); + +$db_prefix = elgg_get_config('dbprefix'); +$river = elgg_get_river(array( + 'limit' => 0, + 'joins' => array("JOIN {$db_prefix}entities e1 ON e1.guid = rv.object_guid"), + 'wheres' => array("(e1.container_guid = $group_guid)"), +)); + +foreach($river as $item){ + $subject = $item->getSubjectEntity(); + $object = $item->getObjectEntity(); + + array_push($events, array( + 'start' => date('c', $item->posted), + 'icon'=> $icon, + 'title' => $object->title, + 'classname' => 'hot_event', + 'description' => elgg_get_excerpt($object->description), + 'durationEvent' => false, + )); + +} + +$data = array( + 'dateTimeFormat'=>'iso8601', + 'events'=>$events, +); + +echo json_encode($data); |