text
stringlengths 3
1.05M
|
---|
const { Command } = require('klasa');
const { MessageAttachment } = require('discord.js');
const { createCanvas, Image, registerFont } = require('canvas');
const fs = require('fs');
const bg = fs.readFileSync('./resources/pm-bg.png');
const canvas = createCanvas(376, 174);
const ctx = canvas.getContext('2d');
ctx.font = '16px OSRSFont';
registerFont('./resources/OSRSFont.ttf', { family: 'Regular' });
module.exports = class extends Command {
constructor(...args) {
super(...args, {
description: 'Fake a private message from someone.',
cooldown: 3,
requiredPermissions: ['ATTACH_FILES'],
usage: '<username:str> <message:str>',
usageDelim: ','
});
}
async run(msg, [username, message]) {
const BG = new Image();
BG.src = bg;
ctx.drawImage(BG, 0, 0, BG.width, BG.height);
ctx.fillStyle = '#000000';
ctx.fillText(`From ${username}: ${message}`, 6, 98);
ctx.fillStyle = '#00ffff';
ctx.fillText(`From ${username}: ${message}`, 5, 97);
return msg.send(new MessageAttachment(canvas.toBuffer(), `${Math.round(Math.random() * 10000)}.jpg`));
}
};
|
// Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors
// MIT License. See license.txt
/**
* Make a standard page layout with a toolbar and title
*
* @param {Object} opts
*
* @param {string} opts.parent [HTMLElement] Parent element
* @param {boolean} opts.single_column Whether to include sidebar
* @param {string} [opts.title] Page title
* @param {Object} [opts.make_page]
*
* @returns {frappe.ui.Page}
*/
/**
* @typedef {Object} frappe.ui.Page
*/
frappe.ui.make_app_page = function(opts) {
opts.parent.page = new frappe.ui.Page(opts);
return opts.parent.page;
}
frappe.ui.pages = {};
frappe.ui.Page = class Page {
constructor(opts) {
$.extend(this, opts);
this.set_document_title = true;
this.buttons = {};
this.fields_dict = {};
this.views = {};
this.make();
frappe.ui.pages[frappe.get_route_str()] = this;
}
make() {
this.wrapper = $(this.parent);
this.add_main_section();
this.setup_scroll_handler();
this.setup_sidebar_toggle();
}
setup_scroll_handler() {
let last_scroll = 0;
window.addEventListener('scroll', frappe.utils.throttle(() => {
$('.page-head').toggleClass('drop-shadow', !!document.documentElement.scrollTop);
let current_scroll = document.documentElement.scrollTop;
if (current_scroll > 0 && last_scroll <= current_scroll) {
$('.page-head').css("top", "-15px");
} else {
$('.page-head').css("top", "var(--navbar-height)");
}
last_scroll = current_scroll;
}), 500);
}
get_empty_state(title, message, primary_action) {
let $empty_state = $(`<div class="page-card-container">
<div class="page-card">
<div class="page-card-head">
<span class="indicator blue">
${title}</span>
</div>
<p>${message}</p>
<div>
<button class="btn btn-primary btn-sm">${primary_action}</button>
</div>
</div>
</div>`);
return $empty_state;
}
load_lib(callback) {
frappe.require(this.required_libs, callback);
}
add_main_section() {
$(frappe.render_template("page", {})).appendTo(this.wrapper);
if (this.single_column) {
// nesting under col-sm-12 for consistency
this.add_view("main", '<div class="row layout-main">\
<div class="col-md-12 layout-main-section-wrapper">\
<div class="layout-main-section"></div>\
<div class="layout-footer hide"></div>\
</div>\
</div>');
} else {
this.add_view("main", `
<div class="row layout-main">
<div class="col-lg-2 layout-side-section"></div>
<div class="col layout-main-section-wrapper">
<div class="layout-main-section"></div>
<div class="layout-footer hide"></div>
</div>
</div>
`);
}
this.setup_page();
}
setup_page() {
this.$title_area = this.wrapper.find(".title-area");
this.$sub_title_area = this.wrapper.find("h6");
if(this.title)
this.set_title(this.title);
if(this.icon)
this.get_main_icon(this.icon);
this.body = this.main = this.wrapper.find(".layout-main-section");
this.container = this.wrapper.find(".page-body");
this.sidebar = this.wrapper.find(".layout-side-section");
this.footer = this.wrapper.find(".layout-footer");
this.indicator = this.wrapper.find(".indicator-pill");
this.page_actions = this.wrapper.find(".page-actions");
this.btn_primary = this.page_actions.find(".primary-action");
this.btn_secondary = this.page_actions.find(".btn-secondary");
this.menu = this.page_actions.find(".menu-btn-group .dropdown-menu");
this.menu_btn_group = this.page_actions.find(".menu-btn-group");
this.actions = this.page_actions.find(".actions-btn-group .dropdown-menu");
this.actions_btn_group = this.page_actions.find(".actions-btn-group");
this.standard_actions = this.page_actions.find(".standard-actions");
this.custom_actions = this.page_actions.find(".custom-actions");
this.page_form = $('<div class="page-form row hide"></div>').prependTo(this.main);
this.inner_toolbar = this.custom_actions;
this.icon_group = this.page_actions.find(".page-icon-group");
if(this.make_page) {
this.make_page();
}
this.card_layout && this.main.addClass('frappe-card');
// keyboard shortcuts
let menu_btn = this.menu_btn_group.find('button');
menu_btn.attr("title", __("Menu")).tooltip({ delay: { "show": 600, "hide": 100 } });
frappe.ui.keys
.get_shortcut_group(this.page_actions[0])
.add(menu_btn, menu_btn.find('.menu-btn-group-label'));
let action_btn = this.actions_btn_group.find('button');
frappe.ui.keys
.get_shortcut_group(this.page_actions[0])
.add(action_btn, action_btn.find('.actions-btn-group-label'));
}
setup_sidebar_toggle() {
let sidebar_toggle = $('.page-head').find('.sidebar-toggle-btn');
let sidebar_wrapper = this.wrapper.find('.layout-side-section');
if (this.disable_sidebar_toggle || !sidebar_wrapper.length) {
sidebar_toggle.remove();
} else {
sidebar_toggle.attr("title", __("Toggle Sidebar")).tooltip({
delay: { "show": 600, "hide": 100 },
trigger: "hover",
});
sidebar_toggle.click(() => {
if (frappe.utils.is_xs() || frappe.utils.is_sm()) {
this.setup_overlay_sidebar();
} else {
sidebar_wrapper.toggle();
}
$(document.body).trigger('toggleSidebar');
this.update_sidebar_icon();
});
}
}
setup_overlay_sidebar() {
let overlay_sidebar = this.sidebar.find('.overlay-sidebar')
.addClass('opened');
$('<div class="close-sidebar">').hide().appendTo(this.sidebar).fadeIn();
let scroll_container = $('html')
.css("overflow-y", "hidden");
this.sidebar.find(".close-sidebar").on('click', (e) => close_sidebar(e));
this.sidebar.on("click", "button:not(.dropdown-toggle)", (e) => close_sidebar(e));
let close_sidebar = () => {
scroll_container.css("overflow-y", "");
this.sidebar.find("div.close-sidebar").fadeOut(() => {
overlay_sidebar.removeClass('opened')
.find('.dropdown-toggle')
.removeClass('text-muted');
});
};
}
update_sidebar_icon() {
let sidebar_toggle = $('.page-head').find('.sidebar-toggle-btn');
let sidebar_toggle_icon = sidebar_toggle.find('.sidebar-toggle-icon');
let sidebar_wrapper = this.wrapper.find('.layout-side-section');
let is_sidebar_visible = $(sidebar_wrapper).is(":visible");
sidebar_toggle_icon.html(frappe.utils.icon(is_sidebar_visible ? 'sidebar-collapse' : 'sidebar-expand', 'md'));
}
set_indicator(label, color) {
this.clear_indicator().removeClass("hide").html(`<span>${label}</span>`).addClass(color);
}
add_action_icon(icon, click, css_class='', tooltip_label) {
const button = $(`
<button class="text-muted btn btn-default ${css_class} icon-btn">
${frappe.utils.icon(icon)}
</button>
`);
button.appendTo(this.icon_group.removeClass("hide"));
button.click(click);
button.attr("title", __(tooltip_label || frappe.unscrub(icon)))
.tooltip({ delay: { "show": 600, "hide": 100 }, trigger: "hover" });
return button;
}
clear_indicator() {
return this.indicator.removeClass().addClass("indicator-pill whitespace-nowrap hide");
}
get_icon_label(icon, label) {
let icon_name = icon;
let size = 'xs';
if (typeof icon === 'object') {
icon_name = icon.icon;
size = icon.size || 'xs';
}
return `${icon ? frappe.utils.icon(icon_name, size) : ''} <span class="hidden-xs"> ${__(label)} </span>`;
}
set_action(btn, opts) {
let me = this;
if (opts.icon) {
opts.label = this.get_icon_label(opts.icon, opts.label);
}
this.clear_action_of(btn);
btn.removeClass("hide")
.prop("disabled", false)
.html(opts.label)
.on("click", function() {
let response = opts.click.apply(this, [btn]);
me.btn_disable_enable(btn, response);
});
if (opts.working_label) {
btn.attr("data-working-label", opts.working_label);
}
// alt shortcuts
let text_span = btn.find('span');
frappe.ui.keys
.get_shortcut_group(this)
.add(btn, text_span.length ? text_span : btn);
}
set_primary_action(label, click, icon, working_label) {
this.set_action(this.btn_primary, {
label: label,
click: click,
icon: icon,
working_label: working_label
});
return this.btn_primary;
}
set_secondary_action(label, click, icon, working_label) {
this.set_action(this.btn_secondary, {
label: label,
click: click,
icon: icon,
working_label: working_label
});
return this.btn_secondary;
}
clear_action_of(btn) {
btn.addClass("hide").unbind("click").removeAttr("data-working-label");
}
clear_primary_action() {
this.clear_action_of(this.btn_primary);
}
clear_secondary_action() {
this.clear_action_of(this.btn_secondary);
}
clear_actions() {
this.clear_primary_action();
this.clear_secondary_action();
}
clear_custom_actions() {
this.custom_actions.addClass("hide").empty();
}
clear_icons() {
this.icon_group.addClass("hide").empty();
}
//--- Menu --//
add_menu_item(label, click, standard, shortcut) {
return this.add_dropdown_item({
label,
click,
standard,
parent: this.menu,
shortcut
});
}
add_custom_menu_item(parent, label, click, standard, shortcut, icon=null) {
return this.add_dropdown_item({
label,
click,
standard,
parent: parent,
shortcut,
icon
});
}
clear_menu() {
this.clear_btn_group(this.menu);
}
show_menu() {
this.menu_btn_group.removeClass("hide");
}
hide_menu() {
this.menu_btn_group.addClass("hide");
}
show_icon_group() {
this.icon_group.removeClass("hide");
}
hide_icon_group() {
this.icon_group.addClass("hide");
}
//--- Actions Menu--//
show_actions_menu() {
this.actions_btn_group.removeClass("hide");
}
hide_actions_menu() {
this.actions_btn_group.addClass("hide");
}
add_action_item(label, click, standard) {
return this.add_dropdown_item({
label,
click,
standard,
parent: this.actions
});
}
add_actions_menu_item(label, click, standard, shortcut) {
return this.add_dropdown_item({
label,
click,
standard,
shortcut,
parent: this.actions,
show_parent: false
});
}
clear_actions_menu() {
this.clear_btn_group(this.actions);
}
//-- Generic --//
/*
* Add label to given drop down menu. If label, is already contained in the drop
* down menu, it will be ignored.
* @param {string} label - Text for the drop down menu
* @param {function} click - function to be called when `label` is clicked
* @param {Boolean} standard
* @param {object} parent - DOM object representing the parent of the drop down item lists
* @param {string} shortcut - Keyboard shortcut associated with the element
* @param {Boolean} show_parent - Whether to show the dropdown button if dropdown item is added
*/
add_dropdown_item({label, click, standard, parent, shortcut, show_parent=true, icon=null}) {
if (show_parent) {
parent.parent().removeClass("hide");
}
let $link = this.is_in_group_button_dropdown(parent, 'li > a.grey-link', label);
if ($link) return $link;
let $li;
let $icon = ``;
if (icon) {
$icon = `<span class="menu-item-icon">${frappe.utils.icon(icon)}</span>`;
}
if (shortcut) {
let shortcut_obj = this.prepare_shortcut_obj(shortcut, click, label);
$li = $(`
<li>
<a class="grey-link dropdown-item" href="#" onClick="return false;">
${$icon}
<span class="menu-item-label">${label}</span>
<kbd class="pull-right">
<span>${shortcut_obj.shortcut_label}</span>
</kbd>
</a>
</li>
`);
frappe.ui.keys.add_shortcut(shortcut_obj);
} else {
$li = $(`
<li>
<a class="grey-link dropdown-item" href="#" onClick="return false;">
${$icon}
<span class="menu-item-label">${label}</span>
</a>
</li>
`);
}
$link = $li.find("a").on("click", click);
if (standard) {
$li.appendTo(parent);
} else {
this.divider = parent.find(".dropdown-divider");
if(!this.divider.length) {
this.divider = $('<li class="dropdown-divider user-action"></li>').prependTo(parent);
}
$li.addClass("user-action").insertBefore(this.divider);
}
// alt shortcut
frappe.ui.keys
.get_shortcut_group(parent.get(0))
.add($link, $link.find('.menu-item-label'));
return $link;
}
prepare_shortcut_obj(shortcut, click, label) {
let shortcut_obj;
// convert to object, if shortcut string passed
if (typeof shortcut === 'string') {
shortcut_obj = { shortcut };
} else {
shortcut_obj = shortcut;
}
// label
if (frappe.utils.is_mac()) {
shortcut_obj.shortcut_label = shortcut_obj.shortcut.replace('Ctrl', '⌘');
} else {
shortcut_obj.shortcut_label = shortcut_obj.shortcut;
}
// actual shortcut string
shortcut_obj.shortcut = shortcut_obj.shortcut.toLowerCase();
// action is button click
if (!shortcut_obj.action) {
shortcut_obj.action = click;
}
// shortcut description can be button label
if (!shortcut_obj.description) {
shortcut_obj.description = label;
}
// page
shortcut_obj.page = this;
return shortcut_obj;
}
/*
* Check if there already exists a button with a specified label in a specified button group
* @param {object} parent - This should be the `ul` of the button group.
* @param {string} selector - CSS Selector of the button to be searched for. By default, it is `li`.
* @param {string} label - Label of the button
*/
is_in_group_button_dropdown(parent, selector, label) {
if (!selector) selector = 'li';
if (!label || !parent) return false;
const result = $(parent).find(`${selector}:contains('${label}')`)
.filter(function() {
let item = $(this).html();
return $(item).attr('data-label') === label;
});
return result.length > 0 && result;
}
clear_btn_group(parent) {
parent.empty();
parent.parent().addClass("hide");
}
add_divider() {
return $('<li class="dropdown-divider"></li>').appendTo(this.menu);
}
get_or_add_inner_group_button(label) {
var $group = this.inner_toolbar.find(`.inner-group-button[data-label="${encodeURIComponent(label)}"]`);
if (!$group.length) {
$group = $(
`<div class="inner-group-button" data-label="${encodeURIComponent(label)}">
<button type="button" class="btn btn-default ellipsis" data-toggle="dropdown" aria-haspopup="true" aria-expanded="false">
${label}
${frappe.utils.icon('select', 'xs')}
</button>
<div role="menu" class="dropdown-menu"></div>
</div>`
).appendTo(this.inner_toolbar);
}
return $group;
}
get_inner_group_button(label) {
return this.inner_toolbar.find(`.inner-group-button[data-label="${encodeURIComponent(label)}"]`);
}
set_inner_btn_group_as_primary(label) {
this.get_or_add_inner_group_button(label).find("button").removeClass("btn-default").addClass("btn-primary");
}
btn_disable_enable(btn, response) {
if (response && response.then) {
btn.prop('disabled', true);
response.then(() => {
btn.prop('disabled', false);
})
} else if (response && response.always) {
btn.prop('disabled', true);
response.always(() => {
btn.prop('disabled', false);
});
}
}
/*
* Add button to button group. If there exists another button with the same label,
* `add_inner_button` will not add the new button to the button group even if the callback
* function is different.
*
* @param {string} label - Label of the button to be added to the group
* @param {object} action - function to be called when button is clicked
* @param {string} group - Label of the group button
*/
add_inner_button(label, action, group, type="default") {
var me = this;
let _action = function() {
let btn = $(this);
let response = action();
me.btn_disable_enable(btn, response);
};
if(group) {
var $group = this.get_or_add_inner_group_button(group);
$(this.inner_toolbar).removeClass("hide");
if (!this.is_in_group_button_dropdown($group.find(".dropdown-menu"), 'a', label)) {
return $(`<a class="dropdown-item" href="#" onclick="return false;" data-label="${encodeURIComponent(label)}">${label}</a>`)
.on('click', _action)
.appendTo($group.find(".dropdown-menu"));
}
} else {
let button = this.inner_toolbar.find(`button[data-label="${encodeURIComponent(label)}"]`);
if (button.length == 0) {
button = $(`<button data-label="${encodeURIComponent(label)}" class="btn btn-${type} ellipsis">
${__(label)}
</button>`);
button.on("click", _action);
button.appendTo(this.inner_toolbar.removeClass("hide"));
}
return button;
}
}
remove_inner_button(label, group) {
if (typeof label === 'string') {
label = [label];
}
// translate
label = label.map(l => __(l));
if (group) {
var $group = this.get_inner_group_button(__(group));
if ($group.length) {
$group.find(`.dropdown-item[data-label="${encodeURIComponent(label)}"]`).remove();
}
if ($group.find('.dropdown-item').length === 0) $group.remove();
} else {
this.inner_toolbar.find(`button[data-label="${encodeURIComponent(label)}"]`).remove();
}
}
change_inner_button_type(label, group, type) {
let btn;
if (group) {
var $group = this.get_inner_group_button(__(group));
if ($group.length) {
btn = $group.find(`.dropdown-item[data-label="${encodeURIComponent(label)}"]`);
}
} else {
btn = this.inner_toolbar.find(`button[data-label="${encodeURIComponent(label)}"]`);
}
if (btn) {
btn.removeClass().addClass(`btn btn-${type} ellipsis`);
}
}
add_inner_message(message) {
let $message = $(`<span class='inner-page-message text-muted small'>${message}</div>`);
this.inner_toolbar.find('.inner-page-message').remove();
this.inner_toolbar.removeClass("hide").prepend($message);
return $message;
}
clear_inner_toolbar() {
this.inner_toolbar.empty().addClass("hide");
}
//-- Sidebar --//
add_sidebar_item(label, action, insert_after, prepend) {
var parent = this.sidebar.find(".sidebar-menu.standard-actions");
var li = $('<li>');
var link = $('<a>').html(label).on("click", action).appendTo(li);
if (insert_after) {
li.insertAfter(parent.find(insert_after));
} else {
if(prepend) {
li.prependTo(parent);
} else {
li.appendTo(parent);
}
}
return link;
}
//---//
clear_user_actions() {
this.menu.find(".user-action").remove();
}
// page::title
get_title_area() {
return this.$title_area;
}
set_title(title, icon=null, strip=true, tab_title="") {
if (!title) title = "";
if (strip) {
title = strip_html(title);
}
this.title = title;
frappe.utils.set_title(tab_title || title);
if (icon) {
title = `${frappe.utils.icon(icon)} ${title}`;
}
let title_wrapper = this.$title_area.find(".title-text");
title_wrapper.html(title);
title_wrapper.attr('title', this.title);
}
set_title_sub(txt) {
// strip icon
this.$sub_title_area.html(txt).toggleClass("hide", !!!txt);
}
get_main_icon(icon) {
return this.$title_area.find(".title-icon")
.html('<i class="'+icon+' fa-fw"></i> ')
.toggle(true);
}
add_help_button(txt) {
//
}
add_button(label, click, opts) {
if (!opts) opts = {};
let button = $(`<button
class="btn ${opts.btn_class || 'btn-default'} ${opts.btn_size || 'btn-sm'} ellipsis">
${opts.icon ? frappe.utils.icon(opts.icon): ''}
${label}
</button>`);
// Add actions as menu item in Mobile View (similar to "add_custom_button" in forms.js)
let menu_item = this.add_menu_item(label, click, false);
menu_item.parent().addClass("hidden-xl");
button.appendTo(this.custom_actions);
button.on('click', click);
this.custom_actions.removeClass('hide');
return button;
}
add_custom_button_group(label, icon, parent) {
let dropdown_label = `<span class="hidden-xs">
<span class="custom-btn-group-label">${__(label)}</span>
${frappe.utils.icon('select', 'xs')}
</span>`;
if (icon) {
dropdown_label = `<span class="hidden-xs">
${frappe.utils.icon(icon)}
<span class="custom-btn-group-label">${__(label)}</span>
${frappe.utils.icon('select', 'xs')}
</span>
<span class="visible-xs">
${frappe.utils.icon(icon)}
</span>`;
}
let custom_btn_group = $(`
<div class="custom-btn-group">
<button type="button" class="btn btn-default btn-sm ellipsis" data-toggle="dropdown" aria-expanded="false">
${dropdown_label}
</button>
<ul class="dropdown-menu" role="menu"></ul>
</div>
`);
if (!parent) parent = this.custom_actions;
parent.removeClass('hide').append(custom_btn_group);
return custom_btn_group.find('.dropdown-menu');
}
add_dropdown_button(parent, label, click, icon) {
frappe.ui.toolbar.add_dropdown_button(parent, label, click, icon);
}
// page::form
add_label(label) {
this.show_form();
return $("<label class='col-md-1 page-only-label'>"+label+" </label>")
.appendTo(this.page_form);
}
add_select(label, options) {
var field = this.add_field({label:label, fieldtype:"Select"});
return field.$wrapper.find("select").empty().add_options(options);
}
add_data(label) {
var field = this.add_field({label: label, fieldtype: "Data"});
return field.$wrapper.find("input").attr("placeholder", label);
}
add_date(label, date) {
var field = this.add_field({label: label, fieldtype: "Date", "default": date});
return field.$wrapper.find("input").attr("placeholder", label);
}
add_check(label) {
return $("<div class='checkbox'><label><input type='checkbox'>" + label + "</label></div>")
.appendTo(this.page_form)
.find("input");
}
add_break() {
// add further fields in the next line
this.page_form.append('<div class="clearfix invisible-xs"></div>');
}
add_field(df, parent) {
this.show_form();
if (!df.placeholder) {
df.placeholder = df.label;
}
df.input_class = 'input-xs';
var f = frappe.ui.form.make_control({
df: df,
parent: parent || this.page_form,
only_input: df.fieldtype == "Check" ? false : true,
})
f.refresh();
$(f.wrapper)
.addClass('col-md-2')
.attr("title", __(df.label)).tooltip({
delay: { "show": 600, "hide": 100},
trigger: "hover"
});
// html fields in toolbar are only for display
if (df.fieldtype=='HTML') {
return;
}
// hidden fields dont have $input
if (!f.$input) f.make_input();
f.$input.attr("placeholder", __(df.label));
if(df.fieldtype==="Check") {
$(f.wrapper).find(":first-child")
.removeClass("col-md-offset-4 col-md-8");
}
if(df.fieldtype=="Button") {
$(f.wrapper).find(".page-control-label").html(" ");
f.$input.addClass("btn-xs").css({"width": "100%", "margin-top": "-1px"});
}
if(df["default"])
f.set_input(df["default"])
this.fields_dict[df.fieldname || df.label] = f;
return f;
}
clear_fields() {
this.page_form.empty();
}
show_form() {
this.page_form.removeClass("hide");
}
hide_form() {
this.page_form.addClass("hide");
}
get_form_values() {
var values = {};
this.page_form.fields_dict.forEach(function(field, key) {
values[key] = field.get_value();
});
return values;
}
add_view(name, html) {
let element = html;
if(typeof (html) === "string") {
element = $(html);
}
this.views[name] = element.appendTo($(this.wrapper).find(".page-content"));
if(!this.current_view) {
this.current_view = this.views[name];
} else {
this.views[name].toggle(false);
}
return this.views[name];
}
set_view(name) {
if(this.current_view_name===name)
return;
this.current_view && this.current_view.toggle(false);
this.current_view = this.views[name];
this.previous_view_name = this.current_view_name;
this.current_view_name = name;
this.views[name].toggle(true);
this.wrapper.trigger('view-change');
}
};
|
import Sketch from '../sketch';
export default class handleBlender extends Sketch {
constructor() {
super();
this.namespace = '图层混合|handleBlender';
}
getColor(selectionType, layer) {
let color;
if (selectionType === 'fill') {
if (layer instanceof MSTextLayer) {
color = layer.textColor();
} else {
color = layer
.style()
.fills()
.firstObject()
.color();
}
} else {
if (layer instanceof MSTextLayer) {
color = layer
.style()
.borders()
.firstObject()
.color();
} else {
color = layer
.style()
.borders()
.firstObject()
.color();
}
}
return color;
}
getNum(num1, num2, index, count) {
return ((num2 - num1) / (count - 1)) * index + num1;
}
handleStep(steps) {
const selectedLayers = this.native.selection.layers();
const selectedCount = selectedLayers.length;
if (selectedCount !== 0) {
const layerColor = new Array(selectedCount);
const layerBorderColor = new Array(selectedCount);
const layerPosX = new Array(selectedCount);
const layerPosY = new Array(selectedCount);
const layerW = new Array(selectedCount);
const layerH = new Array(selectedCount);
const layerRadius = new Array(selectedCount);
const layerOpacity = new Array(selectedCount);
const layerRotation = new Array(selectedCount);
// for font
const layerFontSize = new Array(selectedCount);
const layerCharacterSpacing = new Array(selectedCount);
const layerLineheight = new Array(selectedCount);
const copiedLayers = new Array(selectedCount - 1);
for (let id = 0; id < selectedCount; id++) {
// init array
layerColor[id] = this.getColor('fill', selectedLayers[id]);
layerPosX[id] = selectedLayers[id].rect().origin.x;
layerPosY[id] = selectedLayers[id].rect().origin.y;
layerW[id] = selectedLayers[id].rect().size.width;
layerH[id] = selectedLayers[id].rect().size.height;
layerOpacity[id] = selectedLayers[id]
.style()
.contextSettings()
.opacity();
layerRotation[id] = selectedLayers[id].rotation();
// for font
if (selectedLayers[id].className() === 'MSTextLayer') {
layerFontSize[id] = selectedLayers[id].fontSize();
layerCharacterSpacing[id] = selectedLayers[id].characterSpacing();
layerLineheight[id] = selectedLayers[id].lineHeight();
} else {
// for rect radius
// for borders
layerBorderColor[id] = this.getColor('border', selectedLayers[id]);
const shape = selectedLayers[id];
if (shape && shape.isKindOfClass(MSRectangleShape)) {
layerRadius[id] = selectedLayers[id].cornerRadiusFloat();
}
}
}
// duplicate layers
for (let id = 0; id < selectedCount - 1; id++) {
copiedLayers[id] = [];
copiedLayers[id].push(selectedLayers[id]);
copiedLayers[id].push(selectedLayers[id + 1]);
let layerRec = selectedLayers[id];
for (let k = 0; k < steps; k++) {
const newLayer = layerRec.duplicate();
newLayer.select_byExpandingSelection(true, true);
newLayer.setName(k.toString());
copiedLayers[id].splice(k + 1, 0, newLayer);
layerRec = newLayer;
}
}
for (let id = 0; id < selectedCount - 1; id++) {
// change their styles
for (let i = 0; i < steps + 2; i++) {
const layer = copiedLayers[id][i];
// color
const r = Math.round(
this.getNum(layerColor[id].red(), layerColor[id + 1].red(), i, steps + 2) * 255
);
const g = Math.round(
this.getNum(layerColor[id].green(), layerColor[id + 1].green(), i, steps + 2) * 255
);
const b = Math.round(
this.getNum(layerColor[id].blue(), layerColor[id + 1].blue(), i, steps + 2) * 255
);
const a = Math.round(
this.getNum(layerColor[id].alpha(), layerColor[id + 1].alpha(), i, steps + 2) * 255
);
// position
const x = Math.round(this.getNum(layerPosX[id], layerPosX[id + 1], i, steps + 2));
const y = Math.round(this.getNum(layerPosY[id], layerPosY[id + 1], i, steps + 2));
// width & height
const w = Math.round(this.getNum(layerW[id], layerW[id + 1], i, steps + 2));
const h = Math.round(this.getNum(layerH[id], layerH[id + 1], i, steps + 2));
// opacity
const op = this.getNum(layerOpacity[id], layerOpacity[id + 1], i, steps + 2);
// rotation
const rot = this.getNum(layerRotation[id], layerRotation[id + 1], i, steps + 2);
layer.setRotation(rot);
// set position and width height
layer.rect = NSMakeRect(x, y, w, h);
layer
.style()
.contextSettings()
.setOpacity(op);
if (selectedLayers[id].className() === 'MSTextLayer') {
const fs = this.getNum(layerFontSize[id], layerFontSize[id + 1], i, steps + 2);
const cs = this.getNum(
layerCharacterSpacing[id],
layerCharacterSpacing[id + 1],
i,
steps + 2
);
const lh = this.getNum(layerLineheight[id], layerLineheight[id + 1], i, steps + 2);
layer.setFontSize(fs);
layer.setCharacterSpacing(cs);
layer.setLineHeight(lh);
layer.textColor = MSColor.colorWithRed_green_blue_alpha(
r / 255,
g / 255,
b / 255,
a / 255
);
} else {
const fill = layer
.style()
.fills()
.firstObject();
const br = Math.round(
this.getNum(
layerBorderColor[id].red(),
layerBorderColor[id + 1].red(),
i,
steps + 2
) * 255
);
const bg = Math.round(
this.getNum(
layerBorderColor[id].green(),
layerBorderColor[id + 1].green(),
i,
steps + 2
) * 255
);
const bb = Math.round(
this.getNum(
layerBorderColor[id].blue(),
layerBorderColor[id + 1].blue(),
i,
steps + 2
) * 255
);
const ba = Math.round(
this.getNum(
layerBorderColor[id].alpha(),
layerBorderColor[id + 1].alpha(),
i,
steps + 2
) * 255
);
const border = layer
.style()
.borders()
.firstObject();
border.color = MSColor.colorWithRed_green_blue_alpha(
br / 255,
bg / 255,
bb / 255,
ba / 255
);
const shape = selectedLayers[id];
fill.color = MSColor.colorWithRed_green_blue_alpha(r / 255, g / 255, b / 255, a / 255);
if (shape && shape.isKindOfClass(MSRectangleShape)) {
layer.cornerRadiusFloat = Math.round(
this.getNum(parseInt(layerRadius[id]), parseInt(layerRadius[id + 1]), i, steps + 2)
);
}
}
}
}
}
}
run() {
if (this.selection.length < 2) return this.ui.warn('请选择两个以上图层');
this.ui.inputPanel('请输入歩进数', { initialValue: 10 }, (err, value) => {
if (err) return;
if (parseInt(value) < 1) return this.ui.warn('请输入大于零的数字');
this.handleStep(parseInt(value));
this.ui.success(`图层混合完毕`);
});
}
}
|
import Select from "react-select";
import styled from "styled-components";
import { FontAwesomeIcon } from "@fortawesome/react-fontawesome";
import {
faFolder
} from "@fortawesome/free-solid-svg-icons";
const LoadFromGithub = ({
selectedBranch,
branches,
projectsInBranch,
listProjectsInBranch,
loadProjectFile,
}) => {
return (
<>
<h2>Branches on das-qna-api</h2>
<Select
name="branchSelector"
instanceId="branchSelector"
value={{
label: selectedBranch || "Type or select a branch name...",
value: selectedBranch
}}
options={branches.map((branch, index) => ({
label: branch.node.name,
value: branch.node.name
}))}
onChange={listProjectsInBranch}
isSearchable={true}
captureMenuScroll={false}
/>
<>
{projectsInBranch && projectsInBranch !== "Not loaded" ? (
<>
<BranchTitle>Project folders in {selectedBranch}</BranchTitle>
{projectsInBranch.entries
.filter(project => project.type === "tree")
.map((project, index) => (
<ProjectTitle key={index}>
<a href="#" onClick={() => loadProjectFile(project.name)}>
<ProjectFolderIcon icon={faFolder} width="0" />
{project.name}
</a>
</ProjectTitle>
))}
</>
) : projectsInBranch !== "Not loaded" ? (
<h2>No projects in branch</h2>
) : null}
</>
</>
);
};
export default LoadFromGithub;
const BranchTitle = styled.h2`
word-break: break-all;
`;
const ProjectTitle = styled.h2`
font-size: 22px;
margin-bottom: 2px;
`;
const ProjectLink = styled.p`
margin-top: 0;
`;
const ProjectFolderIcon = styled(FontAwesomeIcon)`
margin-right: 10px;
`
|
export default{"AO":"\u0905\u0919\u094d\u0917\u094b\u0932\u093e","AZ":"\u0905\u091c\u0930\u092c\u0948\u091c\u093e\u0928","AQ":"\u0905\u0928\u094d\u091f\u093e\u0930\u0924\u093f\u0915\u093e","AD":"\u0905\u0928\u094d\u0921\u094b\u0930\u094d\u0930\u093e","AF":"\u0905\u092b\u094d\u0917\u093e\u0928\u093f\u0937\u094d\u0924\u093e\u0928","AS":"\u0905\u092e\u0947\u0930\u093f\u0915\u0940 \u0938\u092e\u094b\u0906","AR":"\u0905\u0930\u094d\u091c\u0947\u0923\u094d\u091f\u093f\u0928\u093e","AX":"\u0905\u0932\u093e\u0928\u094d\u0921 \u091f\u093e\u092a\u0941","DZ":"\u0905\u0932\u094d\u091c\u0947\u0930\u093f\u092f\u093e","AL":"\u0905\u0932\u094d\u092c\u093e\u0928\u093f\u092f\u093e","AT":"\u0905\u0937\u094d\u091f\u094d\u0930\u093f\u092f\u093e","AU":"\u0905\u0937\u094d\u091f\u094d\u0930\u0947\u0932\u093f\u092f\u093e","IM":"\u0906\u0907\u091c\u094d\u0932\u0947 \u0905\u092b\u094d \u092e\u094d\u092f\u093e\u0928","CI":"\u0906\u0907\u092d\u094b\u0930\u0940 \u0915\u094b\u0937\u094d\u091f","IE":"\u0906\u0907\u0930\u0932\u094d\u092f\u093e\u0923\u094d\u0921","IS":"\u0906\u0907\u0938\u094d\u0932\u094d\u092f\u093e\u0923\u094d\u0921","AI":"\u0906\u0919\u094d\u0917\u0941\u0907\u0932\u093e","AW":"\u0906\u0930\u0942\u092c\u093e","AM":"\u0906\u0930\u094d\u092e\u0947\u0928\u093f\u092f\u093e","EC":"\u0907\u0915\u094d\u0935\u0921\u0947\u0930","EG":"\u0907\u091c\u093f\u092a\u094d\u091f","IL":"\u0907\u091c\u094d\u0930\u093e\u092f\u0932","IT":"\u0907\u091f\u093e\u0932\u0940","ET":"\u0907\u0925\u094b\u092a\u093f\u092f\u093e","ID":"\u0907\u0928\u094d\u0921\u094b\u0928\u0947\u0936\u093f\u092f\u093e","IQ":"\u0907\u0930\u093e\u0915","IR":"\u0907\u0930\u093e\u0928","EE":"\u0907\u0938\u094d\u091f\u094b\u0928\u093f\u092f\u093e","UZ":"\u0909\u091c\u094d\u092c\u0947\u0915\u093f\u0938\u094d\u0924\u093e\u0928","KP":"\u0909\u0924\u094d\u0924\u0930 \u0915\u094b\u0930\u093f\u092f\u093e","MP":"\u0909\u0924\u094d\u0924\u0930\u0940 \u092e\u093e\u0930\u093f\u0906\u0928\u093e \u091f\u093e\u092a\u0941","AG":"\u090f\u0928\u094d\u091f\u093f\u0917\u0941\u0906 \u0930 \u092c\u093e\u0930\u092c\u0941\u0921\u093e","ER":"\u090f\u0930\u093f\u0924\u094d\u0930\u093f\u092f\u093e","SV":"\u090f\u0932\u094d \u0938\u093e\u0932\u094d\u092d\u093e\u0921\u094b\u0930","OM":"\u0913\u092e\u0928","QA":"\u0915\u091f\u093e\u0930","KH":"\u0915\u092e\u094d\u092c\u094b\u0921\u093f\u092f\u093e","KZ":"\u0915\u093e\u091c\u093e\u0915\u0938\u094d\u0925\u093e\u0928","KI":"\u0915\u093f\u0930\u093f\u092c\u093e\u091f\u0940","KG":"\u0915\u093f\u0930\u094d\u0917\u093f\u0938\u094d\u0925\u093e\u0928","CK":"\u0915\u0941\u0915 \u091f\u093e\u092a\u0941","KW":"\u0915\u0941\u0935\u0947\u0924","CF":"\u0915\u0947\u0928\u094d\u0926\u094d\u0930\u0940\u092f \u0905\u092b\u094d\u0930\u093f\u0915\u0940 \u0917\u0923\u0924\u0928\u094d\u0924\u094d\u0930","KE":"\u0915\u0947\u0928\u094d\u092f\u093e","CV":"\u0915\u0947\u092a \u092d\u0930\u094d\u0921\u0947","KY":"\u0915\u0947\u092f\u092e\u093e\u0928 \u091f\u093e\u092a\u0941","CC":"\u0915\u094b\u0915\u094b\u0938 \u091f\u093e\u092a\u0941","CG":"\u0915\u094b\u0919\u094d\u0917\u094b - \u092c\u094d\u0930\u093e\u091c\u094d\u091c\u093e\u092d\u093f\u0932\u094d\u0932\u0947","CD":"\u0915\u094b\u0919\u094d\u0917\u094b-\u0915\u093f\u0928\u094d\u0936\u093e\u0938\u093e","KM":"\u0915\u094b\u092e\u094b\u0930\u094b\u0938","CO":"\u0915\u094b\u0932\u094b\u092e\u094d\u092c\u093f\u092f\u093e","CR":"\u0915\u094b\u0937\u094d\u091f\u093e\u0930\u093f\u0915\u093e","CA":"\u0915\u094d\u092f\u093e\u0928\u093e\u0921\u093e","CM":"\u0915\u094d\u092f\u093e\u092e\u0947\u0930\u0942\u0928","CU":"\u0915\u094d\u092f\u0941\u092c\u093e","CX":"\u0915\u094d\u0930\u093f\u0937\u094d\u091f\u092e\u0938 \u091f\u093e\u092a\u0941","HR":"\u0915\u094d\u0930\u094b\u090f\u0936\u093f\u092f\u093e","GM":"\u0917\u093e\u092e\u094d\u0935\u093f\u092f\u093e","GA":"\u0917\u093e\u0935\u094b\u0928","GN":"\u0917\u093f\u0928\u0940","GW":"\u0917\u093f\u0928\u0940-\u092c\u093f\u0938\u093e\u0909","GG":"\u0917\u0941\u090f\u0930\u094d\u0928\u0938\u0947","GY":"\u0917\u0941\u092f\u093e\u0928\u093e","GU":"\u0917\u0941\u0935\u093e\u092e","GL":"\u0917\u094d\u0930\u093f\u0928\u0932\u094d\u092f\u093e\u0923\u094d\u0921","GR":"\u0917\u094d\u0930\u093f\u0936","GD":"\u0917\u094d\u0930\u0947\u0928\u093e\u0921\u093e","GT":"\u0917\u094d\u0935\u093e\u091f\u0947\u092e\u093e\u0932\u093e","GP":"\u0917\u094d\u0935\u093e\u0921\u0947\u0932\u0941\u092a","GH":"\u0918\u093e\u0928\u093e","TD":"\u091a\u093e\u0921","CL":"\u091a\u093f\u0932\u0940","CN":"\u091a\u0940\u0928","CZ":"\u091a\u0947\u0916 \u0917\u0923\u0924\u0928\u094d\u0924\u094d\u0930","JM":"\u091c\u092e\u093e\u0907\u0915\u093e","DE":"\u091c\u0930\u094d\u092e\u0928\u0940","JE":"\u091c\u0930\u094d\u0938\u0940","JP":"\u091c\u093e\u092a\u093e\u0928","ZM":"\u091c\u093e\u092e\u094d\u092c\u093f\u092f\u093e","GI":"\u091c\u093f\u092c\u094d\u0930\u093e\u0932\u094d\u091f\u093e\u0930","ZW":"\u091c\u093f\u092e\u094d\u092c\u093e\u092c\u0947","GE":"\u091c\u094b\u0930\u094d\u091c\u093f\u092f\u093e","JO":"\u091c\u094b\u0930\u094d\u0921\u0928","TR":"\u091f\u0930\u094d\u0915\u0940","TN":"\u091f\u0941\u0928\u093f\u0938\u093f\u092f\u093e","TO":"\u091f\u094b\u0902\u0917\u093e","TG":"\u091f\u094b\u0917\u094b","DJ":"\u0921\u093f\u091c\u093f\u092c\u0941\u091f\u0940","DK":"\u0921\u0947\u0928\u094d\u092e\u093e\u0930\u094d\u0915","DO":"\u0921\u094b\u092e\u093f\u0928\u093f\u0915\u0928 \u0917\u0923\u0924\u0928\u094d\u0924\u094d\u0930","DM":"\u0921\u094b\u092e\u093f\u0928\u093f\u0915\u093e","TW":"\u0924\u093e\u0907\u0935\u093e\u0928","TJ":"\u0924\u093e\u091c\u093f\u0915\u093f\u0938\u094d\u0924\u093e\u0928","TZ":"\u0924\u093e\u0928\u094d\u091c\u093e\u0928\u093f\u092f\u093e","TV":"\u0924\u0941\u092d\u093e\u0932\u0941","TC":"\u0924\u0941\u0930\u094d\u0915 \u0930 \u0915\u093e\u0907\u0915\u094b\u0938 \u091f\u093e\u092a\u0941","TM":"\u0924\u0941\u0930\u094d\u0915\u092e\u0947\u0928\u093f\u0938\u094d\u0924\u093e\u0928","TK":"\u0924\u094b\u0917\u094b","TT":"\u0924\u094d\u0930\u093f\u0928\u093f\u0921\u093e\u0921 \u0930 \u0924\u094b\u092c\u093e\u0917\u094b","TH":"\u0925\u093e\u0907\u0932\u094d\u092f\u093e\u0923\u094d\u0921","ZA":"\u0926\u0915\u094d\u0937\u093f\u0923 \u0905\u092b\u094d\u0930\u093f\u0915\u093e","KR":"\u0926\u0915\u094d\u0937\u093f\u0923 \u0915\u094b\u0930\u093f\u092f\u093e","NC":"\u0928\u092f\u093e\u0901 \u0915\u093e\u0932\u0947\u0921\u094b\u0928\u093f\u092f\u093e","NO":"\u0928\u0930\u094d\u0935\u0947","NE":"\u0928\u093e\u0907\u091c\u0930","NG":"\u0928\u093e\u0907\u091c\u0947\u0930\u093f\u092f\u093e","NR":"\u0928\u093e\u0909\u0930\u0942","NA":"\u0928\u093e\u092e\u093f\u092c\u093f\u092f\u093e","NI":"\u0928\u093f\u0915\u093e\u0930\u093e\u0917\u0941\u0935\u093e","NU":"\u0928\u093f\u092f\u0941\u0907","NL":"\u0928\u0947\u0926\u0930\u0932\u094d\u092f\u093e\u0923\u094d\u0921\u094d\u0938","AN":"\u0928\u0947\u0926\u0930\u0932\u094d\u092f\u093e\u0923\u094d\u0921\u094d\u0938 \u090f\u0923\u094d\u091f\u093f\u0932\u093f\u0938","NP":"\u0928\u0947\u092a\u093e\u0932","NF":"\u0928\u094b\u0930\u092b\u094b\u0932\u094d\u0915 \u091f\u093e\u092a\u0941","NZ":"\u0928\u094d\u092f\u0941\u091c\u093f\u0932\u094d\u092f\u093e\u0923\u094d\u0921","PA":"\u092a\u0928\u093e\u092e\u093e","PG":"\u092a\u092a\u0941\u0906 \u0928\u094d\u092f\u0942 \u0917\u093e\u0907\u0928\u093f\u092f\u093e","PW":"\u092a\u0932\u093e\u0909","EH":"\u092a\u0936\u094d\u091a\u093f\u092e\u0940 \u0938\u093e\u0939\u093e\u0930\u093e","PK":"\u092a\u093e\u0915\u093f\u0938\u094d\u0924\u093e\u0928","PN":"\u092a\u093f\u091f\u0915\u093e\u0907\u0930\u094d\u0928","TL":"\u092a\u0942\u0930\u094d\u0935\u0940 \u091f\u093f\u092e\u094b\u0930","PE":"\u092a\u0947\u0930\u0942","PT":"\u092a\u094b\u0930\u094d\u0924\u0941\u0917\u0932","PL":"\u092a\u094b\u0932\u094d\u092f\u093e\u0923\u094d\u0921","PY":"\u092a\u094d\u092f\u093e\u0930\u093e\u0917\u0941\u092f\u0947","PS":"\u092a\u094d\u092f\u093e\u0932\u0947\u0938\u094d\u091f\u0928\u0940 \u092d\u0942-\u092d\u093e\u0917","PR":"\u092a\u094d\u092f\u0941\u0930\u094d\u091f\u094b\u0930\u093f\u0915\u094b","FK":"\u092b\u0915\u0932\u094d\u092f\u093e\u0923\u094d\u0921 \u091f\u093e\u092a\u0941","FO":"\u092b\u093e\u0930\u094b\u0930 \u091f\u093e\u092a\u0941","FJ":"\u092b\u093f\u091c\u0940","FI":"\u092b\u093f\u0928\u094d\u0932\u094d\u092f\u093e\u0923\u094d\u0921","PH":"\u092b\u093f\u0932\u093f\u092a\u093f\u0928\u094d\u0938","FR":"\u092b\u094d\u0930\u093e\u0928\u094d\u0938","GF":"\u092b\u094d\u0930\u093e\u0928\u094d\u0938\u0947\u0932\u0940 \u0917\u093e\u092f\u0928\u093e","TF":"\u092b\u094d\u0930\u093e\u0928\u094d\u0938\u0947\u0932\u0940 \u0926\u0915\u094d\u0937\u093f\u0923\u0940 \u0915\u094d\u0937\u0947\u0924\u094d\u0930","PF":"\u092b\u094d\u0930\u093e\u0928\u094d\u0938\u0947\u0932\u0940 \u092a\u094b\u0932\u093f\u0928\u0947\u0938\u093f\u092f\u093e","BD":"\u092c\u0919\u094d\u0917\u0932\u093e\u0926\u0947\u0936","BF":"\u092c\u0930\u094d\u0915\u093f\u0928\u093e \u092b\u093e\u0938\u094b","BM":"\u092c\u0930\u094d\u092e\u0941\u0921\u093e","BG":"\u092c\u0932\u094d\u0917\u0947\u0930\u093f\u092f\u093e","BS":"\u092c\u0939\u093e\u092e\u093e\u0938","BB":"\u092c\u093e\u0930\u094d\u092c\u093e\u0921\u094b\u0938","QO":"\u092c\u093e\u0939\u094d\u092f \u0913\u0938\u0928\u093f\u092f\u093e","BH":"\u092c\u093e\u0939\u094d\u0930\u0947\u0928","BV":"\u092c\u0941\u092d\u0947\u091f \u091f\u093e\u092a\u0941","BI":"\u092c\u0941\u0930\u0942\u0923\u094d\u0921\u0940","BJ":"\u092c\u0947\u0928\u093f\u0928","VG":"\u092c\u0947\u0932\u093e\u092f\u0924\u0940 \u092d\u0930\u094d\u091c\u093f\u0928 \u091f\u093e\u092a\u0941","IO":"\u092c\u0947\u0932\u093e\u092f\u0924\u0940 \u0939\u093f\u0928\u094d\u0926 \u092e\u0939\u093e\u0938\u093e\u0917\u0930 \u0915\u094d\u0937\u0947\u0924\u094d\u0930","BY":"\u092c\u0947\u0932\u093e\u0930\u0942\u0938","BZ":"\u092c\u0947\u0932\u093f\u091c","BE":"\u092c\u0947\u0932\u094d\u091c\u093f\u092f\u092e","BW":"\u092c\u094b\u091f\u094d\u0938\u094d\u0935\u093e\u0928\u093e","BO":"\u092c\u094b\u0932\u093f\u092d\u093f\u092f\u093e","BA":"\u092c\u094b\u0938\u094d\u0928\u093f\u092f\u093e \u0930 \u0939\u0930\u094d\u091c\u0917\u094b\u092d\u093f\u0928\u093f\u092f\u093e","BR":"\u092c\u094d\u0930\u093e\u091c\u093f\u0932","BN":"\u092c\u094d\u0930\u0941\u0928\u093e\u0907","VU":"\u092d\u093e\u0928\u0941\u0906\u0924\u0941","IN":"\u092d\u093e\u0930\u0924","VN":"\u092d\u093f\u090f\u0924\u0928\u093e\u092e","BT":"\u092d\u0941\u091f\u093e\u0928","GQ":"\u092d\u0942-\u092e\u0927\u094d\u092f\u0940\u092f \u0917\u093f\u0928\u0940","VA":"\u092d\u0947\u091f\u093f\u0915\u0928","VE":"\u092d\u0947\u0928\u0947\u091c\u0941\u090f\u0932\u093e","MO":"\u092e\u0915\u093e\u0935\u094b \u091a\u093f\u0928\u093f\u0901\u092f\u093e \u0938\u094d\u0935\u0936\u093e\u0938\u093f\u0924 \u0915\u094d\u0937\u0947\u0924\u094d\u0930","MN":"\u092e\u0919\u094d\u0917\u094b\u0932\u093f\u092f\u093e","MG":"\u092e\u0921\u093e\u0917\u093e\u0938\u094d\u0915\u0930","MY":"\u092e\u0932\u0947\u0938\u093f\u092f\u093e","FM":"\u092e\u093e\u0907\u0915\u094d\u0930\u094b\u0928\u0947\u0938\u093f\u092f\u093e","MU":"\u092e\u093e\u0909\u0930\u093f\u091f\u0938","MR":"\u092e\u093e\u0909\u0930\u093f\u091f\u093e\u0928\u093f\u092f\u093e","YT":"\u092e\u093e\u092f\u094b\u091f\u094d\u091f","MQ":"\u092e\u093e\u0930\u094d\u091f\u093f\u0928\u093f\u0915","MH":"\u092e\u093e\u0930\u094d\u0936\u0932 \u091f\u093e\u092a\u0941","MW":"\u092e\u093e\u0932\u093e\u0935\u0940","ML":"\u092e\u093e\u0932\u0940","MT":"\u092e\u093e\u0932\u094d\u091f\u093e","MD":"\u092e\u093e\u0932\u094d\u0921\u094b\u092d\u093e","MV":"\u092e\u093e\u0932\u094d\u0926\u093f\u092d\u094d\u0938","MX":"\u092e\u0947\u0915\u094d\u0938\u093f\u0915\u094b","MZ":"\u092e\u094b\u091c\u093e\u092e\u094d\u092c\u093f\u0915","MC":"\u092e\u094b\u0928\u093e\u0915\u094b","MS":"\u092e\u094b\u0928\u094d\u091f\u0938\u0947\u0930\u094d\u0930\u093e\u091f","ME":"\u092e\u094b\u0928\u094d\u091f\u0947\u0928\u0947\u0917\u094d\u0930\u094b","MA":"\u092e\u094b\u0930\u094b\u0915\u094d\u0915\u094b","MK":"\u092e\u094d\u092f\u093e\u0915\u0947\u0921\u094b\u0928\u093f\u092f\u093e","MM":"\u092e\u094d\u092f\u093e\u0928\u094d\u092e\u093e\u0930","UA":"\u092f\u0941\u0915\u094d\u0930\u0947\u0928","UG":"\u092f\u0941\u0917\u093e\u0923\u094d\u0921\u093e","UY":"\u092f\u0941\u0930\u0942\u0917\u0941\u090f","EU":"\u092f\u0941\u0930\u094b\u092a\u093f\u092f\u0928 \u092f\u0941\u0928\u093f\u092f\u0928","YE":"\u092f\u0947\u092e\u0947\u0928","RW":"\u0930\u0935\u093e\u0923\u094d\u0921\u093e","RE":"\u0930\u093f\u092f\u0941\u0928\u093f\u092f\u0928","RU":"\u0930\u0942\u0938","RO":"\u0930\u094b\u092e\u093e\u0928\u093f\u092f\u093e","LU":"\u0932\u0915\u094d\u091c\u0947\u092e\u092c\u0930\u094d\u0917","LR":"\u0932\u093e\u0907\u092c\u0947\u0930\u093f\u092f\u093e","LA":"\u0932\u093e\u0913\u0938","LV":"\u0932\u093e\u091f\u094d\u092d\u093f\u092f\u093e","LI":"\u0932\u093f\u090f\u0916\u091f\u0947\u0928\u094d\u0938\u094d\u091f\u093e\u0907\u0928","LT":"\u0932\u093f\u0925\u0941\u0905\u0928\u093f\u092f\u093e","LY":"\u0932\u093f\u092c\u093f\u092f\u093e","LB":"\u0932\u0947\u092c\u0928\u094b\u0928","LS":"\u0932\u0947\u0938\u094b\u0925\u094b","WF":"\u0935\u093e\u0932\u093f\u0938 \u0930 \u092b\u0941\u091f\u0941\u0928\u093e","LK":"\u0936\u094d\u0930\u0940\u0932\u0919\u094d\u0915\u093e","SJ":"\u0938\u092d\u093e\u0932\u094d\u092c\u093e\u0930\u094d\u0921 \u0930 \u091c\u093e\u0928 \u092e\u093e\u092f\u0947\u0928","GB":"\u0938\u0902\u092f\u0941\u0915\u094d\u0924 \u0905\u0927\u093f\u0930\u093e\u091c\u094d\u092f","AE":"\u0938\u0902\u092f\u0941\u0915\u094d\u0924 \u0905\u0930\u092c \u0907\u092e\u093f\u0930\u093e\u091f\u094d\u0938","US":"\u0938\u0902\u092f\u0941\u0915\u094d\u0924 \u0930\u093e\u091c\u094d\u092f","UM":"\u0938\u0902\u092f\u0941\u0915\u094d\u0924 \u0930\u093e\u091c\u094d\u092f \u0905\u0932\u094d\u092a \u092c\u093e\u0939\u094d\u092f \u091f\u093e\u092a\u0941","VI":"\u0938\u0902\u092f\u0941\u0915\u094d\u0924 \u0930\u093e\u091c\u094d\u092f \u092d\u0930\u094d\u091c\u093f\u0928 \u091f\u093e\u092a\u0941","RS":"\u0938\u0930\u094d\u092c\u093f\u092f\u093e","CY":"\u0938\u093e\u0907\u092a\u094d\u0930\u0938","SA":"\u0938\u093e\u0909\u0926\u0940 \u0905\u0930\u092c","ST":"\u0938\u093e\u0913 \u091f\u094b\u092e\u0947 \u0930 \u092a\u094d\u0930\u093f\u0928\u094d\u0938\u093f\u092a","SM":"\u0938\u093e\u0928\u094d \u092e\u093e\u0930\u093f\u0928\u094b","WS":"\u0938\u093e\u092e\u094b\u0906","SL":"\u0938\u093f\u090f\u0930\u094d\u0930\u093e \u0932\u093f\u0913\u0928","SG":"\u0938\u093f\u0919\u094d\u0917\u093e\u092a\u0941\u0930","SY":"\u0938\u093f\u0930\u093f\u092f\u093e","SD":"\u0938\u0941\u0921\u093e\u0928","SR":"\u0938\u0941\u0930\u093f\u0928\u0947\u092e","SC":"\u0938\u0947\u091a\u0947\u0932\u0947\u0938","SN":"\u0938\u0947\u0928\u0947\u0917\u093e\u0932","KN":"\u0938\u0947\u0928\u094d\u091f \u0915\u093f\u091f\u094d\u0938 \u0930 \u0928\u0947\u092d\u093f\u0938","PM":"\u0938\u0947\u0928\u094d\u091f \u092a\u093f\u0930\u094d\u0930\u0947 \u0930 \u092e\u093f\u0915\u094d\u0915\u0947\u0932\u094b\u0928","BL":"\u0938\u0947\u0928\u094d\u091f \u092c\u093e\u0930\u094d\u0925\u093e\u0932\u0947\u092e\u0940","VC":"\u0938\u0947\u0928\u094d\u091f \u092d\u093f\u0928\u094d\u0938\u0947\u0928\u094d\u091f \u0930 \u0917\u094d\u0930\u0947\u0928\u093e\u0921\u093f\u0928\u094d\u0938","MF":"\u0938\u0947\u0928\u094d\u091f \u092e\u093e\u0930\u094d\u091f\u093f\u0928","LC":"\u0938\u0947\u0928\u094d\u091f \u0932\u0941\u0938\u093f\u092f\u093e","SH":"\u0938\u0947\u0928\u094d\u091f \u0939\u0947\u0932\u0947\u0928\u093e","SO":"\u0938\u094b\u092e\u093e\u0932\u093f\u092f\u093e","SB":"\u0938\u094b\u0932\u094b\u092e\u094b\u0928 \u091f\u093e\u092a\u0941","ES":"\u0938\u094d\u092a\u0947\u0928","SK":"\u0938\u094d\u0932\u094b\u092d\u093e\u0915\u093f\u092f\u093e","SI":"\u0938\u094d\u0932\u094b\u092d\u0947\u0928\u093f\u092f\u093e","SZ":"\u0938\u094d\u0935\u093e\u091c\u093f\u0932\u094d\u092f\u093e\u0923\u094d\u0921","CH":"\u0938\u094d\u0935\u093f\u091c\u0930\u0932\u094d\u092f\u093e\u0923\u094d\u0921","SE":"\u0938\u094d\u0935\u093f\u0921\u0947\u0928","HK":"\u0939\u0919\u0915\u0919 \u091a\u093f\u0928\u093f\u0901\u092f\u093e \u0938\u092e\u093e\u091c\u0935\u093e\u0926\u0940 \u0938\u094d\u0935\u093e\u092f\u0924\u094d\u0924 \u0915\u094d\u0937\u0947\u0924\u094d\u0930","HU":"\u0939\u0919\u094d\u0917\u0947\u0930\u0940","HN":"\u0939\u0928\u094d\u0921\u0941\u0930\u093e\u0938","HM":"\u0939\u0930\u094d\u0921 \u091f\u093e\u092a\u0941 \u0930 \u092e\u094d\u092f\u093e\u0915\u0921\u094b\u0928\u093e\u0932\u094d\u0921 \u091f\u093e\u092a\u0941","HT":"\u0939\u0948\u091f\u0940"}; |
class ConnectionError(Exception):
'''
Unable to connect to the api server
- wrong internet connection, server is down,...
'''
pass
class UnsupportedCurrencyError(Exception):
'''
Currency code or symbol is not supported
'''
pass
|
const chai = require('chai');
chai.should();
const mccValidate = require('../mcc-validate');
describe('profile/mcc-validate', () => {
it('should return the input-mcc if valid', done => {
const mcc = '7392';
const validation = mccValidate(mcc);
validation.should.be.equal('7392');
done();
});
it('should return false if the mcc-input is invalid', done => {
const mcc = '99999';
const validation = mccValidate(mcc);
validation.should.be.equal(false);
done();
});
it('should return false if the mcc-input is empty', done => {
const validation = mccValidate();
validation.should.be.equal(false);
done();
});
});
|
"""pred_bitcoin URL Configuration
The `urlpatterns` list routes URLs to views. For more information please see:
https://docs.djangoproject.com/en/3.1/topics/http/urls/
Examples:
Function views
1. Add an import: from my_app import views
2. Add a URL to urlpatterns: path('', views.home, name='home')
Class-based views
1. Add an import: from other_app.views import Home
2. Add a URL to urlpatterns: path('', Home.as_view(), name='home')
Including another URLconf
1. Import the include() function: from django.urls import include, path
2. Add a URL to urlpatterns: path('blog/', include('blog.urls'))
"""
from django.conf.urls import url, include
from django.contrib import admin
from django.views.generic.base import RedirectView
urlpatterns = [
url(r'^admin/', admin.site.urls),
url(r'^$', RedirectView.as_view(url='/app/'), name='index'),
url(r'^app/', include(('app.urls', 'app'), namespace='app', )),
] |
#!/usr/bin/env python
# insert_mmgis.py
# Mars Target Encyclopedia
# Add information from the MMGIS (lat/lon coords ) to our MTE PostgreSQL DB.
#
# Kiri Wagstaff
# October 20, 2016
# Copyright notice at bottom of file.
import sys, os
from argparse import ArgumentParser, ArgumentDefaultsHelpFormatter
import string
import csv
import dbutils
# Import the Python module psycopg2 to enable direct connections to
# the PostgreSQL database.
try:
import psycopg2
HAVE_psycopg2 = True
except ImportError, e:
print "The Python module psycopg2 could not be imported, so ",
print "we cannot access the MTE SQL database."
sys.exit()
# MMGIS ChemCam target database
mmgisfile = '../ref/MSL_CHEMCAM_HardTarget_Sol1311_unique_v2.csv'
def update_mmgis(args):
print "Inserting target information from the MMGIS target DB."
print "File: ", mmgisfile
# Connect to the DB
connection = psycopg2.connect("dbname=%s user=%s" % (args['db'], args['user']))
cursor = connection.cursor()
# Read in the CSV and add fields we want
with open(mmgisfile, 'r') as csvfile:
csvfile.readline() # Consume the header
mmgisreader = csv.reader(csvfile)
for row in mmgisreader:
# Convert target name into canonical form
s = row[2]
s = string.replace(s, '_', ' ')
s = string.capwords(s)
s = s.replace(' ', '_')
target_name = s
dbutils.insert_into_table(cursor=cursor,
table='targets_mmgis',
columns=['target_name',
'target_latitude',
'target_longitude'],
values=[s,
float(row[7]),
float(row[8])])
connection.commit()
cursor.close()
connection.close()
if __name__ == '__main__':
parser = ArgumentParser(description="Adds MMGIS target lat/lon table to PSQL DB",
formatter_class=ArgumentDefaultsHelpFormatter)
parser.add_argument("-db", help="Database name for insertion", default='mte')
parser.add_argument("-user", help="Database user name", default=os.environ['USER'])
args = vars(parser.parse_args())
update_mmgis(args)
# Copyright 2016, by the California Institute of Technology. ALL
# RIGHTS RESERVED. United States Government Sponsorship
# acknowledged. Any commercial use must be negotiated with the Office
# of Technology Transfer at the California Institute of Technology.
#
# This software may be subject to U.S. export control laws and
# regulations. By accepting this document, the user agrees to comply
# with all applicable U.S. export laws and regulations. User has the
# responsibility to obtain export licenses, or other export authority
# as may be required before exporting such information to foreign
# countries or providing access to foreign persons.
|
import '../elementAtOrDefault';
import { generate, generateThenThrow } from './utils';
test('ElementAtOrDefault: With length, index past end', () => {
expect([1,2,3].elementAtOrDefault(3, 'default')).toBe('default');
});
test('ElementAtOrDefault: With length', () => {
expect([1,2,3].elementAtOrDefault(1, 'default')).toBe(2);
});
test('ElementAtOrDefault: Index past end', () => {
expect(generate([1,2,3]).elementAtOrDefault(3, 'default')).toBe('default');
});
test('ElementAtOrDefault', () => {
expect(generateThenThrow([1,2,3]).elementAtOrDefault(2, 'default')).toBe(3);
});
|
import cv2
from filters.image_filter import ImageFilter
class GaussBinarization(ImageFilter):
def __init__(self, block_size=15, C=2):
"""Performs Adaptive Gauss binarization on given image
"""
super().__init__()
self.block_size = block_size
self.C = C
def process(self, input_image):
"""Converts given image to binary image using Adaptive Gauss algorithm
Arguments:
input_image {opencv image} -- input image
Returns:
opencv image -- Returns binary image where 0 values denotes
foreground and 255 background
"""
output_image = cv2.adaptiveThreshold(input_image, 255,
cv2.ADAPTIVE_THRESH_GAUSSIAN_C,
cv2.THRESH_BINARY,
self.block_size,
self.C)
return output_image
|
import {renderMd, renderMdParagraph} from './markdown';
// ! This directly updates the DOM and registers events.
export default function showLocationSelector() {
document.getElementById('recruiter-screen').innerHTML =
renderMdParagraph(cfStrings.recruiter.locationSelector.text) + `
<input id="result-town-input" autofocus placeholder="${cfStrings.recruiter.locationSelector.placeholder}" type="text"/>
<button id="result-town-submit" class="button button-primary" disabled>${renderMd(cfStrings.recruiter.locationSelector.button)}</button>
`;
const input = document.getElementById('result-town-input');
const submit = document.getElementById('result-town-submit');
let lastResult = null;
const isUsable = () => lastResult
// && lastResult.locality
&& lastResult.country
&& lastResult.countryCode;
submit.onclick = () => isUsable()
? document.location.href= document.location.href +
`&locality=${lastResult.locality}&country=${lastResult.country}&countryCode=${lastResult.countryCode}`
: true;
const autocomplete = new google.maps.places.Autocomplete(
input,
{
// types: ['(cities)'],
types: ['(regions)'],
fields: ['address_component'],
});
autocomplete.addListener('place_changed', () => {
const place = autocomplete.getPlace();
const locality = place.address_components.filter(c => c.types.includes('locality'))[0];
const country = place.address_components.filter(c => c.types.includes('country'))[0];
lastResult = {
locality : locality ? locality.short_name: null,
country : country ? country.long_name: null,
countryCode : country ? country.short_name.toLowerCase(): null,
};
if(isUsable()) {
submit.removeAttribute('disabled');
}
});
} |
import React, {
Fragment,
useEffect,
useState,
useRef,
useContext,
} from "react";
import Select from "react-select";
import { GlobalContext } from "context";
import * as CONSTANTS from "constants/Constants";
import { GuideTooltip } from "components/common";
import { createSelectArray } from "utils/Utils";
const IMCustomSelect = ({
title = null,
setSelect,
options,
placeholder = `${CONSTANTS.PLACEHOLDER_LOADING}`,
guideMSG = null,
selectedIM = null,
resettable = true,
}) => {
const { locationSetClick, projectSiteSelectionGetClick } =
useContext(GlobalContext);
const [localOptions, setLocalOptions] = useState([]);
const selectInputRef = useRef();
useEffect(() => {
if (options !== undefined && options.length !== 0) {
let tempOptions = createSelectArray(options);
setLocalOptions(tempOptions);
/*
Select the first one
if there is only one option
and only if title is Component
(We may extend but Component for now)
setSelect is from parents, hence no need to set again
in parents component
*/
if (options.length === 1 && title === `${CONSTANTS.COMPONENT}`) {
setSelect(tempOptions[0]);
selectInputRef.current.select.setValue(tempOptions[0]);
}
} else {
setLocalOptions([]);
}
}, [options]);
/*
Reset the react-select to display N/A
if the selected IM is not pSA (This is only for Period's select)
*/
useEffect(() => {
if (selectedIM !== null && selectedIM["value"] !== "pSA") {
setSelect(null);
selectInputRef.current.select.clearValue();
}
}, [selectedIM]);
/*
Non-projects
By user, the site got changed by clicking setting location
Reset selected values
*/
useEffect(() => {
if (locationSetClick !== null && resettable === true) {
setSelect(null);
selectInputRef.current.select.clearValue();
}
}, [locationSetClick]);
/*
Projects
By user, Get button got clicked from the Site Selection
only if its resetable components.
Projects' Site Selection's dropdowns are not resettable
*/
useEffect(() => {
if (projectSiteSelectionGetClick !== null && resettable === true) {
setSelect(null);
selectInputRef.current.select.clearValue();
}
}, [projectSiteSelectionGetClick]);
return (
<Fragment>
{title !== null ? <label className="control-label">{title}</label> : null}
{guideMSG !== null ? <GuideTooltip explanation={guideMSG} /> : null}
<Select
ref={selectInputRef}
placeholder={
localOptions.length === 0
? placeholder
: title === `${CONSTANTS.VIBRATION_PERIOD} ${CONSTANTS.SECONDS_UNIT}` &&
selectedIM !== null &&
selectedIM["value"] === "pSA"
? `${CONSTANTS.PLACEHOLDER_SELECT_PERIOD}`
: title === `${CONSTANTS.VIBRATION_PERIOD} ${CONSTANTS.SECONDS_UNIT}` &&
selectedIM !== null &&
selectedIM["value"] !== "pSA"
? `${CONSTANTS.PLACEHOLDER_NOT_APPLICABLE}`
: title === `${CONSTANTS.COMPONENT}` && localOptions.length > 1
? `${CONSTANTS.PLACEHOLDER_SELECT_COMPONENT}`
: `${CONSTANTS.PLACEHOLDER_SELECT_SIGN}`
}
onChange={(e) => setSelect(e)}
options={localOptions}
isDisabled={
localOptions.length === 0 ||
(selectedIM !== null &&
selectedIM["value"] !== "pSA" &&
title === `${CONSTANTS.VIBRATION_PERIOD} ${CONSTANTS.SECONDS_UNIT}`) ||
(selectedIM === null &&
(title === `${CONSTANTS.VIBRATION_PERIOD} ${CONSTANTS.SECONDS_UNIT}` ||
title === `${CONSTANTS.COMPONENT}`))
}
menuPlacement="auto"
menuPortalTarget={document.body}
/>
</Fragment>
);
};
export default IMCustomSelect;
|
import WebMercatorViewport, {normalizeViewportProps} from 'viewport-mercator-project';
import {clamp} from './math-utils';
import assert from './assert';
// MAPBOX LIMITS
export const MAPBOX_LIMITS = {
minZoom: 0,
maxZoom: 24,
minPitch: 0,
maxPitch: 60
};
const DEFAULT_STATE = {
pitch: 0,
bearing: 0,
altitude: 1.5
};
const PITCH_MOUSE_THRESHOLD = 5;
const PITCH_ACCEL = 1.2;
export default class MapState {
constructor({
/** Mapbox viewport properties */
/** The width of the viewport */
width,
/** The height of the viewport */
height,
/** The latitude at the center of the viewport */
latitude,
/** The longitude at the center of the viewport */
longitude,
/** The tile zoom level of the map. */
zoom,
/** The bearing of the viewport in degrees */
bearing = DEFAULT_STATE.bearing,
/** The pitch of the viewport in degrees */
pitch = DEFAULT_STATE.pitch,
/**
* Specify the altitude of the viewport camera
* Unit: map heights, default 1.5
* Non-public API, see https://github.com/mapbox/mapbox-gl-js/issues/1137
*/
altitude = DEFAULT_STATE.altitude,
/** Viewport constraints */
maxZoom = MAPBOX_LIMITS.maxZoom,
minZoom = MAPBOX_LIMITS.minZoom,
maxPitch = MAPBOX_LIMITS.maxPitch,
minPitch = MAPBOX_LIMITS.minPitch,
/** Transition props */
transitionDuration,
transitionEasing,
transitionInterpolator,
transitionInterruption,
/** Interaction states, required to calculate change during transform */
/* The point on map being grabbed when the operation first started */
startPanLngLat,
/* Center of the zoom when the operation first started */
startZoomLngLat,
/* Cursor position when the rotate operation started */
startRotatePos,
/** Bearing when current perspective rotate operation started */
startBearing,
/** Pitch when current perspective rotate operation started */
startPitch,
/** Zoom when current zoom operation started */
startZoom
}) {
assert(Number.isFinite(width), '`width` must be supplied');
assert(Number.isFinite(height), '`height` must be supplied');
assert(Number.isFinite(longitude), '`longitude` must be supplied');
assert(Number.isFinite(latitude), '`latitude` must be supplied');
assert(Number.isFinite(zoom), '`zoom` must be supplied');
this._viewportProps = this._applyConstraints({
width,
height,
latitude,
longitude,
zoom,
bearing,
pitch,
altitude,
maxZoom,
minZoom,
maxPitch,
minPitch,
transitionDuration,
transitionEasing,
transitionInterpolator,
transitionInterruption
});
this._state = {
startPanLngLat,
startZoomLngLat,
startRotatePos,
startBearing,
startPitch,
startZoom
};
}
/* Public API */
getViewportProps() {
return this._viewportProps;
}
getState() {
return this._state;
}
/**
* Start panning
* @param {Object} params
* @param {[Number, Number]} params.pos - position on screen where the pointer grabs
*/
panStart({pos}) {
return this._getUpdatedMapState({
startPanLngLat: this._unproject(pos)
});
}
/**
* Pan
* @param {Object} params
* @param {[Number, Number]} params.pos - position on screen where the pointer is
* @param {[Number, Number]} [params.startPos] - where the pointer grabbed at
* the start of the operation. Must be supplied of `panStart()` was not called
*/
pan({pos, startPos}) {
const startPanLngLat = this._state.startPanLngLat || this._unproject(startPos);
if (!startPanLngLat) {
return this;
}
const [longitude, latitude] = this._calculateNewLngLat({
startPanLngLat,
pos
});
return this._getUpdatedMapState({
longitude,
latitude
});
}
/**
* End panning
* Must call if `panStart()` was called
*/
panEnd() {
return this._getUpdatedMapState({
startPanLngLat: null
});
}
/**
* Start rotating
* @param {Object} params
* @param {[Number, Number]} params.pos - position on screen where the center is
*/
rotateStart({pos}) {
return this._getUpdatedMapState({
startRotatePos: pos,
startBearing: this._viewportProps.bearing,
startPitch: this._viewportProps.pitch
});
}
/**
* Rotate
* @param {Object} params
* @param {[Number, Number]} params.pos - position on screen where the center is
* @param {Number} params.deltaAngleX - the change to bearing.
* @param {Number} params.deltaAngleY - the change to pitch.
*/
rotate({pos, deltaAngleX = 0, deltaAngleY = 0}) {
const {startRotatePos, startBearing, startPitch} = this._state;
if (!Number.isFinite(startBearing) || !Number.isFinite(startPitch)) {
return this;
}
let newRotation;
if (pos) {
newRotation = this._calculateNewPitchAndBearing({
...this._getRotationParams(pos, startRotatePos),
startBearing,
startPitch
});
} else {
newRotation = {
bearing: startBearing + deltaAngleX,
pitch: startPitch + deltaAngleY
};
}
return this._getUpdatedMapState(newRotation);
}
/**
* End rotating
* Must call if `rotateStart()` was called
*/
rotateEnd() {
return this._getUpdatedMapState({
startBearing: null,
startPitch: null
});
}
/**
* Start zooming
* @param {Object} params
* @param {[Number, Number]} params.pos - position on screen where the center is
*/
zoomStart({pos}) {
return this._getUpdatedMapState({
startZoomLngLat: this._unproject(pos),
startZoom: this._viewportProps.zoom
});
}
/**
* Zoom
* @param {Object} params
* @param {[Number, Number]} params.pos - position on screen where the current center is
* @param {[Number, Number]} [params.startPos] - the center position at
* the start of the operation. Must be supplied of `zoomStart()` was not called
* @param {Number} params.scale - a number between [0, 1] specifying the accumulated
* relative scale.
*/
zoom({pos, startPos, scale}) {
assert(scale > 0, '`scale` must be a positive number');
// Make sure we zoom around the current mouse position rather than map center
let {startZoom, startZoomLngLat} = this._state;
if (!Number.isFinite(startZoom)) {
// We have two modes of zoom:
// scroll zoom that are discrete events (transform from the current zoom level),
// and pinch zoom that are continuous events (transform from the zoom level when
// pinch started).
// If startZoom state is defined, then use the startZoom state;
// otherwise assume discrete zooming
startZoom = this._viewportProps.zoom;
startZoomLngLat = this._unproject(startPos) || this._unproject(pos);
}
// take the start lnglat and put it where the mouse is down.
assert(
startZoomLngLat,
'`startZoomLngLat` prop is required ' +
'for zoom behavior to calculate where to position the map.'
);
const zoom = this._calculateNewZoom({scale, startZoom: startZoom || 0});
const zoomedViewport = new WebMercatorViewport(Object.assign({}, this._viewportProps, {zoom}));
const [longitude, latitude] = zoomedViewport.getMapCenterByLngLatPosition({
lngLat: startZoomLngLat,
pos
});
return this._getUpdatedMapState({
zoom,
longitude,
latitude
});
}
/**
* End zooming
* Must call if `zoomStart()` was called
*/
zoomEnd() {
return this._getUpdatedMapState({
startZoomLngLat: null,
startZoom: null
});
}
/* Private methods */
_getUpdatedMapState(newProps) {
// Update _viewportProps
return new MapState(Object.assign({}, this._viewportProps, this._state, newProps));
}
// Apply any constraints (mathematical or defined by _viewportProps) to map state
_applyConstraints(props) {
// Ensure zoom is within specified range
const {maxZoom, minZoom, zoom} = props;
props.zoom = clamp(zoom, minZoom, maxZoom);
// Ensure pitch is within specified range
const {maxPitch, minPitch, pitch} = props;
props.pitch = clamp(pitch, minPitch, maxPitch);
Object.assign(props, normalizeViewportProps(props));
return props;
}
_unproject(pos) {
const viewport = new WebMercatorViewport(this._viewportProps);
return pos && viewport.unproject(pos);
}
// Calculate a new lnglat based on pixel dragging position
_calculateNewLngLat({startPanLngLat, pos}) {
const viewport = new WebMercatorViewport(this._viewportProps);
return viewport.getMapCenterByLngLatPosition({
lngLat: startPanLngLat,
pos
});
}
// Calculates new zoom
_calculateNewZoom({scale, startZoom}) {
const {maxZoom, minZoom} = this._viewportProps;
const zoom = startZoom + Math.log2(scale);
return clamp(zoom, minZoom, maxZoom);
}
// Calculates a new pitch and bearing from a position (coming from an event)
_calculateNewPitchAndBearing({deltaScaleX, deltaScaleY, startBearing, startPitch}) {
// clamp deltaScaleY to [-1, 1] so that rotation is constrained between minPitch and maxPitch.
// deltaScaleX does not need to be clamped as bearing does not have constraints.
deltaScaleY = clamp(deltaScaleY, -1, 1);
const {minPitch, maxPitch} = this._viewportProps;
const bearing = startBearing + 180 * deltaScaleX;
let pitch = startPitch;
if (deltaScaleY > 0) {
// Gradually increase pitch
pitch = startPitch + deltaScaleY * (maxPitch - startPitch);
} else if (deltaScaleY < 0) {
// Gradually decrease pitch
pitch = startPitch - deltaScaleY * (minPitch - startPitch);
}
return {
pitch,
bearing
};
}
_getRotationParams(pos, startPos) {
const deltaX = pos[0] - startPos[0];
const deltaY = pos[1] - startPos[1];
const centerY = pos[1];
const startY = startPos[1];
const {width, height} = this._viewportProps;
const deltaScaleX = deltaX / width;
let deltaScaleY = 0;
if (deltaY > 0) {
if (Math.abs(height - startY) > PITCH_MOUSE_THRESHOLD) {
// Move from 0 to -1 as we drag upwards
deltaScaleY = (deltaY / (startY - height)) * PITCH_ACCEL;
}
} else if (deltaY < 0) {
if (startY > PITCH_MOUSE_THRESHOLD) {
// Move from 0 to 1 as we drag upwards
deltaScaleY = 1 - centerY / startY;
}
}
deltaScaleY = Math.min(1, Math.max(-1, deltaScaleY));
return {deltaScaleX, deltaScaleY};
}
}
|
var express = require('express');
var router = express.Router();
var request = require ('request');
var jsonString = null;
var urlMTS = "https://www.quandl.com/api/v3/datasets/YAHOO/MC_MTS.json?api_key=HGoTu3E3A_Lsv6biw1kc";
request({
url: urlMTS,
json: true
},
function (error, response, body){
if (!error && response.statusCode == 200){
var parseo = body.dataset.data;
//console.log(parseo)
var jsonString=[];
for(var i = 0 ; i < parseo.length; i++){
var jsonDato={};
jsonDato.fecha = String(parseo[i][0]);
jsonDato.abierto = parseFloat(parseo[i][1]);
jsonDato.alto = parseFloat(parseo[i][2]);
jsonDato.bajo = parseFloat(parseo[i][3]);
jsonDato.cierre = parseFloat(parseo[i][4]);
jsonDato.volumen = parseFloat(parseo[i][5]);
jsonDato.ajuste_cierre = parseFloat(parseo[i][6]);
jsonString.push(jsonDato);
}
var jsonArrayValor = JSON.parse(JSON.stringify(jsonString));
//
var aDocs = jsonArrayValor;
//console.log(jsonArrayValor);
var parseo_code = body.dataset.dataset_code;
var parseo_nombre = body.dataset.name;
//console.log(parseo_code)
//console.log(parseo_nombre)
}
var dato2 = [];
for (var n = 0; n < jsonArrayValor.length; n++){
dato2.push([
jsonArrayValor[n]['fecha'],
jsonArrayValor[n]['abierto'],
jsonArrayValor[n]['alto'],
jsonArrayValor[n]['bajo'],
jsonArrayValor[n]['cierre'],
jsonArrayValor[n]['volumen'],
jsonArrayValor[n]['ajuste_cierre']
]);
}
var valores00 = ([dato2 [n=0]]);
var valores01 = ([dato2 [n=1]]);
var valores02 = ([dato2 [n=2]]);
var valores03 = ([dato2 [n=3]]);
var valores04 = ([dato2 [n=4]]);
var valores05 = ([dato2 [n=5]]);
var valores06 = ([dato2 [n=6]]);
var valores07 = ([dato2 [n=7]]);
var valores08 = ([dato2 [n=8]]);
var valores09 = ([dato2 [n=9]]);
var valores10 = ([dato2 [n=10]]);
var valores11 = ([dato2 [n=11]]);
var valores12 = ([dato2 [n=12]]);
var valores13 = ([dato2 [n=13]]);
var valores14 = ([dato2 [n=14]]);
var valores15 = ([dato2 [n=15]]);
var valores16 = ([dato2 [n=16]]);
var valores17 = ([dato2 [n=17]]);
var valores18 = ([dato2 [n=18]]);
var valores19 = ([dato2 [n=19]]);
//console.log(valores00)
var stockchart = [];
for (var m = 0; m < jsonArrayValor.length; m++){
stockchart.push([
jsonArrayValor[m]['fecha'],
jsonArrayValor[m]['abierto'],
jsonArrayValor[m]['alto'],
jsonArrayValor[m]['bajo'],
jsonArrayValor[m]['cierre'],
jsonArrayValor[m]['volumen'],
jsonArrayValor[m]['ajuste_cierre']
]);
}
var grafico00 = ([stockchart [m=0]]);
var grafico01 = ([stockchart [m=1]]);
var grafico02 = ([stockchart [m=2]]);
var grafico03 = ([stockchart [m=3]]);
var grafico04 = ([stockchart [m=4]]);
var grafico05 = ([stockchart [m=5]]);
var grafico06 = ([stockchart [m=6]]);
var grafico07 = ([stockchart [m=7]]);
var grafico08 = ([stockchart [m=8]]);
var grafico09 = ([stockchart [m=9]]);
var grafico10 = ([stockchart [m=10]]);
var grafico11 = ([stockchart [m=11]]);
var grafico12 = ([stockchart [m=12]]);
var grafico13 = ([stockchart [m=13]]);
var grafico14 = ([stockchart [m=14]]);
var grafico15 = ([stockchart [m=15]]);
var grafico16 = ([stockchart [m=16]]);
var grafico17 = ([stockchart [m=17]]);
var grafico18 = ([stockchart [m=18]]);
var grafico19 = ([stockchart [m=19]]);
var grafico20 = ([stockchart [m=20]]);
var grafico21 = ([stockchart [m=21]]);
var grafico22 = ([stockchart [m=22]]);
var grafico23 = ([stockchart [m=23]]);
var grafico24 = ([stockchart [m=24]]);
var grafico25 = ([stockchart [m=25]]);
var grafico26 = ([stockchart [m=26]]);
var grafico27 = ([stockchart [m=27]]);
var grafico28 = ([stockchart [m=28]]);
var grafico29 = ([stockchart [m=29]]);
var grafico30 = ([stockchart [m=30]]);
var grafico31 = ([stockchart [m=31]]);
var grafico32 = ([stockchart [m=32]]);
var grafico33 = ([stockchart [m=33]]);
var grafico34 = ([stockchart [m=34]]);
var grafico35 = ([stockchart [m=35]]);
var grafico36 = ([stockchart [m=36]]);
var grafico37 = ([stockchart [m=37]]);
var grafico38 = ([stockchart [m=38]]);
var grafico39 = ([stockchart [m=39]]);
var grafico40 = ([stockchart [m=40]]);
var grafico41 = ([stockchart [m=41]]);
var grafico42 = ([stockchart [m=42]]);
var grafico43 = ([stockchart [m=43]]);
var grafico44 = ([stockchart [m=44]]);
var grafico45 = ([stockchart [m=45]]);
var grafico46 = ([stockchart [m=46]]);
var grafico47 = ([stockchart [m=47]]);
var grafico48 = ([stockchart [m=48]]);
var grafico49 = ([stockchart [m=49]]);
var grafico50 = ([stockchart [m=50]]);
var grafico51 = ([stockchart [m=51]]);
var grafico52 = ([stockchart [m=52]]);
var grafico53 = ([stockchart [m=53]]);
var grafico54 = ([stockchart [m=54]]);
var grafico55 = ([stockchart [m=56]]);
var grafico56 = ([stockchart [m=56]]);
var grafico57 = ([stockchart [m=57]]);
var grafico58 = ([stockchart [m=58]]);
var grafico59 = ([stockchart [m=59]]);
var grafico60 = ([stockchart [m=60]]);
var grafico61 = ([stockchart [m=61]]);
var grafico62 = ([stockchart [m=62]]);
var grafico63 = ([stockchart [m=63]]);
var grafico64 = ([stockchart [m=64]]);
var grafico65 = ([stockchart [m=65]]);
var grafico66 = ([stockchart [m=66]]);
var grafico67 = ([stockchart [m=67]]);
var grafico68 = ([stockchart [m=68]]);
var grafico69 = ([stockchart [m=69]]);
var grafico70 = ([stockchart [m=70]]);
var grafico71 = ([stockchart [m=71]]);
var grafico72 = ([stockchart [m=72]]);
var grafico73 = ([stockchart [m=73]]);
var grafico74 = ([stockchart [m=74]]);
var grafico75 = ([stockchart [m=76]]);
var grafico76 = ([stockchart [m=76]]);
var grafico77 = ([stockchart [m=77]]);
var grafico78 = ([stockchart [m=78]]);
var grafico79 = ([stockchart [m=79]]);
var grafico80 = ([stockchart [m=80]]);
var grafico81 = ([stockchart [m=81]]);
var grafico82 = ([stockchart [m=82]]);
var grafico83 = ([stockchart [m=83]]);
var grafico84 = ([stockchart [m=84]]);
var grafico85 = ([stockchart [m=85]]);
var grafico86 = ([stockchart [m=86]]);
var grafico87 = ([stockchart [m=87]]);
var grafico88 = ([stockchart [m=88]]);
var grafico89 = ([stockchart [m=89]]);
var grafico90 = ([stockchart [m=90]]);
var grafico91 = ([stockchart [m=91]]);
var grafico92 = ([stockchart [m=92]]);
var grafico93 = ([stockchart [m=93]]);
var grafico94 = ([stockchart [m=94]]);
var grafico95 = ([stockchart [m=95]]);
var grafico96 = ([stockchart [m=96]]);
var grafico97 = ([stockchart [m=97]]);
var grafico98 = ([stockchart [m=98]]);
var grafico99 = ([stockchart [m=99]]);
var grafico100 = ([stockchart [m=100]]);
var grafico101 = ([stockchart [m=101]]);
var grafico102 = ([stockchart [m=102]]);
var grafico103 = ([stockchart [m=103]]);
var grafico104 = ([stockchart [m=104]]);
var grafico105 = ([stockchart [m=105]]);
var grafico106 = ([stockchart [m=106]]);
var grafico107 = ([stockchart [m=107]]);
var grafico108 = ([stockchart [m=108]]);
var grafico109 = ([stockchart [m=109]]);
var grafico110 = ([stockchart [m=110]]);
var grafico111 = ([stockchart [m=111]]);
var grafico112 = ([stockchart [m=112]]);
var grafico113 = ([stockchart [m=113]]);
var grafico114 = ([stockchart [m=114]]);
var grafico115 = ([stockchart [m=115]]);
var grafico116 = ([stockchart [m=116]]);
var grafico117 = ([stockchart [m=117]]);
var grafico118 = ([stockchart [m=118]]);
var grafico119 = ([stockchart [m=119]]);
var grafico120 = ([stockchart [m=120]]);
var grafico121 = ([stockchart [m=121]]);
var grafico122 = ([stockchart [m=122]]);
var grafico123 = ([stockchart [m=123]]);
var grafico124 = ([stockchart [m=124]]);
var grafico125 = ([stockchart [m=125]]);
var grafico126 = ([stockchart [m=126]]);
var grafico127 = ([stockchart [m=127]]);
var grafico128 = ([stockchart [m=128]]);
var grafico129 = ([stockchart [m=129]]);
var grafico130 = ([stockchart [m=130]]);
var grafico131 = ([stockchart [m=131]]);
var grafico132 = ([stockchart [m=132]]);
var grafico133 = ([stockchart [m=133]]);
var grafico134 = ([stockchart [m=134]]);
var grafico135 = ([stockchart [m=135]]);
var grafico136 = ([stockchart [m=136]]);
var grafico137 = ([stockchart [m=137]]);
var grafico138 = ([stockchart [m=138]]);
var grafico139 = ([stockchart [m=139]]);
var grafico140 = ([stockchart [m=140]]);
var grafico141 = ([stockchart [m=141]]);
var grafico142 = ([stockchart [m=142]]);
var grafico143 = ([stockchart [m=143]]);
var grafico144 = ([stockchart [m=144]]);
var grafico145 = ([stockchart [m=145]]);
var grafico146 = ([stockchart [m=146]]);
var grafico147 = ([stockchart [m=147]]);
var grafico148 = ([stockchart [m=148]]);
var grafico149 = ([stockchart [m=149]]);
var grafico150 = ([stockchart [m=150]]);
var grafico151 = ([stockchart [m=151]]);
var grafico152 = ([stockchart [m=152]]);
var grafico153 = ([stockchart [m=153]]);
var grafico154 = ([stockchart [m=154]]);
var grafico155 = ([stockchart [m=155]]);
var grafico156 = ([stockchart [m=156]]);
var grafico157 = ([stockchart [m=157]]);
var grafico158 = ([stockchart [m=158]]);
var grafico159 = ([stockchart [m=159]]);
var grafico160 = ([stockchart [m=160]]);
var grafico161 = ([stockchart [m=161]]);
var grafico162 = ([stockchart [m=162]]);
var grafico163 = ([stockchart [m=163]]);
var grafico164 = ([stockchart [m=164]]);
var grafico165 = ([stockchart [m=165]]);
var grafico166 = ([stockchart [m=166]]);
var grafico167 = ([stockchart [m=167]]);
var grafico168 = ([stockchart [m=168]]);
var grafico169 = ([stockchart [m=169]]);
var grafico170 = ([stockchart [m=170]]);
var grafico171 = ([stockchart [m=171]]);
var grafico172 = ([stockchart [m=172]]);
var grafico173 = ([stockchart [m=173]]);
var grafico174 = ([stockchart [m=174]]);
var grafico175 = ([stockchart [m=175]]);
var grafico176 = ([stockchart [m=176]]);
var grafico177 = ([stockchart [m=177]]);
var grafico178 = ([stockchart [m=178]]);
var grafico179 = ([stockchart [m=179]]);
var grafico180 = ([stockchart [m=180]]);
var grafico181 = ([stockchart [m=181]]);
var grafico182 = ([stockchart [m=182]]);
var grafico183 = ([stockchart [m=183]]);
var grafico184 = ([stockchart [m=184]]);
var grafico185 = ([stockchart [m=185]]);
var grafico186 = ([stockchart [m=186]]);
var grafico187 = ([stockchart [m=187]]);
var grafico188 = ([stockchart [m=188]]);
var grafico189 = ([stockchart [m=189]]);
var grafico190 = ([stockchart [m=190]]);
var grafico191 = ([stockchart [m=191]]);
var grafico192 = ([stockchart [m=192]]);
var grafico193 = ([stockchart [m=193]]);
var grafico194 = ([stockchart [m=194]]);
var grafico195 = ([stockchart [m=195]]);
var grafico196 = ([stockchart [m=196]]);
var grafico197 = ([stockchart [m=197]]);
var grafico198 = ([stockchart [m=198]]);
var grafico199 = ([stockchart [m=199]]);
var grafico200 = ([stockchart [m=200]]);
var grafico201 = ([stockchart [m=201]]);
var grafico202 = ([stockchart [m=202]]);
var grafico203 = ([stockchart [m=203]]);
var grafico204 = ([stockchart [m=204]]);
var grafico205 = ([stockchart [m=205]]);
var grafico206 = ([stockchart [m=206]]);
var grafico207 = ([stockchart [m=207]]);
var grafico208 = ([stockchart [m=208]]);
var grafico209 = ([stockchart [m=209]]);
var grafico210 = ([stockchart [m=210]]);
var grafico211 = ([stockchart [m=211]]);
var grafico212 = ([stockchart [m=212]]);
var grafico213 = ([stockchart [m=213]]);
var grafico214 = ([stockchart [m=214]]);
var grafico215 = ([stockchart [m=215]]);
var grafico216 = ([stockchart [m=216]]);
var grafico217 = ([stockchart [m=217]]);
var grafico218 = ([stockchart [m=218]]);
var grafico219 = ([stockchart [m=219]]);
var grafico220 = ([stockchart [m=220]]);
var grafico221 = ([stockchart [m=221]]);
var grafico222 = ([stockchart [m=222]]);
var grafico223 = ([stockchart [m=223]]);
var grafico224 = ([stockchart [m=224]]);
var grafico225 = ([stockchart [m=225]]);
var grafico226 = ([stockchart [m=226]]);
var grafico227 = ([stockchart [m=227]]);
var grafico228 = ([stockchart [m=228]]);
var grafico229 = ([stockchart [m=229]]);
var grafico230 = ([stockchart [m=230]]);
var grafico231 = ([stockchart [m=231]]);
var grafico232 = ([stockchart [m=232]]);
var grafico233 = ([stockchart [m=233]]);
var grafico234 = ([stockchart [m=234]]);
var grafico235 = ([stockchart [m=235]]);
var grafico236 = ([stockchart [m=236]]);
var grafico237 = ([stockchart [m=237]]);
var grafico238 = ([stockchart [m=238]]);
var grafico239 = ([stockchart [m=239]]);
//console.log(grafico19)
router.get('/', function(req, res, next) {
res.render('./home/ibex/arcelormittal', {
parseo_nombre: parseo_nombre,
parseo_code:parseo_code,
valores00: valores00,
valores01: valores01,
valores02: valores02,
valores03: valores03,
valores04: valores04,
valores05: valores05,
valores06: valores06,
valores07: valores07,
valores08: valores08,
valores09: valores09,
valores10: valores10,
valores11: valores11,
valores12: valores12,
valores13: valores13,
valores14: valores14,
valores15: valores15,
valores16: valores16,
valores17: valores17,
valores18: valores18,
valores19: valores19,
grafico00: grafico00,
grafico01: grafico01,
grafico02: grafico02,
grafico03: grafico03,
grafico04: grafico04,
grafico05: grafico05,
grafico06: grafico06,
grafico07: grafico07,
grafico08: grafico08,
grafico09: grafico09,
grafico10: grafico10,
grafico11: grafico11,
grafico12: grafico12,
grafico13: grafico13,
grafico14: grafico14,
grafico15: grafico15,
grafico16: grafico16,
grafico17: grafico17,
grafico18: grafico18,
grafico19: grafico19,
grafico20: grafico20,
grafico21: grafico21,
grafico22: grafico22,
grafico23: grafico23,
grafico24: grafico24,
grafico25: grafico25,
grafico26: grafico26,
grafico27: grafico27,
grafico28: grafico28,
grafico29: grafico29,
grafico30: grafico30,
grafico31: grafico31,
grafico32: grafico32,
grafico33: grafico33,
grafico34: grafico34,
grafico35: grafico35,
grafico36: grafico36,
grafico37: grafico37,
grafico38: grafico38,
grafico39: grafico39,
grafico40: grafico40,
grafico41: grafico41,
grafico42: grafico42,
grafico43: grafico43,
grafico44: grafico44,
grafico45: grafico45,
grafico46: grafico46,
grafico47: grafico47,
grafico48: grafico48,
grafico49: grafico49,
grafico50: grafico50,
grafico51: grafico51,
grafico52: grafico52,
grafico53: grafico53,
grafico54: grafico54,
grafico55: grafico55,
grafico56: grafico56,
grafico57: grafico57,
grafico58: grafico58,
grafico59: grafico59,
grafico60: grafico60,
grafico61: grafico61,
grafico62: grafico62,
grafico63: grafico63,
grafico64: grafico64,
grafico65: grafico65,
grafico66: grafico66,
grafico67: grafico67,
grafico68: grafico68,
grafico69: grafico69,
grafico70: grafico70,
grafico71: grafico71,
grafico72: grafico72,
grafico73: grafico73,
grafico74: grafico74,
grafico75: grafico75,
grafico76: grafico76,
grafico77: grafico77,
grafico78: grafico78,
grafico79: grafico79,
grafico80: grafico80,
grafico81: grafico81,
grafico82: grafico82,
grafico83: grafico83,
grafico84: grafico84,
grafico85: grafico85,
grafico86: grafico86,
grafico87: grafico87,
grafico88: grafico88,
grafico89: grafico89,
grafico90: grafico90,
grafico91: grafico91,
grafico92: grafico92,
grafico93: grafico93,
grafico94: grafico94,
grafico95: grafico95,
grafico96: grafico96,
grafico97: grafico97,
grafico98: grafico98,
grafico99: grafico99,
grafico100: grafico100,
grafico101: grafico101,
grafico102: grafico102,
grafico103: grafico103,
grafico104: grafico104,
grafico105: grafico105,
grafico106: grafico106,
grafico107: grafico107,
grafico108: grafico108,
grafico109: grafico109,
grafico110: grafico110,
grafico111: grafico111,
grafico112: grafico112,
grafico113: grafico113,
grafico114: grafico114,
grafico115: grafico115,
grafico116: grafico116,
grafico117: grafico117,
grafico118: grafico118,
grafico119: grafico119,
grafico120: grafico120,
grafico121: grafico121,
grafico122: grafico122,
grafico123: grafico123,
grafico124: grafico124,
grafico125: grafico125,
grafico126: grafico126,
grafico127: grafico127,
grafico128: grafico128,
grafico129: grafico129,
grafico130: grafico130,
grafico131: grafico131,
grafico132: grafico132,
grafico133: grafico133,
grafico134: grafico134,
grafico135: grafico135,
grafico136: grafico136,
grafico137: grafico137,
grafico138: grafico138,
grafico139: grafico139,
grafico140: grafico140,
grafico141: grafico141,
grafico142: grafico142,
grafico143: grafico143,
grafico144: grafico144,
grafico145: grafico145,
grafico146: grafico146,
grafico147: grafico147,
grafico148: grafico148,
grafico149: grafico149,
grafico150: grafico150,
grafico151: grafico151,
grafico152: grafico152,
grafico153: grafico153,
grafico154: grafico154,
grafico155: grafico155,
grafico156: grafico156,
grafico157: grafico157,
grafico158: grafico158,
grafico159: grafico159,
grafico160: grafico160,
grafico161: grafico161,
grafico162: grafico162,
grafico163: grafico163,
grafico164: grafico164,
grafico165: grafico165,
grafico166: grafico166,
grafico167: grafico167,
grafico168: grafico168,
grafico169: grafico169,
grafico170: grafico170,
grafico171: grafico171,
grafico172: grafico172,
grafico173: grafico173,
grafico174: grafico174,
grafico175: grafico175,
grafico176: grafico176,
grafico177: grafico177,
grafico178: grafico178,
grafico179: grafico179,
grafico180: grafico180,
grafico181: grafico181,
grafico182: grafico182,
grafico183: grafico183,
grafico184: grafico184,
grafico185: grafico185,
grafico186: grafico186,
grafico187: grafico187,
grafico188: grafico188,
grafico189: grafico189,
grafico190: grafico190,
grafico191: grafico191,
grafico192: grafico192,
grafico193: grafico193,
grafico194: grafico194,
grafico195: grafico195,
grafico196: grafico196,
grafico197: grafico197,
grafico198: grafico198,
grafico199: grafico199,
grafico200: grafico200,
grafico201: grafico201,
grafico202: grafico202,
grafico203: grafico203,
grafico204: grafico204,
grafico205: grafico205,
grafico206: grafico206,
grafico207: grafico207,
grafico208: grafico208,
grafico209: grafico209,
grafico210: grafico210,
grafico211: grafico211,
grafico212: grafico212,
grafico213: grafico213,
grafico214: grafico214,
grafico215: grafico215,
grafico216: grafico216,
grafico217: grafico217,
grafico218: grafico218,
grafico219: grafico219,
grafico220: grafico220,
grafico221: grafico221,
grafico222: grafico222,
grafico223: grafico223,
grafico224: grafico224,
grafico225: grafico225,
grafico226: grafico226,
grafico227: grafico227,
grafico228: grafico228,
grafico229: grafico229,
grafico230: grafico230,
grafico231: grafico231,
grafico232: grafico232,
grafico233: grafico233,
grafico234: grafico234,
grafico235: grafico235,
grafico236: grafico236,
grafico237: grafico237,
grafico238: grafico238,
grafico239: grafico239,
});
});
});
module.exports = router;
//exports.valores00;
|
webpackJsonp([0],{
/***/ 2017:
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
Object.defineProperty(__webpack_exports__, "__esModule", { value: true });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "AddonMessagesSettingsPageModule", function() { return AddonMessagesSettingsPageModule; });
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__angular_core__ = __webpack_require__(0);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_ionic_angular__ = __webpack_require__(3);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__ngx_translate_core__ = __webpack_require__(1);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__settings__ = __webpack_require__(2154);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__components_components_module__ = __webpack_require__(13);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__directives_directives_module__ = __webpack_require__(14);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__components_components_module__ = __webpack_require__(2049);
// (C) Copyright 2015 Martin Dougiamas
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) {
var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;
if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc);
else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;
return c > 3 && r && Object.defineProperty(target, key, r), r;
};
var AddonMessagesSettingsPageModule = /** @class */ (function () {
function AddonMessagesSettingsPageModule() {
}
AddonMessagesSettingsPageModule = __decorate([
Object(__WEBPACK_IMPORTED_MODULE_0__angular_core__["I" /* NgModule */])({
declarations: [
__WEBPACK_IMPORTED_MODULE_3__settings__["a" /* AddonMessagesSettingsPage */],
],
imports: [
__WEBPACK_IMPORTED_MODULE_4__components_components_module__["a" /* CoreComponentsModule */],
__WEBPACK_IMPORTED_MODULE_5__directives_directives_module__["a" /* CoreDirectivesModule */],
__WEBPACK_IMPORTED_MODULE_6__components_components_module__["a" /* AddonMessagesComponentsModule */],
__WEBPACK_IMPORTED_MODULE_1_ionic_angular__["l" /* IonicPageModule */].forChild(__WEBPACK_IMPORTED_MODULE_3__settings__["a" /* AddonMessagesSettingsPage */]),
__WEBPACK_IMPORTED_MODULE_2__ngx_translate_core__["b" /* TranslateModule */].forChild()
],
})
], AddonMessagesSettingsPageModule);
return AddonMessagesSettingsPageModule;
}());
//# sourceMappingURL=settings.module.js.map
/***/ }),
/***/ 2049:
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return AddonMessagesComponentsModule; });
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__angular_core__ = __webpack_require__(0);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__angular_common__ = __webpack_require__(15);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_ionic_angular__ = __webpack_require__(3);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__ngx_translate_core__ = __webpack_require__(1);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__components_components_module__ = __webpack_require__(13);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__directives_directives_module__ = __webpack_require__(14);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__pipes_pipes_module__ = __webpack_require__(64);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__components_discussions_discussions__ = __webpack_require__(2050);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__components_confirmed_contacts_confirmed_contacts__ = __webpack_require__(2051);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__components_contact_requests_contact_requests__ = __webpack_require__(2052);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__components_contacts_contacts__ = __webpack_require__(2053);
// (C) Copyright 2015 Martin Dougiamas
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) {
var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;
if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc);
else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;
return c > 3 && r && Object.defineProperty(target, key, r), r;
};
var AddonMessagesComponentsModule = /** @class */ (function () {
function AddonMessagesComponentsModule() {
}
AddonMessagesComponentsModule = __decorate([
Object(__WEBPACK_IMPORTED_MODULE_0__angular_core__["I" /* NgModule */])({
declarations: [
__WEBPACK_IMPORTED_MODULE_7__components_discussions_discussions__["a" /* AddonMessagesDiscussionsComponent */],
__WEBPACK_IMPORTED_MODULE_8__components_confirmed_contacts_confirmed_contacts__["a" /* AddonMessagesConfirmedContactsComponent */],
__WEBPACK_IMPORTED_MODULE_9__components_contact_requests_contact_requests__["a" /* AddonMessagesContactRequestsComponent */],
__WEBPACK_IMPORTED_MODULE_10__components_contacts_contacts__["a" /* AddonMessagesContactsComponent */]
],
imports: [
__WEBPACK_IMPORTED_MODULE_1__angular_common__["b" /* CommonModule */],
__WEBPACK_IMPORTED_MODULE_2_ionic_angular__["k" /* IonicModule */],
__WEBPACK_IMPORTED_MODULE_3__ngx_translate_core__["b" /* TranslateModule */].forChild(),
__WEBPACK_IMPORTED_MODULE_4__components_components_module__["a" /* CoreComponentsModule */],
__WEBPACK_IMPORTED_MODULE_5__directives_directives_module__["a" /* CoreDirectivesModule */],
__WEBPACK_IMPORTED_MODULE_6__pipes_pipes_module__["a" /* CorePipesModule */]
],
providers: [],
exports: [
__WEBPACK_IMPORTED_MODULE_7__components_discussions_discussions__["a" /* AddonMessagesDiscussionsComponent */],
__WEBPACK_IMPORTED_MODULE_8__components_confirmed_contacts_confirmed_contacts__["a" /* AddonMessagesConfirmedContactsComponent */],
__WEBPACK_IMPORTED_MODULE_9__components_contact_requests_contact_requests__["a" /* AddonMessagesContactRequestsComponent */],
__WEBPACK_IMPORTED_MODULE_10__components_contacts_contacts__["a" /* AddonMessagesContactsComponent */]
]
})
], AddonMessagesComponentsModule);
return AddonMessagesComponentsModule;
}());
//# sourceMappingURL=components.module.js.map
/***/ }),
/***/ 2050:
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return AddonMessagesDiscussionsComponent; });
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__angular_core__ = __webpack_require__(0);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_ionic_angular__ = __webpack_require__(3);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__ngx_translate_core__ = __webpack_require__(1);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__providers_events__ = __webpack_require__(12);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__providers_sites__ = __webpack_require__(2);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__providers_messages__ = __webpack_require__(91);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__providers_utils_dom__ = __webpack_require__(8);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__providers_utils_utils__ = __webpack_require__(4);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__providers_app__ = __webpack_require__(9);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__core_pushnotifications_providers_delegate__ = __webpack_require__(83);
// (C) Copyright 2015 Martin Dougiamas
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) {
var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;
if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc);
else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;
return c > 3 && r && Object.defineProperty(target, key, r), r;
};
var __metadata = (this && this.__metadata) || function (k, v) {
if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v);
};
/**
* Component that displays the list of discussions.
*/
var AddonMessagesDiscussionsComponent = /** @class */ (function () {
function AddonMessagesDiscussionsComponent(eventsProvider, sitesProvider, translate, messagesProvider, domUtils, navParams, appProvider, platform, utils, pushNotificationsDelegate) {
var _this = this;
this.eventsProvider = eventsProvider;
this.messagesProvider = messagesProvider;
this.domUtils = domUtils;
this.appProvider = appProvider;
this.utils = utils;
this.loaded = false;
this.search = {
enabled: false,
showResults: false,
results: [],
loading: '',
text: ''
};
this.search.loading = translate.instant('core.searching');
this.loadingMessages = translate.instant('core.loading');
this.siteId = sitesProvider.getCurrentSiteId();
// Update discussions when new message is received.
this.newMessagesObserver = eventsProvider.on(__WEBPACK_IMPORTED_MODULE_5__providers_messages__["a" /* AddonMessagesProvider */].NEW_MESSAGE_EVENT, function (data) {
if (data.userId && _this.discussions) {
var discussion = _this.discussions.find(function (disc) {
return disc.message.user == data.userId;
});
if (typeof discussion == 'undefined') {
_this.loaded = false;
_this.refreshData().finally(function () {
_this.loaded = true;
});
}
else {
// An existing discussion has a new message, update the last message.
discussion.message.message = data.message;
discussion.message.timecreated = data.timecreated;
}
}
}, this.siteId);
// Update discussions when a message is read.
this.readChangedObserver = eventsProvider.on(__WEBPACK_IMPORTED_MODULE_5__providers_messages__["a" /* AddonMessagesProvider */].READ_CHANGED_EVENT, function (data) {
if (data.userId && _this.discussions) {
var discussion = _this.discussions.find(function (disc) {
return disc.message.user == data.userId;
});
if (typeof discussion != 'undefined') {
// A discussion has been read reset counter.
discussion.unread = false;
// Conversations changed, invalidate them and refresh unread counts.
_this.messagesProvider.invalidateConversations(_this.siteId);
_this.messagesProvider.refreshUnreadConversationCounts(_this.siteId);
}
}
}, this.siteId);
// Refresh the view when the app is resumed.
this.appResumeSubscription = platform.resume.subscribe(function () {
if (!_this.loaded) {
return;
}
_this.loaded = false;
_this.refreshData();
});
this.discussionUserId = navParams.get('discussionUserId') || false;
// If a message push notification is received, refresh the view.
this.pushObserver = pushNotificationsDelegate.on('receive').subscribe(function (notification) {
// New message received. If it's from current site, refresh the data.
if (utils.isFalseOrZero(notification.notif) && notification.site == _this.siteId) {
// Don't refresh unread counts, it's refreshed from the main menu handler in this case.
_this.refreshData(null, false);
}
});
}
/**
* Component loaded.
*/
AddonMessagesDiscussionsComponent.prototype.ngOnInit = function () {
var _this = this;
if (this.discussionUserId) {
// There is a discussion to load, open the discussion in a new state.
this.gotoDiscussion(this.discussionUserId);
}
this.fetchData().then(function () {
if (!_this.discussionUserId && _this.discussions.length > 0) {
// Take first and load it.
_this.gotoDiscussion(_this.discussions[0].message.user, undefined, true);
}
});
};
/**
* Refresh the data.
*
* @param {any} [refresher] Refresher.
* @param {boolean} [refreshUnreadCounts=true] Whteher to refresh unread counts.
* @return {Promise<any>} Promise resolved when done.
*/
AddonMessagesDiscussionsComponent.prototype.refreshData = function (refresher, refreshUnreadCounts) {
var _this = this;
if (refreshUnreadCounts === void 0) { refreshUnreadCounts = true; }
var promises = [];
promises.push(this.messagesProvider.invalidateDiscussionsCache(this.siteId));
if (refreshUnreadCounts) {
promises.push(this.messagesProvider.invalidateUnreadConversationCounts(this.siteId));
}
return this.utils.allPromises(promises).finally(function () {
return _this.fetchData().finally(function () {
if (refresher) {
refresher.complete();
}
});
});
};
/**
* Fetch discussions.
*
* @return {Promise<any>} Promise resolved when done.
*/
AddonMessagesDiscussionsComponent.prototype.fetchData = function () {
var _this = this;
this.loadingMessage = this.loadingMessages;
this.search.enabled = this.messagesProvider.isSearchMessagesEnabled();
var promises = [];
promises.push(this.messagesProvider.getDiscussions(this.siteId).then(function (discussions) {
// Convert to an array for sorting.
var discussionsSorted = [];
for (var userId in discussions) {
discussions[userId].unread = !!discussions[userId].unread;
discussionsSorted.push(discussions[userId]);
}
_this.discussions = discussionsSorted.sort(function (a, b) {
return b.message.timecreated - a.message.timecreated;
});
}));
promises.push(this.messagesProvider.getUnreadConversationCounts(this.siteId));
return Promise.all(promises).catch(function (error) {
_this.domUtils.showErrorModalDefault(error, 'addon.messages.errorwhileretrievingdiscussions', true);
}).finally(function () {
_this.loaded = true;
});
};
/**
* Clear search and show discussions again.
*/
AddonMessagesDiscussionsComponent.prototype.clearSearch = function () {
var _this = this;
this.loaded = false;
this.search.showResults = false;
this.search.text = ''; // Reset searched string.
this.fetchData().finally(function () {
_this.loaded = true;
});
};
/**
* Search messages cotaining text.
*
* @param {string} query Text to search for.
* @return {Promise<any>} Resolved when done.
*/
AddonMessagesDiscussionsComponent.prototype.searchMessage = function (query) {
var _this = this;
this.appProvider.closeKeyboard();
this.loaded = false;
this.loadingMessage = this.search.loading;
return this.messagesProvider.searchMessages(query, undefined, undefined, undefined, this.siteId).then(function (searchResults) {
_this.search.showResults = true;
_this.search.results = searchResults.messages;
}).catch(function (error) {
_this.domUtils.showErrorModalDefault(error, 'addon.messages.errorwhileretrievingmessages', true);
}).finally(function () {
_this.loaded = true;
});
};
/**
* Navigate to a particular discussion.
*
* @param {number} discussionUserId Discussion Id to load.
* @param {number} [messageId] Message to scroll after loading the discussion. Used when searching.
* @param {boolean} [onlyWithSplitView=false] Only go to Discussion if split view is on.
*/
AddonMessagesDiscussionsComponent.prototype.gotoDiscussion = function (discussionUserId, messageId, onlyWithSplitView) {
if (onlyWithSplitView === void 0) { onlyWithSplitView = false; }
this.discussionUserId = discussionUserId;
var params = {
discussion: discussionUserId,
onlyWithSplitView: onlyWithSplitView
};
if (messageId) {
params['message'] = messageId;
}
this.eventsProvider.trigger(__WEBPACK_IMPORTED_MODULE_5__providers_messages__["a" /* AddonMessagesProvider */].SPLIT_VIEW_LOAD_EVENT, params, this.siteId);
};
/**
* Component destroyed.
*/
AddonMessagesDiscussionsComponent.prototype.ngOnDestroy = function () {
this.newMessagesObserver && this.newMessagesObserver.off();
this.readChangedObserver && this.readChangedObserver.off();
this.cronObserver && this.cronObserver.off();
this.appResumeSubscription && this.appResumeSubscription.unsubscribe();
this.pushObserver && this.pushObserver.unsubscribe();
};
AddonMessagesDiscussionsComponent = __decorate([
Object(__WEBPACK_IMPORTED_MODULE_0__angular_core__["m" /* Component */])({
selector: 'addon-messages-discussions',template:/*ion-inline-start:"/Volumes/Work1/rcj_github/moodlemobile2/src/addon/messages/components/discussions/addon-messages-discussions.html"*/'<ion-content>\n <ion-refresher [enabled]="loaded" (ionRefresh)="refreshData($event)">\n <ion-refresher-content pullingText="{{ \'core.pulltorefresh\' | translate }}"></ion-refresher-content>\n </ion-refresher>\n\n <core-search-box *ngIf="search.enabled" (onSubmit)="searchMessage($event)" (onClear)="clearSearch($event)" [placeholder]=" \'addon.messages.message\' | translate" autocorrect="off" spellcheck="false" lengthCheck="2" [disabled]="!loaded"></core-search-box>\n\n <core-loading [hideUntil]="loaded" [message]="loadingMessage">\n\n <ion-list *ngIf="search.showResults" no-margin>\n <ion-item-divider>\n <h2>{{ \'core.searchresults\' | translate }}</h2>\n <ion-note item-end>{{ search.results.length }}</ion-note>\n </ion-item-divider>\n <a ion-item text-wrap *ngFor="let result of search.results" [title]="result.fullname" (click)="gotoDiscussion(result.userid, result.messageid)" [class.core-split-item-selected]="result.userid == discussionUserId" class="addon-message-discussion">\n <ion-avatar core-user-avatar [user]="result" item-start [checkOnline]="result.showonlinestatus"></ion-avatar>\n <h2><core-format-text [text]="result.fullname"></core-format-text></h2>\n <p><core-format-text clean="true" singleLine="true" [text]="result.lastmessage"></core-format-text></p>\n </a>\n </ion-list>\n\n <ion-list *ngIf="!search.showResults" no-margin>\n <a ion-item text-wrap *ngFor="let discussion of discussions" [title]="discussion.fullname" (click)="gotoDiscussion(discussion.message.user)" [class.core-split-item-selected]="discussion.message.user == discussionUserId" class="addon-message-discussion">\n <ion-avatar core-user-avatar [user]="discussion" item-start [checkOnline]="discussion.showonlinestatus"></ion-avatar>\n <h2>\n <core-format-text [text]="discussion.fullname"></core-format-text>\n </h2>\n <ion-note *ngIf="discussion.message.timecreated > 0 || discussion.unread">\n <span *ngIf="discussion.unread" class="core-primary-circle"></span>\n <span *ngIf="discussion.message.timecreated > 0">{{discussion.message.timecreated / 1000 | coreDateDayOrTime}}</span>\n </ion-note>\n <p><core-format-text clean="true" singleLine="true" [text]="discussion.message.message"></core-format-text></p>\n </a>\n </ion-list>\n\n <core-empty-box *ngIf="(!discussions || discussions.length <= 0) && !search.showResults" icon="chatbubbles" [message]="\'addon.messages.nomessagesfound\' | translate"></core-empty-box>\n\n <core-empty-box *ngIf="(!search.results || search.results.length <= 0) && search.showResults" icon="search" [message]="\'core.noresults\' | translate"></core-empty-box>\n </core-loading>\n</ion-content>\n'/*ion-inline-end:"/Volumes/Work1/rcj_github/moodlemobile2/src/addon/messages/components/discussions/addon-messages-discussions.html"*/,
}),
__metadata("design:paramtypes", [__WEBPACK_IMPORTED_MODULE_3__providers_events__["a" /* CoreEventsProvider */], __WEBPACK_IMPORTED_MODULE_4__providers_sites__["a" /* CoreSitesProvider */], __WEBPACK_IMPORTED_MODULE_2__ngx_translate_core__["c" /* TranslateService */],
__WEBPACK_IMPORTED_MODULE_5__providers_messages__["a" /* AddonMessagesProvider */], __WEBPACK_IMPORTED_MODULE_6__providers_utils_dom__["a" /* CoreDomUtilsProvider */], __WEBPACK_IMPORTED_MODULE_1_ionic_angular__["t" /* NavParams */],
__WEBPACK_IMPORTED_MODULE_8__providers_app__["a" /* CoreAppProvider */], __WEBPACK_IMPORTED_MODULE_1_ionic_angular__["v" /* Platform */], __WEBPACK_IMPORTED_MODULE_7__providers_utils_utils__["a" /* CoreUtilsProvider */],
__WEBPACK_IMPORTED_MODULE_9__core_pushnotifications_providers_delegate__["a" /* CorePushNotificationsDelegate */]])
], AddonMessagesDiscussionsComponent);
return AddonMessagesDiscussionsComponent;
}());
//# sourceMappingURL=discussions.js.map
/***/ }),
/***/ 2051:
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return AddonMessagesConfirmedContactsComponent; });
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__angular_core__ = __webpack_require__(0);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_ionic_angular__ = __webpack_require__(3);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__providers_events__ = __webpack_require__(12);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__providers_sites__ = __webpack_require__(2);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__providers_messages__ = __webpack_require__(91);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__providers_utils_dom__ = __webpack_require__(8);
// (C) Copyright 2015 Martin Dougiamas
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) {
var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;
if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc);
else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;
return c > 3 && r && Object.defineProperty(target, key, r), r;
};
var __metadata = (this && this.__metadata) || function (k, v) {
if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v);
};
/**
* Component that displays the list of confirmed contacts.
*/
var AddonMessagesConfirmedContactsComponent = /** @class */ (function () {
function AddonMessagesConfirmedContactsComponent(domUtils, eventsProvider, sitesProvider, messagesProvider) {
var _this = this;
this.domUtils = domUtils;
this.messagesProvider = messagesProvider;
this.onUserSelected = new __WEBPACK_IMPORTED_MODULE_0__angular_core__["v" /* EventEmitter */]();
this.loaded = false;
this.canLoadMore = false;
this.loadMoreError = false;
this.contacts = [];
this.onUserSelected = new __WEBPACK_IMPORTED_MODULE_0__angular_core__["v" /* EventEmitter */]();
// Update block status of a user.
this.memberInfoObserver = eventsProvider.on(__WEBPACK_IMPORTED_MODULE_4__providers_messages__["a" /* AddonMessagesProvider */].MEMBER_INFO_CHANGED_EVENT, function (data) {
if (data.userBlocked || data.userUnblocked) {
var user = _this.contacts.find(function (user) { return user.id == data.userId; });
if (user) {
user.isblocked = data.userBlocked;
}
}
else if (data.contactRemoved) {
var index = _this.contacts.findIndex(function (contact) { return contact.id == data.userId; });
if (index >= 0) {
_this.contacts.splice(index, 1);
}
}
else if (data.contactRequestConfirmed) {
_this.refreshData();
}
}, sitesProvider.getCurrentSiteId());
}
/**
* Component loaded.
*/
AddonMessagesConfirmedContactsComponent.prototype.ngOnInit = function () {
var _this = this;
this.fetchData().then(function () {
if (_this.contacts.length) {
_this.selectUser(_this.contacts[0].id, true);
}
}).finally(function () {
_this.loaded = true;
});
// Workaround for infinite scrolling.
this.content.resize();
};
/**
* Fetch contacts.
*
* @param {boolean} [refresh=false] True if we are refreshing contacts, false if we are loading more.
* @return {Promise<any>} Promise resolved when done.
*/
AddonMessagesConfirmedContactsComponent.prototype.fetchData = function (refresh) {
var _this = this;
if (refresh === void 0) { refresh = false; }
this.loadMoreError = false;
var limitFrom = refresh ? 0 : this.contacts.length;
var promise;
if (limitFrom === 0) {
// Always try to get latest data from server.
promise = this.messagesProvider.invalidateUserContacts().catch(function () {
// Shouldn't happen.
});
}
else {
promise = Promise.resolve();
}
return promise.then(function () {
return _this.messagesProvider.getUserContacts(limitFrom);
}).then(function (result) {
_this.contacts = refresh ? result.contacts : _this.contacts.concat(result.contacts);
_this.canLoadMore = result.canLoadMore;
}).catch(function (error) {
_this.loadMoreError = true;
_this.domUtils.showErrorModalDefault(error, 'addon.messages.errorwhileretrievingcontacts', true);
});
};
/**
* Refresh contacts.
*
* @param {any} [refresher] Refresher.
* @return {Promise<any>} Promise resolved when done.
*/
AddonMessagesConfirmedContactsComponent.prototype.refreshData = function (refresher) {
// No need to invalidate contacts, we always try to get the latest.
return this.fetchData(true).finally(function () {
refresher && refresher.complete();
});
};
/**
* Load more contacts.
*
* @param {any} [infiniteComplete] Infinite scroll complete function. Only used from core-infinite-loading.
* @return {Promise<any>} Resolved when done.
*/
AddonMessagesConfirmedContactsComponent.prototype.loadMore = function (infiniteComplete) {
return this.fetchData().finally(function () {
infiniteComplete && infiniteComplete();
});
};
/**
* Notify that a contact has been selected.
*
* @param {number} userId User id.
* @param {boolean} [onInit=false] Whether the contact is selected on initial load.
*/
AddonMessagesConfirmedContactsComponent.prototype.selectUser = function (userId, onInit) {
if (onInit === void 0) { onInit = false; }
this.selectedUserId = userId;
this.onUserSelected.emit({ userId: userId, onInit: onInit });
};
/**
* Component destroyed.
*/
AddonMessagesConfirmedContactsComponent.prototype.ngOnDestroy = function () {
this.memberInfoObserver && this.memberInfoObserver.off();
};
__decorate([
Object(__WEBPACK_IMPORTED_MODULE_0__angular_core__["O" /* Output */])(),
__metadata("design:type", Object)
], AddonMessagesConfirmedContactsComponent.prototype, "onUserSelected", void 0);
__decorate([
Object(__WEBPACK_IMPORTED_MODULE_0__angular_core__["_9" /* ViewChild */])(__WEBPACK_IMPORTED_MODULE_1_ionic_angular__["f" /* Content */]),
__metadata("design:type", __WEBPACK_IMPORTED_MODULE_1_ionic_angular__["f" /* Content */])
], AddonMessagesConfirmedContactsComponent.prototype, "content", void 0);
AddonMessagesConfirmedContactsComponent = __decorate([
Object(__WEBPACK_IMPORTED_MODULE_0__angular_core__["m" /* Component */])({
selector: 'addon-messages-confirmed-contacts',template:/*ion-inline-start:"/Volumes/Work1/rcj_github/moodlemobile2/src/addon/messages/components/confirmed-contacts/addon-messages-confirmed-contacts.html"*/'<ion-content>\n <ion-refresher [enabled]="loaded" (ionRefresh)="refreshData($event)">\n <ion-refresher-content pullingText="{{ \'core.pulltorefresh\' | translate }}"></ion-refresher-content>\n </ion-refresher>\n <core-loading [hideUntil]="loaded" class="core-loading-center">\n <ion-list no-margin>\n <a ion-item text-wrap *ngFor="let contact of contacts" [title]="contact.fullname" (click)="selectUser(contact.id)" [class.core-split-item-selected]="contact.id == selectedUserId" class="addon-messages-conversation-item">\n <ion-avatar item-start core-user-avatar [user]="contact" [checkOnline]="contact.showonlinestatus" [linkProfile]="false"></ion-avatar>\n <h2>\n <core-format-text [text]="contact.fullname"></core-format-text>\n <core-icon *ngIf="contact.isblocked" name="fa-ban" item-end></core-icon>\n </h2>\n </a>\n </ion-list>\n <core-empty-box *ngIf="!contacts.length" icon="person" [message]="\'addon.messages.nocontactsgetstarted\' | translate"></core-empty-box>\n <core-infinite-loading [enabled]="canLoadMore" (action)="loadMore($event)" [error]="loadMoreError" position="bottom"></core-infinite-loading>\n </core-loading>\n</ion-content>\n'/*ion-inline-end:"/Volumes/Work1/rcj_github/moodlemobile2/src/addon/messages/components/confirmed-contacts/addon-messages-confirmed-contacts.html"*/,
}),
__metadata("design:paramtypes", [__WEBPACK_IMPORTED_MODULE_5__providers_utils_dom__["a" /* CoreDomUtilsProvider */], __WEBPACK_IMPORTED_MODULE_2__providers_events__["a" /* CoreEventsProvider */], __WEBPACK_IMPORTED_MODULE_3__providers_sites__["a" /* CoreSitesProvider */],
__WEBPACK_IMPORTED_MODULE_4__providers_messages__["a" /* AddonMessagesProvider */]])
], AddonMessagesConfirmedContactsComponent);
return AddonMessagesConfirmedContactsComponent;
}());
//# sourceMappingURL=confirmed-contacts.js.map
/***/ }),
/***/ 2052:
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return AddonMessagesContactRequestsComponent; });
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__angular_core__ = __webpack_require__(0);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_ionic_angular__ = __webpack_require__(3);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__providers_events__ = __webpack_require__(12);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__providers_sites__ = __webpack_require__(2);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__providers_messages__ = __webpack_require__(91);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__providers_utils_dom__ = __webpack_require__(8);
// (C) Copyright 2015 Martin Dougiamas
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) {
var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;
if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc);
else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;
return c > 3 && r && Object.defineProperty(target, key, r), r;
};
var __metadata = (this && this.__metadata) || function (k, v) {
if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v);
};
/**
* Component that displays the list of contact requests.
*/
var AddonMessagesContactRequestsComponent = /** @class */ (function () {
function AddonMessagesContactRequestsComponent(domUtils, eventsProvider, sitesProvider, messagesProvider) {
var _this = this;
this.domUtils = domUtils;
this.messagesProvider = messagesProvider;
this.onUserSelected = new __WEBPACK_IMPORTED_MODULE_0__angular_core__["v" /* EventEmitter */]();
this.loaded = false;
this.canLoadMore = false;
this.loadMoreError = false;
this.requests = [];
// Hide the "Would like to contact you" message when a contact request is confirmed.
this.memberInfoObserver = eventsProvider.on(__WEBPACK_IMPORTED_MODULE_4__providers_messages__["a" /* AddonMessagesProvider */].MEMBER_INFO_CHANGED_EVENT, function (data) {
if (data.contactRequestConfirmed || data.contactRequestDeclined) {
var index = _this.requests.findIndex(function (request) { return request.id == data.userId; });
if (index >= 0) {
_this.requests.splice(index, 1);
}
}
}, sitesProvider.getCurrentSiteId());
}
/**
* Component loaded.
*/
AddonMessagesContactRequestsComponent.prototype.ngOnInit = function () {
var _this = this;
this.fetchData().then(function () {
if (_this.requests.length) {
_this.selectUser(_this.requests[0].id, true);
}
}).finally(function () {
_this.loaded = true;
});
// Workaround for infinite scrolling.
this.content.resize();
};
/**
* Fetch contact requests.
*
* @param {boolean} [refresh=false] True if we are refreshing contact requests, false if we are loading more.
* @return {Promise<any>} Promise resolved when done.
*/
AddonMessagesContactRequestsComponent.prototype.fetchData = function (refresh) {
var _this = this;
if (refresh === void 0) { refresh = false; }
this.loadMoreError = false;
var limitFrom = refresh ? 0 : this.requests.length;
var promise;
if (limitFrom === 0) {
// Always try to get latest data from server.
promise = this.messagesProvider.invalidateContactRequestsCache().catch(function () {
// Shouldn't happen.
});
}
else {
promise = Promise.resolve();
}
return promise.then(function () {
return _this.messagesProvider.getContactRequests(limitFrom);
}).then(function (result) {
_this.requests = refresh ? result.requests : _this.requests.concat(result.requests);
_this.canLoadMore = result.canLoadMore;
}).catch(function (error) {
_this.loadMoreError = true;
_this.domUtils.showErrorModalDefault(error, 'addon.messages.errorwhileretrievingcontacts', true);
});
};
/**
* Refresh contact requests.
*
* @param {any} [refresher] Refresher.
* @return {Promise<any>} Promise resolved when done.
*/
AddonMessagesContactRequestsComponent.prototype.refreshData = function (refresher) {
// Refresh the number of contacts requests to update badges.
this.messagesProvider.refreshContactRequestsCount();
// No need to invalidate contact requests, we always try to get the latest.
return this.fetchData(true).finally(function () {
refresher && refresher.complete();
});
};
/**
* Load more contact requests.
*
* @param {any} [infiniteComplete] Infinite scroll complete function. Only used from core-infinite-loading.
* @return {Promise<any>} Resolved when done.
*/
AddonMessagesContactRequestsComponent.prototype.loadMore = function (infiniteComplete) {
return this.fetchData().finally(function () {
infiniteComplete && infiniteComplete();
});
};
/**
* Notify that a contact has been selected.
*
* @param {number} userId User id.
* @param {boolean} [onInit=false] Whether the contact is selected on initial load.
*/
AddonMessagesContactRequestsComponent.prototype.selectUser = function (userId, onInit) {
if (onInit === void 0) { onInit = false; }
this.selectedUserId = userId;
this.onUserSelected.emit({ userId: userId, onInit: onInit });
};
/**
* Component destroyed.
*/
AddonMessagesContactRequestsComponent.prototype.ngOnDestroy = function () {
this.memberInfoObserver && this.memberInfoObserver.off();
};
__decorate([
Object(__WEBPACK_IMPORTED_MODULE_0__angular_core__["O" /* Output */])(),
__metadata("design:type", Object)
], AddonMessagesContactRequestsComponent.prototype, "onUserSelected", void 0);
__decorate([
Object(__WEBPACK_IMPORTED_MODULE_0__angular_core__["_9" /* ViewChild */])(__WEBPACK_IMPORTED_MODULE_1_ionic_angular__["f" /* Content */]),
__metadata("design:type", __WEBPACK_IMPORTED_MODULE_1_ionic_angular__["f" /* Content */])
], AddonMessagesContactRequestsComponent.prototype, "content", void 0);
AddonMessagesContactRequestsComponent = __decorate([
Object(__WEBPACK_IMPORTED_MODULE_0__angular_core__["m" /* Component */])({
selector: 'addon-messages-contact-requests',template:/*ion-inline-start:"/Volumes/Work1/rcj_github/moodlemobile2/src/addon/messages/components/contact-requests/addon-messages-contact-requests.html"*/'<ion-content>\n <ion-refresher [enabled]="loaded" (ionRefresh)="refreshData($event)">\n <ion-refresher-content pullingText="{{ \'core.pulltorefresh\' | translate }}"></ion-refresher-content>\n </ion-refresher>\n <core-loading [hideUntil]="loaded" class="core-loading-center">\n <ion-list no-margin>\n <a ion-item text-wrap *ngFor="let request of requests" [title]="request.fullname" (click)="selectUser(request.id)" [class.core-split-item-selected]="request.id == selectedUserId" class="addon-messages-conversation-item">\n <ion-avatar item-start core-user-avatar [user]="request" [linkProfile]="false"></ion-avatar>\n <h2><core-format-text [text]="request.fullname"></core-format-text></h2>\n <p *ngIf="!request.iscontact && !request.confirmedOrDeclined">{{ \'addon.messages.wouldliketocontactyou\' | translate }}</p>\n </a>\n </ion-list>\n <core-empty-box *ngIf="!requests.length" icon="person" [message]="\'addon.messages.nocontactrequests\' | translate"></core-empty-box>\n <core-infinite-loading [enabled]="canLoadMore" (action)="loadMore($event)" [error]="loadMoreError" position="bottom"></core-infinite-loading>\n </core-loading>\n</ion-content>\n'/*ion-inline-end:"/Volumes/Work1/rcj_github/moodlemobile2/src/addon/messages/components/contact-requests/addon-messages-contact-requests.html"*/,
}),
__metadata("design:paramtypes", [__WEBPACK_IMPORTED_MODULE_5__providers_utils_dom__["a" /* CoreDomUtilsProvider */], __WEBPACK_IMPORTED_MODULE_2__providers_events__["a" /* CoreEventsProvider */], __WEBPACK_IMPORTED_MODULE_3__providers_sites__["a" /* CoreSitesProvider */],
__WEBPACK_IMPORTED_MODULE_4__providers_messages__["a" /* AddonMessagesProvider */]])
], AddonMessagesContactRequestsComponent);
return AddonMessagesContactRequestsComponent;
}());
//# sourceMappingURL=contact-requests.js.map
/***/ }),
/***/ 2053:
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return AddonMessagesContactsComponent; });
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__angular_core__ = __webpack_require__(0);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_ionic_angular__ = __webpack_require__(3);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__ngx_translate_core__ = __webpack_require__(1);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__providers_sites__ = __webpack_require__(2);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__providers_messages__ = __webpack_require__(91);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__providers_utils_dom__ = __webpack_require__(8);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__providers_app__ = __webpack_require__(9);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__providers_events__ = __webpack_require__(12);
// (C) Copyright 2015 Martin Dougiamas
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) {
var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;
if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc);
else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;
return c > 3 && r && Object.defineProperty(target, key, r), r;
};
var __metadata = (this && this.__metadata) || function (k, v) {
if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v);
};
/**
* Component that displays the list of contacts.
*/
var AddonMessagesContactsComponent = /** @class */ (function () {
function AddonMessagesContactsComponent(sitesProvider, translate, appProvider, messagesProvider, domUtils, navParams, eventsProvider) {
var _this = this;
this.appProvider = appProvider;
this.messagesProvider = messagesProvider;
this.domUtils = domUtils;
this.eventsProvider = eventsProvider;
this.noSearchTypes = ['online', 'offline', 'blocked', 'strangers'];
this.loaded = false;
this.contactTypes = this.noSearchTypes;
this.searchType = 'search';
this.loadingMessage = '';
this.hasContacts = false;
this.contacts = {
search: []
};
this.searchString = '';
this.currentUserId = sitesProvider.getCurrentSiteUserId();
this.siteId = sitesProvider.getCurrentSiteId();
this.searchingMessages = translate.instant('core.searching');
this.loadingMessages = translate.instant('core.loading');
this.loadingMessage = this.loadingMessages;
this.discussionUserId = navParams.get('discussionUserId') || false;
// Refresh the list when a contact request is confirmed.
this.memberInfoObserver = eventsProvider.on(__WEBPACK_IMPORTED_MODULE_4__providers_messages__["a" /* AddonMessagesProvider */].MEMBER_INFO_CHANGED_EVENT, function (data) {
if (data.contactRequestConfirmed) {
_this.refreshData();
}
}, sitesProvider.getCurrentSiteId());
}
/**
* Component loaded.
*/
AddonMessagesContactsComponent.prototype.ngOnInit = function () {
var _this = this;
if (this.discussionUserId) {
// There is a discussion to load, open the discussion in a new state.
this.gotoDiscussion(this.discussionUserId);
}
this.fetchData().then(function () {
if (!_this.discussionUserId && _this.hasContacts) {
var contact = void 0;
for (var x in _this.contacts) {
if (_this.contacts[x].length > 0) {
contact = _this.contacts[x][0];
break;
}
}
if (contact) {
// Take first and load it.
_this.gotoDiscussion(contact.id, true);
}
}
}).finally(function () {
_this.loaded = true;
});
};
/**
* Refresh the data.
*
* @param {any} [refresher] Refresher.
* @return {Promise<any>} Promise resolved when done.
*/
AddonMessagesContactsComponent.prototype.refreshData = function (refresher) {
var _this = this;
var promise;
if (this.searchString) {
// User has searched, update the search.
promise = this.performSearch(this.searchString);
}
else {
// Update contacts.
promise = this.messagesProvider.invalidateAllContactsCache(this.currentUserId).then(function () {
return _this.fetchData();
});
}
return promise.finally(function () {
refresher.complete();
});
};
/**
* Fetch contacts.
*
* @return {Promise<any>} Promise resolved when done.
*/
AddonMessagesContactsComponent.prototype.fetchData = function () {
var _this = this;
this.loadingMessage = this.loadingMessages;
return this.messagesProvider.getAllContacts().then(function (contacts) {
for (var x in contacts) {
if (contacts[x].length > 0) {
_this.contacts[x] = _this.sortUsers(contacts[x]);
}
else {
_this.contacts[x] = [];
}
}
_this.clearSearch();
}).catch(function (error) {
_this.domUtils.showErrorModalDefault(error, 'addon.messages.errorwhileretrievingcontacts', true);
});
};
/**
* Sort user list by fullname
* @param {any[]} list List to sort.
* @return {any[]} Sorted list.
*/
AddonMessagesContactsComponent.prototype.sortUsers = function (list) {
return list.sort(function (a, b) {
var compareA = a.fullname.toLowerCase(), compareB = b.fullname.toLowerCase();
return compareA.localeCompare(compareB);
});
};
/**
* Clear search and show all contacts again.
*/
AddonMessagesContactsComponent.prototype.clearSearch = function () {
this.searchString = ''; // Reset searched string.
this.contactTypes = this.noSearchTypes;
this.hasContacts = false;
for (var x in this.contacts) {
if (this.contacts[x].length > 0) {
this.hasContacts = true;
return;
}
}
};
/**
* Search users from the UI.
*
* @param {string} query Text to search for.
* @return {Promise<any>} Resolved when done.
*/
AddonMessagesContactsComponent.prototype.search = function (query) {
var _this = this;
this.appProvider.closeKeyboard();
this.loaded = false;
this.loadingMessage = this.searchingMessages;
return this.performSearch(query).finally(function () {
_this.loaded = true;
});
};
/**
* Perform the search of users.
*
* @param {string} query Text to search for.
* @return {Promise<any>} Resolved when done.
*/
AddonMessagesContactsComponent.prototype.performSearch = function (query) {
var _this = this;
return this.messagesProvider.searchContacts(query).then(function (result) {
_this.hasContacts = result.length > 0;
_this.searchString = query;
_this.contactTypes = ['search'];
_this.contacts['search'] = _this.sortUsers(result);
}).catch(function (error) {
_this.domUtils.showErrorModalDefault(error, 'addon.messages.errorwhileretrievingcontacts', true);
});
};
/**
* Navigate to a particular discussion.
*
* @param {number} discussionUserId Discussion Id to load.
* @param {boolean} [onlyWithSplitView=false] Only go to Discussion if split view is on.
*/
AddonMessagesContactsComponent.prototype.gotoDiscussion = function (discussionUserId, onlyWithSplitView) {
if (onlyWithSplitView === void 0) { onlyWithSplitView = false; }
this.discussionUserId = discussionUserId;
var params = {
discussion: discussionUserId,
onlyWithSplitView: onlyWithSplitView
};
this.eventsProvider.trigger(__WEBPACK_IMPORTED_MODULE_4__providers_messages__["a" /* AddonMessagesProvider */].SPLIT_VIEW_LOAD_EVENT, params, this.siteId);
};
/**
* Component destroyed.
*/
AddonMessagesContactsComponent.prototype.ngOnDestroy = function () {
this.memberInfoObserver && this.memberInfoObserver.off();
};
AddonMessagesContactsComponent = __decorate([
Object(__WEBPACK_IMPORTED_MODULE_0__angular_core__["m" /* Component */])({
selector: 'addon-messages-contacts',template:/*ion-inline-start:"/Volumes/Work1/rcj_github/moodlemobile2/src/addon/messages/components/contacts/addon-messages-contacts.html"*/'<ion-content>\n <ion-refresher [enabled]="loaded" (ionRefresh)="refreshData($event)">\n <ion-refresher-content pullingText="{{ \'core.pulltorefresh\' | translate }}"></ion-refresher-content>\n </ion-refresher>\n\n <core-search-box (onSubmit)="search($event)" (onClear)="clearSearch($event)" [placeholder]=" \'addon.messages.contactname\' | translate" autocorrect="off" spellcheck="false" lengthCheck="2" [disabled]="!loaded"></core-search-box>\n\n <core-loading [hideUntil]="loaded" [message]="loadingMessage">\n <core-empty-box *ngIf="!hasContacts && searchString == \'\'" icon="person" [message]="\'addon.messages.contactlistempty\' | translate"></core-empty-box>\n\n <core-empty-box *ngIf="!hasContacts && searchString != \'\'" icon="person" [message]="\'addon.messages.nousersfound\' | translate"></core-empty-box>\n\n <ion-list *ngFor="let contactType of contactTypes" no-margin>\n <ng-container *ngIf="contacts[contactType] && (contacts[contactType].length > 0 || contactType === searchType)">\n <ion-item-divider>\n <h2>{{ \'addon.messages.type_\' + contactType | translate }}</h2>\n <ion-note item-end>{{ contacts[contactType].length }}</ion-note>\n </ion-item-divider>\n <ng-container *ngFor="let contact of contacts[contactType]">\n <!-- Don\'t show deleted users -->\n <a ion-item text-wrap *ngIf="contact.profileimageurl || contact.profileimageurlsmall" [title]="contact.fullname" (click)="gotoDiscussion(contact.id)" [class.core-split-item-selected]="contact.id == discussionUserId" class="addon-messages-conversation-item">\n <ion-avatar core-user-avatar [user]="contact" item-start [checkOnline]="contact.showonlinestatus"></ion-avatar>\n <h2><core-format-text [text]="contact.fullname"></core-format-text></h2>\n </a>\n </ng-container>\n </ng-container>\n </ion-list>\n </core-loading>\n</ion-content>\n'/*ion-inline-end:"/Volumes/Work1/rcj_github/moodlemobile2/src/addon/messages/components/contacts/addon-messages-contacts.html"*/,
}),
__metadata("design:paramtypes", [__WEBPACK_IMPORTED_MODULE_3__providers_sites__["a" /* CoreSitesProvider */], __WEBPACK_IMPORTED_MODULE_2__ngx_translate_core__["c" /* TranslateService */], __WEBPACK_IMPORTED_MODULE_6__providers_app__["a" /* CoreAppProvider */],
__WEBPACK_IMPORTED_MODULE_4__providers_messages__["a" /* AddonMessagesProvider */], __WEBPACK_IMPORTED_MODULE_5__providers_utils_dom__["a" /* CoreDomUtilsProvider */], __WEBPACK_IMPORTED_MODULE_1_ionic_angular__["t" /* NavParams */],
__WEBPACK_IMPORTED_MODULE_7__providers_events__["a" /* CoreEventsProvider */]])
], AddonMessagesContactsComponent);
return AddonMessagesContactsComponent;
}());
//# sourceMappingURL=contacts.js.map
/***/ }),
/***/ 2154:
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return AddonMessagesSettingsPage; });
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__angular_core__ = __webpack_require__(0);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__providers_messages__ = __webpack_require__(91);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__core_user_providers_user__ = __webpack_require__(27);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__providers_app__ = __webpack_require__(9);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__providers_config__ = __webpack_require__(111);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__providers_events__ = __webpack_require__(12);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__providers_sites__ = __webpack_require__(2);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__providers_utils_dom__ = __webpack_require__(8);
/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__core_constants__ = __webpack_require__(20);
// (C) Copyright 2015 Martin Dougiamas
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) {
var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;
if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc);
else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;
return c > 3 && r && Object.defineProperty(target, key, r), r;
};
var __metadata = (this && this.__metadata) || function (k, v) {
if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v);
};
/**
* Page that displays the messages settings page.
*/
var AddonMessagesSettingsPage = /** @class */ (function () {
function AddonMessagesSettingsPage(messagesProvider, domUtils, userProvider, sitesProvider, appProvider, configProvider, eventsProvider) {
var _this = this;
this.messagesProvider = messagesProvider;
this.domUtils = domUtils;
this.userProvider = userProvider;
this.sitesProvider = sitesProvider;
this.configProvider = configProvider;
this.eventsProvider = eventsProvider;
this.advancedContactable = false; // Whether the site supports "advanced" contactable privacy.
this.allowSiteMessaging = false;
this.onlyContactsValue = __WEBPACK_IMPORTED_MODULE_1__providers_messages__["a" /* AddonMessagesProvider */].MESSAGE_PRIVACY_ONLYCONTACTS;
this.courseMemberValue = __WEBPACK_IMPORTED_MODULE_1__providers_messages__["a" /* AddonMessagesProvider */].MESSAGE_PRIVACY_COURSEMEMBER;
this.siteValue = __WEBPACK_IMPORTED_MODULE_1__providers_messages__["a" /* AddonMessagesProvider */].MESSAGE_PRIVACY_SITE;
var currentSite = sitesProvider.getCurrentSite();
this.advancedContactable = currentSite && currentSite.isVersionGreaterEqualThan('3.6');
this.allowSiteMessaging = currentSite && currentSite.canUseAdvancedFeature('messagingallusers');
this.groupMessagingEnabled = this.messagesProvider.isGroupMessagingEnabled();
this.configProvider.get(__WEBPACK_IMPORTED_MODULE_8__core_constants__["a" /* CoreConstants */].SETTINGS_SEND_ON_ENTER, !appProvider.isMobile()).then(function (sendOnEnter) {
_this.sendOnEnter = !!sendOnEnter;
});
this.isDesktop = !appProvider.isMobile();
this.isMac = appProvider.isMac();
}
/**
* Runs when the page has loaded. This event only happens once per page being created.
* If a page leaves but is cached, then this event will not fire again on a subsequent viewing.
* Setup code for the page.
*/
AddonMessagesSettingsPage.prototype.ionViewDidLoad = function () {
this.fetchPreferences();
};
/**
* Fetches preference data.
*
* @return {Promise<any>} Resolved when done.
*/
AddonMessagesSettingsPage.prototype.fetchPreferences = function () {
var _this = this;
return this.messagesProvider.getMessagePreferences().then(function (preferences) {
if (_this.groupMessagingEnabled) {
// Simplify the preferences.
for (var _i = 0, _a = preferences.components; _i < _a.length; _i++) {
var component = _a[_i];
// Only display get the notification preferences.
component.notifications = component.notifications.filter(function (notification) {
return notification.preferencekey == __WEBPACK_IMPORTED_MODULE_1__providers_messages__["a" /* AddonMessagesProvider */].NOTIFICATION_PREFERENCES_KEY;
});
for (var _b = 0, _c = component.notifications; _b < _c.length; _b++) {
var notification = _c[_b];
for (var _d = 0, _e = notification.processors; _d < _e.length; _d++) {
var processor = _e[_d];
processor.checked = processor.loggedin.checked || processor.loggedoff.checked;
}
}
}
}
_this.preferences = preferences;
_this.contactablePrivacy = preferences.blocknoncontacts;
_this.previousContactableValue = _this.contactablePrivacy;
}).catch(function (message) {
_this.domUtils.showErrorModal(message);
}).finally(function () {
_this.preferencesLoaded = true;
});
};
/**
* Update preferences. The purpose is to store the updated data, it won't be reflected in the view.
*/
AddonMessagesSettingsPage.prototype.updatePreferences = function () {
var _this = this;
this.messagesProvider.invalidateMessagePreferences().finally(function () {
_this.fetchPreferences();
});
};
/**
* Update preferences after a certain time. The purpose is to store the updated data, it won't be reflected in the view.
*/
AddonMessagesSettingsPage.prototype.updatePreferencesAfterDelay = function () {
var _this = this;
// Cancel pending updates.
clearTimeout(this.updateTimeout);
this.updateTimeout = setTimeout(function () {
_this.updateTimeout = null;
_this.updatePreferences();
}, 5000);
};
/**
* Save the contactable privacy setting..
*
* @param {number|boolean} value The value to set.
*/
AddonMessagesSettingsPage.prototype.saveContactablePrivacy = function (value) {
var _this = this;
if (this.contactablePrivacy == this.previousContactableValue) {
// Value hasn't changed from previous, it probably means that we just fetched the value from the server.
return;
}
var modal = this.domUtils.showModalLoading('core.sending', true);
if (!this.advancedContactable) {
// Convert from boolean to number.
value = value ? 1 : 0;
}
this.userProvider.updateUserPreference('message_blocknoncontacts', value).then(function () {
// Update the preferences since they were modified.
_this.updatePreferencesAfterDelay();
_this.previousContactableValue = _this.contactablePrivacy;
}).catch(function (message) {
// Show error and revert change.
_this.domUtils.showErrorModal(message);
_this.contactablePrivacy = _this.previousContactableValue;
}).finally(function () {
modal.dismiss();
});
};
/**
* Change the value of a certain preference.
*
* @param {any} notification Notification object.
* @param {string} state State name, ['loggedin', 'loggedoff'].
* @param {any} processor Notification processor.
*/
AddonMessagesSettingsPage.prototype.changePreference = function (notification, state, processor) {
var _this = this;
if (this.groupMessagingEnabled) {
// Update both states at the same time.
var valueArray_1 = [], promises = [];
var value = 'none';
notification.processors.forEach(function (processor) {
if (processor.checked) {
valueArray_1.push(processor.name);
}
});
if (value.length > 0) {
value = valueArray_1.join(',');
}
notification.updating = true;
promises.push(this.userProvider.updateUserPreference(notification.preferencekey + '_loggedin', value));
promises.push(this.userProvider.updateUserPreference(notification.preferencekey + '_loggedoff', value));
Promise.all(promises).then(function () {
// Update the preferences since they were modified.
_this.updatePreferencesAfterDelay();
}).catch(function (error) {
// Show error and revert change.
_this.domUtils.showErrorModal(error);
processor.checked = !processor.checked;
}).finally(function () {
notification.updating = false;
});
}
else {
// Update only the specified state.
var processorState_1 = processor[state], preferenceName = notification.preferencekey + '_' + processorState_1.name, valueArray_2 = [];
var value = 'none';
notification.processors.forEach(function (processor) {
if (processor[state].checked) {
valueArray_2.push(processor.name);
}
});
if (value.length > 0) {
value = valueArray_2.join(',');
}
if (!notification.updating) {
notification.updating = {};
}
notification.updating[state] = true;
this.userProvider.updateUserPreference(preferenceName, value).then(function () {
// Update the preferences since they were modified.
_this.updatePreferencesAfterDelay();
}).catch(function (message) {
// Show error and revert change.
_this.domUtils.showErrorModal(message);
processorState_1.checked = !processorState_1.checked;
}).finally(function () {
notification.updating[state] = false;
});
}
};
/**
* Refresh the list of preferences.
*
* @param {any} refresher Refresher.
*/
AddonMessagesSettingsPage.prototype.refreshPreferences = function (refresher) {
var _this = this;
this.messagesProvider.invalidateMessagePreferences().finally(function () {
_this.fetchPreferences().finally(function () {
refresher.complete();
});
});
};
AddonMessagesSettingsPage.prototype.sendOnEnterChanged = function () {
// Save the value.
this.configProvider.set(__WEBPACK_IMPORTED_MODULE_8__core_constants__["a" /* CoreConstants */].SETTINGS_SEND_ON_ENTER, this.sendOnEnter ? 1 : 0);
// Notify the app.
this.eventsProvider.trigger(__WEBPACK_IMPORTED_MODULE_5__providers_events__["a" /* CoreEventsProvider */].SEND_ON_ENTER_CHANGED, { sendOnEnter: !!this.sendOnEnter }, this.sitesProvider.getCurrentSiteId());
};
/**
* Page destroyed.
*/
AddonMessagesSettingsPage.prototype.ngOnDestroy = function () {
// If there is a pending action to update preferences, execute it right now.
if (this.updateTimeout) {
clearTimeout(this.updateTimeout);
this.updatePreferences();
}
};
AddonMessagesSettingsPage = __decorate([
Object(__WEBPACK_IMPORTED_MODULE_0__angular_core__["m" /* Component */])({
selector: 'page-addon-messages-settings',template:/*ion-inline-start:"/Volumes/Work1/rcj_github/moodlemobile2/src/addon/messages/pages/settings/settings.html"*/'<ion-header>\n <ion-navbar core-back-button>\n <ion-title>{{ \'addon.messages.messagepreferences\' | translate }}</ion-title>\n </ion-navbar>\n</ion-header>\n<ion-content>\n <ion-refresher [enabled]="preferencesLoaded" (ionRefresh)="refreshPreferences($event)">\n <ion-refresher-content pullingText="{{ \'core.pulltorefresh\' | translate }}"></ion-refresher-content>\n </ion-refresher>\n <core-loading [hideUntil]="preferencesLoaded">\n <!-- Contactable privacy. -->\n <ion-card>\n <ion-item *ngIf="!advancedContactable">\n <ion-label>{{ \'addon.messages.blocknoncontacts\' | translate }}</ion-label>\n <ion-toggle [(ngModel)]="contactablePrivacy" (ionChange)="saveContactablePrivacy(contactablePrivacy)"></ion-toggle>\n </ion-item>\n\n <ion-list *ngIf="advancedContactable" text-wrap radio-group [(ngModel)]="contactablePrivacy" (ionChange)="saveContactablePrivacy(contactablePrivacy)">\n <ion-item-divider>{{ \'addon.messages.contactableprivacy\' | translate }}</ion-item-divider>\n <ion-item>\n <ion-label>{{ \'addon.messages.contactableprivacy_onlycontacts\' | translate }}</ion-label>\n <ion-radio [value]="onlyContactsValue"></ion-radio>\n </ion-item>\n <ion-item>\n <ion-label>{{ \'addon.messages.contactableprivacy_coursemember\' | translate }}</ion-label>\n <ion-radio [value]="courseMemberValue"></ion-radio>\n </ion-item>\n <ion-item *ngIf="allowSiteMessaging">\n <ion-label>{{ \'addon.messages.contactableprivacy_site\' | translate }}</ion-label>\n <ion-radio [value]="siteValue"></ion-radio>\n </ion-item>\n </ion-list>\n </ion-card>\n\n <!-- Notifications. -->\n <ng-container *ngIf="preferences">\n <div *ngFor="let component of preferences.components">\n <ion-card list *ngFor="let notification of component.notifications">\n <ion-item-divider text-wrap>\n <ion-row no-padding>\n <ng-container *ngIf="!groupMessagingEnabled">\n <ion-col no-padding>{{ notification.displayname }}</ion-col>\n <ion-col col-2 text-center no-padding class="hidden-phone">{{ \'core.settings.loggedin\' | translate }}</ion-col>\n <ion-col *ngIf="!groupMessagingEnabled" col-2 text-center no-padding class="hidden-phone">{{ \'core.settings.loggedoff\' | translate }}</ion-col>\n </ng-container>\n <ng-container *ngIf="groupMessagingEnabled">\n <ion-col no-padding>{{ \'addon.notifications.notificationpreferences\' | translate }}</ion-col>\n </ng-container>\n </ion-row>\n </ion-item-divider>\n <ng-container *ngFor="let processor of notification.processors">\n <!-- If group messaging is enabled, display a simplified view. -->\n <ng-container *ngIf="groupMessagingEnabled">\n <ion-item text-wrap>\n <ion-label>{{ processor.displayname }}</ion-label>\n <ion-spinner item-end *ngIf="!preferences.disableall && notification.updating"></ion-spinner>\n <ion-toggle item-end *ngIf="!preferences.disableall && !processor.locked" [(ngModel)]="processor.checked" (ionChange)="changePreference(notification, \'\', processor)" [disabled]="notification.updating">\n </ion-toggle>\n <ion-note item-end *ngIf="!preferences.disableall && processor.locked">{{ processor.lockedmessage }}</ion-note>\n <ion-note item-end *ngIf="preferences.disableall">{{ \'core.settings.disabled\' | translate }}</ion-note>\n </ion-item>\n </ng-container>\n\n <ng-container *ngIf="!groupMessagingEnabled">\n <!-- Tablet view -->\n <ion-row text-wrap class="hidden-phone" align-items-center>\n <ion-col margin-horizontal>{{ processor.displayname }}</ion-col>\n <ion-col col-2 text-center *ngFor="let state of [\'loggedin\', \'loggedoff\']">\n <!-- If notifications not disabled, show toggle. -->\n <ion-spinner [hidden]="preferences.disableall || !(notification.updating && notification.updating[state])"></ion-spinner>\n <ion-toggle *ngIf="!preferences.disableall && !processor.locked" [(ngModel)]="processor[state].checked" (ionChange)="changePreference(notification, state, processor)" [disabled]="notification.updating && notification.updating[state]">\n </ion-toggle>\n <div padding class="text-gray" *ngIf="!preferences.disableall && processor.locked">{{\'core.settings.locked\' | translate }}</div>\n <!-- If notifications are disabled, show "Disabled" instead of toggle. -->\n <span *ngIf="preferences.disableall">{{ \'core.settings.disabled\' | translate }}</span>\n </ion-col>\n </ion-row>\n <!-- Phone view -->\n <ion-list-header text-wrap class="hidden-tablet">{{ processor.displayname }}</ion-list-header>\n <!-- If notifications not disabled, show toggles. If notifications are disabled, show "Disabled" instead of toggle. -->\n <ion-item *ngFor="let state of [\'loggedin\', \'loggedoff\']" text-wrap class="hidden-tablet">\n <ion-label>{{ \'core.settings.\' + state | translate }}</ion-label>\n <ion-spinner item-end *ngIf="!preferences.disableall && (notification.updating && notification.updating[state])"></ion-spinner>\n <ion-toggle item-end *ngIf="!preferences.disableall && !processor.locked" [(ngModel)]="processor[state].checked" (ionChange)="changePreference(notification, state, processor)" [disabled]="notification.updating && notification.updating[state]">\n </ion-toggle>\n <ion-note item-end *ngIf="!preferences.disableall && processor.locked">{{\'core.settings.locked\' | translate }}</ion-note>\n <ion-note item-end *ngIf="preferences.disableall">{{ \'core.settings.disabled\' | translate }}</ion-note>\n </ion-item>\n </ng-container>\n </ng-container>\n </ion-card>\n </div>\n </ng-container>\n\n <!-- General settings. -->\n <ion-card>\n <ion-list text-wrap>\n <ion-item-divider>{{ \'core.settings.general\' | translate }}</ion-item-divider>\n <ion-item text-wrap>\n <ion-label>\n <h2>{{ \'addon.messages.useentertosend\' | translate }}</h2>\n <p *ngIf="isDesktop && !isMac">{{ \'addon.messages.useentertosenddescdesktop\' | translate }}</p>\n <p *ngIf="isDesktop && isMac">{{ \'addon.messages.useentertosenddescmac\' | translate }}</p>\n </ion-label>\n <ion-toggle [(ngModel)]="sendOnEnter" (ngModelChange)="sendOnEnterChanged()"></ion-toggle>\n </ion-item>\n </ion-list>\n </ion-card>\n </core-loading>\n</ion-content>\n'/*ion-inline-end:"/Volumes/Work1/rcj_github/moodlemobile2/src/addon/messages/pages/settings/settings.html"*/,
}),
__metadata("design:paramtypes", [__WEBPACK_IMPORTED_MODULE_1__providers_messages__["a" /* AddonMessagesProvider */], __WEBPACK_IMPORTED_MODULE_7__providers_utils_dom__["a" /* CoreDomUtilsProvider */],
__WEBPACK_IMPORTED_MODULE_2__core_user_providers_user__["a" /* CoreUserProvider */], __WEBPACK_IMPORTED_MODULE_6__providers_sites__["a" /* CoreSitesProvider */], __WEBPACK_IMPORTED_MODULE_3__providers_app__["a" /* CoreAppProvider */],
__WEBPACK_IMPORTED_MODULE_4__providers_config__["a" /* CoreConfigProvider */], __WEBPACK_IMPORTED_MODULE_5__providers_events__["a" /* CoreEventsProvider */]])
], AddonMessagesSettingsPage);
return AddonMessagesSettingsPage;
}());
//# sourceMappingURL=settings.js.map
/***/ })
});
//# sourceMappingURL=0.js.map |
const JSalertValiderMail = () =>{
swal("Vérification complete", ", Votre vérification a été bien fait", "success");
}
// Convert for example 9 to 09
const addDigitBefore = (number) => {
return ("0" + number).slice(-2);
};
const excelDateToJSDate = (serial) => {
const utc_days = Math.floor(serial - 25569);
if (isNaN(utc_days)) {
return serial;
}
const utc_value = utc_days * 86400;
const date_info = new Date(utc_value * 1000);
const fractional_day = serial - Math.floor(serial) + 0.0000001;
let total_seconds = Math.floor(86400 * fractional_day);
const seconds = total_seconds % 60;
total_seconds -= seconds;
const hours = addDigitBefore(Math.floor(total_seconds / (60 * 60)));
const minutes = addDigitBefore(Math.floor(total_seconds / 60) % 60);
return `${addDigitBefore(date_info.getDate())}/${addDigitBefore(
date_info.getMonth()
)}/${date_info.getFullYear()} ${hours}:${minutes}`;
};
const displayHeaderData = (sheet_data) => {
const nbr_col = sheet_data[0].length;
let header = "";
for (let cell = 0; cell < nbr_col; cell++) {
header += "<th>" + sheet_data[0][cell] + "</th>";
}
return header;
};
const initiateTableDisplay = (sheet_data) => {
let table_output =
'<div id="imported_table" class="table-responsive">\n' +
'<form id="data_import"> \n' +
'<table class="table table-bordered" id="dataTable" width="100%" cellspacing="0">';
table_output += "<thead> \n";
table_output += displayHeaderData(sheet_data);
table_output +=
"</thead> \n" +
"<tbody> \n" +
"</tbody> \n" +
"</table>\n " +
"</form>\n" +
"</div>\n" +
'<div class="card-footer">\n' +
'<div style="display: flex; justify-content: flex-end; align-items: center">\n' +
"<div>\n" +
'<button id="submit" class="btn btn-success" >Enregistrer</button>\n' +
'<button id="btn_convert" class="btn btn-success" >Convertir Zoho</button>\n' +
'<button id="btn_validerMail" class="btn btn-success" >Valider mails</button>\n' +
'<button id="btn_OpenMailMs" class="btn btn-success" >Télécharger mails</button>\n' +
"</div>\n" +
"</div>\n" +
"</div>";
document.getElementById("excel_data").innerHTML = table_output;
};
const displayContentData = (sheet_data) => {
const nbr_col = sheet_data[0].length;
let tableRows = "";
for (let row = 1; row < sheet_data.length; row++) {
tableRows += "<tr>";
for (let cell = 0; cell < nbr_col; cell++) {
if (sheet_data[row][cell] == null) {
tableRows += `<td> <input value="" name="${sheet_data[0][cell]}[]"></td>`;
continue;
}
if (cell === 10) {
sheet_data[row][cell] = excelDateToJSDate(sheet_data[row][cell]);
}
tableRows += `<td> <input value="${sheet_data[row][cell]}" name="${sheet_data[0][cell]}[]"></td>`;
}
tableRows += "</tr>";
}
return tableRows;
};
const processCsvFile = (data, reader, isTypeUnknown) => {
const { result, } = reader;
//const result = reader.result
try {
data = new Uint16Array(result);
if (isTypeUnknown) {
data = new Uint8Array(result);
}
} catch (error) {
data = new Uint8Array(result);
}
const work_book = XLSX.read(data, { type: "array" });
const sheet_name = work_book.SheetNames;
return XLSX.utils.sheet_to_json(work_book.Sheets[sheet_name[0]], {
header: 1,
});
};
const onSubmit = () => {
$("#submit").click(function (e) {
e.preventDefault();
// alert("Enregistrement en cours");
$.ajax({
type: "post",
url: "serverSide/insertDataBrut.php",
data: $("#data_import").serialize(),
success: () => {
//alert("le formulaire a été enregistré");
JSalertValiderMail();
},
});
});
};
const onConvert = () => {
$("#btn_convert").click(function (e) {
e.preventDefault();
alert("Convertir en cours");
$.ajax({
url: "serverSide/Convert_inPut.php",
success: function (result) {
alert(result);
location.href = "index_OutPut.html";
},
});
});
};
const onDownloadEmail = () => {
$("#btn_OpenMailMs").click(function (e) {
e.preventDefault();
$.ajax({
type: "GET",
cache: false,
url: "serverSide/DownloadEmails.php",
xhrFields: {
// make sure the response knows we're expecting a binary type in return.
// this is important, without it the excel file is marked corrupted.
responseType: "arraybuffer",
},
success: (data, status, xmlHeaderRequest) => {
var downloadLink = document.createElement("a");
var blob = new Blob([data], {
type: xmlHeaderRequest.getResponseHeader("Content-Type"),
});
var url = window.URL || window.webkitURL;
var downloadUrl = url.createObjectURL(blob);
var fileName = "data_emails";
if (typeof window.navigator.msSaveBlob !== "undefined") {
window.navigator.msSaveBlob(blob, fileName);
} else {
if (fileName) {
if (typeof downloadLink.download === "undefined") {
window.location = downloadUrl;
} else {
downloadLink.href = downloadUrl;
downloadLink.download = fileName;
document.body.appendChild(downloadLink);
downloadLink.click();
}
} else {
window.location = downloadUrl;
}
setTimeout(function () {
url.revokeObjectURL(downloadUrl);
}, 100);
}
},
error: (error) => {
const jsonResult = JSON.parse(error.responseText);
console.log("ERROR", jsonResult);
},
});
});
};
const onValiderMail = () => {
$("#btn_validerMail").click(function (e) {
e.preventDefault();
/* alert("Vérification en cours");
$.ajax({
url: "serverSide/ValidationMail.php",
success: function (result) {
alert(result);
JSalert();
},
}); */
JSalertValiderMail();
//location.href = "index.html";
});
};
const addRowsToExistingTable = (sheet_data) => {
const nbr_col = sheet_data[0].length;
const table = $("#dataTable").DataTable();
for (let row = 1; row < sheet_data.length; row++) {
const tableRow = [];
for (let cell = 0; cell < nbr_col; cell++) {
if (sheet_data[row][cell] == null) {
tableRow.push(`<input value="" name="${sheet_data[0][cell]}[]">`);
continue;
}
tableRow.push(
`<input value="${sheet_data[row][cell]}" name="${sheet_data[0][cell]}[]">`
);
}
table.row.add(tableRow).draw();
}
};
$(document).ready(function () {
const excel_file = document.getElementById("excel_file");
excel_file.addEventListener("change", (event) => {
if (
![
"application/vnd.openxmlformats-officedocument.spreadsheetml.sheet",
"application/vnd.ms-excel",
].includes(event.target.files[0].type)
) {
document.getElementById("excel_data").innerHTML =
'<div class="alert alert-danger">Only .xlsx or .xls file format are allowed</div>';
excel_file.value = "";
return false;
}
var reader = new FileReader();
reader.readAsArrayBuffer(event.target.files[0]);
reader.onload = function () {
let data = reader.result;
let sheet_data = processCsvFile(data, reader, false);
if (sheet_data.length === 1) {
sheet_data = processCsvFile(data, reader, true);
}
const doesTableExist = $("#imported_table").length;
if (sheet_data.length > 0) {
// Create table rows
const tableRows = displayContentData(sheet_data);
if (!doesTableExist) {
// We draw table and display header
initiateTableDisplay(sheet_data);
// Display rows if initiate table for first time
$("#imported_table tbody").append(tableRows);
$("#dataTable").DataTable({
scrollX: true,
});
// Declare click evenlistener
onSubmit();
// Add convert enetlistener
onConvert();
//Valider mails
onValiderMail();
// Download File Email
onDownloadEmail();
} else {
// Display rows if table already exists
addRowsToExistingTable(sheet_data);
}
}
};
});
});
|
/*
* jQuery JavaScript Library v1.7.1
* http://jquery.com/
*
* Copyright 2011, John Resig
* Dual licensed under the MIT or GPL Version 2 licenses.
* http://jquery.org/license
*
* Includes Sizzle.js
* http://sizzlejs.com/
* Copyright 2011, The Dojo Foundation
* Released under the MIT, BSD, and GPL Licenses.
*
* Date: Mon Nov 21 21:11:03 2011 -0500
*/
!function(t,e){function i(t){var e,i,n=F[t]={};for(t=t.split(/\s+/),e=0,i=t.length;i>e;e++)n[t[e]]=!0;return n}function n(t,i,n){if(n===e&&1===t.nodeType){var s="data-"+i.replace(W,"-$1").toLowerCase();if(n=t.getAttribute(s),"string"==typeof n){try{n="true"===n?!0:"false"===n?!1:"null"===n?null:O.isNumeric(n)?parseFloat(n):j.test(n)?O.parseJSON(n):n}catch(o){}O.data(t,i,n)}else n=e}return n}function s(t){for(var e in t)if(("data"!==e||!O.isEmptyObject(t[e]))&&"toJSON"!==e)return!1;return!0}function o(t,e,i){var n=e+"defer",s=e+"queue",o=e+"mark",r=O._data(t,n);!r||"queue"!==i&&O._data(t,s)||"mark"!==i&&O._data(t,o)||setTimeout(function(){O._data(t,s)||O._data(t,o)||(O.removeData(t,n,!0),r.fire())},0)}function r(){return!1}function a(){return!0}function l(t){return!t||!t.parentNode||11===t.parentNode.nodeType}function u(t,e,i){if(e=e||0,O.isFunction(e))return O.grep(t,function(t,n){var s=!!e.call(t,n,t);return s===i});if(e.nodeType)return O.grep(t,function(t){return t===e===i});if("string"==typeof e){var n=O.grep(t,function(t){return 1===t.nodeType});if(ce.test(e))return O.filter(e,n,!i);e=O.filter(e,n)}return O.grep(t,function(t){return O.inArray(t,e)>=0===i})}function h(t){var e=me.split("|"),i=t.createDocumentFragment();if(i.createElement)for(;e.length;)i.createElement(e.pop());return i}function c(t){return O.nodeName(t,"table")?t.getElementsByTagName("tbody")[0]||t.appendChild(t.ownerDocument.createElement("tbody")):t}function d(t,e){if(1===e.nodeType&&O.hasData(t)){var i,n,s,o=O._data(t),r=O._data(e,o),a=o.events;if(a){delete r.handle,r.events={};for(i in a)for(n=0,s=a[i].length;s>n;n++)O.event.add(e,i+(a[i][n].namespace?".":"")+a[i][n].namespace,a[i][n],a[i][n].data)}r.data&&(r.data=O.extend({},r.data))}}function p(t,e){var i;1===e.nodeType&&(e.clearAttributes&&e.clearAttributes(),e.mergeAttributes&&e.mergeAttributes(t),i=e.nodeName.toLowerCase(),"object"===i?e.outerHTML=t.outerHTML:"input"!==i||"checkbox"!==t.type&&"radio"!==t.type?"option"===i?e.selected=t.defaultSelected:("input"===i||"textarea"===i)&&(e.defaultValue=t.defaultValue):(t.checked&&(e.defaultChecked=e.checked=t.checked),e.value!==t.value&&(e.value=t.value)),e.removeAttribute(O.expando))}function f(t){return"undefined"!=typeof t.getElementsByTagName?t.getElementsByTagName("*"):"undefined"!=typeof t.querySelectorAll?t.querySelectorAll("*"):[]}function m(t){("checkbox"===t.type||"radio"===t.type)&&(t.defaultChecked=t.checked)}function g(t){var e=(t.nodeName||"").toLowerCase();"input"===e?m(t):"script"!==e&&"undefined"!=typeof t.getElementsByTagName&&O.grep(t.getElementsByTagName("input"),m)}function v(t){var e=z.createElement("div");return _e.appendChild(e),e.innerHTML=t.outerHTML,e.firstChild}function y(t,e){e.src?O.ajax({url:e.src,async:!1,dataType:"script"}):O.globalEval((e.text||e.textContent||e.innerHTML||"").replace(Ee,"/*$0*/")),e.parentNode&&e.parentNode.removeChild(e)}function b(t,e,i){var n="width"===e?t.offsetWidth:t.offsetHeight,s="width"===e?We:$e,o=0,r=s.length;if(n>0){if("border"!==i)for(;r>o;o++)i||(n-=parseFloat(O.css(t,"padding"+s[o]))||0),"margin"===i?n+=parseFloat(O.css(t,i+s[o]))||0:n-=parseFloat(O.css(t,"border"+s[o]+"Width"))||0;return n+"px"}if(n=ke(t,e,e),(0>n||null==n)&&(n=t.style[e]||0),n=parseFloat(n)||0,i)for(;r>o;o++)n+=parseFloat(O.css(t,"padding"+s[o]))||0,"padding"!==i&&(n+=parseFloat(O.css(t,"border"+s[o]+"Width"))||0),"margin"===i&&(n+=parseFloat(O.css(t,i+s[o]))||0);return n+"px"}function w(t){return function(e,i){if("string"!=typeof e&&(i=e,e="*"),O.isFunction(i))for(var n,s,o,r=e.toLowerCase().split(ii),a=0,l=r.length;l>a;a++)n=r[a],o=/^\+/.test(n),o&&(n=n.substr(1)||"*"),s=t[n]=t[n]||[],s[o?"unshift":"push"](i)}}function x(t,i,n,s,o,r){o=o||i.dataTypes[0],r=r||{},r[o]=!0;for(var a,l=t[o],u=0,h=l?l.length:0,c=t===ri;h>u&&(c||!a);u++)a=l[u](i,n,s),"string"==typeof a&&(!c||r[a]?a=e:(i.dataTypes.unshift(a),a=x(t,i,n,s,a,r)));return!c&&a||r["*"]||(a=x(t,i,n,s,"*",r)),a}function T(t,i){var n,s,o=O.ajaxSettings.flatOptions||{};for(n in i)i[n]!==e&&((o[n]?t:s||(s={}))[n]=i[n]);s&&O.extend(!0,t,s)}function S(t,e,i,n){if(O.isArray(e))O.each(e,function(e,s){i||Xe.test(t)?n(t,s):S(t+"["+("object"==typeof s||O.isArray(s)?e:"")+"]",s,i,n)});else if(i||null==e||"object"!=typeof e)n(t,e);else for(var s in e)S(t+"["+s+"]",e[s],i,n)}function C(t,i,n){var s,o,r,a,l=t.contents,u=t.dataTypes,h=t.responseFields;for(o in h)o in n&&(i[h[o]]=n[o]);for(;"*"===u[0];)u.shift(),s===e&&(s=t.mimeType||i.getResponseHeader("content-type"));if(s)for(o in l)if(l[o]&&l[o].test(s)){u.unshift(o);break}if(u[0]in n)r=u[0];else{for(o in n){if(!u[0]||t.converters[o+" "+u[0]]){r=o;break}a||(a=o)}r=r||a}return r?(r!==u[0]&&u.unshift(r),n[r]):void 0}function M(t,i){t.dataFilter&&(i=t.dataFilter(i,t.dataType));var n,s,o,r,a,l,u,h,c=t.dataTypes,d={},p=c.length,f=c[0];for(n=1;p>n;n++){if(1===n)for(s in t.converters)"string"==typeof s&&(d[s.toLowerCase()]=t.converters[s]);if(r=f,f=c[n],"*"===f)f=r;else if("*"!==r&&r!==f){if(a=r+" "+f,l=d[a]||d["* "+f],!l){h=e;for(u in d)if(o=u.split(" "),(o[0]===r||"*"===o[0])&&(h=d[o[1]+" "+f])){u=d[u],u===!0?l=h:h===!0&&(l=u);break}}l||h||O.error("No conversion from "+a.replace(" "," to ")),l!==!0&&(i=l?l(i):h(u(i)))}}return i}function N(){try{return new t.XMLHttpRequest}catch(e){}}function E(){try{return new t.ActiveXObject("Microsoft.XMLHTTP")}catch(e){}}function D(){return setTimeout(_,0),yi=O.now()}function _(){yi=e}function k(t,e){var i={};return O.each(Ti.concat.apply([],Ti.slice(0,e)),function(){i[this]=t}),i}function A(t){if(!bi[t]){var e=z.body,i=O("<"+t+">").appendTo(e),n=i.css("display");i.remove(),("none"===n||""===n)&&(mi||(mi=z.createElement("iframe"),mi.frameBorder=mi.width=mi.height=0),e.appendChild(mi),gi&&mi.createElement||(gi=(mi.contentWindow||mi.contentDocument).document,gi.write(("CSS1Compat"===z.compatMode?"<!doctype html>":"")+"<html><body>"),gi.close()),i=gi.createElement(t),gi.body.appendChild(i),n=O.css(i,"display"),e.removeChild(mi)),bi[t]=n}return bi[t]}function H(t){return O.isWindow(t)?t:9===t.nodeType?t.defaultView||t.parentWindow:!1}var z=t.document,I=t.navigator,L=t.location,O=function(){function i(){if(!a.isReady){try{z.documentElement.doScroll("left")}catch(t){return void setTimeout(i,1)}a.ready()}}var n,s,o,r,a=function(t,e){return new a.fn.init(t,e,n)},l=t.jQuery,u=t.$,h=/^(?:[^#<]*(<[\w\W]+>)[^>]*$|#([\w\-]*)$)/,c=/\S/,d=/^\s+/,p=/\s+$/,f=/^<(\w+)\s*\/?>(?:<\/\1>)?$/,m=/^[\],:{}\s]*$/,g=/\\(?:["\\\/bfnrt]|u[0-9a-fA-F]{4})/g,v=/"[^"\\\n\r]*"|true|false|null|-?\d+(?:\.\d*)?(?:[eE][+\-]?\d+)?/g,y=/(?:^|:|,)(?:\s*\[)+/g,b=/(webkit)[ \/]([\w.]+)/,w=/(opera)(?:.*version)?[ \/]([\w.]+)/,x=/(msie) ([\w.]+)/,T=/(mozilla)(?:.*? rv:([\w.]+))?/,S=/-([a-z]|[0-9])/gi,C=/^-ms-/,M=function(t,e){return(e+"").toUpperCase()},N=I.userAgent,E=Object.prototype.toString,D=Object.prototype.hasOwnProperty,_=Array.prototype.push,k=Array.prototype.slice,A=String.prototype.trim,H=Array.prototype.indexOf,L={};return a.fn=a.prototype={constructor:a,init:function(t,i,n){var s,o,r,l;if(!t)return this;if(t.nodeType)return this.context=this[0]=t,this.length=1,this;if("body"===t&&!i&&z.body)return this.context=z,this[0]=z.body,this.selector=t,this.length=1,this;if("string"==typeof t){if(s="<"===t.charAt(0)&&">"===t.charAt(t.length-1)&&t.length>=3?[null,t,null]:h.exec(t),!s||!s[1]&&i)return!i||i.jquery?(i||n).find(t):this.constructor(i).find(t);if(s[1])return i=i instanceof a?i[0]:i,l=i?i.ownerDocument||i:z,r=f.exec(t),r?a.isPlainObject(i)?(t=[z.createElement(r[1])],a.fn.attr.call(t,i,!0)):t=[l.createElement(r[1])]:(r=a.buildFragment([s[1]],[l]),t=(r.cacheable?a.clone(r.fragment):r.fragment).childNodes),a.merge(this,t);if(o=z.getElementById(s[2]),o&&o.parentNode){if(o.id!==s[2])return n.find(t);this.length=1,this[0]=o}return this.context=z,this.selector=t,this}return a.isFunction(t)?n.ready(t):(t.selector!==e&&(this.selector=t.selector,this.context=t.context),a.makeArray(t,this))},selector:"",jquery:"1.7.1",length:0,size:function(){return this.length},toArray:function(){return k.call(this,0)},get:function(t){return null==t?this.toArray():0>t?this[this.length+t]:this[t]},pushStack:function(t,e,i){var n=this.constructor();return a.isArray(t)?_.apply(n,t):a.merge(n,t),n.prevObject=this,n.context=this.context,"find"===e?n.selector=this.selector+(this.selector?" ":"")+i:e&&(n.selector=this.selector+"."+e+"("+i+")"),n},each:function(t,e){return a.each(this,t,e)},ready:function(t){return a.bindReady(),o.add(t),this},eq:function(t){return t=+t,-1===t?this.slice(t):this.slice(t,t+1)},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},slice:function(){return this.pushStack(k.apply(this,arguments),"slice",k.call(arguments).join(","))},map:function(t){return this.pushStack(a.map(this,function(e,i){return t.call(e,i,e)}))},end:function(){return this.prevObject||this.constructor(null)},push:_,sort:[].sort,splice:[].splice},a.fn.init.prototype=a.fn,a.extend=a.fn.extend=function(){var t,i,n,s,o,r,l=arguments[0]||{},u=1,h=arguments.length,c=!1;for("boolean"==typeof l&&(c=l,l=arguments[1]||{},u=2),"object"==typeof l||a.isFunction(l)||(l={}),h===u&&(l=this,--u);h>u;u++)if(null!=(t=arguments[u]))for(i in t)n=l[i],s=t[i],l!==s&&(c&&s&&(a.isPlainObject(s)||(o=a.isArray(s)))?(o?(o=!1,r=n&&a.isArray(n)?n:[]):r=n&&a.isPlainObject(n)?n:{},l[i]=a.extend(c,r,s)):s!==e&&(l[i]=s));return l},a.extend({noConflict:function(e){return t.$===a&&(t.$=u),e&&t.jQuery===a&&(t.jQuery=l),a},isReady:!1,readyWait:1,holdReady:function(t){t?a.readyWait++:a.ready(!0)},ready:function(t){if(t===!0&&!--a.readyWait||t!==!0&&!a.isReady){if(!z.body)return setTimeout(a.ready,1);if(a.isReady=!0,t!==!0&&--a.readyWait>0)return;o.fireWith(z,[a]),a.fn.trigger&&a(z).trigger("ready").off("ready")}},bindReady:function(){if(!o){if(o=a.Callbacks("once memory"),"complete"===z.readyState)return setTimeout(a.ready,1);if(z.addEventListener)z.addEventListener("DOMContentLoaded",r,!1),t.addEventListener("load",a.ready,!1);else if(z.attachEvent){z.attachEvent("onreadystatechange",r),t.attachEvent("onload",a.ready);var e=!1;try{e=null==t.frameElement}catch(n){}z.documentElement.doScroll&&e&&i()}}},isFunction:function(t){return"function"===a.type(t)},isArray:Array.isArray||function(t){return"array"===a.type(t)},isWindow:function(t){return t&&"object"==typeof t&&"setInterval"in t},isNumeric:function(t){return!isNaN(parseFloat(t))&&isFinite(t)},type:function(t){return null==t?String(t):L[E.call(t)]||"object"},isPlainObject:function(t){if(!t||"object"!==a.type(t)||t.nodeType||a.isWindow(t))return!1;try{if(t.constructor&&!D.call(t,"constructor")&&!D.call(t.constructor.prototype,"isPrototypeOf"))return!1}catch(i){return!1}var n;for(n in t);return n===e||D.call(t,n)},isEmptyObject:function(t){for(var e in t)return!1;return!0},error:function(t){throw new Error(t)},parseJSON:function(e){return"string"==typeof e&&e?(e=a.trim(e),t.JSON&&t.JSON.parse?t.JSON.parse(e):m.test(e.replace(g,"@").replace(v,"]").replace(y,""))?new Function("return "+e)():void a.error("Invalid JSON: "+e)):null},parseXML:function(i){var n,s;try{t.DOMParser?(s=new DOMParser,n=s.parseFromString(i,"text/xml")):(n=new ActiveXObject("Microsoft.XMLDOM"),n.async="false",n.loadXML(i))}catch(o){n=e}return n&&n.documentElement&&!n.getElementsByTagName("parsererror").length||a.error("Invalid XML: "+i),n},noop:function(){},globalEval:function(e){e&&c.test(e)&&(t.execScript||function(e){t.eval.call(t,e)})(e)},camelCase:function(t){return t.replace(C,"ms-").replace(S,M)},nodeName:function(t,e){return t.nodeName&&t.nodeName.toUpperCase()===e.toUpperCase()},each:function(t,i,n){var s,o=0,r=t.length,l=r===e||a.isFunction(t);if(n)if(l){for(s in t)if(i.apply(t[s],n)===!1)break}else for(;r>o&&i.apply(t[o++],n)!==!1;);else if(l){for(s in t)if(i.call(t[s],s,t[s])===!1)break}else for(;r>o&&i.call(t[o],o,t[o++])!==!1;);return t},trim:A?function(t){return null==t?"":A.call(t)}:function(t){return null==t?"":t.toString().replace(d,"").replace(p,"")},makeArray:function(t,e){var i=e||[];if(null!=t){var n=a.type(t);null==t.length||"string"===n||"function"===n||"regexp"===n||a.isWindow(t)?_.call(i,t):a.merge(i,t)}return i},inArray:function(t,e,i){var n;if(e){if(H)return H.call(e,t,i);for(n=e.length,i=i?0>i?Math.max(0,n+i):i:0;n>i;i++)if(i in e&&e[i]===t)return i}return-1},merge:function(t,i){var n=t.length,s=0;if("number"==typeof i.length)for(var o=i.length;o>s;s++)t[n++]=i[s];else for(;i[s]!==e;)t[n++]=i[s++];return t.length=n,t},grep:function(t,e,i){var n,s=[];i=!!i;for(var o=0,r=t.length;r>o;o++)n=!!e(t[o],o),i!==n&&s.push(t[o]);return s},map:function(t,i,n){var s,o,r=[],l=0,u=t.length,h=t instanceof a||u!==e&&"number"==typeof u&&(u>0&&t[0]&&t[u-1]||0===u||a.isArray(t));if(h)for(;u>l;l++)s=i(t[l],l,n),null!=s&&(r[r.length]=s);else for(o in t)s=i(t[o],o,n),null!=s&&(r[r.length]=s);return r.concat.apply([],r)},guid:1,proxy:function(t,i){if("string"==typeof i){var n=t[i];i=t,t=n}if(!a.isFunction(t))return e;var s=k.call(arguments,2),o=function(){return t.apply(i,s.concat(k.call(arguments)))};return o.guid=t.guid=t.guid||o.guid||a.guid++,o},access:function(t,i,n,s,o,r){var l=t.length;if("object"==typeof i){for(var u in i)a.access(t,u,i[u],s,o,n);return t}if(n!==e){s=!r&&s&&a.isFunction(n);for(var h=0;l>h;h++)o(t[h],i,s?n.call(t[h],h,o(t[h],i)):n,r);return t}return l?o(t[0],i):e},now:function(){return(new Date).getTime()},uaMatch:function(t){t=t.toLowerCase();var e=b.exec(t)||w.exec(t)||x.exec(t)||t.indexOf("compatible")<0&&T.exec(t)||[];return{browser:e[1]||"",version:e[2]||"0"}},sub:function(){function t(e,i){return new t.fn.init(e,i)}a.extend(!0,t,this),t.superclass=this,t.fn=t.prototype=this(),t.fn.constructor=t,t.sub=this.sub,t.fn.init=function(i,n){return n&&n instanceof a&&!(n instanceof t)&&(n=t(n)),a.fn.init.call(this,i,n,e)},t.fn.init.prototype=t.fn;var e=t(z);return t},browser:{}}),a.each("Boolean Number String Function Array Date RegExp Object".split(" "),function(t,e){L["[object "+e+"]"]=e.toLowerCase()}),s=a.uaMatch(N),s.browser&&(a.browser[s.browser]=!0,a.browser.version=s.version),a.browser.webkit&&(a.browser.safari=!0),c.test("\xa0")&&(d=/^[\s\xA0]+/,p=/[\s\xA0]+$/),n=a(z),z.addEventListener?r=function(){z.removeEventListener("DOMContentLoaded",r,!1),a.ready()}:z.attachEvent&&(r=function(){"complete"===z.readyState&&(z.detachEvent("onreadystatechange",r),a.ready())}),a}(),F={};O.Callbacks=function(t){t=t?F[t]||i(t):{};var n,s,o,r,a,l=[],u=[],h=function(e){var i,n,s,o;for(i=0,n=e.length;n>i;i++)s=e[i],o=O.type(s),"array"===o?h(s):"function"===o&&(t.unique&&d.has(s)||l.push(s))},c=function(e,i){for(i=i||[],n=!t.memory||[e,i],s=!0,a=o||0,o=0,r=l.length;l&&r>a;a++)if(l[a].apply(e,i)===!1&&t.stopOnFalse){n=!0;break}s=!1,l&&(t.once?n===!0?d.disable():l=[]:u&&u.length&&(n=u.shift(),d.fireWith(n[0],n[1])))},d={add:function(){if(l){var t=l.length;h(arguments),s?r=l.length:n&&n!==!0&&(o=t,c(n[0],n[1]))}return this},remove:function(){if(l)for(var e=arguments,i=0,n=e.length;n>i;i++)for(var o=0;o<l.length&&(e[i]!==l[o]||(s&&r>=o&&(r--,a>=o&&a--),l.splice(o--,1),!t.unique));o++);return this},has:function(t){if(l)for(var e=0,i=l.length;i>e;e++)if(t===l[e])return!0;return!1},empty:function(){return l=[],this},disable:function(){return l=u=n=e,this},disabled:function(){return!l},lock:function(){return u=e,n&&n!==!0||d.disable(),this},locked:function(){return!u},fireWith:function(e,i){return u&&(s?t.once||u.push([e,i]):t.once&&n||c(e,i)),this},fire:function(){return d.fireWith(this,arguments),this},fired:function(){return!!n}};return d};var P=[].slice;O.extend({Deferred:function(t){var e,i=O.Callbacks("once memory"),n=O.Callbacks("once memory"),s=O.Callbacks("memory"),o="pending",r={resolve:i,reject:n,notify:s},a={done:i.add,fail:n.add,progress:s.add,state:function(){return o},isResolved:i.fired,isRejected:n.fired,then:function(t,e,i){return l.done(t).fail(e).progress(i),this},always:function(){return l.done.apply(l,arguments).fail.apply(l,arguments),this},pipe:function(t,e,i){return O.Deferred(function(n){O.each({done:[t,"resolve"],fail:[e,"reject"],progress:[i,"notify"]},function(t,e){var i,s=e[0],o=e[1];l[t](O.isFunction(s)?function(){i=s.apply(this,arguments),i&&O.isFunction(i.promise)?i.promise().then(n.resolve,n.reject,n.notify):n[o+"With"](this===l?n:this,[i])}:n[o])})}).promise()},promise:function(t){if(null==t)t=a;else for(var e in a)t[e]=a[e];return t}},l=a.promise({});for(e in r)l[e]=r[e].fire,l[e+"With"]=r[e].fireWith;return l.done(function(){o="resolved"},n.disable,s.lock).fail(function(){o="rejected"},i.disable,s.lock),t&&t.call(l,l),l},when:function(t){function e(t){return function(e){n[t]=arguments.length>1?P.call(arguments,0):e,--a||l.resolveWith(l,n)}}function i(t){return function(e){r[t]=arguments.length>1?P.call(arguments,0):e,l.notifyWith(u,r)}}var n=P.call(arguments,0),s=0,o=n.length,r=new Array(o),a=o,l=1>=o&&t&&O.isFunction(t.promise)?t:O.Deferred(),u=l.promise();if(o>1){for(;o>s;s++)n[s]&&n[s].promise&&O.isFunction(n[s].promise)?n[s].promise().then(e(s),l.reject,i(s)):--a;a||l.resolveWith(l,n)}else l!==t&&l.resolveWith(l,o?[t]:[]);return u}}),O.support=function(){{var e,i,n,s,o,r,a,l,u,h,c,d,p=z.createElement("div");z.documentElement}if(p.setAttribute("className","t"),p.innerHTML=" <link/><table></table><a href='/a' style='top:1px;float:left;opacity:.55;'>a</a><input type='checkbox'/>",i=p.getElementsByTagName("*"),n=p.getElementsByTagName("a")[0],!i||!i.length||!n)return{};s=z.createElement("select"),o=s.appendChild(z.createElement("option")),r=p.getElementsByTagName("input")[0],e={leadingWhitespace:3===p.firstChild.nodeType,tbody:!p.getElementsByTagName("tbody").length,htmlSerialize:!!p.getElementsByTagName("link").length,style:/top/.test(n.getAttribute("style")),hrefNormalized:"/a"===n.getAttribute("href"),opacity:/^0.55/.test(n.style.opacity),cssFloat:!!n.style.cssFloat,checkOn:"on"===r.value,optSelected:o.selected,getSetAttribute:"t"!==p.className,enctype:!!z.createElement("form").enctype,html5Clone:"<:nav></:nav>"!==z.createElement("nav").cloneNode(!0).outerHTML,submitBubbles:!0,changeBubbles:!0,focusinBubbles:!1,deleteExpando:!0,noCloneEvent:!0,inlineBlockNeedsLayout:!1,shrinkWrapBlocks:!1,reliableMarginRight:!0},r.checked=!0,e.noCloneChecked=r.cloneNode(!0).checked,s.disabled=!0,e.optDisabled=!o.disabled;try{delete p.test}catch(f){e.deleteExpando=!1}if(!p.addEventListener&&p.attachEvent&&p.fireEvent&&(p.attachEvent("onclick",function(){e.noCloneEvent=!1}),p.cloneNode(!0).fireEvent("onclick")),r=z.createElement("input"),r.value="t",r.setAttribute("type","radio"),e.radioValue="t"===r.value,r.setAttribute("checked","checked"),p.appendChild(r),l=z.createDocumentFragment(),l.appendChild(p.lastChild),e.checkClone=l.cloneNode(!0).cloneNode(!0).lastChild.checked,e.appendChecked=r.checked,l.removeChild(r),l.appendChild(p),p.innerHTML="",t.getComputedStyle&&(a=z.createElement("div"),a.style.width="0",a.style.marginRight="0",p.style.width="2px",p.appendChild(a),e.reliableMarginRight=0===(parseInt((t.getComputedStyle(a,null)||{marginRight:0}).marginRight,10)||0)),p.attachEvent)for(c in{submit:1,change:1,focusin:1})h="on"+c,d=h in p,d||(p.setAttribute(h,"return;"),d="function"==typeof p[h]),e[c+"Bubbles"]=d;return l.removeChild(p),l=s=o=a=p=r=null,O(function(){var t,i,n,s,o,r,a,l,h,c,f=z.getElementsByTagName("body")[0];f&&(r=1,a="position:absolute;top:0;left:0;width:1px;height:1px;margin:0;",l="visibility:hidden;border:0;",h="style='"+a+"border:5px solid #000;padding:0;'",c="<div "+h+"><div></div></div><table "+h+" cellpadding='0' cellspacing='0'><tr><td></td></tr></table>",t=z.createElement("div"),t.style.cssText=l+"width:0;height:0;position:static;top:0;margin-top:"+r+"px",f.insertBefore(t,f.firstChild),p=z.createElement("div"),t.appendChild(p),p.innerHTML="<table><tr><td style='padding:0;border:0;display:none'></td><td>t</td></tr></table>",u=p.getElementsByTagName("td"),d=0===u[0].offsetHeight,u[0].style.display="",u[1].style.display="none",e.reliableHiddenOffsets=d&&0===u[0].offsetHeight,p.innerHTML="",p.style.width=p.style.paddingLeft="1px",O.boxModel=e.boxModel=2===p.offsetWidth,"undefined"!=typeof p.style.zoom&&(p.style.display="inline",p.style.zoom=1,e.inlineBlockNeedsLayout=2===p.offsetWidth,p.style.display="",p.innerHTML="<div style='width:4px;'></div>",e.shrinkWrapBlocks=2!==p.offsetWidth),p.style.cssText=a+l,p.innerHTML=c,i=p.firstChild,n=i.firstChild,s=i.nextSibling.firstChild.firstChild,o={doesNotAddBorder:5!==n.offsetTop,doesAddBorderForTableAndCells:5===s.offsetTop},n.style.position="fixed",n.style.top="20px",o.fixedPosition=20===n.offsetTop||15===n.offsetTop,n.style.position=n.style.top="",i.style.overflow="hidden",i.style.position="relative",o.subtractsBorderForOverflowNotVisible=-5===n.offsetTop,o.doesNotIncludeMarginInBodyOffset=f.offsetTop!==r,f.removeChild(t),p=t=null,O.extend(e,o))}),e}();var j=/^(?:\{.*\}|\[.*\])$/,W=/([A-Z])/g;O.extend({cache:{},uuid:0,expando:"jQuery"+(O.fn.jquery+Math.random()).replace(/\D/g,""),noData:{embed:!0,object:"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000",applet:!0},hasData:function(t){return t=t.nodeType?O.cache[t[O.expando]]:t[O.expando],!!t&&!s(t)},data:function(t,i,n,s){if(O.acceptData(t)){var o,r,a,l=O.expando,u="string"==typeof i,h=t.nodeType,c=h?O.cache:t,d=h?t[l]:t[l]&&l,p="events"===i;if(d&&c[d]&&(p||s||c[d].data)||!u||n!==e)return d||(h?t[l]=d=++O.uuid:d=l),c[d]||(c[d]={},h||(c[d].toJSON=O.noop)),("object"==typeof i||"function"==typeof i)&&(s?c[d]=O.extend(c[d],i):c[d].data=O.extend(c[d].data,i)),o=r=c[d],s||(r.data||(r.data={}),r=r.data),n!==e&&(r[O.camelCase(i)]=n),p&&!r[i]?o.events:(u?(a=r[i],null==a&&(a=r[O.camelCase(i)])):a=r,a)}},removeData:function(t,e,i){if(O.acceptData(t)){var n,o,r,a=O.expando,l=t.nodeType,u=l?O.cache:t,h=l?t[a]:a;if(u[h]){if(e&&(n=i?u[h]:u[h].data)){O.isArray(e)||(e in n?e=[e]:(e=O.camelCase(e),e=e in n?[e]:e.split(" ")));for(o=0,r=e.length;r>o;o++)delete n[e[o]];if(!(i?s:O.isEmptyObject)(n))return}(i||(delete u[h].data,s(u[h])))&&(O.support.deleteExpando||!u.setInterval?delete u[h]:u[h]=null,l&&(O.support.deleteExpando?delete t[a]:t.removeAttribute?t.removeAttribute(a):t[a]=null))}}},_data:function(t,e,i){return O.data(t,e,i,!0)},acceptData:function(t){if(t.nodeName){var e=O.noData[t.nodeName.toLowerCase()];if(e)return!(e===!0||t.getAttribute("classid")!==e)}return!0}}),O.fn.extend({data:function(t,i){var s,o,r,a=null;if("undefined"==typeof t){if(this.length&&(a=O.data(this[0]),1===this[0].nodeType&&!O._data(this[0],"parsedAttrs"))){o=this[0].attributes;for(var l=0,u=o.length;u>l;l++)r=o[l].name,0===r.indexOf("data-")&&(r=O.camelCase(r.substring(5)),n(this[0],r,a[r]));O._data(this[0],"parsedAttrs",!0)}return a}return"object"==typeof t?this.each(function(){O.data(this,t)}):(s=t.split("."),s[1]=s[1]?"."+s[1]:"",i===e?(a=this.triggerHandler("getData"+s[1]+"!",[s[0]]),a===e&&this.length&&(a=O.data(this[0],t),a=n(this[0],t,a)),a===e&&s[1]?this.data(s[0]):a):this.each(function(){var e=O(this),n=[s[0],i];e.triggerHandler("setData"+s[1]+"!",n),O.data(this,t,i),e.triggerHandler("changeData"+s[1]+"!",n)}))},removeData:function(t){return this.each(function(){O.removeData(this,t)})}}),O.extend({_mark:function(t,e){t&&(e=(e||"fx")+"mark",O._data(t,e,(O._data(t,e)||0)+1))},_unmark:function(t,e,i){if(t!==!0&&(i=e,e=t,t=!1),e){i=i||"fx";var n=i+"mark",s=t?0:(O._data(e,n)||1)-1;s?O._data(e,n,s):(O.removeData(e,n,!0),o(e,i,"mark"))}},queue:function(t,e,i){var n;return t?(e=(e||"fx")+"queue",n=O._data(t,e),i&&(!n||O.isArray(i)?n=O._data(t,e,O.makeArray(i)):n.push(i)),n||[]):void 0},dequeue:function(t,e){e=e||"fx";var i=O.queue(t,e),n=i.shift(),s={};"inprogress"===n&&(n=i.shift()),n&&("fx"===e&&i.unshift("inprogress"),O._data(t,e+".run",s),n.call(t,function(){O.dequeue(t,e)},s)),i.length||(O.removeData(t,e+"queue "+e+".run",!0),o(t,e,"queue"))}}),O.fn.extend({queue:function(t,i){return"string"!=typeof t&&(i=t,t="fx"),i===e?O.queue(this[0],t):this.each(function(){var e=O.queue(this,t,i);"fx"===t&&"inprogress"!==e[0]&&O.dequeue(this,t)})},dequeue:function(t){return this.each(function(){O.dequeue(this,t)})},delay:function(t,e){return t=O.fx?O.fx.speeds[t]||t:t,e=e||"fx",this.queue(e,function(e,i){var n=setTimeout(e,t);i.stop=function(){clearTimeout(n)}})},clearQueue:function(t){return this.queue(t||"fx",[])},promise:function(t,i){function n(){--l||o.resolveWith(r,[r])}"string"!=typeof t&&(i=t,t=e),t=t||"fx";for(var s,o=O.Deferred(),r=this,a=r.length,l=1,u=t+"defer",h=t+"queue",c=t+"mark";a--;)(s=O.data(r[a],u,e,!0)||(O.data(r[a],h,e,!0)||O.data(r[a],c,e,!0))&&O.data(r[a],u,O.Callbacks("once memory"),!0))&&(l++,s.add(n));return n(),o.promise()}});var $,R,B,q=/[\n\t\r]/g,X=/\s+/,Y=/\r/g,U=/^(?:button|input)$/i,V=/^(?:button|input|object|select|textarea)$/i,Q=/^a(?:rea)?$/i,G=/^(?:autofocus|autoplay|async|checked|controls|defer|disabled|hidden|loop|multiple|open|readonly|required|scoped|selected)$/i,K=O.support.getSetAttribute;O.fn.extend({attr:function(t,e){return O.access(this,t,e,!0,O.attr)},removeAttr:function(t){return this.each(function(){O.removeAttr(this,t)})},prop:function(t,e){return O.access(this,t,e,!0,O.prop)},removeProp:function(t){return t=O.propFix[t]||t,this.each(function(){try{this[t]=e,delete this[t]}catch(i){}})},addClass:function(t){var e,i,n,s,o,r,a;if(O.isFunction(t))return this.each(function(e){O(this).addClass(t.call(this,e,this.className))});if(t&&"string"==typeof t)for(e=t.split(X),i=0,n=this.length;n>i;i++)if(s=this[i],1===s.nodeType)if(s.className||1!==e.length){for(o=" "+s.className+" ",r=0,a=e.length;a>r;r++)~o.indexOf(" "+e[r]+" ")||(o+=e[r]+" ");s.className=O.trim(o)}else s.className=t;return this},removeClass:function(t){var i,n,s,o,r,a,l;if(O.isFunction(t))return this.each(function(e){O(this).removeClass(t.call(this,e,this.className))});if(t&&"string"==typeof t||t===e)for(i=(t||"").split(X),n=0,s=this.length;s>n;n++)if(o=this[n],1===o.nodeType&&o.className)if(t){for(r=(" "+o.className+" ").replace(q," "),a=0,l=i.length;l>a;a++)r=r.replace(" "+i[a]+" "," ");o.className=O.trim(r)}else o.className="";return this},toggleClass:function(t,e){var i=typeof t,n="boolean"==typeof e;return this.each(O.isFunction(t)?function(i){O(this).toggleClass(t.call(this,i,this.className,e),e)}:function(){if("string"===i)for(var s,o=0,r=O(this),a=e,l=t.split(X);s=l[o++];)a=n?a:!r.hasClass(s),r[a?"addClass":"removeClass"](s);else("undefined"===i||"boolean"===i)&&(this.className&&O._data(this,"__className__",this.className),this.className=this.className||t===!1?"":O._data(this,"__className__")||"")})},hasClass:function(t){for(var e=" "+t+" ",i=0,n=this.length;n>i;i++)if(1===this[i].nodeType&&(" "+this[i].className+" ").replace(q," ").indexOf(e)>-1)return!0;return!1},val:function(t){var i,n,s,o=this[0];{if(arguments.length)return s=O.isFunction(t),this.each(function(n){var o,r=O(this);1===this.nodeType&&(o=s?t.call(this,n,r.val()):t,null==o?o="":"number"==typeof o?o+="":O.isArray(o)&&(o=O.map(o,function(t){return null==t?"":t+""})),i=O.valHooks[this.nodeName.toLowerCase()]||O.valHooks[this.type],i&&"set"in i&&i.set(this,o,"value")!==e||(this.value=o))});if(o)return i=O.valHooks[o.nodeName.toLowerCase()]||O.valHooks[o.type],i&&"get"in i&&(n=i.get(o,"value"))!==e?n:(n=o.value,"string"==typeof n?n.replace(Y,""):null==n?"":n)}}}),O.extend({valHooks:{option:{get:function(t){var e=t.attributes.value;return!e||e.specified?t.value:t.text}},select:{get:function(t){var e,i,n,s,o=t.selectedIndex,r=[],a=t.options,l="select-one"===t.type;if(0>o)return null;for(i=l?o:0,n=l?o+1:a.length;n>i;i++)if(s=a[i],!(!s.selected||(O.support.optDisabled?s.disabled:null!==s.getAttribute("disabled"))||s.parentNode.disabled&&O.nodeName(s.parentNode,"optgroup"))){if(e=O(s).val(),l)return e;r.push(e)}return l&&!r.length&&a.length?O(a[o]).val():r},set:function(t,e){var i=O.makeArray(e);return O(t).find("option").each(function(){this.selected=O.inArray(O(this).val(),i)>=0}),i.length||(t.selectedIndex=-1),i}}},attrFn:{val:!0,css:!0,html:!0,text:!0,data:!0,width:!0,height:!0,offset:!0},attr:function(t,i,n,s){var o,r,a,l=t.nodeType;if(t&&3!==l&&8!==l&&2!==l)return s&&i in O.attrFn?O(t)[i](n):"undefined"==typeof t.getAttribute?O.prop(t,i,n):(a=1!==l||!O.isXMLDoc(t),a&&(i=i.toLowerCase(),r=O.attrHooks[i]||(G.test(i)?R:$)),n!==e?null===n?void O.removeAttr(t,i):r&&"set"in r&&a&&(o=r.set(t,n,i))!==e?o:(t.setAttribute(i,""+n),n):r&&"get"in r&&a&&null!==(o=r.get(t,i))?o:(o=t.getAttribute(i),null===o?e:o))},removeAttr:function(t,e){var i,n,s,o,r=0;if(e&&1===t.nodeType)for(n=e.toLowerCase().split(X),o=n.length;o>r;r++)s=n[r],s&&(i=O.propFix[s]||s,O.attr(t,s,""),t.removeAttribute(K?s:i),G.test(s)&&i in t&&(t[i]=!1))},attrHooks:{type:{set:function(t,e){if(U.test(t.nodeName)&&t.parentNode)O.error("type property can't be changed");else if(!O.support.radioValue&&"radio"===e&&O.nodeName(t,"input")){var i=t.value;return t.setAttribute("type",e),i&&(t.value=i),e}}},value:{get:function(t,e){return $&&O.nodeName(t,"button")?$.get(t,e):e in t?t.value:null},set:function(t,e,i){return $&&O.nodeName(t,"button")?$.set(t,e,i):void(t.value=e)}}},propFix:{tabindex:"tabIndex",readonly:"readOnly","for":"htmlFor","class":"className",maxlength:"maxLength",cellspacing:"cellSpacing",cellpadding:"cellPadding",rowspan:"rowSpan",colspan:"colSpan",usemap:"useMap",frameborder:"frameBorder",contenteditable:"contentEditable"},prop:function(t,i,n){var s,o,r,a=t.nodeType;if(t&&3!==a&&8!==a&&2!==a)return r=1!==a||!O.isXMLDoc(t),r&&(i=O.propFix[i]||i,o=O.propHooks[i]),n!==e?o&&"set"in o&&(s=o.set(t,n,i))!==e?s:t[i]=n:o&&"get"in o&&null!==(s=o.get(t,i))?s:t[i]},propHooks:{tabIndex:{get:function(t){var i=t.getAttributeNode("tabindex");return i&&i.specified?parseInt(i.value,10):V.test(t.nodeName)||Q.test(t.nodeName)&&t.href?0:e}}}}),O.attrHooks.tabindex=O.propHooks.tabIndex,R={get:function(t,i){var n,s=O.prop(t,i);return s===!0||"boolean"!=typeof s&&(n=t.getAttributeNode(i))&&n.nodeValue!==!1?i.toLowerCase():e},set:function(t,e,i){var n;return e===!1?O.removeAttr(t,i):(n=O.propFix[i]||i,n in t&&(t[n]=!0),t.setAttribute(i,i.toLowerCase())),i}},K||(B={name:!0,id:!0},$=O.valHooks.button={get:function(t,i){var n;return n=t.getAttributeNode(i),n&&(B[i]?""!==n.nodeValue:n.specified)?n.nodeValue:e},set:function(t,e,i){var n=t.getAttributeNode(i);return n||(n=z.createAttribute(i),t.setAttributeNode(n)),n.nodeValue=e+""}},O.attrHooks.tabindex.set=$.set,O.each(["width","height"],function(t,e){O.attrHooks[e]=O.extend(O.attrHooks[e],{set:function(t,i){return""===i?(t.setAttribute(e,"auto"),i):void 0}})}),O.attrHooks.contenteditable={get:$.get,set:function(t,e,i){""===e&&(e="false"),$.set(t,e,i)}}),O.support.hrefNormalized||O.each(["href","src","width","height"],function(t,i){O.attrHooks[i]=O.extend(O.attrHooks[i],{get:function(t){var n=t.getAttribute(i,2);return null===n?e:n}})}),O.support.style||(O.attrHooks.style={get:function(t){return t.style.cssText.toLowerCase()||e},set:function(t,e){return t.style.cssText=""+e}}),O.support.optSelected||(O.propHooks.selected=O.extend(O.propHooks.selected,{get:function(t){var e=t.parentNode;return e&&(e.selectedIndex,e.parentNode&&e.parentNode.selectedIndex),null}})),O.support.enctype||(O.propFix.enctype="encoding"),O.support.checkOn||O.each(["radio","checkbox"],function(){O.valHooks[this]={get:function(t){return null===t.getAttribute("value")?"on":t.value}}}),O.each(["radio","checkbox"],function(){O.valHooks[this]=O.extend(O.valHooks[this],{set:function(t,e){return O.isArray(e)?t.checked=O.inArray(O(t).val(),e)>=0:void 0}})});var J=/^(?:textarea|input|select)$/i,Z=/^([^\.]*)?(?:\.(.+))?$/,te=/\bhover(\.\S+)?\b/,ee=/^key/,ie=/^(?:mouse|contextmenu)|click/,ne=/^(?:focusinfocus|focusoutblur)$/,se=/^(\w*)(?:#([\w\-]+))?(?:\.([\w\-]+))?$/,oe=function(t){var e=se.exec(t);return e&&(e[1]=(e[1]||"").toLowerCase(),e[3]=e[3]&&new RegExp("(?:^|\\s)"+e[3]+"(?:\\s|$)")),e},re=function(t,e){var i=t.attributes||{};return!(e[1]&&t.nodeName.toLowerCase()!==e[1]||e[2]&&(i.id||{}).value!==e[2]||e[3]&&!e[3].test((i["class"]||{}).value))},ae=function(t){return O.event.special.hover?t:t.replace(te,"mouseenter$1 mouseleave$1")};O.event={add:function(t,i,n,s,o){var r,a,l,u,h,c,d,p,f,m,g;if(3!==t.nodeType&&8!==t.nodeType&&i&&n&&(r=O._data(t))){for(n.handler&&(f=n,n=f.handler),n.guid||(n.guid=O.guid++),l=r.events,l||(r.events=l={}),a=r.handle,a||(r.handle=a=function(t){return"undefined"==typeof O||t&&O.event.triggered===t.type?e:O.event.dispatch.apply(a.elem,arguments)},a.elem=t),i=O.trim(ae(i)).split(" "),u=0;u<i.length;u++)h=Z.exec(i[u])||[],c=h[1],d=(h[2]||"").split(".").sort(),g=O.event.special[c]||{},c=(o?g.delegateType:g.bindType)||c,g=O.event.special[c]||{},p=O.extend({type:c,origType:h[1],data:s,handler:n,guid:n.guid,selector:o,quick:oe(o),namespace:d.join(".")},f),m=l[c],m||(m=l[c]=[],m.delegateCount=0,g.setup&&g.setup.call(t,s,d,a)!==!1||(t.addEventListener?t.addEventListener(c,a,!1):t.attachEvent&&t.attachEvent("on"+c,a))),g.add&&(g.add.call(t,p),p.handler.guid||(p.handler.guid=n.guid)),o?m.splice(m.delegateCount++,0,p):m.push(p),O.event.global[c]=!0;
t=null}},global:{},remove:function(t,e,i,n,s){var o,r,a,l,u,h,c,d,p,f,m,g,v=O.hasData(t)&&O._data(t);if(v&&(d=v.events)){for(e=O.trim(ae(e||"")).split(" "),o=0;o<e.length;o++)if(r=Z.exec(e[o])||[],a=l=r[1],u=r[2],a){for(p=O.event.special[a]||{},a=(n?p.delegateType:p.bindType)||a,m=d[a]||[],h=m.length,u=u?new RegExp("(^|\\.)"+u.split(".").sort().join("\\.(?:.*\\.)?")+"(\\.|$)"):null,c=0;c<m.length;c++)g=m[c],!s&&l!==g.origType||i&&i.guid!==g.guid||u&&!u.test(g.namespace)||n&&n!==g.selector&&("**"!==n||!g.selector)||(m.splice(c--,1),g.selector&&m.delegateCount--,p.remove&&p.remove.call(t,g));0===m.length&&h!==m.length&&(p.teardown&&p.teardown.call(t,u)!==!1||O.removeEvent(t,a,v.handle),delete d[a])}else for(a in d)O.event.remove(t,a+e[o],i,n,!0);O.isEmptyObject(d)&&(f=v.handle,f&&(f.elem=null),O.removeData(t,["events","handle"],!0))}},customEvent:{getData:!0,setData:!0,changeData:!0},trigger:function(i,n,s,o){if(!s||3!==s.nodeType&&8!==s.nodeType){var r,a,l,u,h,c,d,p,f,m,g=i.type||i,v=[];if(!ne.test(g+O.event.triggered)&&(g.indexOf("!")>=0&&(g=g.slice(0,-1),a=!0),g.indexOf(".")>=0&&(v=g.split("."),g=v.shift(),v.sort()),s&&!O.event.customEvent[g]||O.event.global[g]))if(i="object"==typeof i?i[O.expando]?i:new O.Event(g,i):new O.Event(g),i.type=g,i.isTrigger=!0,i.exclusive=a,i.namespace=v.join("."),i.namespace_re=i.namespace?new RegExp("(^|\\.)"+v.join("\\.(?:.*\\.)?")+"(\\.|$)"):null,c=g.indexOf(":")<0?"on"+g:"",s){if(i.result=e,i.target||(i.target=s),n=null!=n?O.makeArray(n):[],n.unshift(i),d=O.event.special[g]||{},!d.trigger||d.trigger.apply(s,n)!==!1){if(f=[[s,d.bindType||g]],!o&&!d.noBubble&&!O.isWindow(s)){for(m=d.delegateType||g,u=ne.test(m+g)?s:s.parentNode,h=null;u;u=u.parentNode)f.push([u,m]),h=u;h&&h===s.ownerDocument&&f.push([h.defaultView||h.parentWindow||t,m])}for(l=0;l<f.length&&!i.isPropagationStopped();l++)u=f[l][0],i.type=f[l][1],p=(O._data(u,"events")||{})[i.type]&&O._data(u,"handle"),p&&p.apply(u,n),p=c&&u[c],p&&O.acceptData(u)&&p.apply(u,n)===!1&&i.preventDefault();return i.type=g,o||i.isDefaultPrevented()||d._default&&d._default.apply(s.ownerDocument,n)!==!1||"click"===g&&O.nodeName(s,"a")||!O.acceptData(s)||c&&s[g]&&("focus"!==g&&"blur"!==g||0!==i.target.offsetWidth)&&!O.isWindow(s)&&(h=s[c],h&&(s[c]=null),O.event.triggered=g,s[g](),O.event.triggered=e,h&&(s[c]=h)),i.result}}else{r=O.cache;for(l in r)r[l].events&&r[l].events[g]&&O.event.trigger(i,n,r[l].handle.elem,!0)}}},dispatch:function(i){i=O.event.fix(i||t.event);var n,s,o,r,a,l,u,h,c,d,p=(O._data(this,"events")||{})[i.type]||[],f=p.delegateCount,m=[].slice.call(arguments,0),g=!i.exclusive&&!i.namespace,v=[];if(m[0]=i,i.delegateTarget=this,f&&!i.target.disabled&&(!i.button||"click"!==i.type))for(r=O(this),r.context=this.ownerDocument||this,o=i.target;o!=this;o=o.parentNode||this){for(l={},h=[],r[0]=o,n=0;f>n;n++)c=p[n],d=c.selector,l[d]===e&&(l[d]=c.quick?re(o,c.quick):r.is(d)),l[d]&&h.push(c);h.length&&v.push({elem:o,matches:h})}for(p.length>f&&v.push({elem:this,matches:p.slice(f)}),n=0;n<v.length&&!i.isPropagationStopped();n++)for(u=v[n],i.currentTarget=u.elem,s=0;s<u.matches.length&&!i.isImmediatePropagationStopped();s++)c=u.matches[s],(g||!i.namespace&&!c.namespace||i.namespace_re&&i.namespace_re.test(c.namespace))&&(i.data=c.data,i.handleObj=c,a=((O.event.special[c.origType]||{}).handle||c.handler).apply(u.elem,m),a!==e&&(i.result=a,a===!1&&(i.preventDefault(),i.stopPropagation())));return i.result},props:"attrChange attrName relatedNode srcElement altKey bubbles cancelable ctrlKey currentTarget eventPhase metaKey relatedTarget shiftKey target timeStamp view which".split(" "),fixHooks:{},keyHooks:{props:"char charCode key keyCode".split(" "),filter:function(t,e){return null==t.which&&(t.which=null!=e.charCode?e.charCode:e.keyCode),t}},mouseHooks:{props:"button buttons clientX clientY fromElement offsetX offsetY pageX pageY screenX screenY toElement".split(" "),filter:function(t,i){var n,s,o,r=i.button,a=i.fromElement;return null==t.pageX&&null!=i.clientX&&(n=t.target.ownerDocument||z,s=n.documentElement,o=n.body,t.pageX=i.clientX+(s&&s.scrollLeft||o&&o.scrollLeft||0)-(s&&s.clientLeft||o&&o.clientLeft||0),t.pageY=i.clientY+(s&&s.scrollTop||o&&o.scrollTop||0)-(s&&s.clientTop||o&&o.clientTop||0)),!t.relatedTarget&&a&&(t.relatedTarget=a===t.target?i.toElement:a),t.which||r===e||(t.which=1&r?1:2&r?3:4&r?2:0),t}},fix:function(t){if(t[O.expando])return t;var i,n,s=t,o=O.event.fixHooks[t.type]||{},r=o.props?this.props.concat(o.props):this.props;for(t=O.Event(s),i=r.length;i;)n=r[--i],t[n]=s[n];return t.target||(t.target=s.srcElement||z),3===t.target.nodeType&&(t.target=t.target.parentNode),t.metaKey===e&&(t.metaKey=t.ctrlKey),o.filter?o.filter(t,s):t},special:{ready:{setup:O.bindReady},load:{noBubble:!0},focus:{delegateType:"focusin"},blur:{delegateType:"focusout"},beforeunload:{setup:function(t,e,i){O.isWindow(this)&&(this.onbeforeunload=i)},teardown:function(t,e){this.onbeforeunload===e&&(this.onbeforeunload=null)}}},simulate:function(t,e,i,n){var s=O.extend(new O.Event,i,{type:t,isSimulated:!0,originalEvent:{}});n?O.event.trigger(s,null,e):O.event.dispatch.call(e,s),s.isDefaultPrevented()&&i.preventDefault()}},O.event.handle=O.event.dispatch,O.removeEvent=z.removeEventListener?function(t,e,i){t.removeEventListener&&t.removeEventListener(e,i,!1)}:function(t,e,i){t.detachEvent&&t.detachEvent("on"+e,i)},O.Event=function(t,e){return this instanceof O.Event?(t&&t.type?(this.originalEvent=t,this.type=t.type,this.isDefaultPrevented=t.defaultPrevented||t.returnValue===!1||t.getPreventDefault&&t.getPreventDefault()?a:r):this.type=t,e&&O.extend(this,e),this.timeStamp=t&&t.timeStamp||O.now(),void(this[O.expando]=!0)):new O.Event(t,e)},O.Event.prototype={preventDefault:function(){this.isDefaultPrevented=a;var t=this.originalEvent;t&&(t.preventDefault?t.preventDefault():t.returnValue=!1)},stopPropagation:function(){this.isPropagationStopped=a;var t=this.originalEvent;t&&(t.stopPropagation&&t.stopPropagation(),t.cancelBubble=!0)},stopImmediatePropagation:function(){this.isImmediatePropagationStopped=a,this.stopPropagation()},isDefaultPrevented:r,isPropagationStopped:r,isImmediatePropagationStopped:r},O.each({mouseenter:"mouseover",mouseleave:"mouseout"},function(t,e){O.event.special[t]={delegateType:e,bindType:e,handle:function(t){{var i,n=this,s=t.relatedTarget,o=t.handleObj;o.selector}return(!s||s!==n&&!O.contains(n,s))&&(t.type=o.origType,i=o.handler.apply(this,arguments),t.type=e),i}}}),O.support.submitBubbles||(O.event.special.submit={setup:function(){return O.nodeName(this,"form")?!1:void O.event.add(this,"click._submit keypress._submit",function(t){var i=t.target,n=O.nodeName(i,"input")||O.nodeName(i,"button")?i.form:e;n&&!n._submit_attached&&(O.event.add(n,"submit._submit",function(t){this.parentNode&&!t.isTrigger&&O.event.simulate("submit",this.parentNode,t,!0)}),n._submit_attached=!0)})},teardown:function(){return O.nodeName(this,"form")?!1:void O.event.remove(this,"._submit")}}),O.support.changeBubbles||(O.event.special.change={setup:function(){return J.test(this.nodeName)?(("checkbox"===this.type||"radio"===this.type)&&(O.event.add(this,"propertychange._change",function(t){"checked"===t.originalEvent.propertyName&&(this._just_changed=!0)}),O.event.add(this,"click._change",function(t){this._just_changed&&!t.isTrigger&&(this._just_changed=!1,O.event.simulate("change",this,t,!0))})),!1):void O.event.add(this,"beforeactivate._change",function(t){var e=t.target;J.test(e.nodeName)&&!e._change_attached&&(O.event.add(e,"change._change",function(t){!this.parentNode||t.isSimulated||t.isTrigger||O.event.simulate("change",this.parentNode,t,!0)}),e._change_attached=!0)})},handle:function(t){var e=t.target;return this!==e||t.isSimulated||t.isTrigger||"radio"!==e.type&&"checkbox"!==e.type?t.handleObj.handler.apply(this,arguments):void 0},teardown:function(){return O.event.remove(this,"._change"),J.test(this.nodeName)}}),O.support.focusinBubbles||O.each({focus:"focusin",blur:"focusout"},function(t,e){var i=0,n=function(t){O.event.simulate(e,t.target,O.event.fix(t),!0)};O.event.special[e]={setup:function(){0===i++&&z.addEventListener(t,n,!0)},teardown:function(){0===--i&&z.removeEventListener(t,n,!0)}}}),O.fn.extend({on:function(t,i,n,s,o){var a,l;if("object"==typeof t){"string"!=typeof i&&(n=i,i=e);for(l in t)this.on(l,i,n,t[l],o);return this}if(null==n&&null==s?(s=i,n=i=e):null==s&&("string"==typeof i?(s=n,n=e):(s=n,n=i,i=e)),s===!1)s=r;else if(!s)return this;return 1===o&&(a=s,s=function(t){return O().off(t),a.apply(this,arguments)},s.guid=a.guid||(a.guid=O.guid++)),this.each(function(){O.event.add(this,t,s,n,i)})},one:function(t,e,i,n){return this.on.call(this,t,e,i,n,1)},off:function(t,i,n){if(t&&t.preventDefault&&t.handleObj){var s=t.handleObj;return O(t.delegateTarget).off(s.namespace?s.type+"."+s.namespace:s.type,s.selector,s.handler),this}if("object"==typeof t){for(var o in t)this.off(o,i,t[o]);return this}return(i===!1||"function"==typeof i)&&(n=i,i=e),n===!1&&(n=r),this.each(function(){O.event.remove(this,t,n,i)})},bind:function(t,e,i){return this.on(t,null,e,i)},unbind:function(t,e){return this.off(t,null,e)},live:function(t,e,i){return O(this.context).on(t,this.selector,e,i),this},die:function(t,e){return O(this.context).off(t,this.selector||"**",e),this},delegate:function(t,e,i,n){return this.on(e,t,i,n)},undelegate:function(t,e,i){return 1==arguments.length?this.off(t,"**"):this.off(e,t,i)},trigger:function(t,e){return this.each(function(){O.event.trigger(t,e,this)})},triggerHandler:function(t,e){return this[0]?O.event.trigger(t,e,this[0],!0):void 0},toggle:function(t){var e=arguments,i=t.guid||O.guid++,n=0,s=function(i){var s=(O._data(this,"lastToggle"+t.guid)||0)%n;return O._data(this,"lastToggle"+t.guid,s+1),i.preventDefault(),e[s].apply(this,arguments)||!1};for(s.guid=i;n<e.length;)e[n++].guid=i;return this.click(s)},hover:function(t,e){return this.mouseenter(t).mouseleave(e||t)}}),O.each("blur focus focusin focusout load resize scroll unload click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup error contextmenu".split(" "),function(t,e){O.fn[e]=function(t,i){return null==i&&(i=t,t=null),arguments.length>0?this.on(e,null,t,i):this.trigger(e)},O.attrFn&&(O.attrFn[e]=!0),ee.test(e)&&(O.event.fixHooks[e]=O.event.keyHooks),ie.test(e)&&(O.event.fixHooks[e]=O.event.mouseHooks)}),/*
* Sizzle CSS Selector Engine
* Copyright 2011, The Dojo Foundation
* Released under the MIT, BSD, and GPL Licenses.
* More information: http://sizzlejs.com/
*/
function(){function t(t,e,i,n,o,r){for(var a=0,l=n.length;l>a;a++){var u=n[a];if(u){var h=!1;for(u=u[t];u;){if(u[s]===i){h=n[u.sizset];break}if(1!==u.nodeType||r||(u[s]=i,u.sizset=a),u.nodeName.toLowerCase()===e){h=u;break}u=u[t]}n[a]=h}}}function i(t,e,i,n,o,r){for(var a=0,l=n.length;l>a;a++){var u=n[a];if(u){var h=!1;for(u=u[t];u;){if(u[s]===i){h=n[u.sizset];break}if(1===u.nodeType)if(r||(u[s]=i,u.sizset=a),"string"!=typeof e){if(u===e){h=!0;break}}else if(d.filter(e,[u]).length>0){h=u;break}u=u[t]}n[a]=h}}}var n=/((?:\((?:\([^()]+\)|[^()]+)+\)|\[(?:\[[^\[\]]*\]|['"][^'"]*['"]|[^\[\]'"]+)+\]|\\.|[^ >+~,(\[\\]+)+|[>+~])(\s*,\s*)?((?:.|\r|\n)*)/g,s="sizcache"+(Math.random()+"").replace(".",""),o=0,r=Object.prototype.toString,a=!1,l=!0,u=/\\/g,h=/\r\n/g,c=/\W/;[0,0].sort(function(){return l=!1,0});var d=function(t,e,i,s){i=i||[],e=e||z;var o=e;if(1!==e.nodeType&&9!==e.nodeType)return[];if(!t||"string"!=typeof t)return i;var a,l,u,h,c,p,g,v,b=!0,w=d.isXML(e),x=[],S=t;do if(n.exec(""),a=n.exec(S),a&&(S=a[3],x.push(a[1]),a[2])){h=a[3];break}while(a);if(x.length>1&&m.exec(t))if(2===x.length&&f.relative[x[0]])l=T(x[0]+x[1],e,s);else for(l=f.relative[x[0]]?[e]:d(x.shift(),e);x.length;)t=x.shift(),f.relative[t]&&(t+=x.shift()),l=T(t,l,s);else if(!s&&x.length>1&&9===e.nodeType&&!w&&f.match.ID.test(x[0])&&!f.match.ID.test(x[x.length-1])&&(c=d.find(x.shift(),e,w),e=c.expr?d.filter(c.expr,c.set)[0]:c.set[0]),e)for(c=s?{expr:x.pop(),set:y(s)}:d.find(x.pop(),1!==x.length||"~"!==x[0]&&"+"!==x[0]||!e.parentNode?e:e.parentNode,w),l=c.expr?d.filter(c.expr,c.set):c.set,x.length>0?u=y(l):b=!1;x.length;)p=x.pop(),g=p,f.relative[p]?g=x.pop():p="",null==g&&(g=e),f.relative[p](u,g,w);else u=x=[];if(u||(u=l),u||d.error(p||t),"[object Array]"===r.call(u))if(b)if(e&&1===e.nodeType)for(v=0;null!=u[v];v++)u[v]&&(u[v]===!0||1===u[v].nodeType&&d.contains(e,u[v]))&&i.push(l[v]);else for(v=0;null!=u[v];v++)u[v]&&1===u[v].nodeType&&i.push(l[v]);else i.push.apply(i,u);else y(u,i);return h&&(d(h,o,i,s),d.uniqueSort(i)),i};d.uniqueSort=function(t){if(w&&(a=l,t.sort(w),a))for(var e=1;e<t.length;e++)t[e]===t[e-1]&&t.splice(e--,1);return t},d.matches=function(t,e){return d(t,null,null,e)},d.matchesSelector=function(t,e){return d(e,null,null,[t]).length>0},d.find=function(t,e,i){var n,s,o,r,a,l;if(!t)return[];for(s=0,o=f.order.length;o>s;s++)if(a=f.order[s],(r=f.leftMatch[a].exec(t))&&(l=r[1],r.splice(1,1),"\\"!==l.substr(l.length-1)&&(r[1]=(r[1]||"").replace(u,""),n=f.find[a](r,e,i),null!=n))){t=t.replace(f.match[a],"");break}return n||(n="undefined"!=typeof e.getElementsByTagName?e.getElementsByTagName("*"):[]),{set:n,expr:t}},d.filter=function(t,i,n,s){for(var o,r,a,l,u,h,c,p,m,g=t,v=[],y=i,b=i&&i[0]&&d.isXML(i[0]);t&&i.length;){for(a in f.filter)if(null!=(o=f.leftMatch[a].exec(t))&&o[2]){if(h=f.filter[a],c=o[1],r=!1,o.splice(1,1),"\\"===c.substr(c.length-1))continue;if(y===v&&(v=[]),f.preFilter[a])if(o=f.preFilter[a](o,y,n,v,s,b)){if(o===!0)continue}else r=l=!0;if(o)for(p=0;null!=(u=y[p]);p++)u&&(l=h(u,o,p,y),m=s^l,n&&null!=l?m?r=!0:y[p]=!1:m&&(v.push(u),r=!0));if(l!==e){if(n||(y=v),t=t.replace(f.match[a],""),!r)return[];break}}if(t===g){if(null!=r)break;d.error(t)}g=t}return y},d.error=function(t){throw new Error("Syntax error, unrecognized expression: "+t)};var p=d.getText=function(t){var e,i,n=t.nodeType,s="";if(n){if(1===n||9===n){if("string"==typeof t.textContent)return t.textContent;if("string"==typeof t.innerText)return t.innerText.replace(h,"");for(t=t.firstChild;t;t=t.nextSibling)s+=p(t)}else if(3===n||4===n)return t.nodeValue}else for(e=0;i=t[e];e++)8!==i.nodeType&&(s+=p(i));return s},f=d.selectors={order:["ID","NAME","TAG"],match:{ID:/#((?:[\w\u00c0-\uFFFF\-]|\\.)+)/,CLASS:/\.((?:[\w\u00c0-\uFFFF\-]|\\.)+)/,NAME:/\[name=['"]*((?:[\w\u00c0-\uFFFF\-]|\\.)+)['"]*\]/,ATTR:/\[\s*((?:[\w\u00c0-\uFFFF\-]|\\.)+)\s*(?:(\S?=)\s*(?:(['"])(.*?)\3|(#?(?:[\w\u00c0-\uFFFF\-]|\\.)*)|)|)\s*\]/,TAG:/^((?:[\w\u00c0-\uFFFF\*\-]|\\.)+)/,CHILD:/:(only|nth|last|first)-child(?:\(\s*(even|odd|(?:[+\-]?\d+|(?:[+\-]?\d*)?n\s*(?:[+\-]\s*\d+)?))\s*\))?/,POS:/:(nth|eq|gt|lt|first|last|even|odd)(?:\((\d*)\))?(?=[^\-]|$)/,PSEUDO:/:((?:[\w\u00c0-\uFFFF\-]|\\.)+)(?:\((['"]?)((?:\([^\)]+\)|[^\(\)]*)+)\2\))?/},leftMatch:{},attrMap:{"class":"className","for":"htmlFor"},attrHandle:{href:function(t){return t.getAttribute("href")},type:function(t){return t.getAttribute("type")}},relative:{"+":function(t,e){var i="string"==typeof e,n=i&&!c.test(e),s=i&&!n;n&&(e=e.toLowerCase());for(var o,r=0,a=t.length;a>r;r++)if(o=t[r]){for(;(o=o.previousSibling)&&1!==o.nodeType;);t[r]=s||o&&o.nodeName.toLowerCase()===e?o||!1:o===e}s&&d.filter(e,t,!0)},">":function(t,e){var i,n="string"==typeof e,s=0,o=t.length;if(n&&!c.test(e)){for(e=e.toLowerCase();o>s;s++)if(i=t[s]){var r=i.parentNode;t[s]=r.nodeName.toLowerCase()===e?r:!1}}else{for(;o>s;s++)i=t[s],i&&(t[s]=n?i.parentNode:i.parentNode===e);n&&d.filter(e,t,!0)}},"":function(e,n,s){var r,a=o++,l=i;"string"!=typeof n||c.test(n)||(n=n.toLowerCase(),r=n,l=t),l("parentNode",n,a,e,r,s)},"~":function(e,n,s){var r,a=o++,l=i;"string"!=typeof n||c.test(n)||(n=n.toLowerCase(),r=n,l=t),l("previousSibling",n,a,e,r,s)}},find:{ID:function(t,e,i){if("undefined"!=typeof e.getElementById&&!i){var n=e.getElementById(t[1]);return n&&n.parentNode?[n]:[]}},NAME:function(t,e){if("undefined"!=typeof e.getElementsByName){for(var i=[],n=e.getElementsByName(t[1]),s=0,o=n.length;o>s;s++)n[s].getAttribute("name")===t[1]&&i.push(n[s]);return 0===i.length?null:i}},TAG:function(t,e){return"undefined"!=typeof e.getElementsByTagName?e.getElementsByTagName(t[1]):void 0}},preFilter:{CLASS:function(t,e,i,n,s,o){if(t=" "+t[1].replace(u,"")+" ",o)return t;for(var r,a=0;null!=(r=e[a]);a++)r&&(s^(r.className&&(" "+r.className+" ").replace(/[\t\n\r]/g," ").indexOf(t)>=0)?i||n.push(r):i&&(e[a]=!1));return!1},ID:function(t){return t[1].replace(u,"")},TAG:function(t){return t[1].replace(u,"").toLowerCase()},CHILD:function(t){if("nth"===t[1]){t[2]||d.error(t[0]),t[2]=t[2].replace(/^\+|\s*/g,"");var e=/(-?)(\d*)(?:n([+\-]?\d*))?/.exec("even"===t[2]&&"2n"||"odd"===t[2]&&"2n+1"||!/\D/.test(t[2])&&"0n+"+t[2]||t[2]);t[2]=e[1]+(e[2]||1)-0,t[3]=e[3]-0}else t[2]&&d.error(t[0]);return t[0]=o++,t},ATTR:function(t,e,i,n,s,o){var r=t[1]=t[1].replace(u,"");return!o&&f.attrMap[r]&&(t[1]=f.attrMap[r]),t[4]=(t[4]||t[5]||"").replace(u,""),"~="===t[2]&&(t[4]=" "+t[4]+" "),t},PSEUDO:function(t,e,i,s,o){if("not"===t[1]){if(!((n.exec(t[3])||"").length>1||/^\w/.test(t[3]))){var r=d.filter(t[3],e,i,!0^o);return i||s.push.apply(s,r),!1}t[3]=d(t[3],null,null,e)}else if(f.match.POS.test(t[0])||f.match.CHILD.test(t[0]))return!0;return t},POS:function(t){return t.unshift(!0),t}},filters:{enabled:function(t){return t.disabled===!1&&"hidden"!==t.type},disabled:function(t){return t.disabled===!0},checked:function(t){return t.checked===!0},selected:function(t){return t.parentNode&&t.parentNode.selectedIndex,t.selected===!0},parent:function(t){return!!t.firstChild},empty:function(t){return!t.firstChild},has:function(t,e,i){return!!d(i[3],t).length},header:function(t){return/h\d/i.test(t.nodeName)},text:function(t){var e=t.getAttribute("type"),i=t.type;return"input"===t.nodeName.toLowerCase()&&"text"===i&&(e===i||null===e)},radio:function(t){return"input"===t.nodeName.toLowerCase()&&"radio"===t.type},checkbox:function(t){return"input"===t.nodeName.toLowerCase()&&"checkbox"===t.type},file:function(t){return"input"===t.nodeName.toLowerCase()&&"file"===t.type},password:function(t){return"input"===t.nodeName.toLowerCase()&&"password"===t.type},submit:function(t){var e=t.nodeName.toLowerCase();return("input"===e||"button"===e)&&"submit"===t.type},image:function(t){return"input"===t.nodeName.toLowerCase()&&"image"===t.type},reset:function(t){var e=t.nodeName.toLowerCase();return("input"===e||"button"===e)&&"reset"===t.type},button:function(t){var e=t.nodeName.toLowerCase();return"input"===e&&"button"===t.type||"button"===e},input:function(t){return/input|select|textarea|button/i.test(t.nodeName)},focus:function(t){return t===t.ownerDocument.activeElement}},setFilters:{first:function(t,e){return 0===e},last:function(t,e,i,n){return e===n.length-1},even:function(t,e){return e%2===0},odd:function(t,e){return e%2===1},lt:function(t,e,i){return e<i[3]-0},gt:function(t,e,i){return e>i[3]-0},nth:function(t,e,i){return i[3]-0===e},eq:function(t,e,i){return i[3]-0===e}},filter:{PSEUDO:function(t,e,i,n){var s=e[1],o=f.filters[s];if(o)return o(t,i,e,n);if("contains"===s)return(t.textContent||t.innerText||p([t])||"").indexOf(e[3])>=0;if("not"===s){for(var r=e[3],a=0,l=r.length;l>a;a++)if(r[a]===t)return!1;return!0}d.error(s)},CHILD:function(t,e){var i,n,o,r,a,l,u=e[1],h=t;switch(u){case"only":case"first":for(;h=h.previousSibling;)if(1===h.nodeType)return!1;if("first"===u)return!0;h=t;case"last":for(;h=h.nextSibling;)if(1===h.nodeType)return!1;return!0;case"nth":if(i=e[2],n=e[3],1===i&&0===n)return!0;if(o=e[0],r=t.parentNode,r&&(r[s]!==o||!t.nodeIndex)){for(a=0,h=r.firstChild;h;h=h.nextSibling)1===h.nodeType&&(h.nodeIndex=++a);r[s]=o}return l=t.nodeIndex-n,0===i?0===l:l%i===0&&l/i>=0}},ID:function(t,e){return 1===t.nodeType&&t.getAttribute("id")===e},TAG:function(t,e){return"*"===e&&1===t.nodeType||!!t.nodeName&&t.nodeName.toLowerCase()===e},CLASS:function(t,e){return(" "+(t.className||t.getAttribute("class"))+" ").indexOf(e)>-1},ATTR:function(t,e){var i=e[1],n=d.attr?d.attr(t,i):f.attrHandle[i]?f.attrHandle[i](t):null!=t[i]?t[i]:t.getAttribute(i),s=n+"",o=e[2],r=e[4];return null==n?"!="===o:!o&&d.attr?null!=n:"="===o?s===r:"*="===o?s.indexOf(r)>=0:"~="===o?(" "+s+" ").indexOf(r)>=0:r?"!="===o?s!==r:"^="===o?0===s.indexOf(r):"$="===o?s.substr(s.length-r.length)===r:"|="===o?s===r||s.substr(0,r.length+1)===r+"-":!1:s&&n!==!1},POS:function(t,e,i,n){var s=e[2],o=f.setFilters[s];return o?o(t,i,e,n):void 0}}},m=f.match.POS,g=function(t,e){return"\\"+(e-0+1)};for(var v in f.match)f.match[v]=new RegExp(f.match[v].source+/(?![^\[]*\])(?![^\(]*\))/.source),f.leftMatch[v]=new RegExp(/(^(?:.|\r|\n)*?)/.source+f.match[v].source.replace(/\\(\d+)/g,g));var y=function(t,e){return t=Array.prototype.slice.call(t,0),e?(e.push.apply(e,t),e):t};try{Array.prototype.slice.call(z.documentElement.childNodes,0)[0].nodeType}catch(b){y=function(t,e){var i=0,n=e||[];if("[object Array]"===r.call(t))Array.prototype.push.apply(n,t);else if("number"==typeof t.length)for(var s=t.length;s>i;i++)n.push(t[i]);else for(;t[i];i++)n.push(t[i]);return n}}var w,x;z.documentElement.compareDocumentPosition?w=function(t,e){return t===e?(a=!0,0):t.compareDocumentPosition&&e.compareDocumentPosition?4&t.compareDocumentPosition(e)?-1:1:t.compareDocumentPosition?-1:1}:(w=function(t,e){if(t===e)return a=!0,0;if(t.sourceIndex&&e.sourceIndex)return t.sourceIndex-e.sourceIndex;var i,n,s=[],o=[],r=t.parentNode,l=e.parentNode,u=r;if(r===l)return x(t,e);if(!r)return-1;if(!l)return 1;for(;u;)s.unshift(u),u=u.parentNode;for(u=l;u;)o.unshift(u),u=u.parentNode;i=s.length,n=o.length;for(var h=0;i>h&&n>h;h++)if(s[h]!==o[h])return x(s[h],o[h]);return h===i?x(t,o[h],-1):x(s[h],e,1)},x=function(t,e,i){if(t===e)return i;for(var n=t.nextSibling;n;){if(n===e)return-1;n=n.nextSibling}return 1}),function(){var t=z.createElement("div"),i="script"+(new Date).getTime(),n=z.documentElement;t.innerHTML="<a name='"+i+"'/>",n.insertBefore(t,n.firstChild),z.getElementById(i)&&(f.find.ID=function(t,i,n){if("undefined"!=typeof i.getElementById&&!n){var s=i.getElementById(t[1]);return s?s.id===t[1]||"undefined"!=typeof s.getAttributeNode&&s.getAttributeNode("id").nodeValue===t[1]?[s]:e:[]}},f.filter.ID=function(t,e){var i="undefined"!=typeof t.getAttributeNode&&t.getAttributeNode("id");return 1===t.nodeType&&i&&i.nodeValue===e}),n.removeChild(t),n=t=null}(),function(){var t=z.createElement("div");t.appendChild(z.createComment("")),t.getElementsByTagName("*").length>0&&(f.find.TAG=function(t,e){var i=e.getElementsByTagName(t[1]);if("*"===t[1]){for(var n=[],s=0;i[s];s++)1===i[s].nodeType&&n.push(i[s]);i=n}return i}),t.innerHTML="<a href='#'></a>",t.firstChild&&"undefined"!=typeof t.firstChild.getAttribute&&"#"!==t.firstChild.getAttribute("href")&&(f.attrHandle.href=function(t){return t.getAttribute("href",2)}),t=null}(),z.querySelectorAll&&!function(){var t=d,e=z.createElement("div"),i="__sizzle__";if(e.innerHTML="<p class='TEST'></p>",!e.querySelectorAll||0!==e.querySelectorAll(".TEST").length){d=function(e,n,s,o){if(n=n||z,!o&&!d.isXML(n)){var r=/^(\w+$)|^\.([\w\-]+$)|^#([\w\-]+$)/.exec(e);if(r&&(1===n.nodeType||9===n.nodeType)){if(r[1])return y(n.getElementsByTagName(e),s);if(r[2]&&f.find.CLASS&&n.getElementsByClassName)return y(n.getElementsByClassName(r[2]),s)}if(9===n.nodeType){if("body"===e&&n.body)return y([n.body],s);if(r&&r[3]){var a=n.getElementById(r[3]);if(!a||!a.parentNode)return y([],s);if(a.id===r[3])return y([a],s)}try{return y(n.querySelectorAll(e),s)}catch(l){}}else if(1===n.nodeType&&"object"!==n.nodeName.toLowerCase()){var u=n,h=n.getAttribute("id"),c=h||i,p=n.parentNode,m=/^\s*[+~]/.test(e);h?c=c.replace(/'/g,"\\$&"):n.setAttribute("id",c),m&&p&&(n=n.parentNode);try{if(!m||p)return y(n.querySelectorAll("[id='"+c+"'] "+e),s)}catch(g){}finally{h||u.removeAttribute("id")}}}return t(e,n,s,o)};for(var n in t)d[n]=t[n];e=null}}(),function(){var t=z.documentElement,e=t.matchesSelector||t.mozMatchesSelector||t.webkitMatchesSelector||t.msMatchesSelector;if(e){var i=!e.call(z.createElement("div"),"div"),n=!1;try{e.call(z.documentElement,"[test!='']:sizzle")}catch(s){n=!0}d.matchesSelector=function(t,s){if(s=s.replace(/\=\s*([^'"\]]*)\s*\]/g,"='$1']"),!d.isXML(t))try{if(n||!f.match.PSEUDO.test(s)&&!/!=/.test(s)){var o=e.call(t,s);if(o||!i||t.document&&11!==t.document.nodeType)return o}}catch(r){}return d(s,null,null,[t]).length>0}}}(),function(){var t=z.createElement("div");t.innerHTML="<div class='test e'></div><div class='test'></div>",t.getElementsByClassName&&0!==t.getElementsByClassName("e").length&&(t.lastChild.className="e",1!==t.getElementsByClassName("e").length&&(f.order.splice(1,0,"CLASS"),f.find.CLASS=function(t,e,i){return"undefined"==typeof e.getElementsByClassName||i?void 0:e.getElementsByClassName(t[1])},t=null))}(),d.contains=z.documentElement.contains?function(t,e){return t!==e&&(t.contains?t.contains(e):!0)}:z.documentElement.compareDocumentPosition?function(t,e){return!!(16&t.compareDocumentPosition(e))}:function(){return!1},d.isXML=function(t){var e=(t?t.ownerDocument||t:0).documentElement;return e?"HTML"!==e.nodeName:!1};var T=function(t,e,i){for(var n,s=[],o="",r=e.nodeType?[e]:e;n=f.match.PSEUDO.exec(t);)o+=n[0],t=t.replace(f.match.PSEUDO,"");t=f.relative[t]?t+"*":t;for(var a=0,l=r.length;l>a;a++)d(t,r[a],s,i);return d.filter(o,s)};d.attr=O.attr,d.selectors.attrMap={},O.find=d,O.expr=d.selectors,O.expr[":"]=O.expr.filters,O.unique=d.uniqueSort,O.text=d.getText,O.isXMLDoc=d.isXML,O.contains=d.contains}();var le=/Until$/,ue=/^(?:parents|prevUntil|prevAll)/,he=/,/,ce=/^.[^:#\[\.,]*$/,de=Array.prototype.slice,pe=O.expr.match.POS,fe={children:!0,contents:!0,next:!0,prev:!0};O.fn.extend({find:function(t){var e,i,n=this;if("string"!=typeof t)return O(t).filter(function(){for(e=0,i=n.length;i>e;e++)if(O.contains(n[e],this))return!0});var s,o,r,a=this.pushStack("","find",t);for(e=0,i=this.length;i>e;e++)if(s=a.length,O.find(t,this[e],a),e>0)for(o=s;o<a.length;o++)for(r=0;s>r;r++)if(a[r]===a[o]){a.splice(o--,1);break}return a},has:function(t){var e=O(t);return this.filter(function(){for(var t=0,i=e.length;i>t;t++)if(O.contains(this,e[t]))return!0})},not:function(t){return this.pushStack(u(this,t,!1),"not",t)},filter:function(t){return this.pushStack(u(this,t,!0),"filter",t)},is:function(t){return!!t&&("string"==typeof t?pe.test(t)?O(t,this.context).index(this[0])>=0:O.filter(t,this).length>0:this.filter(t).length>0)},closest:function(t,e){var i,n,s=[],o=this[0];if(O.isArray(t)){for(var r=1;o&&o.ownerDocument&&o!==e;){for(i=0;i<t.length;i++)O(o).is(t[i])&&s.push({selector:t[i],elem:o,level:r});o=o.parentNode,r++}return s}var a=pe.test(t)||"string"!=typeof t?O(t,e||this.context):0;for(i=0,n=this.length;n>i;i++)for(o=this[i];o;){if(a?a.index(o)>-1:O.find.matchesSelector(o,t)){s.push(o);break}if(o=o.parentNode,!o||!o.ownerDocument||o===e||11===o.nodeType)break}return s=s.length>1?O.unique(s):s,this.pushStack(s,"closest",t)},index:function(t){return t?"string"==typeof t?O.inArray(this[0],O(t)):O.inArray(t.jquery?t[0]:t,this):this[0]&&this[0].parentNode?this.prevAll().length:-1},add:function(t,e){var i="string"==typeof t?O(t,e):O.makeArray(t&&t.nodeType?[t]:t),n=O.merge(this.get(),i);return this.pushStack(l(i[0])||l(n[0])?n:O.unique(n))},andSelf:function(){return this.add(this.prevObject)}}),O.each({parent:function(t){var e=t.parentNode;return e&&11!==e.nodeType?e:null},parents:function(t){return O.dir(t,"parentNode")},parentsUntil:function(t,e,i){return O.dir(t,"parentNode",i)},next:function(t){return O.nth(t,2,"nextSibling")},prev:function(t){return O.nth(t,2,"previousSibling")},nextAll:function(t){return O.dir(t,"nextSibling")},prevAll:function(t){return O.dir(t,"previousSibling")},nextUntil:function(t,e,i){return O.dir(t,"nextSibling",i)},prevUntil:function(t,e,i){return O.dir(t,"previousSibling",i)},siblings:function(t){return O.sibling(t.parentNode.firstChild,t)},children:function(t){return O.sibling(t.firstChild)},contents:function(t){return O.nodeName(t,"iframe")?t.contentDocument||t.contentWindow.document:O.makeArray(t.childNodes)}},function(t,e){O.fn[t]=function(i,n){var s=O.map(this,e,i);return le.test(t)||(n=i),n&&"string"==typeof n&&(s=O.filter(n,s)),s=this.length>1&&!fe[t]?O.unique(s):s,(this.length>1||he.test(n))&&ue.test(t)&&(s=s.reverse()),this.pushStack(s,t,de.call(arguments).join(","))}}),O.extend({filter:function(t,e,i){return i&&(t=":not("+t+")"),1===e.length?O.find.matchesSelector(e[0],t)?[e[0]]:[]:O.find.matches(t,e)},dir:function(t,i,n){for(var s=[],o=t[i];o&&9!==o.nodeType&&(n===e||1!==o.nodeType||!O(o).is(n));)1===o.nodeType&&s.push(o),o=o[i];return s},nth:function(t,e,i){e=e||1;for(var n=0;t&&(1!==t.nodeType||++n!==e);t=t[i]);return t},sibling:function(t,e){for(var i=[];t;t=t.nextSibling)1===t.nodeType&&t!==e&&i.push(t);return i}});var me="abbr|article|aside|audio|canvas|datalist|details|figcaption|figure|footer|header|hgroup|mark|meter|nav|output|progress|section|summary|time|video",ge=/ jQuery\d+="(?:\d+|null)"/g,ve=/^\s+/,ye=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/gi,be=/<([\w:]+)/,we=/<tbody/i,xe=/<|&#?\w+;/,Te=/<(?:script|style)/i,Se=/<(?:script|object|embed|option|style)/i,Ce=new RegExp("<(?:"+me+")","i"),Me=/checked\s*(?:[^=]|=\s*.checked.)/i,Ne=/\/(java|ecma)script/i,Ee=/^\s*<!(?:\[CDATA\[|\-\-)/,De={option:[1,"<select multiple='multiple'>","</select>"],legend:[1,"<fieldset>","</fieldset>"],thead:[1,"<table>","</table>"],tr:[2,"<table><tbody>","</tbody></table>"],td:[3,"<table><tbody><tr>","</tr></tbody></table>"],col:[2,"<table><tbody></tbody><colgroup>","</colgroup></table>"],area:[1,"<map>","</map>"],_default:[0,"",""]},_e=h(z);De.optgroup=De.option,De.tbody=De.tfoot=De.colgroup=De.caption=De.thead,De.th=De.td,O.support.htmlSerialize||(De._default=[1,"div<div>","</div>"]),O.fn.extend({text:function(t){return O.isFunction(t)?this.each(function(e){var i=O(this);i.text(t.call(this,e,i.text()))}):"object"!=typeof t&&t!==e?this.empty().append((this[0]&&this[0].ownerDocument||z).createTextNode(t)):O.text(this)},wrapAll:function(t){if(O.isFunction(t))return this.each(function(e){O(this).wrapAll(t.call(this,e))});if(this[0]){var e=O(t,this[0].ownerDocument).eq(0).clone(!0);this[0].parentNode&&e.insertBefore(this[0]),e.map(function(){for(var t=this;t.firstChild&&1===t.firstChild.nodeType;)t=t.firstChild;return t}).append(this)}return this},wrapInner:function(t){return this.each(O.isFunction(t)?function(e){O(this).wrapInner(t.call(this,e))}:function(){var e=O(this),i=e.contents();i.length?i.wrapAll(t):e.append(t)})},wrap:function(t){var e=O.isFunction(t);return this.each(function(i){O(this).wrapAll(e?t.call(this,i):t)})},unwrap:function(){return this.parent().each(function(){O.nodeName(this,"body")||O(this).replaceWith(this.childNodes)}).end()},append:function(){return this.domManip(arguments,!0,function(t){1===this.nodeType&&this.appendChild(t)})},prepend:function(){return this.domManip(arguments,!0,function(t){1===this.nodeType&&this.insertBefore(t,this.firstChild)})},before:function(){if(this[0]&&this[0].parentNode)return this.domManip(arguments,!1,function(t){this.parentNode.insertBefore(t,this)});if(arguments.length){var t=O.clean(arguments);return t.push.apply(t,this.toArray()),this.pushStack(t,"before",arguments)}},after:function(){if(this[0]&&this[0].parentNode)return this.domManip(arguments,!1,function(t){this.parentNode.insertBefore(t,this.nextSibling)});if(arguments.length){var t=this.pushStack(this,"after",arguments);return t.push.apply(t,O.clean(arguments)),t}},remove:function(t,e){for(var i,n=0;null!=(i=this[n]);n++)(!t||O.filter(t,[i]).length)&&(e||1!==i.nodeType||(O.cleanData(i.getElementsByTagName("*")),O.cleanData([i])),i.parentNode&&i.parentNode.removeChild(i));return this},empty:function(){for(var t,e=0;null!=(t=this[e]);e++)for(1===t.nodeType&&O.cleanData(t.getElementsByTagName("*"));t.firstChild;)t.removeChild(t.firstChild);return this},clone:function(t,e){return t=null==t?!1:t,e=null==e?t:e,this.map(function(){return O.clone(this,t,e)})},html:function(t){if(t===e)return this[0]&&1===this[0].nodeType?this[0].innerHTML.replace(ge,""):null;if("string"!=typeof t||Te.test(t)||!O.support.leadingWhitespace&&ve.test(t)||De[(be.exec(t)||["",""])[1].toLowerCase()])O.isFunction(t)?this.each(function(e){var i=O(this);i.html(t.call(this,e,i.html()))}):this.empty().append(t);else{t=t.replace(ye,"<$1></$2>");try{for(var i=0,n=this.length;n>i;i++)1===this[i].nodeType&&(O.cleanData(this[i].getElementsByTagName("*")),this[i].innerHTML=t)}catch(s){this.empty().append(t)}}return this},replaceWith:function(t){return this[0]&&this[0].parentNode?O.isFunction(t)?this.each(function(e){var i=O(this),n=i.html();i.replaceWith(t.call(this,e,n))}):("string"!=typeof t&&(t=O(t).detach()),this.each(function(){var e=this.nextSibling,i=this.parentNode;O(this).remove(),e?O(e).before(t):O(i).append(t)})):this.length?this.pushStack(O(O.isFunction(t)?t():t),"replaceWith",t):this},detach:function(t){return this.remove(t,!0)},domManip:function(t,i,n){var s,o,r,a,l=t[0],u=[];if(!O.support.checkClone&&3===arguments.length&&"string"==typeof l&&Me.test(l))return this.each(function(){O(this).domManip(t,i,n,!0)});if(O.isFunction(l))return this.each(function(s){var o=O(this);t[0]=l.call(this,s,i?o.html():e),o.domManip(t,i,n)});if(this[0]){if(a=l&&l.parentNode,s=O.support.parentNode&&a&&11===a.nodeType&&a.childNodes.length===this.length?{fragment:a}:O.buildFragment(t,this,u),r=s.fragment,o=1===r.childNodes.length?r=r.firstChild:r.firstChild){i=i&&O.nodeName(o,"tr");for(var h=0,d=this.length,p=d-1;d>h;h++)n.call(i?c(this[h],o):this[h],s.cacheable||d>1&&p>h?O.clone(r,!0,!0):r)}u.length&&O.each(u,y)}return this}}),O.buildFragment=function(t,e,i){var n,s,o,r,a=t[0];return e&&e[0]&&(r=e[0].ownerDocument||e[0]),r.createDocumentFragment||(r=z),!(1===t.length&&"string"==typeof a&&a.length<512&&r===z&&"<"===a.charAt(0))||Se.test(a)||!O.support.checkClone&&Me.test(a)||!O.support.html5Clone&&Ce.test(a)||(s=!0,o=O.fragments[a],o&&1!==o&&(n=o)),n||(n=r.createDocumentFragment(),O.clean(t,r,n,i)),s&&(O.fragments[a]=o?n:1),{fragment:n,cacheable:s}},O.fragments={},O.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(t,e){O.fn[t]=function(i){var n=[],s=O(i),o=1===this.length&&this[0].parentNode;if(o&&11===o.nodeType&&1===o.childNodes.length&&1===s.length)return s[e](this[0]),this;for(var r=0,a=s.length;a>r;r++){var l=(r>0?this.clone(!0):this).get();O(s[r])[e](l),n=n.concat(l)}return this.pushStack(n,t,s.selector)}}),O.extend({clone:function(t,e,i){var n,s,o,r=O.support.html5Clone||!Ce.test("<"+t.nodeName)?t.cloneNode(!0):v(t);if(!(O.support.noCloneEvent&&O.support.noCloneChecked||1!==t.nodeType&&11!==t.nodeType||O.isXMLDoc(t)))for(p(t,r),n=f(t),s=f(r),o=0;n[o];++o)s[o]&&p(n[o],s[o]);if(e&&(d(t,r),i))for(n=f(t),s=f(r),o=0;n[o];++o)d(n[o],s[o]);return n=s=null,r},clean:function(t,e,i,n){var s;e=e||z,"undefined"==typeof e.createElement&&(e=e.ownerDocument||e[0]&&e[0].ownerDocument||z);for(var o,r,a=[],l=0;null!=(r=t[l]);l++)if("number"==typeof r&&(r+=""),r){if("string"==typeof r)if(xe.test(r)){r=r.replace(ye,"<$1></$2>");var u=(be.exec(r)||["",""])[1].toLowerCase(),c=De[u]||De._default,d=c[0],p=e.createElement("div");for(e===z?_e.appendChild(p):h(e).appendChild(p),p.innerHTML=c[1]+r+c[2];d--;)p=p.lastChild;if(!O.support.tbody){var f=we.test(r),m="table"!==u||f?"<table>"!==c[1]||f?[]:p.childNodes:p.firstChild&&p.firstChild.childNodes;for(o=m.length-1;o>=0;--o)O.nodeName(m[o],"tbody")&&!m[o].childNodes.length&&m[o].parentNode.removeChild(m[o])}!O.support.leadingWhitespace&&ve.test(r)&&p.insertBefore(e.createTextNode(ve.exec(r)[0]),p.firstChild),r=p.childNodes}else r=e.createTextNode(r);var v;if(!O.support.appendChecked)if(r[0]&&"number"==typeof(v=r.length))for(o=0;v>o;o++)g(r[o]);else g(r);r.nodeType?a.push(r):a=O.merge(a,r)}if(i)for(s=function(t){return!t.type||Ne.test(t.type)},l=0;a[l];l++)if(!n||!O.nodeName(a[l],"script")||a[l].type&&"text/javascript"!==a[l].type.toLowerCase()){if(1===a[l].nodeType){var y=O.grep(a[l].getElementsByTagName("script"),s);a.splice.apply(a,[l+1,0].concat(y))}i.appendChild(a[l])}else n.push(a[l].parentNode?a[l].parentNode.removeChild(a[l]):a[l]);return a},cleanData:function(t){for(var e,i,n,s=O.cache,o=O.event.special,r=O.support.deleteExpando,a=0;null!=(n=t[a]);a++)if((!n.nodeName||!O.noData[n.nodeName.toLowerCase()])&&(i=n[O.expando])){if(e=s[i],e&&e.events){for(var l in e.events)o[l]?O.event.remove(n,l):O.removeEvent(n,l,e.handle);e.handle&&(e.handle.elem=null)}r?delete n[O.expando]:n.removeAttribute&&n.removeAttribute(O.expando),delete s[i]}}});var ke,Ae,He,ze=/alpha\([^)]*\)/i,Ie=/opacity=([^)]*)/,Le=/([A-Z]|^ms)/g,Oe=/^-?\d+(?:px)?$/i,Fe=/^-?\d/,Pe=/^([\-+])=([\-+.\de]+)/,je={position:"absolute",visibility:"hidden",display:"block"},We=["Left","Right"],$e=["Top","Bottom"];O.fn.css=function(t,i){return 2===arguments.length&&i===e?this:O.access(this,t,i,!0,function(t,i,n){return n!==e?O.style(t,i,n):O.css(t,i)})},O.extend({cssHooks:{opacity:{get:function(t,e){if(e){var i=ke(t,"opacity","opacity");return""===i?"1":i}return t.style.opacity}}},cssNumber:{fillOpacity:!0,fontWeight:!0,lineHeight:!0,opacity:!0,orphans:!0,widows:!0,zIndex:!0,zoom:!0},cssProps:{"float":O.support.cssFloat?"cssFloat":"styleFloat"},style:function(t,i,n,s){if(t&&3!==t.nodeType&&8!==t.nodeType&&t.style){var o,r,a=O.camelCase(i),l=t.style,u=O.cssHooks[a];if(i=O.cssProps[a]||a,n===e)return u&&"get"in u&&(o=u.get(t,!1,s))!==e?o:l[i];if(r=typeof n,"string"===r&&(o=Pe.exec(n))&&(n=+(o[1]+1)*+o[2]+parseFloat(O.css(t,i)),r="number"),!(null==n||"number"===r&&isNaN(n)||("number"!==r||O.cssNumber[a]||(n+="px"),u&&"set"in u&&(n=u.set(t,n))===e)))try{l[i]=n}catch(h){}}},css:function(t,i,n){var s,o;return i=O.camelCase(i),o=O.cssHooks[i],i=O.cssProps[i]||i,"cssFloat"===i&&(i="float"),o&&"get"in o&&(s=o.get(t,!0,n))!==e?s:ke?ke(t,i):void 0},swap:function(t,e,i){var n={};for(var s in e)n[s]=t.style[s],t.style[s]=e[s];i.call(t);for(s in e)t.style[s]=n[s]}}),O.curCSS=O.css,O.each(["height","width"],function(t,e){O.cssHooks[e]={get:function(t,i,n){var s;return i?0!==t.offsetWidth?b(t,e,n):(O.swap(t,je,function(){s=b(t,e,n)}),s):void 0},set:function(t,e){return Oe.test(e)?(e=parseFloat(e),e>=0?e+"px":void 0):e}}}),O.support.opacity||(O.cssHooks.opacity={get:function(t,e){return Ie.test((e&&t.currentStyle?t.currentStyle.filter:t.style.filter)||"")?parseFloat(RegExp.$1)/100+"":e?"1":""},set:function(t,e){var i=t.style,n=t.currentStyle,s=O.isNumeric(e)?"alpha(opacity="+100*e+")":"",o=n&&n.filter||i.filter||"";i.zoom=1,e>=1&&""===O.trim(o.replace(ze,""))&&(i.removeAttribute("filter"),n&&!n.filter)||(i.filter=ze.test(o)?o.replace(ze,s):o+" "+s)}}),O(function(){O.support.reliableMarginRight||(O.cssHooks.marginRight={get:function(t,e){var i;return O.swap(t,{display:"inline-block"},function(){i=e?ke(t,"margin-right","marginRight"):t.style.marginRight}),i}})}),z.defaultView&&z.defaultView.getComputedStyle&&(Ae=function(t,e){var i,n,s;return e=e.replace(Le,"-$1").toLowerCase(),(n=t.ownerDocument.defaultView)&&(s=n.getComputedStyle(t,null))&&(i=s.getPropertyValue(e),""!==i||O.contains(t.ownerDocument.documentElement,t)||(i=O.style(t,e))),i}),z.documentElement.currentStyle&&(He=function(t,e){var i,n,s,o=t.currentStyle&&t.currentStyle[e],r=t.style;return null===o&&r&&(s=r[e])&&(o=s),!Oe.test(o)&&Fe.test(o)&&(i=r.left,n=t.runtimeStyle&&t.runtimeStyle.left,n&&(t.runtimeStyle.left=t.currentStyle.left),r.left="fontSize"===e?"1em":o||0,o=r.pixelLeft+"px",r.left=i,n&&(t.runtimeStyle.left=n)),""===o?"auto":o}),ke=Ae||He,O.expr&&O.expr.filters&&(O.expr.filters.hidden=function(t){var e=t.offsetWidth,i=t.offsetHeight;return 0===e&&0===i||!O.support.reliableHiddenOffsets&&"none"===(t.style&&t.style.display||O.css(t,"display"))},O.expr.filters.visible=function(t){return!O.expr.filters.hidden(t)});var Re,Be,qe=/%20/g,Xe=/\[\]$/,Ye=/\r?\n/g,Ue=/#.*$/,Ve=/^(.*?):[ \t]*([^\r\n]*)\r?$/gm,Qe=/^(?:color|date|datetime|datetime-local|email|hidden|month|number|password|range|search|tel|text|time|url|week)$/i,Ge=/^(?:about|app|app\-storage|.+\-extension|file|res|widget):$/,Ke=/^(?:GET|HEAD)$/,Je=/^\/\//,Ze=/\?/,ti=/<script\b[^<]*(?:(?!<\/script>)<[^<]*)*<\/script>/gi,ei=/^(?:select|textarea)/i,ii=/\s+/,ni=/([?&])_=[^&]*/,si=/^([\w\+\.\-]+:)(?:\/\/([^\/?#:]*)(?::(\d+))?)?/,oi=O.fn.load,ri={},ai={},li=["*/"]+["*"];try{Re=L.href}catch(ui){Re=z.createElement("a"),Re.href="",Re=Re.href}Be=si.exec(Re.toLowerCase())||[],O.fn.extend({load:function(t,i,n){if("string"!=typeof t&&oi)return oi.apply(this,arguments);if(!this.length)return this;var s=t.indexOf(" ");if(s>=0){var o=t.slice(s,t.length);t=t.slice(0,s)}var r="GET";i&&(O.isFunction(i)?(n=i,i=e):"object"==typeof i&&(i=O.param(i,O.ajaxSettings.traditional),r="POST"));var a=this;return O.ajax({url:t,type:r,dataType:"html",data:i,complete:function(t,e,i){i=t.responseText,t.isResolved()&&(t.done(function(t){i=t}),a.html(o?O("<div>").append(i.replace(ti,"")).find(o):i)),n&&a.each(n,[i,e,t])}}),this},serialize:function(){return O.param(this.serializeArray())},serializeArray:function(){return this.map(function(){return this.elements?O.makeArray(this.elements):this}).filter(function(){return this.name&&!this.disabled&&(this.checked||ei.test(this.nodeName)||Qe.test(this.type))}).map(function(t,e){var i=O(this).val();return null==i?null:O.isArray(i)?O.map(i,function(t){return{name:e.name,value:t.replace(Ye,"\r\n")}}):{name:e.name,value:i.replace(Ye,"\r\n")}}).get()}}),O.each("ajaxStart ajaxStop ajaxComplete ajaxError ajaxSuccess ajaxSend".split(" "),function(t,e){O.fn[e]=function(t){return this.on(e,t)}}),O.each(["get","post"],function(t,i){O[i]=function(t,n,s,o){return O.isFunction(n)&&(o=o||s,s=n,n=e),O.ajax({type:i,url:t,data:n,success:s,dataType:o})}}),O.extend({getScript:function(t,i){return O.get(t,e,i,"script")},getJSON:function(t,e,i){return O.get(t,e,i,"json")},ajaxSetup:function(t,e){return e?T(t,O.ajaxSettings):(e=t,t=O.ajaxSettings),T(t,e),t},ajaxSettings:{url:Re,isLocal:Ge.test(Be[1]),global:!0,type:"GET",contentType:"application/x-www-form-urlencoded",processData:!0,async:!0,accepts:{xml:"application/xml, text/xml",html:"text/html",text:"text/plain",json:"application/json, text/javascript","*":li},contents:{xml:/xml/,html:/html/,json:/json/},responseFields:{xml:"responseXML",text:"responseText"},converters:{"* text":t.String,"text html":!0,"text json":O.parseJSON,"text xml":O.parseXML},flatOptions:{context:!0,url:!0}},ajaxPrefilter:w(ri),ajaxTransport:w(ai),ajax:function(t,i){function n(t,i,n,r){if(2!==w){w=2,l&&clearTimeout(l),a=e,o=r||"",T.readyState=t>0?4:0;var u,c,y,b,x,S=i,N=n?C(d,T,n):e;if(t>=200&&300>t||304===t)if(d.ifModified&&((b=T.getResponseHeader("Last-Modified"))&&(O.lastModified[s]=b),(x=T.getResponseHeader("Etag"))&&(O.etag[s]=x)),304===t)S="notmodified",u=!0;else try{c=M(d,N),S="success",u=!0}catch(E){S="parsererror",y=E}else y=S,(!S||t)&&(S="error",0>t&&(t=0));T.status=t,T.statusText=""+(i||S),u?m.resolveWith(p,[c,S,T]):m.rejectWith(p,[T,S,y]),T.statusCode(v),v=e,h&&f.trigger("ajax"+(u?"Success":"Error"),[T,d,u?c:y]),g.fireWith(p,[T,S]),h&&(f.trigger("ajaxComplete",[T,d]),--O.active||O.event.trigger("ajaxStop"))}}"object"==typeof t&&(i=t,t=e),i=i||{};var s,o,r,a,l,u,h,c,d=O.ajaxSetup({},i),p=d.context||d,f=p!==d&&(p.nodeType||p instanceof O)?O(p):O.event,m=O.Deferred(),g=O.Callbacks("once memory"),v=d.statusCode||{},y={},b={},w=0,T={readyState:0,setRequestHeader:function(t,e){if(!w){var i=t.toLowerCase();
t=b[i]=b[i]||t,y[t]=e}return this},getAllResponseHeaders:function(){return 2===w?o:null},getResponseHeader:function(t){var i;if(2===w){if(!r)for(r={};i=Ve.exec(o);)r[i[1].toLowerCase()]=i[2];i=r[t.toLowerCase()]}return i===e?null:i},overrideMimeType:function(t){return w||(d.mimeType=t),this},abort:function(t){return t=t||"abort",a&&a.abort(t),n(0,t),this}};if(m.promise(T),T.success=T.done,T.error=T.fail,T.complete=g.add,T.statusCode=function(t){if(t){var e;if(2>w)for(e in t)v[e]=[v[e],t[e]];else e=t[T.status],T.then(e,e)}return this},d.url=((t||d.url)+"").replace(Ue,"").replace(Je,Be[1]+"//"),d.dataTypes=O.trim(d.dataType||"*").toLowerCase().split(ii),null==d.crossDomain&&(u=si.exec(d.url.toLowerCase()),d.crossDomain=!(!u||u[1]==Be[1]&&u[2]==Be[2]&&(u[3]||("http:"===u[1]?80:443))==(Be[3]||("http:"===Be[1]?80:443)))),d.data&&d.processData&&"string"!=typeof d.data&&(d.data=O.param(d.data,d.traditional)),x(ri,d,i,T),2===w)return!1;if(h=d.global,d.type=d.type.toUpperCase(),d.hasContent=!Ke.test(d.type),h&&0===O.active++&&O.event.trigger("ajaxStart"),!d.hasContent&&(d.data&&(d.url+=(Ze.test(d.url)?"&":"?")+d.data,delete d.data),s=d.url,d.cache===!1)){var S=O.now(),N=d.url.replace(ni,"$1_="+S);d.url=N+(N===d.url?(Ze.test(d.url)?"&":"?")+"_="+S:"")}(d.data&&d.hasContent&&d.contentType!==!1||i.contentType)&&T.setRequestHeader("Content-Type",d.contentType),d.ifModified&&(s=s||d.url,O.lastModified[s]&&T.setRequestHeader("If-Modified-Since",O.lastModified[s]),O.etag[s]&&T.setRequestHeader("If-None-Match",O.etag[s])),T.setRequestHeader("Accept",d.dataTypes[0]&&d.accepts[d.dataTypes[0]]?d.accepts[d.dataTypes[0]]+("*"!==d.dataTypes[0]?", "+li+"; q=0.01":""):d.accepts["*"]);for(c in d.headers)T.setRequestHeader(c,d.headers[c]);if(d.beforeSend&&(d.beforeSend.call(p,T,d)===!1||2===w))return T.abort(),!1;for(c in{success:1,error:1,complete:1})T[c](d[c]);if(a=x(ai,d,i,T)){T.readyState=1,h&&f.trigger("ajaxSend",[T,d]),d.async&&d.timeout>0&&(l=setTimeout(function(){T.abort("timeout")},d.timeout));try{w=1,a.send(y,n)}catch(E){if(!(2>w))throw E;n(-1,E)}}else n(-1,"No Transport");return T},param:function(t,i){var n=[],s=function(t,e){e=O.isFunction(e)?e():e,n[n.length]=encodeURIComponent(t)+"="+encodeURIComponent(e)};if(i===e&&(i=O.ajaxSettings.traditional),O.isArray(t)||t.jquery&&!O.isPlainObject(t))O.each(t,function(){s(this.name,this.value)});else for(var o in t)S(o,t[o],i,s);return n.join("&").replace(qe,"+")}}),O.extend({active:0,lastModified:{},etag:{}});var hi=O.now(),ci=/(\=)\?(&|$)|\?\?/i;O.ajaxSetup({jsonp:"callback",jsonpCallback:function(){return O.expando+"_"+hi++}}),O.ajaxPrefilter("json jsonp",function(e,i,n){var s="application/x-www-form-urlencoded"===e.contentType&&"string"==typeof e.data;if("jsonp"===e.dataTypes[0]||e.jsonp!==!1&&(ci.test(e.url)||s&&ci.test(e.data))){var o,r=e.jsonpCallback=O.isFunction(e.jsonpCallback)?e.jsonpCallback():e.jsonpCallback,a=t[r],l=e.url,u=e.data,h="$1"+r+"$2";return e.jsonp!==!1&&(l=l.replace(ci,h),e.url===l&&(s&&(u=u.replace(ci,h)),e.data===u&&(l+=(/\?/.test(l)?"&":"?")+e.jsonp+"="+r))),e.url=l,e.data=u,t[r]=function(t){o=[t]},n.always(function(){t[r]=a,o&&O.isFunction(a)&&t[r](o[0])}),e.converters["script json"]=function(){return o||O.error(r+" was not called"),o[0]},e.dataTypes[0]="json","script"}}),O.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/javascript|ecmascript/},converters:{"text script":function(t){return O.globalEval(t),t}}}),O.ajaxPrefilter("script",function(t){t.cache===e&&(t.cache=!1),t.crossDomain&&(t.type="GET",t.global=!1)}),O.ajaxTransport("script",function(t){if(t.crossDomain){var i,n=z.head||z.getElementsByTagName("head")[0]||z.documentElement;return{send:function(s,o){i=z.createElement("script"),i.async="async",t.scriptCharset&&(i.charset=t.scriptCharset),i.src=t.url,i.onload=i.onreadystatechange=function(t,s){(s||!i.readyState||/loaded|complete/.test(i.readyState))&&(i.onload=i.onreadystatechange=null,n&&i.parentNode&&n.removeChild(i),i=e,s||o(200,"success"))},n.insertBefore(i,n.firstChild)},abort:function(){i&&i.onload(0,1)}}}});var di,pi=t.ActiveXObject?function(){for(var t in di)di[t](0,1)}:!1,fi=0;O.ajaxSettings.xhr=t.ActiveXObject?function(){return!this.isLocal&&N()||E()}:N,function(t){O.extend(O.support,{ajax:!!t,cors:!!t&&"withCredentials"in t})}(O.ajaxSettings.xhr()),O.support.ajax&&O.ajaxTransport(function(i){if(!i.crossDomain||O.support.cors){var n;return{send:function(s,o){var r,a,l=i.xhr();if(i.username?l.open(i.type,i.url,i.async,i.username,i.password):l.open(i.type,i.url,i.async),i.xhrFields)for(a in i.xhrFields)l[a]=i.xhrFields[a];i.mimeType&&l.overrideMimeType&&l.overrideMimeType(i.mimeType),i.crossDomain||s["X-Requested-With"]||(s["X-Requested-With"]="XMLHttpRequest");try{for(a in s)l.setRequestHeader(a,s[a])}catch(u){}l.send(i.hasContent&&i.data||null),n=function(t,s){var a,u,h,c,d;try{if(n&&(s||4===l.readyState))if(n=e,r&&(l.onreadystatechange=O.noop,pi&&delete di[r]),s)4!==l.readyState&&l.abort();else{a=l.status,h=l.getAllResponseHeaders(),c={},d=l.responseXML,d&&d.documentElement&&(c.xml=d),c.text=l.responseText;try{u=l.statusText}catch(p){u=""}a||!i.isLocal||i.crossDomain?1223===a&&(a=204):a=c.text?200:404}}catch(f){s||o(-1,f)}c&&o(a,u,c,h)},i.async&&4!==l.readyState?(r=++fi,pi&&(di||(di={},O(t).unload(pi)),di[r]=n),l.onreadystatechange=n):n()},abort:function(){n&&n(0,1)}}}});var mi,gi,vi,yi,bi={},wi=/^(?:toggle|show|hide)$/,xi=/^([+\-]=)?([\d+.\-]+)([a-z%]*)$/i,Ti=[["height","marginTop","marginBottom","paddingTop","paddingBottom"],["width","marginLeft","marginRight","paddingLeft","paddingRight"],["opacity"]];O.fn.extend({show:function(t,e,i){var n,s;if(t||0===t)return this.animate(k("show",3),t,e,i);for(var o=0,r=this.length;r>o;o++)n=this[o],n.style&&(s=n.style.display,O._data(n,"olddisplay")||"none"!==s||(s=n.style.display=""),""===s&&"none"===O.css(n,"display")&&O._data(n,"olddisplay",A(n.nodeName)));for(o=0;r>o;o++)n=this[o],n.style&&(s=n.style.display,(""===s||"none"===s)&&(n.style.display=O._data(n,"olddisplay")||""));return this},hide:function(t,e,i){if(t||0===t)return this.animate(k("hide",3),t,e,i);for(var n,s,o=0,r=this.length;r>o;o++)n=this[o],n.style&&(s=O.css(n,"display"),"none"===s||O._data(n,"olddisplay")||O._data(n,"olddisplay",s));for(o=0;r>o;o++)this[o].style&&(this[o].style.display="none");return this},_toggle:O.fn.toggle,toggle:function(t,e,i){var n="boolean"==typeof t;return O.isFunction(t)&&O.isFunction(e)?this._toggle.apply(this,arguments):null==t||n?this.each(function(){var e=n?t:O(this).is(":hidden");O(this)[e?"show":"hide"]()}):this.animate(k("toggle",3),t,e,i),this},fadeTo:function(t,e,i,n){return this.filter(":hidden").css("opacity",0).show().end().animate({opacity:e},t,i,n)},animate:function(t,e,i,n){function s(){o.queue===!1&&O._mark(this);var e,i,n,s,r,a,l,u,h,c=O.extend({},o),d=1===this.nodeType,p=d&&O(this).is(":hidden");c.animatedProperties={};for(n in t){if(e=O.camelCase(n),n!==e&&(t[e]=t[n],delete t[n]),i=t[e],O.isArray(i)?(c.animatedProperties[e]=i[1],i=t[e]=i[0]):c.animatedProperties[e]=c.specialEasing&&c.specialEasing[e]||c.easing||"swing","hide"===i&&p||"show"===i&&!p)return c.complete.call(this);!d||"height"!==e&&"width"!==e||(c.overflow=[this.style.overflow,this.style.overflowX,this.style.overflowY],"inline"===O.css(this,"display")&&"none"===O.css(this,"float")&&(O.support.inlineBlockNeedsLayout&&"inline"!==A(this.nodeName)?this.style.zoom=1:this.style.display="inline-block"))}null!=c.overflow&&(this.style.overflow="hidden");for(n in t)s=new O.fx(this,c,n),i=t[n],wi.test(i)?(h=O._data(this,"toggle"+n)||("toggle"===i?p?"show":"hide":0),h?(O._data(this,"toggle"+n,"show"===h?"hide":"show"),s[h]()):s[i]()):(r=xi.exec(i),a=s.cur(),r?(l=parseFloat(r[2]),u=r[3]||(O.cssNumber[n]?"":"px"),"px"!==u&&(O.style(this,n,(l||1)+u),a=(l||1)/s.cur()*a,O.style(this,n,a+u)),r[1]&&(l=("-="===r[1]?-1:1)*l+a),s.custom(a,l,u)):s.custom(a,i,""));return!0}var o=O.speed(e,i,n);return O.isEmptyObject(t)?this.each(o.complete,[!1]):(t=O.extend({},t),o.queue===!1?this.each(s):this.queue(o.queue,s))},stop:function(t,i,n){return"string"!=typeof t&&(n=i,i=t,t=e),i&&t!==!1&&this.queue(t||"fx",[]),this.each(function(){function e(t,e,i){var s=e[i];O.removeData(t,i,!0),s.stop(n)}var i,s=!1,o=O.timers,r=O._data(this);if(n||O._unmark(!0,this),null==t)for(i in r)r[i]&&r[i].stop&&i.indexOf(".run")===i.length-4&&e(this,r,i);else r[i=t+".run"]&&r[i].stop&&e(this,r,i);for(i=o.length;i--;)o[i].elem!==this||null!=t&&o[i].queue!==t||(n?o[i](!0):o[i].saveState(),s=!0,o.splice(i,1));n&&s||O.dequeue(this,t)})}}),O.each({slideDown:k("show",1),slideUp:k("hide",1),slideToggle:k("toggle",1),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"},fadeToggle:{opacity:"toggle"}},function(t,e){O.fn[t]=function(t,i,n){return this.animate(e,t,i,n)}}),O.extend({speed:function(t,e,i){var n=t&&"object"==typeof t?O.extend({},t):{complete:i||!i&&e||O.isFunction(t)&&t,duration:t,easing:i&&e||e&&!O.isFunction(e)&&e};return n.duration=O.fx.off?0:"number"==typeof n.duration?n.duration:n.duration in O.fx.speeds?O.fx.speeds[n.duration]:O.fx.speeds._default,(null==n.queue||n.queue===!0)&&(n.queue="fx"),n.old=n.complete,n.complete=function(t){O.isFunction(n.old)&&n.old.call(this),n.queue?O.dequeue(this,n.queue):t!==!1&&O._unmark(this)},n},easing:{linear:function(t,e,i,n){return i+n*t},swing:function(t,e,i,n){return(-Math.cos(t*Math.PI)/2+.5)*n+i}},timers:[],fx:function(t,e,i){this.options=e,this.elem=t,this.prop=i,e.orig=e.orig||{}}}),O.fx.prototype={update:function(){this.options.step&&this.options.step.call(this.elem,this.now,this),(O.fx.step[this.prop]||O.fx.step._default)(this)},cur:function(){if(null!=this.elem[this.prop]&&(!this.elem.style||null==this.elem.style[this.prop]))return this.elem[this.prop];var t,e=O.css(this.elem,this.prop);return isNaN(t=parseFloat(e))?e&&"auto"!==e?e:0:t},custom:function(t,i,n){function s(t){return o.step(t)}var o=this,r=O.fx;this.startTime=yi||D(),this.end=i,this.now=this.start=t,this.pos=this.state=0,this.unit=n||this.unit||(O.cssNumber[this.prop]?"":"px"),s.queue=this.options.queue,s.elem=this.elem,s.saveState=function(){o.options.hide&&O._data(o.elem,"fxshow"+o.prop)===e&&O._data(o.elem,"fxshow"+o.prop,o.start)},s()&&O.timers.push(s)&&!vi&&(vi=setInterval(r.tick,r.interval))},show:function(){var t=O._data(this.elem,"fxshow"+this.prop);this.options.orig[this.prop]=t||O.style(this.elem,this.prop),this.options.show=!0,t!==e?this.custom(this.cur(),t):this.custom("width"===this.prop||"height"===this.prop?1:0,this.cur()),O(this.elem).show()},hide:function(){this.options.orig[this.prop]=O._data(this.elem,"fxshow"+this.prop)||O.style(this.elem,this.prop),this.options.hide=!0,this.custom(this.cur(),0)},step:function(t){var e,i,n,s=yi||D(),o=!0,r=this.elem,a=this.options;if(t||s>=a.duration+this.startTime){this.now=this.end,this.pos=this.state=1,this.update(),a.animatedProperties[this.prop]=!0;for(e in a.animatedProperties)a.animatedProperties[e]!==!0&&(o=!1);if(o){if(null==a.overflow||O.support.shrinkWrapBlocks||O.each(["","X","Y"],function(t,e){r.style["overflow"+e]=a.overflow[t]}),a.hide&&O(r).hide(),a.hide||a.show)for(e in a.animatedProperties)O.style(r,e,a.orig[e]),O.removeData(r,"fxshow"+e,!0),O.removeData(r,"toggle"+e,!0);n=a.complete,n&&(a.complete=!1,n.call(r))}return!1}return 1/0==a.duration?this.now=s:(i=s-this.startTime,this.state=i/a.duration,this.pos=O.easing[a.animatedProperties[this.prop]](this.state,i,0,1,a.duration),this.now=this.start+(this.end-this.start)*this.pos),this.update(),!0}},O.extend(O.fx,{tick:function(){for(var t,e=O.timers,i=0;i<e.length;i++)t=e[i],t()||e[i]!==t||e.splice(i--,1);e.length||O.fx.stop()},interval:13,stop:function(){clearInterval(vi),vi=null},speeds:{slow:600,fast:200,_default:400},step:{opacity:function(t){O.style(t.elem,"opacity",t.now)},_default:function(t){t.elem.style&&null!=t.elem.style[t.prop]?t.elem.style[t.prop]=t.now+t.unit:t.elem[t.prop]=t.now}}}),O.each(["width","height"],function(t,e){O.fx.step[e]=function(t){O.style(t.elem,e,Math.max(0,t.now)+t.unit)}}),O.expr&&O.expr.filters&&(O.expr.filters.animated=function(t){return O.grep(O.timers,function(e){return t===e.elem}).length});var Si=/^t(?:able|d|h)$/i,Ci=/^(?:body|html)$/i;O.fn.offset="getBoundingClientRect"in z.documentElement?function(t){var e,i=this[0];if(t)return this.each(function(e){O.offset.setOffset(this,t,e)});if(!i||!i.ownerDocument)return null;if(i===i.ownerDocument.body)return O.offset.bodyOffset(i);try{e=i.getBoundingClientRect()}catch(n){}var s=i.ownerDocument,o=s.documentElement;if(!e||!O.contains(o,i))return e?{top:e.top,left:e.left}:{top:0,left:0};var r=s.body,a=H(s),l=o.clientTop||r.clientTop||0,u=o.clientLeft||r.clientLeft||0,h=a.pageYOffset||O.support.boxModel&&o.scrollTop||r.scrollTop,c=a.pageXOffset||O.support.boxModel&&o.scrollLeft||r.scrollLeft,d=e.top+h-l,p=e.left+c-u;return{top:d,left:p}}:function(t){var e=this[0];if(t)return this.each(function(e){O.offset.setOffset(this,t,e)});if(!e||!e.ownerDocument)return null;if(e===e.ownerDocument.body)return O.offset.bodyOffset(e);for(var i,n=e.offsetParent,s=e,o=e.ownerDocument,r=o.documentElement,a=o.body,l=o.defaultView,u=l?l.getComputedStyle(e,null):e.currentStyle,h=e.offsetTop,c=e.offsetLeft;(e=e.parentNode)&&e!==a&&e!==r&&(!O.support.fixedPosition||"fixed"!==u.position);)i=l?l.getComputedStyle(e,null):e.currentStyle,h-=e.scrollTop,c-=e.scrollLeft,e===n&&(h+=e.offsetTop,c+=e.offsetLeft,!O.support.doesNotAddBorder||O.support.doesAddBorderForTableAndCells&&Si.test(e.nodeName)||(h+=parseFloat(i.borderTopWidth)||0,c+=parseFloat(i.borderLeftWidth)||0),s=n,n=e.offsetParent),O.support.subtractsBorderForOverflowNotVisible&&"visible"!==i.overflow&&(h+=parseFloat(i.borderTopWidth)||0,c+=parseFloat(i.borderLeftWidth)||0),u=i;return("relative"===u.position||"static"===u.position)&&(h+=a.offsetTop,c+=a.offsetLeft),O.support.fixedPosition&&"fixed"===u.position&&(h+=Math.max(r.scrollTop,a.scrollTop),c+=Math.max(r.scrollLeft,a.scrollLeft)),{top:h,left:c}},O.offset={bodyOffset:function(t){var e=t.offsetTop,i=t.offsetLeft;return O.support.doesNotIncludeMarginInBodyOffset&&(e+=parseFloat(O.css(t,"marginTop"))||0,i+=parseFloat(O.css(t,"marginLeft"))||0),{top:e,left:i}},setOffset:function(t,e,i){var n=O.css(t,"position");"static"===n&&(t.style.position="relative");var s,o,r=O(t),a=r.offset(),l=O.css(t,"top"),u=O.css(t,"left"),h=("absolute"===n||"fixed"===n)&&O.inArray("auto",[l,u])>-1,c={},d={};h?(d=r.position(),s=d.top,o=d.left):(s=parseFloat(l)||0,o=parseFloat(u)||0),O.isFunction(e)&&(e=e.call(t,i,a)),null!=e.top&&(c.top=e.top-a.top+s),null!=e.left&&(c.left=e.left-a.left+o),"using"in e?e.using.call(t,c):r.css(c)}},O.fn.extend({position:function(){if(!this[0])return null;var t=this[0],e=this.offsetParent(),i=this.offset(),n=Ci.test(e[0].nodeName)?{top:0,left:0}:e.offset();return i.top-=parseFloat(O.css(t,"marginTop"))||0,i.left-=parseFloat(O.css(t,"marginLeft"))||0,n.top+=parseFloat(O.css(e[0],"borderTopWidth"))||0,n.left+=parseFloat(O.css(e[0],"borderLeftWidth"))||0,{top:i.top-n.top,left:i.left-n.left}},offsetParent:function(){return this.map(function(){for(var t=this.offsetParent||z.body;t&&!Ci.test(t.nodeName)&&"static"===O.css(t,"position");)t=t.offsetParent;return t})}}),O.each(["Left","Top"],function(t,i){var n="scroll"+i;O.fn[n]=function(i){var s,o;return i===e?(s=this[0])?(o=H(s),o?"pageXOffset"in o?o[t?"pageYOffset":"pageXOffset"]:O.support.boxModel&&o.document.documentElement[n]||o.document.body[n]:s[n]):null:this.each(function(){o=H(this),o?o.scrollTo(t?O(o).scrollLeft():i,t?i:O(o).scrollTop()):this[n]=i})}}),O.each(["Height","Width"],function(t,i){var n=i.toLowerCase();O.fn["inner"+i]=function(){var t=this[0];return t?t.style?parseFloat(O.css(t,n,"padding")):this[n]():null},O.fn["outer"+i]=function(t){var e=this[0];return e?e.style?parseFloat(O.css(e,n,t?"margin":"border")):this[n]():null},O.fn[n]=function(t){var s=this[0];if(!s)return null==t?null:this;if(O.isFunction(t))return this.each(function(e){var i=O(this);i[n](t.call(this,e,i[n]()))});if(O.isWindow(s)){var o=s.document.documentElement["client"+i],r=s.document.body;return"CSS1Compat"===s.document.compatMode&&o||r&&r["client"+i]||o}if(9===s.nodeType)return Math.max(s.documentElement["client"+i],s.body["scroll"+i],s.documentElement["scroll"+i],s.body["offset"+i],s.documentElement["offset"+i]);if(t===e){var a=O.css(s,n),l=parseFloat(a);return O.isNumeric(l)?l:a}return this.css(n,"string"==typeof t?t:t+"px")}}),t.jQuery=t.$=O,"function"==typeof define&&define.amd&&define.amd.jQuery&&define("jquery",[],function(){return O})}(window),/*
* jQuery UI 1.8.18
*
* Copyright 2011, AUTHORS.txt (http://jqueryui.com/about)
* Dual licensed under the MIT or GPL Version 2 licenses.
* http://jquery.org/license
*
* http://docs.jquery.com/UI
*/
function(t,e){function i(e,i){var s=e.nodeName.toLowerCase();if("area"===s){var o,r=e.parentNode,a=r.name;return e.href&&a&&"map"===r.nodeName.toLowerCase()?(o=t("img[usemap=#"+a+"]")[0],!!o&&n(o)):!1}return(/input|select|textarea|button|object/.test(s)?!e.disabled:"a"==s?e.href||i:i)&&n(e)}function n(e){return!t(e).parents().andSelf().filter(function(){return"hidden"===t.curCSS(this,"visibility")||t.expr.filters.hidden(this)}).length}t.ui=t.ui||{},t.ui.version||(t.extend(t.ui,{version:"1.8.18",keyCode:{ALT:18,BACKSPACE:8,CAPS_LOCK:20,COMMA:188,COMMAND:91,COMMAND_LEFT:91,COMMAND_RIGHT:93,CONTROL:17,DELETE:46,DOWN:40,END:35,ENTER:13,ESCAPE:27,HOME:36,INSERT:45,LEFT:37,MENU:93,NUMPAD_ADD:107,NUMPAD_DECIMAL:110,NUMPAD_DIVIDE:111,NUMPAD_ENTER:108,NUMPAD_MULTIPLY:106,NUMPAD_SUBTRACT:109,PAGE_DOWN:34,PAGE_UP:33,PERIOD:190,RIGHT:39,SHIFT:16,SPACE:32,TAB:9,UP:38,WINDOWS:91}}),t.fn.extend({propAttr:t.fn.prop||t.fn.attr,_focus:t.fn.focus,focus:function(e,i){return"number"==typeof e?this.each(function(){var n=this;setTimeout(function(){t(n).focus(),i&&i.call(n)},e)}):this._focus.apply(this,arguments)},scrollParent:function(){var e;return e=t.browser.msie&&/(static|relative)/.test(this.css("position"))||/absolute/.test(this.css("position"))?this.parents().filter(function(){return/(relative|absolute|fixed)/.test(t.curCSS(this,"position",1))&&/(auto|scroll)/.test(t.curCSS(this,"overflow",1)+t.curCSS(this,"overflow-y",1)+t.curCSS(this,"overflow-x",1))}).eq(0):this.parents().filter(function(){return/(auto|scroll)/.test(t.curCSS(this,"overflow",1)+t.curCSS(this,"overflow-y",1)+t.curCSS(this,"overflow-x",1))}).eq(0),/fixed/.test(this.css("position"))||!e.length?t(document):e},zIndex:function(i){if(i!==e)return this.css("zIndex",i);if(this.length)for(var n,s,o=t(this[0]);o.length&&o[0]!==document;){if(n=o.css("position"),("absolute"===n||"relative"===n||"fixed"===n)&&(s=parseInt(o.css("zIndex"),10),!isNaN(s)&&0!==s))return s;o=o.parent()}return 0},disableSelection:function(){return this.bind((t.support.selectstart?"selectstart":"mousedown")+".ui-disableSelection",function(t){t.preventDefault()})},enableSelection:function(){return this.unbind(".ui-disableSelection")}}),t.each(["Width","Height"],function(i,n){function s(e,i,n,s){return t.each(o,function(){i-=parseFloat(t.curCSS(e,"padding"+this,!0))||0,n&&(i-=parseFloat(t.curCSS(e,"border"+this+"Width",!0))||0),s&&(i-=parseFloat(t.curCSS(e,"margin"+this,!0))||0)}),i}var o="Width"===n?["Left","Right"]:["Top","Bottom"],r=n.toLowerCase(),a={innerWidth:t.fn.innerWidth,innerHeight:t.fn.innerHeight,outerWidth:t.fn.outerWidth,outerHeight:t.fn.outerHeight};t.fn["inner"+n]=function(i){return i===e?a["inner"+n].call(this):this.each(function(){t(this).css(r,s(this,i)+"px")})},t.fn["outer"+n]=function(e,i){return"number"!=typeof e?a["outer"+n].call(this,e):this.each(function(){t(this).css(r,s(this,e,!0,i)+"px")})}}),t.extend(t.expr[":"],{data:function(e,i,n){return!!t.data(e,n[3])},focusable:function(e){return i(e,!isNaN(t.attr(e,"tabindex")))},tabbable:function(e){var n=t.attr(e,"tabindex"),s=isNaN(n);return(s||n>=0)&&i(e,!s)}}),t(function(){var e=document.body,i=e.appendChild(i=document.createElement("div"));i.offsetHeight,t.extend(i.style,{minHeight:"100px",height:"auto",padding:0,borderWidth:0}),t.support.minHeight=100===i.offsetHeight,t.support.selectstart="onselectstart"in i,e.removeChild(i).style.display="none"}),t.extend(t.ui,{plugin:{add:function(e,i,n){var s=t.ui[e].prototype;for(var o in n)s.plugins[o]=s.plugins[o]||[],s.plugins[o].push([i,n[o]])},call:function(t,e,i){var n=t.plugins[e];if(n&&t.element[0].parentNode)for(var s=0;s<n.length;s++)t.options[n[s][0]]&&n[s][1].apply(t.element,i)}},contains:function(t,e){return document.compareDocumentPosition?16&t.compareDocumentPosition(e):t!==e&&t.contains(e)},hasScroll:function(e,i){if("hidden"===t(e).css("overflow"))return!1;var n=i&&"left"===i?"scrollLeft":"scrollTop",s=!1;return e[n]>0?!0:(e[n]=1,s=e[n]>0,e[n]=0,s)},isOverAxis:function(t,e,i){return t>e&&e+i>t},isOver:function(e,i,n,s,o,r){return t.ui.isOverAxis(e,n,o)&&t.ui.isOverAxis(i,s,r)}}))}(jQuery),/*
* jQuery UI Widget 1.8.18
*
* Copyright 2011, AUTHORS.txt (http://jqueryui.com/about)
* Dual licensed under the MIT or GPL Version 2 licenses.
* http://jquery.org/license
*
* http://docs.jquery.com/UI/Widget
*/
function(t,e){if(t.cleanData){var i=t.cleanData;t.cleanData=function(e){for(var n,s=0;null!=(n=e[s]);s++)try{t(n).triggerHandler("remove")}catch(o){}i(e)}}else{var n=t.fn.remove;t.fn.remove=function(e,i){return this.each(function(){return i||(!e||t.filter(e,[this]).length)&&t("*",this).add([this]).each(function(){try{t(this).triggerHandler("remove")}catch(e){}}),n.call(t(this),e,i)})}}t.widget=function(e,i,n){var s,o=e.split(".")[0];e=e.split(".")[1],s=o+"-"+e,n||(n=i,i=t.Widget),t.expr[":"][s]=function(i){return!!t.data(i,e)},t[o]=t[o]||{},t[o][e]=function(t,e){arguments.length&&this._createWidget(t,e)};var r=new i;r.options=t.extend(!0,{},r.options),t[o][e].prototype=t.extend(!0,r,{namespace:o,widgetName:e,widgetEventPrefix:t[o][e].prototype.widgetEventPrefix||e,widgetBaseClass:s},n),t.widget.bridge(e,t[o][e])},t.widget.bridge=function(i,n){t.fn[i]=function(s){var o="string"==typeof s,r=Array.prototype.slice.call(arguments,1),a=this;return s=!o&&r.length?t.extend.apply(null,[!0,s].concat(r)):s,o&&"_"===s.charAt(0)?a:(this.each(o?function(){var n=t.data(this,i),o=n&&t.isFunction(n[s])?n[s].apply(n,r):n;return o!==n&&o!==e?(a=o,!1):void 0}:function(){var e=t.data(this,i);e?e.option(s||{})._init():t.data(this,i,new n(s,this))}),a)}},t.Widget=function(t,e){arguments.length&&this._createWidget(t,e)},t.Widget.prototype={widgetName:"widget",widgetEventPrefix:"",options:{disabled:!1},_createWidget:function(e,i){t.data(i,this.widgetName,this),this.element=t(i),this.options=t.extend(!0,{},this.options,this._getCreateOptions(),e);var n=this;this.element.bind("remove."+this.widgetName,function(){n.destroy()}),this._create(),this._trigger("create"),this._init()},_getCreateOptions:function(){return t.metadata&&t.metadata.get(this.element[0])[this.widgetName]},_create:function(){},_init:function(){},destroy:function(){this.element.unbind("."+this.widgetName).removeData(this.widgetName),this.widget().unbind("."+this.widgetName).removeAttr("aria-disabled").removeClass(this.widgetBaseClass+"-disabled ui-state-disabled")},widget:function(){return this.element},option:function(i,n){var s=i;if(0===arguments.length)return t.extend({},this.options);if("string"==typeof i){if(n===e)return this.options[i];s={},s[i]=n}return this._setOptions(s),this},_setOptions:function(e){var i=this;return t.each(e,function(t,e){i._setOption(t,e)}),this},_setOption:function(t,e){return this.options[t]=e,"disabled"===t&&this.widget()[e?"addClass":"removeClass"](this.widgetBaseClass+"-disabled ui-state-disabled").attr("aria-disabled",e),this},enable:function(){return this._setOption("disabled",!1)},disable:function(){return this._setOption("disabled",!0)},_trigger:function(e,i,n){var s,o,r=this.options[e];if(n=n||{},i=t.Event(i),i.type=(e===this.widgetEventPrefix?e:this.widgetEventPrefix+e).toLowerCase(),i.target=this.element[0],o=i.originalEvent)for(s in o)s in i||(i[s]=o[s]);return this.element.trigger(i,n),!(t.isFunction(r)&&r.call(this.element[0],i,n)===!1||i.isDefaultPrevented())}}}(jQuery),/*
* jQuery UI Mouse 1.8.18
*
* Copyright 2011, AUTHORS.txt (http://jqueryui.com/about)
* Dual licensed under the MIT or GPL Version 2 licenses.
* http://jquery.org/license
*
* http://docs.jquery.com/UI/Mouse
*
* Depends:
* jquery.ui.widget.js
*/
function(t){var e=!1;t(document).mouseup(function(){e=!1}),t.widget("ui.mouse",{options:{cancel:":input,option",distance:1,delay:0},_mouseInit:function(){var e=this;this.element.bind("mousedown."+this.widgetName,function(t){return e._mouseDown(t)}).bind("click."+this.widgetName,function(i){return!0===t.data(i.target,e.widgetName+".preventClickEvent")?(t.removeData(i.target,e.widgetName+".preventClickEvent"),i.stopImmediatePropagation(),!1):void 0}),this.started=!1},_mouseDestroy:function(){this.element.unbind("."+this.widgetName)},_mouseDown:function(i){if(!e){this._mouseStarted&&this._mouseUp(i),this._mouseDownEvent=i;var n=this,s=1==i.which,o="string"==typeof this.options.cancel&&i.target.nodeName?t(i.target).closest(this.options.cancel).length:!1;return s&&!o&&this._mouseCapture(i)?(this.mouseDelayMet=!this.options.delay,this.mouseDelayMet||(this._mouseDelayTimer=setTimeout(function(){n.mouseDelayMet=!0},this.options.delay)),this._mouseDistanceMet(i)&&this._mouseDelayMet(i)&&(this._mouseStarted=this._mouseStart(i)!==!1,!this._mouseStarted)?(i.preventDefault(),!0):(!0===t.data(i.target,this.widgetName+".preventClickEvent")&&t.removeData(i.target,this.widgetName+".preventClickEvent"),this._mouseMoveDelegate=function(t){return n._mouseMove(t)},this._mouseUpDelegate=function(t){return n._mouseUp(t)},t(document).bind("mousemove."+this.widgetName,this._mouseMoveDelegate).bind("mouseup."+this.widgetName,this._mouseUpDelegate),i.preventDefault(),e=!0,!0)):!0}},_mouseMove:function(e){return!t.browser.msie||document.documentMode>=9||e.button?this._mouseStarted?(this._mouseDrag(e),e.preventDefault()):(this._mouseDistanceMet(e)&&this._mouseDelayMet(e)&&(this._mouseStarted=this._mouseStart(this._mouseDownEvent,e)!==!1,this._mouseStarted?this._mouseDrag(e):this._mouseUp(e)),!this._mouseStarted):this._mouseUp(e)},_mouseUp:function(e){return t(document).unbind("mousemove."+this.widgetName,this._mouseMoveDelegate).unbind("mouseup."+this.widgetName,this._mouseUpDelegate),this._mouseStarted&&(this._mouseStarted=!1,e.target==this._mouseDownEvent.target&&t.data(e.target,this.widgetName+".preventClickEvent",!0),this._mouseStop(e)),!1},_mouseDistanceMet:function(t){return Math.max(Math.abs(this._mouseDownEvent.pageX-t.pageX),Math.abs(this._mouseDownEvent.pageY-t.pageY))>=this.options.distance},_mouseDelayMet:function(){return this.mouseDelayMet},_mouseStart:function(){},_mouseDrag:function(){},_mouseStop:function(){},_mouseCapture:function(){return!0}})}(jQuery),function(t){t.widget("ui.resizable",t.ui.mouse,{widgetEventPrefix:"resize",options:{alsoResize:!1,animate:!1,animateDuration:"slow",animateEasing:"swing",aspectRatio:!1,autoHide:!1,containment:!1,ghost:!1,grid:!1,handles:"e,s,se",helper:!1,maxHeight:null,maxWidth:null,minHeight:10,minWidth:10,zIndex:1e3},_create:function(){var e=this,i=this.options;if(this.element.addClass("ui-resizable"),t.extend(this,{_aspectRatio:!!i.aspectRatio,aspectRatio:i.aspectRatio,originalElement:this.element,_proportionallyResizeElements:[],_helper:i.helper||i.ghost||i.animate?i.helper||"ui-resizable-helper":null}),this.element[0].nodeName.match(/canvas|textarea|input|select|button|img/i)&&(this.element.wrap(t('<div class="ui-wrapper" style="overflow: hidden;"></div>').css({position:this.element.css("position"),width:this.element.outerWidth(),height:this.element.outerHeight(),top:this.element.css("top"),left:this.element.css("left")})),this.element=this.element.parent().data("resizable",this.element.data("resizable")),this.elementIsWrapper=!0,this.element.css({marginLeft:this.originalElement.css("marginLeft"),marginTop:this.originalElement.css("marginTop"),marginRight:this.originalElement.css("marginRight"),marginBottom:this.originalElement.css("marginBottom")}),this.originalElement.css({marginLeft:0,marginTop:0,marginRight:0,marginBottom:0}),this.originalResizeStyle=this.originalElement.css("resize"),this.originalElement.css("resize","none"),this._proportionallyResizeElements.push(this.originalElement.css({position:"static",zoom:1,display:"block"})),this.originalElement.css({margin:this.originalElement.css("margin")}),this._proportionallyResize()),this.handles=i.handles||(t(".ui-resizable-handle",this.element).length?{n:".ui-resizable-n",e:".ui-resizable-e",s:".ui-resizable-s",w:".ui-resizable-w",se:".ui-resizable-se",sw:".ui-resizable-sw",ne:".ui-resizable-ne",nw:".ui-resizable-nw"}:"e,s,se"),this.handles.constructor==String){"all"==this.handles&&(this.handles="n,e,s,w,se,sw,ne,nw");var n=this.handles.split(",");this.handles={};for(var s=0;s<n.length;s++){var o=t.trim(n[s]),r="ui-resizable-"+o,a=t('<div class="ui-resizable-handle '+r+'"></div>');/sw|se|ne|nw/.test(o)&&a.css({zIndex:++i.zIndex}),"se"==o&&a.addClass("ui-icon ui-icon-gripsmall-diagonal-se"),this.handles[o]=".ui-resizable-"+o,this.element.append(a)}}this._renderAxis=function(e){e=e||this.element;for(var i in this.handles){if(this.handles[i].constructor==String&&(this.handles[i]=t(this.handles[i],this.element).show()),this.elementIsWrapper&&this.originalElement[0].nodeName.match(/textarea|input|select|button/i)){var n=t(this.handles[i],this.element),s=0;s=/sw|ne|nw|se|n|s/.test(i)?n.outerHeight():n.outerWidth();var o=["padding",/ne|nw|n/.test(i)?"Top":/se|sw|s/.test(i)?"Bottom":/^e$/.test(i)?"Right":"Left"].join("");e.css(o,s),this._proportionallyResize()}t(this.handles[i]).length}},this._renderAxis(this.element),this._handles=t(".ui-resizable-handle",this.element).disableSelection(),this._handles.mouseover(function(){if(!e.resizing){if(this.className)var t=this.className.match(/ui-resizable-(se|sw|ne|nw|n|e|s|w)/i);e.axis=t&&t[1]?t[1]:"se"}}),i.autoHide&&(this._handles.hide(),t(this.element).addClass("ui-resizable-autohide").hover(function(){i.disabled||(t(this).removeClass("ui-resizable-autohide"),e._handles.show())},function(){i.disabled||e.resizing||(t(this).addClass("ui-resizable-autohide"),e._handles.hide())})),this._mouseInit()},destroy:function(){this._mouseDestroy();var e=function(e){t(e).removeClass("ui-resizable ui-resizable-disabled ui-resizable-resizing").removeData("resizable").unbind(".resizable").find(".ui-resizable-handle").remove()};if(this.elementIsWrapper){e(this.element);var i=this.element;i.after(this.originalElement.css({position:i.css("position"),width:i.outerWidth(),height:i.outerHeight(),top:i.css("top"),left:i.css("left")})).remove()}return this.originalElement.css("resize",this.originalResizeStyle),e(this.originalElement),this},_mouseCapture:function(e){var i=!1;for(var n in this.handles)t(this.handles[n])[0]==e.target&&(i=!0);return!this.options.disabled&&i},_mouseStart:function(i){var n=this.options,s=this.element.position(),o=this.element;this.resizing=!0,this.documentScroll={top:t(document).scrollTop(),left:t(document).scrollLeft()},(o.is(".ui-draggable")||/absolute/.test(o.css("position")))&&o.css({position:"absolute",top:s.top,left:s.left}),this._renderProxy();var r=e(this.helper.css("left")),a=e(this.helper.css("top"));n.containment&&(r+=t(n.containment).scrollLeft()||0,a+=t(n.containment).scrollTop()||0),this.offset=this.helper.offset(),this.position={left:r,top:a},this.size=this._helper?{width:o.outerWidth(),height:o.outerHeight()}:{width:o.width(),height:o.height()},this.originalSize=this._helper?{width:o.outerWidth(),height:o.outerHeight()}:{width:o.width(),height:o.height()},this.originalPosition={left:r,top:a},this.sizeDiff={width:o.outerWidth()-o.width(),height:o.outerHeight()-o.height()},this.originalMousePosition={left:i.pageX,top:i.pageY},this.aspectRatio="number"==typeof n.aspectRatio?n.aspectRatio:this.originalSize.width/this.originalSize.height||1;var l=t(".ui-resizable-"+this.axis).css("cursor");return t("body").css("cursor","auto"==l?this.axis+"-resize":l),o.addClass("ui-resizable-resizing"),this._propagate("start",i),!0},_mouseDrag:function(e){var i=this.helper,n=(this.options,this.originalMousePosition),s=this.axis,o=e.pageX-n.left||0,r=e.pageY-n.top||0,a=this._change[s];if(!a)return!1;{var l=a.apply(this,[e,o,r]);t.browser.msie&&t.browser.version<7,this.sizeDiff}return this._updateVirtualBoundaries(e.shiftKey),(this._aspectRatio||e.shiftKey)&&(l=this._updateRatio(l,e)),l=this._respectSize(l,e),this._propagate("resize",e),i.css({top:this.position.top+"px",left:this.position.left+"px",width:this.size.width+"px",height:this.size.height+"px"}),!this._helper&&this._proportionallyResizeElements.length&&this._proportionallyResize(),this._updateCache(l),this._trigger("resize",e,this.ui()),!1},_mouseStop:function(e){this.resizing=!1;var i=this.options,n=this;if(this._helper){var s=this._proportionallyResizeElements,o=s.length&&/textarea/i.test(s[0].nodeName),r=o&&t.ui.hasScroll(s[0],"left")?0:n.sizeDiff.height,a=o?0:n.sizeDiff.width,l={width:n.helper.width()-a,height:n.helper.height()-r},u=parseInt(n.element.css("left"),10)+(n.position.left-n.originalPosition.left)||null,h=parseInt(n.element.css("top"),10)+(n.position.top-n.originalPosition.top)||null;i.animate||this.element.css(t.extend(l,{top:h,left:u})),n.helper.height(n.size.height),n.helper.width(n.size.width),this._helper&&!i.animate&&this._proportionallyResize()}return t("body").css("cursor","auto"),this.element.removeClass("ui-resizable-resizing"),this._propagate("stop",e),this._helper&&this.helper.remove(),!1},_updateVirtualBoundaries:function(t){var e,n,s,o,r,a=this.options;r={minWidth:i(a.minWidth)?a.minWidth:0,maxWidth:i(a.maxWidth)?a.maxWidth:1/0,minHeight:i(a.minHeight)?a.minHeight:0,maxHeight:i(a.maxHeight)?a.maxHeight:1/0},(this._aspectRatio||t)&&(e=r.minHeight*this.aspectRatio,s=r.minWidth/this.aspectRatio,n=r.maxHeight*this.aspectRatio,o=r.maxWidth/this.aspectRatio,e>r.minWidth&&(r.minWidth=e),s>r.minHeight&&(r.minHeight=s),n<r.maxWidth&&(r.maxWidth=n),o<r.maxHeight&&(r.maxHeight=o)),this._vBoundaries=r},_updateCache:function(t){this.options;this.offset=this.helper.offset(),i(t.left)&&(this.position.left=t.left),i(t.top)&&(this.position.top=t.top),i(t.height)&&(this.size.height=t.height),i(t.width)&&(this.size.width=t.width)},_updateRatio:function(t){var e=(this.options,this.position),n=this.size,s=this.axis;return i(t.height)?t.width=t.height*this.aspectRatio:i(t.width)&&(t.height=t.width/this.aspectRatio),"sw"==s&&(t.left=e.left+(n.width-t.width),t.top=null),"nw"==s&&(t.top=e.top+(n.height-t.height),t.left=e.left+(n.width-t.width)),t},_respectSize:function(t,e){var n=(this.helper,this._vBoundaries),s=(this._aspectRatio||e.shiftKey,this.axis),o=i(t.width)&&n.maxWidth&&n.maxWidth<t.width,r=i(t.height)&&n.maxHeight&&n.maxHeight<t.height,a=i(t.width)&&n.minWidth&&n.minWidth>t.width,l=i(t.height)&&n.minHeight&&n.minHeight>t.height;a&&(t.width=n.minWidth),l&&(t.height=n.minHeight),o&&(t.width=n.maxWidth),r&&(t.height=n.maxHeight);var u=this.originalPosition.left+this.originalSize.width,h=this.position.top+this.size.height,c=/sw|nw|w/.test(s),d=/nw|ne|n/.test(s);a&&c&&(t.left=u-n.minWidth),o&&c&&(t.left=u-n.maxWidth),l&&d&&(t.top=h-n.minHeight),r&&d&&(t.top=h-n.maxHeight);var p=!t.width&&!t.height;return p&&!t.left&&t.top?t.top=null:p&&!t.top&&t.left&&(t.left=null),t},_proportionallyResize:function(){this.options;if(this._proportionallyResizeElements.length)for(var e=this.helper||this.element,i=0;i<this._proportionallyResizeElements.length;i++){var n=this._proportionallyResizeElements[i];if(!this.borderDif){var s=[n.css("borderTopWidth"),n.css("borderRightWidth"),n.css("borderBottomWidth"),n.css("borderLeftWidth")],o=[n.css("paddingTop"),n.css("paddingRight"),n.css("paddingBottom"),n.css("paddingLeft")];this.borderDif=t.map(s,function(t,e){var i=parseInt(t,10)||0,n=parseInt(o[e],10)||0;return i+n})}t.browser.msie&&(t(e).is(":hidden")||t(e).parents(":hidden").length)||n.css({height:e.height()-this.borderDif[0]-this.borderDif[2]||0,width:e.width()-this.borderDif[1]-this.borderDif[3]||0})}},_renderProxy:function(){var e=this.element,i=this.options;if(this.elementOffset=e.offset(),this._helper){this.helper=this.helper||t('<div style="overflow:hidden;"></div>');var n=t.browser.msie&&t.browser.version<7,s=n?1:0,o=n?2:-1;this.helper.addClass(this._helper).css({width:this.element.outerWidth()+o,height:this.element.outerHeight()+o,position:"absolute",left:this.elementOffset.left-s+"px",top:this.elementOffset.top-s+"px",zIndex:++i.zIndex}),this.helper.appendTo("body").disableSelection()}else this.helper=this.element},_change:{e:function(t,e){return{width:this.originalSize.width+e}},w:function(t,e){var i=(this.options,this.originalSize),n=this.originalPosition;return{left:n.left+e,width:i.width-e}},n:function(t,e,i){var n=(this.options,this.originalSize),s=this.originalPosition;return{top:s.top+i,height:n.height-i}},s:function(t,e,i){return{height:this.originalSize.height+i}},se:function(e,i,n){return t.extend(this._change.s.apply(this,arguments),this._change.e.apply(this,[e,i,n]))},sw:function(e,i,n){return t.extend(this._change.s.apply(this,arguments),this._change.w.apply(this,[e,i,n]))},ne:function(e,i,n){return t.extend(this._change.n.apply(this,arguments),this._change.e.apply(this,[e,i,n]))},nw:function(e,i,n){return t.extend(this._change.n.apply(this,arguments),this._change.w.apply(this,[e,i,n]))}},_propagate:function(e,i){t.ui.plugin.call(this,e,[i,this.ui()]),"resize"!=e&&this._trigger(e,i,this.ui())},plugins:{},ui:function(){return{originalElement:this.originalElement,element:this.element,helper:this.helper,position:this.position,size:this.size,originalSize:this.originalSize,originalPosition:this.originalPosition}}}),t.extend(t.ui.resizable,{version:"1.8.18"}),t.ui.plugin.add("resizable","alsoResize",{start:function(){var e=t(this).data("resizable"),i=e.options,n=function(e){t(e).each(function(){var e=t(this);e.data("resizable-alsoresize",{width:parseInt(e.width(),10),height:parseInt(e.height(),10),left:parseInt(e.css("left"),10),top:parseInt(e.css("top"),10)})})};"object"!=typeof i.alsoResize||i.alsoResize.parentNode?n(i.alsoResize):i.alsoResize.length?(i.alsoResize=i.alsoResize[0],n(i.alsoResize)):t.each(i.alsoResize,function(t){n(t)})},resize:function(e,i){var n=t(this).data("resizable"),s=n.options,o=n.originalSize,r=n.originalPosition,a={height:n.size.height-o.height||0,width:n.size.width-o.width||0,top:n.position.top-r.top||0,left:n.position.left-r.left||0},l=function(e,n){t(e).each(function(){var e=t(this),s=t(this).data("resizable-alsoresize"),o={},r=n&&n.length?n:e.parents(i.originalElement[0]).length?["width","height"]:["width","height","top","left"];t.each(r,function(t,e){var i=(s[e]||0)+(a[e]||0);i&&i>=0&&(o[e]=i||null)}),e.css(o)})};"object"!=typeof s.alsoResize||s.alsoResize.nodeType?l(s.alsoResize):t.each(s.alsoResize,function(t,e){l(t,e)})},stop:function(){t(this).removeData("resizable-alsoresize")}}),t.ui.plugin.add("resizable","animate",{stop:function(e){var i=t(this).data("resizable"),n=i.options,s=i._proportionallyResizeElements,o=s.length&&/textarea/i.test(s[0].nodeName),r=o&&t.ui.hasScroll(s[0],"left")?0:i.sizeDiff.height,a=o?0:i.sizeDiff.width,l={width:i.size.width-a,height:i.size.height-r},u=parseInt(i.element.css("left"),10)+(i.position.left-i.originalPosition.left)||null,h=parseInt(i.element.css("top"),10)+(i.position.top-i.originalPosition.top)||null;i.element.animate(t.extend(l,h&&u?{top:h,left:u}:{}),{duration:n.animateDuration,easing:n.animateEasing,step:function(){var n={width:parseInt(i.element.css("width"),10),height:parseInt(i.element.css("height"),10),top:parseInt(i.element.css("top"),10),left:parseInt(i.element.css("left"),10)};s&&s.length&&t(s[0]).css({width:n.width,height:n.height}),i._updateCache(n),i._propagate("resize",e)}})}}),t.ui.plugin.add("resizable","containment",{start:function(){var i=t(this).data("resizable"),n=i.options,s=i.element,o=n.containment,r=o instanceof t?o.get(0):/parent/.test(o)?s.parent().get(0):o;if(r)if(i.containerElement=t(r),/document/.test(o)||o==document)i.containerOffset={left:0,top:0},i.containerPosition={left:0,top:0},i.parentData={element:t(document),left:0,top:0,width:t(document).width(),height:t(document).height()||document.body.parentNode.scrollHeight};else{var a=t(r),l=[];t(["Top","Right","Left","Bottom"]).each(function(t,i){l[t]=e(a.css("padding"+i))}),i.containerOffset=a.offset(),i.containerPosition=a.position(),i.containerSize={height:a.innerHeight()-l[3],width:a.innerWidth()-l[1]};var u=i.containerOffset,h=i.containerSize.height,c=i.containerSize.width,d=t.ui.hasScroll(r,"left")?r.scrollWidth:c,p=t.ui.hasScroll(r)?r.scrollHeight:h;i.parentData={element:r,left:u.left,top:u.top,width:d,height:p}}},resize:function(e){var i=t(this).data("resizable"),n=i.options,s=(i.containerSize,i.containerOffset),o=(i.size,i.position),r=i._aspectRatio||e.shiftKey,a={top:0,left:0},l=i.containerElement;l[0]!=document&&/static/.test(l.css("position"))&&(a=s),o.left<(i._helper?s.left:0)&&(i.size.width=i.size.width+(i._helper?i.position.left-s.left:i.position.left-a.left),r&&(i.size.height=i.size.width/n.aspectRatio),i.position.left=n.helper?s.left:0),o.top<(i._helper?s.top:0)&&(i.size.height=i.size.height+(i._helper?i.position.top-s.top:i.position.top),r&&(i.size.width=i.size.height*n.aspectRatio),i.position.top=i._helper?s.top:0),i.offset.left=i.parentData.left+i.position.left,i.offset.top=i.parentData.top+i.position.top;var u=Math.abs((i._helper?i.offset.left-a.left:i.offset.left-a.left)+i.sizeDiff.width),h=Math.abs((i._helper?i.offset.top-a.top:i.offset.top-s.top)+i.sizeDiff.height),c=i.containerElement.get(0)==i.element.parent().get(0),d=/relative|absolute/.test(i.containerElement.css("position"));c&&d&&(u-=i.parentData.left),u+i.size.width>=i.parentData.width&&(i.size.width=i.parentData.width-u,r&&(i.size.height=i.size.width/i.aspectRatio)),h+i.size.height>=i.parentData.height&&(i.size.height=i.parentData.height-h,r&&(i.size.width=i.size.height*i.aspectRatio))},stop:function(){var e=t(this).data("resizable"),i=e.options,n=(e.position,e.containerOffset),s=e.containerPosition,o=e.containerElement,r=t(e.helper),a=r.offset(),l=r.outerWidth()-e.sizeDiff.width,u=r.outerHeight()-e.sizeDiff.height;e._helper&&!i.animate&&/relative/.test(o.css("position"))&&t(this).css({left:a.left-s.left-n.left,width:l,height:u}),e._helper&&!i.animate&&/static/.test(o.css("position"))&&t(this).css({left:a.left-s.left-n.left,width:l,height:u})}}),t.ui.plugin.add("resizable","ghost",{start:function(){var e=t(this).data("resizable"),i=e.options,n=e.size;e.ghost=e.originalElement.clone(),e.ghost.css({opacity:.25,display:"block",position:"relative",height:n.height,width:n.width,margin:0,left:0,top:0}).addClass("ui-resizable-ghost").addClass("string"==typeof i.ghost?i.ghost:""),e.ghost.appendTo(e.helper)},resize:function(){{var e=t(this).data("resizable");e.options}e.ghost&&e.ghost.css({position:"relative",height:e.size.height,width:e.size.width})},stop:function(){{var e=t(this).data("resizable");e.options}e.ghost&&e.helper&&e.helper.get(0).removeChild(e.ghost.get(0))}}),t.ui.plugin.add("resizable","grid",{resize:function(e){{var i=t(this).data("resizable"),n=i.options,s=i.size,o=i.originalSize,r=i.originalPosition,a=i.axis;n._aspectRatio||e.shiftKey}n.grid="number"==typeof n.grid?[n.grid,n.grid]:n.grid;var l=Math.round((s.width-o.width)/(n.grid[0]||1))*(n.grid[0]||1),u=Math.round((s.height-o.height)/(n.grid[1]||1))*(n.grid[1]||1);/^(se|s|e)$/.test(a)?(i.size.width=o.width+l,i.size.height=o.height+u):/^(ne)$/.test(a)?(i.size.width=o.width+l,i.size.height=o.height+u,i.position.top=r.top-u):/^(sw)$/.test(a)?(i.size.width=o.width+l,i.size.height=o.height+u,i.position.left=r.left-l):(i.size.width=o.width+l,i.size.height=o.height+u,i.position.top=r.top-u,i.position.left=r.left-l)}});var e=function(t){return parseInt(t,10)||0},i=function(t){return!isNaN(parseInt(t,10))}}(jQuery),/*
* jQuery hashchange event - v1.3 - 7/21/2010
* http://benalman.com/projects/jquery-hashchange-plugin/
*
* Copyright (c) 2010 "Cowboy" Ben Alman
* Dual licensed under the MIT and GPL licenses.
* http://benalman.com/about/license/
*/
function(t,e,i){function n(t){return t=t||location.href,"#"+t.replace(/^[^#]*#?(.*)$/,"$1")}var s,o="hashchange",r=document,a=t.event.special,l=r.documentMode,u="on"+o in e&&(l===i||l>7);t.fn[o]=function(t){return t?this.bind(o,t):this.trigger(o)},t.fn[o].delay=50,a[o]=t.extend(a[o],{setup:function(){return u?!1:void t(s.start)},teardown:function(){return u?!1:void t(s.stop)}}),s=function(){function s(){var i=n(),r=p(h);i!==h?(d(h=i,r),t(e).trigger(o)):r!==h&&(location.href=location.href.replace(/#.*/,"")+r),a=setTimeout(s,t.fn[o].delay)}var a,l={},h=n(),c=function(t){return t},d=c,p=c;return l.start=function(){a||s()},l.stop=function(){a&&clearTimeout(a),a=i},t.browser.msie&&!u&&function(){var e,i;l.start=function(){e||(i=t.fn[o].src,i=i&&i+n(),e=t('<iframe tabindex="-1" title="empty"/>').hide().one("load",function(){i||d(n()),s()}).attr("src",i||"javascript:0").insertAfter("body")[0].contentWindow,r.onpropertychange=function(){try{"title"===event.propertyName&&(e.document.title=r.title)}catch(t){}})},l.stop=c,p=function(){return n(e.location.href)},d=function(i,n){var s=e.document,a=t.fn[o].domain;i!==n&&(s.title=r.title,s.open(),a&&s.write('<script>document.domain="'+a+'"</script>'),s.close(),e.location.hash=i)}}(),l}()}(jQuery,this),function(t){function e(t){return"object"==typeof t?t:{top:t,left:t}}var i=t.scrollTo=function(e,i,n){t(window).scrollTo(e,i,n)};i.defaults={axis:"xy",duration:parseFloat(t.fn.jquery)>=1.3?0:1},i.window=function(){return t(window)._scrollable()},t.fn._scrollable=function(){return this.map(function(){var e=this,i=!e.nodeName||-1!=t.inArray(e.nodeName.toLowerCase(),["iframe","#document","html","body"]);if(!i)return e;var n=(e.contentWindow||e).document||e.ownerDocument||e;return t.browser.safari||"BackCompat"==n.compatMode?n.body:n.documentElement})},t.fn.scrollTo=function(n,s,o){return"object"==typeof s&&(o=s,s=0),"function"==typeof o&&(o={onAfter:o}),"max"==n&&(n=9e9),o=t.extend({},i.defaults,o),s=s||o.speed||o.duration,o.queue=o.queue&&o.axis.length>1,o.queue&&(s/=2),o.offset=e(o.offset),o.over=e(o.over),this._scrollable().each(function(){function r(t){u.animate(c,s,o.easing,t&&function(){t.call(this,n,o)})}var a,l=this,u=t(l),h=n,c={},d=u.is("html,body");switch(typeof h){case"number":case"string":if(/^([+-]=)?\d+(\.\d+)?(px|%)?$/.test(h)){h=e(h);break}h=t(h,this);case"object":(h.is||h.style)&&(a=(h=t(h)).offset())}t.each(o.axis.split(""),function(t,e){var n="x"==e?"Left":"Top",s=n.toLowerCase(),p="scroll"+n,f=l[p],m=i.max(l,e);if(a)c[p]=a[s]+(d?0:f-u.offset()[s]),o.margin&&(c[p]-=parseInt(h.css("margin"+n))||0,c[p]-=parseInt(h.css("border"+n+"Width"))||0),c[p]+=o.offset[s]||0,o.over[s]&&(c[p]+=h["x"==e?"width":"height"]()*o.over[s]);else{var g=h[s];c[p]=g.slice&&"%"==g.slice(-1)?parseFloat(g)/100*m:g}/^\d+$/.test(c[p])&&(c[p]=c[p]<=0?0:Math.min(c[p],m)),!t&&o.queue&&(f!=c[p]&&r(o.onAfterFirst),delete c[p])}),r(o.onAfter)}).end()},i.max=function(e,i){var n="x"==i?"Width":"Height",s="scroll"+n;if(!t(e).is("html,body"))return e[s]-t(e)[n.toLowerCase()]();var o="client"+n,r=e.ownerDocument.documentElement,a=e.ownerDocument.body;return Math.max(r[s],a[s])-Math.min(r[o],a[o])}}(jQuery),/*
PowerTip - v1.2.0 - 2013-04-03
http://stevenbenner.github.com/jquery-powertip/
Copyright (c) 2013 Steven Benner (http://stevenbenner.com/).
Released under MIT license.
https://raw.github.com/stevenbenner/jquery-powertip/master/LICENSE.txt
*/
function(t){"function"==typeof define&&define.amd?define(["jquery"],t):t(jQuery)}(function(t){function e(){var e=this;e.top="auto",e.left="auto",e.right="auto",e.bottom="auto",e.set=function(i,n){t.isNumeric(n)&&(e[i]=Math.round(n))}}function i(t,e,i){function n(n,s){r(),t.data(g)||(n?(s&&t.data(v,!0),i.showTip(t)):(M.tipOpenImminent=!0,l=setTimeout(function(){l=null,o()},e.intentPollInterval)))}function s(n){r(),M.tipOpenImminent=!1,t.data(g)&&(t.data(v,!1),n?i.hideTip(t):(M.delayInProgress=!0,l=setTimeout(function(){l=null,i.hideTip(t),M.delayInProgress=!1},e.closeDelay)))}function o(){var s=Math.abs(M.previousX-M.currentX),o=Math.abs(M.previousY-M.currentY),r=s+o;r<e.intentSensitivity?i.showTip(t):(M.previousX=M.currentX,M.previousY=M.currentY,n())}function r(){l=clearTimeout(l),M.delayInProgress=!1}function a(){i.resetPosition(t)}var l=null;this.show=n,this.hide=s,this.cancel=r,this.resetPosition=a}function n(){function t(t,s,r,a,l){var u,h=s.split("-")[0],c=new e;switch(u=o(t)?n(t,h):i(t,h),s){case"n":c.set("left",u.left-r/2),c.set("bottom",M.windowHeight-u.top+l);break;case"e":c.set("left",u.left+l),c.set("top",u.top-a/2);break;case"s":c.set("left",u.left-r/2),c.set("top",u.top+l);break;case"w":c.set("top",u.top-a/2),c.set("right",M.windowWidth-u.left+l);break;case"nw":c.set("bottom",M.windowHeight-u.top+l),c.set("right",M.windowWidth-u.left-20);break;case"nw-alt":c.set("left",u.left),c.set("bottom",M.windowHeight-u.top+l);break;case"ne":c.set("left",u.left-20),c.set("bottom",M.windowHeight-u.top+l);break;case"ne-alt":c.set("bottom",M.windowHeight-u.top+l),c.set("right",M.windowWidth-u.left);break;case"sw":c.set("top",u.top+l),c.set("right",M.windowWidth-u.left-20);break;case"sw-alt":c.set("left",u.left),c.set("top",u.top+l);break;case"se":c.set("left",u.left-20),c.set("top",u.top+l);break;case"se-alt":c.set("top",u.top+l),c.set("right",M.windowWidth-u.left)}return c}function i(t,e){var i,n,s=t.offset(),o=t.outerWidth(),r=t.outerHeight();switch(e){case"n":i=s.left+o/2,n=s.top;break;case"e":i=s.left+o,n=s.top+r/2;break;case"s":i=s.left+o/2,n=s.top+r;break;case"w":i=s.left,n=s.top+r/2;break;case"nw":i=s.left,n=s.top;break;case"ne":i=s.left+o,n=s.top;break;case"sw":i=s.left,n=s.top+r;break;case"se":i=s.left+o,n=s.top+r}return{top:n,left:i}}function n(t,e){function i(){f.push(u.matrixTransform(c))}var n,s,o,r,a=t.closest("svg")[0],l=t[0],u=a.createSVGPoint(),h=l.getBBox(),c=l.getScreenCTM(),d=h.width/2,p=h.height/2,f=[],m=["nw","n","ne","e","se","s","sw","w"];if(u.x=h.x,u.y=h.y,i(),u.x+=d,i(),u.x+=d,i(),u.y+=p,i(),u.y+=p,i(),u.x-=d,i(),u.x-=d,i(),u.y-=p,i(),f[0].y!==f[1].y||f[0].x!==f[7].x)for(s=Math.atan2(c.b,c.a)*C,o=Math.ceil((s%360-22.5)/45),1>o&&(o+=8);o--;)m.push(m.shift());for(r=0;r<f.length;r++)if(m[r]===e){n=f[r];break}return{top:n.y+M.scrollTop,left:n.x+M.scrollLeft}}this.compute=t}function s(i){function s(t){t.data(g,!0),C.queue(function(e){o(t),e()})}function o(t){var e;if(t.data(g)){if(M.isTipOpen)return M.isClosing||r(M.activeHover),void C.delay(100).queue(function(e){o(t),e()});t.trigger("powerTipPreRender"),e=u(t),e&&(C.empty().append(e),t.trigger("powerTipRender"),M.activeHover=t,M.isTipOpen=!0,C.data(b,i.mouseOnToPopup),i.followMouse?a():(w(t),M.isFixedTipOpen=!0),C.fadeIn(i.fadeInTime,function(){M.desyncTimeout||(M.desyncTimeout=setInterval(T,500)),t.trigger("powerTipOpen")}))}}function r(t){M.isClosing=!0,M.activeHover=null,M.isTipOpen=!1,M.desyncTimeout=clearInterval(M.desyncTimeout),t.data(g,!1),t.data(v,!1),C.fadeOut(i.fadeOutTime,function(){var n=new e;M.isClosing=!1,M.isFixedTipOpen=!1,C.removeClass(),n.set("top",M.currentY+i.offset),n.set("left",M.currentX+i.offset),C.css(n),t.trigger("powerTipClose")})}function a(){if(!M.isFixedTipOpen&&(M.isTipOpen||M.tipOpenImminent&&C.data(y))){var t,n,s=C.outerWidth(),o=C.outerHeight(),r=new e;r.set("top",M.currentY+i.offset),r.set("left",M.currentX+i.offset),t=h(r,s,o),t!==N.none&&(n=c(t),1===n?t===N.right?r.set("left",M.windowWidth-s):t===N.bottom&&r.set("top",M.scrollTop+M.windowHeight-o):(r.set("left",M.currentX-s-i.offset),r.set("top",M.currentY-o-i.offset))),C.css(r)}}function w(e){var n,s;i.smartPlacement?(n=t.fn.powerTip.smartPlacementLists[i.placement],t.each(n,function(t,i){var n=h(x(e,i),C.outerWidth(),C.outerHeight());return s=i,n===N.none?!1:void 0})):(x(e,i.placement),s=i.placement),C.addClass(s)}function x(t,n){var s,o,r=0,a=new e;a.set("top",0),a.set("left",0),C.css(a);do s=C.outerWidth(),o=C.outerHeight(),a=S.compute(t,n,s,o,i.offset),C.css(a);while(++r<=5&&(s!==C.outerWidth()||o!==C.outerHeight()));return a}function T(){var t=!1;!M.isTipOpen||M.isClosing||M.delayInProgress||(M.activeHover.data(g)===!1||M.activeHover.is(":disabled")?t=!0:l(M.activeHover)||M.activeHover.is(":focus")||M.activeHover.data(v)||(C.data(b)?l(C)||(t=!0):t=!0),t&&r(M.activeHover))}var S=new n,C=t("#"+i.popupId);0===C.length&&(C=t("<div/>",{id:i.popupId}),0===f.length&&(f=t("body")),f.append(C)),i.followMouse&&(C.data(y)||(d.on("mousemove",a),p.on("scroll",a),C.data(y,!0))),i.mouseOnToPopup&&C.on({mouseenter:function(){C.data(b)&&M.activeHover&&M.activeHover.data(m).cancel()},mouseleave:function(){M.activeHover&&M.activeHover.data(m).hide()}}),this.showTip=s,this.hideTip=r,this.resetPosition=w}function o(t){return window.SVGElement&&t[0]instanceof SVGElement}function r(){M.mouseTrackingActive||(M.mouseTrackingActive=!0,t(function(){M.scrollLeft=p.scrollLeft(),M.scrollTop=p.scrollTop(),M.windowWidth=p.width(),M.windowHeight=p.height()}),d.on("mousemove",a),p.on({resize:function(){M.windowWidth=p.width(),M.windowHeight=p.height()},scroll:function(){var t=p.scrollLeft(),e=p.scrollTop();t!==M.scrollLeft&&(M.currentX+=t-M.scrollLeft,M.scrollLeft=t),e!==M.scrollTop&&(M.currentY+=e-M.scrollTop,M.scrollTop=e)}}))}function a(t){M.currentX=t.pageX,M.currentY=t.pageY}function l(t){var e=t.offset(),i=t[0].getBoundingClientRect(),n=i.right-i.left,s=i.bottom-i.top;return M.currentX>=e.left&&M.currentX<=e.left+n&&M.currentY>=e.top&&M.currentY<=e.top+s}function u(e){var i,n,s=e.data(x),o=e.data(T),r=e.data(S);return s?(t.isFunction(s)&&(s=s.call(e[0])),n=s):o?(t.isFunction(o)&&(o=o.call(e[0])),o.length>0&&(n=o.clone(!0,!0))):r&&(i=t("#"+r),i.length>0&&(n=i.html())),n}function h(t,e,i){var n=M.scrollTop,s=M.scrollLeft,o=n+M.windowHeight,r=s+M.windowWidth,a=N.none;return(t.top<n||Math.abs(t.bottom-M.windowHeight)-i<n)&&(a|=N.top),(t.top+i>o||Math.abs(t.bottom-M.windowHeight)>o)&&(a|=N.bottom),(t.left<s||t.right+e>r)&&(a|=N.left),(t.left+e>r||t.right<s)&&(a|=N.right),a}function c(t){for(var e=0;t;)t&=t-1,e++;return e}var d=t(document),p=t(window),f=t("body"),m="displayController",g="hasActiveHover",v="forcedOpen",y="hasMouseMove",b="mouseOnToPopup",w="originalTitle",x="powertip",T="powertipjq",S="powertiptarget",C=180/Math.PI,M={isTipOpen:!1,isFixedTipOpen:!1,isClosing:!1,tipOpenImminent:!1,activeHover:null,currentX:0,currentY:0,previousX:0,previousY:0,desyncTimeout:null,mouseTrackingActive:!1,delayInProgress:!1,windowWidth:0,windowHeight:0,scrollTop:0,scrollLeft:0},N={none:0,top:1,bottom:2,left:4,right:8};t.fn.powerTip=function(e,n){if(!this.length)return this;if("string"===t.type(e)&&t.powerTip[e])return t.powerTip[e].call(this,this,n);var o=t.extend({},t.fn.powerTip.defaults,e),a=new s(o);return r(),this.each(function(){var e,n=t(this),s=n.data(x),r=n.data(T),l=n.data(S);n.data(m)&&t.powerTip.destroy(n),e=n.attr("title"),s||l||r||!e||(n.data(x,e),n.data(w,e),n.removeAttr("title")),n.data(m,new i(n,o,a))}),o.manual||this.on({"mouseenter.powertip":function(e){t.powerTip.show(this,e)},"mouseleave.powertip":function(){t.powerTip.hide(this)},"focus.powertip":function(){t.powerTip.show(this)},"blur.powertip":function(){t.powerTip.hide(this,!0)},"keydown.powertip":function(e){27===e.keyCode&&t.powerTip.hide(this,!0)}}),this},t.fn.powerTip.defaults={fadeInTime:200,fadeOutTime:100,followMouse:!1,popupId:"powerTip",intentSensitivity:7,intentPollInterval:100,closeDelay:100,placement:"n",smartPlacement:!1,offset:10,mouseOnToPopup:!1,manual:!1},t.fn.powerTip.smartPlacementLists={n:["n","ne","nw","s"],e:["e","ne","se","w","nw","sw","n","s","e"],s:["s","se","sw","n"],w:["w","nw","sw","e","ne","se","n","s","w"],nw:["nw","w","sw","n","s","se","nw"],ne:["ne","e","se","n","s","sw","ne"],sw:["sw","w","nw","s","n","ne","sw"],se:["se","e","ne","s","n","nw","se"],"nw-alt":["nw-alt","n","ne-alt","sw-alt","s","se-alt","w","e"],"ne-alt":["ne-alt","n","nw-alt","se-alt","s","sw-alt","e","w"],"sw-alt":["sw-alt","s","se-alt","nw-alt","n","ne-alt","w","e"],"se-alt":["se-alt","s","sw-alt","ne-alt","n","nw-alt","e","w"]},t.powerTip={show:function(e,i){return i?(a(i),M.previousX=i.pageX,M.previousY=i.pageY,t(e).data(m).show()):t(e).first().data(m).show(!0,!0),e},reposition:function(e){return t(e).first().data(m).resetPosition(),e},hide:function(e,i){return e?t(e).first().data(m).hide(i):M.activeHover&&M.activeHover.data(m).hide(!0),e},destroy:function(e){return t(e).off(".powertip").each(function(){var e=t(this),i=[w,m,g,v];e.data(w)&&(e.attr("title",e.data(w)),i.push(x)),e.removeData(i)}),e}},t.powerTip.showTip=t.powerTip.show,t.powerTip.closeTip=t.powerTip.hide}),/*
* jQuery UI Touch Punch 0.2.3
*
* Copyright 2011–2014, Dave Furfero
* Dual licensed under the MIT or GPL Version 2 licenses.
*
* Depends:
* jquery.ui.widget.js
* jquery.ui.mouse.js
*/
function(t){function e(t,e){if(!(t.originalEvent.touches.length>1)){t.preventDefault();var i=t.originalEvent.changedTouches[0],n=document.createEvent("MouseEvents");n.initMouseEvent(e,!0,!0,window,1,i.screenX,i.screenY,i.clientX,i.clientY,!1,!1,!1,!1,0,null),t.target.dispatchEvent(n)}}if(t.support.touch="ontouchend"in document,t.support.touch){var i,n=t.ui.mouse.prototype,s=n._mouseInit,o=n._mouseDestroy;n._touchStart=function(t){var n=this;!i&&n._mouseCapture(t.originalEvent.changedTouches[0])&&(i=!0,n._touchMoved=!1,e(t,"mouseover"),e(t,"mousemove"),e(t,"mousedown"))},n._touchMove=function(t){i&&(this._touchMoved=!0,e(t,"mousemove"))},n._touchEnd=function(t){i&&(e(t,"mouseup"),e(t,"mouseout"),this._touchMoved||e(t,"click"),i=!1)},n._mouseInit=function(){var e=this;e.element.bind({touchstart:t.proxy(e,"_touchStart"),touchmove:t.proxy(e,"_touchMove"),touchend:t.proxy(e,"_touchEnd")}),s.call(e)},n._mouseDestroy=function(){var e=this;e.element.unbind({touchstart:t.proxy(e,"_touchStart"),touchmove:t.proxy(e,"_touchMove"),touchend:t.proxy(e,"_touchEnd")}),o.call(e)}}}(jQuery),/*
* SmartMenus jQuery Plugin - v1.0.0 - January 27, 2016
* http://www.smartmenus.org/
*
* Copyright Vasil Dinkov, Vadikom Web Ltd.
* http://vadikom.com
*
* Licensed MIT
*/
function(t){"function"==typeof define&&define.amd?define(["jquery"],t):"object"==typeof module&&"object"==typeof module.exports?module.exports=t(require("jquery")):t(jQuery)}(function(t){function e(e){var o=".smartmenus_mouse";if(l||e)l&&e&&(t(document).unbind(o),l=!1);else{var u=!0,h=null;t(document).bind(n([["mousemove",function(e){var i={x:e.pageX,y:e.pageY,timeStamp:(new Date).getTime()};if(h){var n=Math.abs(h.x-i.x),o=Math.abs(h.y-i.y);if((n>0||o>0)&&2>=n&&2>=o&&i.timeStamp-h.timeStamp<=300&&(r=!0,u)){var a=t(e.target).closest("a");a.is("a")&&t.each(s,function(){return t.contains(this.$root[0],a[0])?(this.itemEnter({currentTarget:a[0]}),!1):void 0}),u=!1}}h=i}],[a?"touchstart":"pointerover pointermove pointerout MSPointerOver MSPointerMove MSPointerOut",function(t){i(t.originalEvent)&&(r=!1)}]],o)),l=!0}}function i(t){return!/^(4|mouse)$/.test(t.pointerType)}function n(e,i){i||(i="");var n={};return t.each(e,function(t,e){n[e[0].split(" ").join(i+" ")+i]=e[1]}),n}var s=[],o=!!window.createPopup,r=!1,a="ontouchstart"in window,l=!1,u=window.requestAnimationFrame||function(t){return setTimeout(t,1e3/60)},h=window.cancelAnimationFrame||function(t){clearTimeout(t)};return t.SmartMenus=function(e,i){this.$root=t(e),this.opts=i,this.rootId="",this.accessIdPrefix="",this.$subArrow=null,this.activatedItems=[],this.visibleSubMenus=[],this.showTimeout=0,this.hideTimeout=0,this.scrollTimeout=0,this.clickActivated=!1,this.focusActivated=!1,this.zIndexInc=0,this.idInc=0,this.$firstLink=null,this.$firstSub=null,this.disabled=!1,this.$disableOverlay=null,this.$touchScrollingSub=null,this.cssTransforms3d="perspective"in e.style||"webkitPerspective"in e.style,this.wasCollapsible=!1,this.init()},t.extend(t.SmartMenus,{hideAll:function(){t.each(s,function(){this.menuHideAll()})},destroy:function(){for(;s.length;)s[0].destroy();e(!0)},prototype:{init:function(i){var o=this;if(!i){s.push(this),this.rootId=((new Date).getTime()+Math.random()+"").replace(/\D/g,""),this.accessIdPrefix="sm-"+this.rootId+"-",this.$root.hasClass("sm-rtl")&&(this.opts.rightToLeftSubMenus=!0);var r=".smartmenus";this.$root.data("smartmenus",this).attr("data-smartmenus-id",this.rootId).dataSM("level",1).bind(n([["mouseover focusin",t.proxy(this.rootOver,this)],["mouseout focusout",t.proxy(this.rootOut,this)],["keydown",t.proxy(this.rootKeyDown,this)]],r)).delegate("a",n([["mouseenter",t.proxy(this.itemEnter,this)],["mouseleave",t.proxy(this.itemLeave,this)],["mousedown",t.proxy(this.itemDown,this)],["focus",t.proxy(this.itemFocus,this)],["blur",t.proxy(this.itemBlur,this)],["click",t.proxy(this.itemClick,this)]],r)),r+=this.rootId,this.opts.hideOnClick&&t(document).bind(n([["touchstart",t.proxy(this.docTouchStart,this)],["touchmove",t.proxy(this.docTouchMove,this)],["touchend",t.proxy(this.docTouchEnd,this)],["click",t.proxy(this.docClick,this)]],r)),t(window).bind(n([["resize orientationchange",t.proxy(this.winResize,this)]],r)),this.opts.subIndicators&&(this.$subArrow=t("<span/>").addClass("sub-arrow"),this.opts.subIndicatorsText&&this.$subArrow.html(this.opts.subIndicatorsText)),e()}if(this.$firstSub=this.$root.find("ul").each(function(){o.menuInit(t(this))}).eq(0),this.$firstLink=this.$root.find("a").eq(0),this.opts.markCurrentItem){var a=/(index|default)\.[^#\?\/]*/i,l=/#.*/,u=window.location.href.replace(a,""),h=u.replace(l,"");this.$root.find("a").each(function(){var e=this.href.replace(a,""),i=t(this);(e==u||e==h)&&(i.addClass("current"),o.opts.markCurrentTree&&i.parentsUntil("[data-smartmenus-id]","ul").each(function(){t(this).dataSM("parent-a").addClass("current")}))})}this.wasCollapsible=this.isCollapsible()},destroy:function(e){if(!e){var i=".smartmenus";this.$root.removeData("smartmenus").removeAttr("data-smartmenus-id").removeDataSM("level").unbind(i).undelegate(i),i+=this.rootId,t(document).unbind(i),t(window).unbind(i),this.opts.subIndicators&&(this.$subArrow=null)}this.menuHideAll();var n=this;this.$root.find("ul").each(function(){var e=t(this);e.dataSM("scroll-arrows")&&e.dataSM("scroll-arrows").remove(),e.dataSM("shown-before")&&((n.opts.subMenusMinWidth||n.opts.subMenusMaxWidth)&&e.css({width:"",minWidth:"",maxWidth:""}).removeClass("sm-nowrap"),e.dataSM("scroll-arrows")&&e.dataSM("scroll-arrows").remove(),e.css({zIndex:"",top:"",left:"",marginLeft:"",marginTop:"",display:""})),0==(e.attr("id")||"").indexOf(n.accessIdPrefix)&&e.removeAttr("id")}).removeDataSM("in-mega").removeDataSM("shown-before").removeDataSM("ie-shim").removeDataSM("scroll-arrows").removeDataSM("parent-a").removeDataSM("level").removeDataSM("beforefirstshowfired").removeAttr("role").removeAttr("aria-hidden").removeAttr("aria-labelledby").removeAttr("aria-expanded"),this.$root.find("a.has-submenu").each(function(){var e=t(this);0==e.attr("id").indexOf(n.accessIdPrefix)&&e.removeAttr("id")}).removeClass("has-submenu").removeDataSM("sub").removeAttr("aria-haspopup").removeAttr("aria-controls").removeAttr("aria-expanded").closest("li").removeDataSM("sub"),this.opts.subIndicators&&this.$root.find("span.sub-arrow").remove(),this.opts.markCurrentItem&&this.$root.find("a.current").removeClass("current"),e||(this.$root=null,this.$firstLink=null,this.$firstSub=null,this.$disableOverlay&&(this.$disableOverlay.remove(),this.$disableOverlay=null),s.splice(t.inArray(this,s),1))},disable:function(e){if(!this.disabled){if(this.menuHideAll(),!e&&!this.opts.isPopup&&this.$root.is(":visible")){var i=this.$root.offset();this.$disableOverlay=t('<div class="sm-jquery-disable-overlay"/>').css({position:"absolute",top:i.top,left:i.left,width:this.$root.outerWidth(),height:this.$root.outerHeight(),zIndex:this.getStartZIndex(!0),opacity:0}).appendTo(document.body)}this.disabled=!0}},docClick:function(e){return this.$touchScrollingSub?void(this.$touchScrollingSub=null):void((this.visibleSubMenus.length&&!t.contains(this.$root[0],e.target)||t(e.target).is("a"))&&this.menuHideAll())},docTouchEnd:function(){if(this.lastTouch){if(!(!this.visibleSubMenus.length||void 0!==this.lastTouch.x2&&this.lastTouch.x1!=this.lastTouch.x2||void 0!==this.lastTouch.y2&&this.lastTouch.y1!=this.lastTouch.y2||this.lastTouch.target&&t.contains(this.$root[0],this.lastTouch.target))){this.hideTimeout&&(clearTimeout(this.hideTimeout),this.hideTimeout=0);var e=this;this.hideTimeout=setTimeout(function(){e.menuHideAll()},350)}this.lastTouch=null}},docTouchMove:function(t){if(this.lastTouch){var e=t.originalEvent.touches[0];this.lastTouch.x2=e.pageX,this.lastTouch.y2=e.pageY}},docTouchStart:function(t){var e=t.originalEvent.touches[0];this.lastTouch={x1:e.pageX,y1:e.pageY,target:e.target}},enable:function(){this.disabled&&(this.$disableOverlay&&(this.$disableOverlay.remove(),this.$disableOverlay=null),this.disabled=!1)},getClosestMenu:function(e){for(var i=t(e).closest("ul");i.dataSM("in-mega");)i=i.parent().closest("ul");return i[0]||null},getHeight:function(t){return this.getOffset(t,!0)},getOffset:function(t,e){var i;"none"==t.css("display")&&(i={position:t[0].style.position,visibility:t[0].style.visibility},t.css({position:"absolute",visibility:"hidden"}).show());var n=t[0].getBoundingClientRect&&t[0].getBoundingClientRect(),s=n&&(e?n.height||n.bottom-n.top:n.width||n.right-n.left);return s||0===s||(s=e?t[0].offsetHeight:t[0].offsetWidth),i&&t.hide().css(i),s},getStartZIndex:function(t){var e=parseInt(this[t?"$root":"$firstSub"].css("z-index"));return!t&&isNaN(e)&&(e=parseInt(this.$root.css("z-index"))),isNaN(e)?1:e},getTouchPoint:function(t){return t.touches&&t.touches[0]||t.changedTouches&&t.changedTouches[0]||t},getViewport:function(t){var e=t?"Height":"Width",i=document.documentElement["client"+e],n=window["inner"+e];return n&&(i=Math.min(i,n)),i},getViewportHeight:function(){return this.getViewport(!0)},getViewportWidth:function(){return this.getViewport()},getWidth:function(t){return this.getOffset(t)},handleEvents:function(){return!this.disabled&&this.isCSSOn()},handleItemEvents:function(t){return this.handleEvents()&&!this.isLinkInMegaMenu(t)},isCollapsible:function(){return"static"==this.$firstSub.css("position")},isCSSOn:function(){return"block"==this.$firstLink.css("display")},isFixed:function(){var e="fixed"==this.$root.css("position");return e||this.$root.parentsUntil("body").each(function(){return"fixed"==t(this).css("position")?(e=!0,!1):void 0}),e},isLinkInMegaMenu:function(e){return t(this.getClosestMenu(e[0])).hasClass("mega-menu")},isTouchMode:function(){return!r||this.opts.noMouseOver||this.isCollapsible()},itemActivate:function(e,i){var n=e.closest("ul"),s=n.dataSM("level");if(s>1&&(!this.activatedItems[s-2]||this.activatedItems[s-2][0]!=n.dataSM("parent-a")[0])){var o=this;t(n.parentsUntil("[data-smartmenus-id]","ul").get().reverse()).add(n).each(function(){o.itemActivate(t(this).dataSM("parent-a"))})}if((!this.isCollapsible()||i)&&this.menuHideSubMenus(this.activatedItems[s-1]&&this.activatedItems[s-1][0]==e[0]?s:s-1),this.activatedItems[s-1]=e,this.$root.triggerHandler("activate.smapi",e[0])!==!1){var r=e.dataSM("sub");r&&(this.isTouchMode()||!this.opts.showOnClick||this.clickActivated)&&this.menuShow(r)}},itemBlur:function(e){var i=t(e.currentTarget);this.handleItemEvents(i)&&this.$root.triggerHandler("blur.smapi",i[0])},itemClick:function(e){var i=t(e.currentTarget);if(this.handleItemEvents(i)){if(this.$touchScrollingSub&&this.$touchScrollingSub[0]==i.closest("ul")[0])return this.$touchScrollingSub=null,e.stopPropagation(),!1;if(this.$root.triggerHandler("click.smapi",i[0])===!1)return!1;var n=t(e.target).is("span.sub-arrow"),s=i.dataSM("sub"),o=s?2==s.dataSM("level"):!1;if(s&&!s.is(":visible")){if(this.opts.showOnClick&&o&&(this.clickActivated=!0),this.itemActivate(i),s.is(":visible"))return this.focusActivated=!0,!1}else if(this.isCollapsible()&&n)return this.itemActivate(i),this.menuHide(s),!1;return this.opts.showOnClick&&o||i.hasClass("disabled")||this.$root.triggerHandler("select.smapi",i[0])===!1?!1:void 0}},itemDown:function(e){var i=t(e.currentTarget);this.handleItemEvents(i)&&i.dataSM("mousedown",!0)},itemEnter:function(e){var i=t(e.currentTarget);if(this.handleItemEvents(i)){if(!this.isTouchMode()){this.showTimeout&&(clearTimeout(this.showTimeout),this.showTimeout=0);var n=this;this.showTimeout=setTimeout(function(){n.itemActivate(i)},this.opts.showOnClick&&1==i.closest("ul").dataSM("level")?1:this.opts.showTimeout)}this.$root.triggerHandler("mouseenter.smapi",i[0])}},itemFocus:function(e){var i=t(e.currentTarget);this.handleItemEvents(i)&&(!this.focusActivated||this.isTouchMode()&&i.dataSM("mousedown")||this.activatedItems.length&&this.activatedItems[this.activatedItems.length-1][0]==i[0]||this.itemActivate(i,!0),this.$root.triggerHandler("focus.smapi",i[0]))},itemLeave:function(e){var i=t(e.currentTarget);this.handleItemEvents(i)&&(this.isTouchMode()||(i[0].blur(),this.showTimeout&&(clearTimeout(this.showTimeout),this.showTimeout=0)),i.removeDataSM("mousedown"),this.$root.triggerHandler("mouseleave.smapi",i[0]))},menuHide:function(e){if(this.$root.triggerHandler("beforehide.smapi",e[0])!==!1&&(e.stop(!0,!0),"none"!=e.css("display"))){var i=function(){e.css("z-index","")};this.isCollapsible()?this.opts.collapsibleHideFunction?this.opts.collapsibleHideFunction.call(this,e,i):e.hide(this.opts.collapsibleHideDuration,i):this.opts.hideFunction?this.opts.hideFunction.call(this,e,i):e.hide(this.opts.hideDuration,i),e.dataSM("ie-shim")&&e.dataSM("ie-shim").remove().css({"-webkit-transform":"",transform:""}),e.dataSM("scroll")&&(this.menuScrollStop(e),e.css({"touch-action":"","-ms-touch-action":"","-webkit-transform":"",transform:""}).unbind(".smartmenus_scroll").removeDataSM("scroll").dataSM("scroll-arrows").hide()),e.dataSM("parent-a").removeClass("highlighted").attr("aria-expanded","false"),e.attr({"aria-expanded":"false","aria-hidden":"true"});var n=e.dataSM("level");this.activatedItems.splice(n-1,1),this.visibleSubMenus.splice(t.inArray(e,this.visibleSubMenus),1),this.$root.triggerHandler("hide.smapi",e[0])}},menuHideAll:function(){this.showTimeout&&(clearTimeout(this.showTimeout),this.showTimeout=0);for(var t=this.opts.isPopup?1:0,e=this.visibleSubMenus.length-1;e>=t;e--)this.menuHide(this.visibleSubMenus[e]);this.opts.isPopup&&(this.$root.stop(!0,!0),this.$root.is(":visible")&&(this.opts.hideFunction?this.opts.hideFunction.call(this,this.$root):this.$root.hide(this.opts.hideDuration),this.$root.dataSM("ie-shim")&&this.$root.dataSM("ie-shim").remove())),this.activatedItems=[],this.visibleSubMenus=[],this.clickActivated=!1,this.focusActivated=!1,this.zIndexInc=0,this.$root.triggerHandler("hideAll.smapi")},menuHideSubMenus:function(t){for(var e=this.activatedItems.length-1;e>=t;e--){var i=this.activatedItems[e].dataSM("sub");i&&this.menuHide(i)}},menuIframeShim:function(e){o&&this.opts.overlapControlsInIE&&!e.dataSM("ie-shim")&&e.dataSM("ie-shim",t("<iframe/>").attr({src:"javascript:0",tabindex:-9}).css({position:"absolute",top:"auto",left:"0",opacity:0,border:"0"}))},menuInit:function(t){if(!t.dataSM("in-mega")){t.hasClass("mega-menu")&&t.find("ul").dataSM("in-mega",!0);for(var e=2,i=t[0];(i=i.parentNode.parentNode)!=this.$root[0];)e++;var n=t.prevAll("a").eq(-1);n.length||(n=t.prevAll().find("a").eq(-1)),n.addClass("has-submenu").dataSM("sub",t),t.dataSM("parent-a",n).dataSM("level",e).parent().dataSM("sub",t);var s=n.attr("id")||this.accessIdPrefix+ ++this.idInc,o=t.attr("id")||this.accessIdPrefix+ ++this.idInc;n.attr({id:s,"aria-haspopup":"true","aria-controls":o,"aria-expanded":"false"}),t.attr({id:o,role:"group","aria-hidden":"true","aria-labelledby":s,"aria-expanded":"false"}),this.opts.subIndicators&&n[this.opts.subIndicatorsPos](this.$subArrow.clone())}},menuPosition:function(e){var i,s,o=e.dataSM("parent-a"),r=o.closest("li"),l=r.parent(),u=e.dataSM("level"),h=this.getWidth(e),c=this.getHeight(e),d=o.offset(),p=d.left,f=d.top,m=this.getWidth(o),g=this.getHeight(o),v=t(window),y=v.scrollLeft(),b=v.scrollTop(),w=this.getViewportWidth(),x=this.getViewportHeight(),T=l.parent().is("[data-sm-horizontal-sub]")||2==u&&!l.hasClass("sm-vertical"),S=this.opts.rightToLeftSubMenus&&!r.is("[data-sm-reverse]")||!this.opts.rightToLeftSubMenus&&r.is("[data-sm-reverse]"),C=2==u?this.opts.mainMenuSubOffsetX:this.opts.subMenusSubOffsetX,M=2==u?this.opts.mainMenuSubOffsetY:this.opts.subMenusSubOffsetY;if(T?(i=S?m-h-C:C,s=this.opts.bottomToTopSubMenus?-c-M:g+M):(i=S?C-h:m-C,s=this.opts.bottomToTopSubMenus?g-M-c:M),this.opts.keepInViewport){var N=p+i,E=f+s;if(S&&y>N?i=T?y-N+i:m-C:!S&&N+h>y+w&&(i=T?y+w-h-N+i:C-h),T||(x>c&&E+c>b+x?s+=b+x-c-E:(c>=x||b>E)&&(s+=b-E)),T&&(E+c>b+x+.49||b>E)||!T&&c>x+.49){var D=this;e.dataSM("scroll-arrows")||e.dataSM("scroll-arrows",t([t('<span class="scroll-up"><span class="scroll-up-arrow"></span></span>')[0],t('<span class="scroll-down"><span class="scroll-down-arrow"></span></span>')[0]]).bind({mouseenter:function(){e.dataSM("scroll").up=t(this).hasClass("scroll-up"),D.menuScroll(e)},mouseleave:function(t){D.menuScrollStop(e),D.menuScrollOut(e,t)},"mousewheel DOMMouseScroll":function(t){t.preventDefault()}}).insertAfter(e));var _=".smartmenus_scroll";e.dataSM("scroll",{y:this.cssTransforms3d?0:s-g,step:1,itemH:g,subH:c,arrowDownH:this.getHeight(e.dataSM("scroll-arrows").eq(1))}).bind(n([["mouseover",function(t){D.menuScrollOver(e,t)}],["mouseout",function(t){D.menuScrollOut(e,t)}],["mousewheel DOMMouseScroll",function(t){D.menuScrollMousewheel(e,t)}]],_)).dataSM("scroll-arrows").css({top:"auto",left:"0",marginLeft:i+(parseInt(e.css("border-left-width"))||0),width:h-(parseInt(e.css("border-left-width"))||0)-(parseInt(e.css("border-right-width"))||0),zIndex:e.css("z-index")}).eq(T&&this.opts.bottomToTopSubMenus?0:1).show(),this.isFixed()&&e.css({"touch-action":"none","-ms-touch-action":"none"}).bind(n([[a?"touchstart touchmove touchend":"pointerdown pointermove pointerup MSPointerDown MSPointerMove MSPointerUp",function(t){D.menuScrollTouch(e,t)}]],_))}}e.css({top:"auto",left:"0",marginLeft:i,marginTop:s-g}),this.menuIframeShim(e),e.dataSM("ie-shim")&&e.dataSM("ie-shim").css({zIndex:e.css("z-index"),width:h,height:c,marginLeft:i,marginTop:s-g})},menuScroll:function(t,e,i){var n,s=t.dataSM("scroll"),o=t.dataSM("scroll-arrows"),a=s.up?s.upEnd:s.downEnd;if(!e&&s.momentum){if(s.momentum*=.92,n=s.momentum,.5>n)return void this.menuScrollStop(t)}else n=i||(e||!this.opts.scrollAccelerate?this.opts.scrollStep:Math.floor(s.step));var l=t.dataSM("level");if(this.activatedItems[l-1]&&this.activatedItems[l-1].dataSM("sub")&&this.activatedItems[l-1].dataSM("sub").is(":visible")&&this.menuHideSubMenus(l-1),s.y=s.up&&a<=s.y||!s.up&&a>=s.y?s.y:Math.abs(a-s.y)>n?s.y+(s.up?n:-n):a,t.add(t.dataSM("ie-shim")).css(this.cssTransforms3d?{"-webkit-transform":"translate3d(0, "+s.y+"px, 0)",transform:"translate3d(0, "+s.y+"px, 0)"}:{marginTop:s.y}),r&&(s.up&&s.y>s.downEnd||!s.up&&s.y<s.upEnd)&&o.eq(s.up?1:0).show(),s.y==a)r&&o.eq(s.up?0:1).hide(),this.menuScrollStop(t);else if(!e){this.opts.scrollAccelerate&&s.step<this.opts.scrollStep&&(s.step+=.2);var h=this;this.scrollTimeout=u(function(){h.menuScroll(t)})}},menuScrollMousewheel:function(t,e){if(this.getClosestMenu(e.target)==t[0]){e=e.originalEvent;var i=(e.wheelDelta||-e.detail)>0;t.dataSM("scroll-arrows").eq(i?0:1).is(":visible")&&(t.dataSM("scroll").up=i,this.menuScroll(t,!0))}e.preventDefault()},menuScrollOut:function(e,i){r&&(/^scroll-(up|down)/.test((i.relatedTarget||"").className)||(e[0]==i.relatedTarget||t.contains(e[0],i.relatedTarget))&&this.getClosestMenu(i.relatedTarget)==e[0]||e.dataSM("scroll-arrows").css("visibility","hidden"))},menuScrollOver:function(e,i){if(r&&!/^scroll-(up|down)/.test(i.target.className)&&this.getClosestMenu(i.target)==e[0]){this.menuScrollRefreshData(e);var n=e.dataSM("scroll"),s=t(window).scrollTop()-e.dataSM("parent-a").offset().top-n.itemH;e.dataSM("scroll-arrows").eq(0).css("margin-top",s).end().eq(1).css("margin-top",s+this.getViewportHeight()-n.arrowDownH).end().css("visibility","visible")}},menuScrollRefreshData:function(e){var i=e.dataSM("scroll"),n=t(window).scrollTop()-e.dataSM("parent-a").offset().top-i.itemH;this.cssTransforms3d&&(n=-(parseFloat(e.css("margin-top"))-n)),t.extend(i,{upEnd:n,downEnd:n+this.getViewportHeight()-i.subH})},menuScrollStop:function(t){return this.scrollTimeout?(h(this.scrollTimeout),this.scrollTimeout=0,t.dataSM("scroll").step=1,!0):void 0},menuScrollTouch:function(e,n){if(n=n.originalEvent,i(n)){var s=this.getTouchPoint(n);if(this.getClosestMenu(s.target)==e[0]){var o=e.dataSM("scroll");if(/(start|down)$/i.test(n.type))this.menuScrollStop(e)?(n.preventDefault(),this.$touchScrollingSub=e):this.$touchScrollingSub=null,this.menuScrollRefreshData(e),t.extend(o,{touchStartY:s.pageY,touchStartTime:n.timeStamp});else if(/move$/i.test(n.type)){var r=void 0!==o.touchY?o.touchY:o.touchStartY;if(void 0!==r&&r!=s.pageY){this.$touchScrollingSub=e;var a=r<s.pageY;void 0!==o.up&&o.up!=a&&t.extend(o,{touchStartY:s.pageY,touchStartTime:n.timeStamp}),t.extend(o,{up:a,touchY:s.pageY}),this.menuScroll(e,!0,Math.abs(s.pageY-r))}n.preventDefault()}else void 0!==o.touchY&&((o.momentum=15*Math.pow(Math.abs(s.pageY-o.touchStartY)/(n.timeStamp-o.touchStartTime),2))&&(this.menuScrollStop(e),this.menuScroll(e),n.preventDefault()),delete o.touchY)}}},menuShow:function(t){if((t.dataSM("beforefirstshowfired")||(t.dataSM("beforefirstshowfired",!0),this.$root.triggerHandler("beforefirstshow.smapi",t[0])!==!1))&&this.$root.triggerHandler("beforeshow.smapi",t[0])!==!1&&(t.dataSM("shown-before",!0).stop(!0,!0),!t.is(":visible"))){var e=t.dataSM("parent-a");if((this.opts.keepHighlighted||this.isCollapsible())&&e.addClass("highlighted"),this.isCollapsible())t.removeClass("sm-nowrap").css({zIndex:"",width:"auto",minWidth:"",maxWidth:"",top:"",left:"",marginLeft:"",marginTop:""});else{if(t.css("z-index",this.zIndexInc=(this.zIndexInc||this.getStartZIndex())+1),(this.opts.subMenusMinWidth||this.opts.subMenusMaxWidth)&&(t.css({width:"auto",minWidth:"",maxWidth:""}).addClass("sm-nowrap"),this.opts.subMenusMinWidth&&t.css("min-width",this.opts.subMenusMinWidth),this.opts.subMenusMaxWidth)){var i=this.getWidth(t);t.css("max-width",this.opts.subMenusMaxWidth),i>this.getWidth(t)&&t.removeClass("sm-nowrap").css("width",this.opts.subMenusMaxWidth)}this.menuPosition(t),t.dataSM("ie-shim")&&t.dataSM("ie-shim").insertBefore(t)}var n=function(){t.css("overflow","")};this.isCollapsible()?this.opts.collapsibleShowFunction?this.opts.collapsibleShowFunction.call(this,t,n):t.show(this.opts.collapsibleShowDuration,n):this.opts.showFunction?this.opts.showFunction.call(this,t,n):t.show(this.opts.showDuration,n),e.attr("aria-expanded","true"),t.attr({"aria-expanded":"true","aria-hidden":"false"}),this.visibleSubMenus.push(t),this.$root.triggerHandler("show.smapi",t[0])}},popupHide:function(t){this.hideTimeout&&(clearTimeout(this.hideTimeout),this.hideTimeout=0);var e=this;this.hideTimeout=setTimeout(function(){e.menuHideAll()},t?1:this.opts.hideTimeout)},popupShow:function(t,e){if(!this.opts.isPopup)return void alert('SmartMenus jQuery Error:\n\nIf you want to show this menu via the "popupShow" method, set the isPopup:true option.');if(this.hideTimeout&&(clearTimeout(this.hideTimeout),this.hideTimeout=0),this.$root.dataSM("shown-before",!0).stop(!0,!0),!this.$root.is(":visible")){this.$root.css({left:t,top:e}),this.menuIframeShim(this.$root),this.$root.dataSM("ie-shim")&&this.$root.dataSM("ie-shim").css({zIndex:this.$root.css("z-index"),width:this.getWidth(this.$root),height:this.getHeight(this.$root),left:t,top:e}).insertBefore(this.$root);var i=this,n=function(){i.$root.css("overflow","")};this.opts.showFunction?this.opts.showFunction.call(this,this.$root,n):this.$root.show(this.opts.showDuration,n),this.visibleSubMenus[0]=this.$root}},refresh:function(){this.destroy(!0),this.init(!0)},rootKeyDown:function(e){if(this.handleEvents())switch(e.keyCode){case 27:var i=this.activatedItems[0];if(i){this.menuHideAll(),i[0].focus();var n=i.dataSM("sub");n&&this.menuHide(n)}break;case 32:var s=t(e.target);if(s.is("a")&&this.handleItemEvents(s)){var n=s.dataSM("sub");n&&!n.is(":visible")&&(this.itemClick({currentTarget:e.target}),e.preventDefault())}}},rootOut:function(t){if(this.handleEvents()&&!this.isTouchMode()&&t.target!=this.$root[0]&&(this.hideTimeout&&(clearTimeout(this.hideTimeout),this.hideTimeout=0),!this.opts.showOnClick||!this.opts.hideOnClick)){var e=this;this.hideTimeout=setTimeout(function(){e.menuHideAll()},this.opts.hideTimeout)}},rootOver:function(t){this.handleEvents()&&!this.isTouchMode()&&t.target!=this.$root[0]&&this.hideTimeout&&(clearTimeout(this.hideTimeout),this.hideTimeout=0)},winResize:function(t){if(this.handleEvents()){if(!("onorientationchange"in window)||"orientationchange"==t.type){var e=this.isCollapsible();this.wasCollapsible&&e||(this.activatedItems.length&&this.activatedItems[this.activatedItems.length-1][0].blur(),this.menuHideAll()),this.wasCollapsible=e}}else if(this.$disableOverlay){var i=this.$root.offset();this.$disableOverlay.css({top:i.top,left:i.left,width:this.$root.outerWidth(),height:this.$root.outerHeight()})}}}}),t.fn.dataSM=function(t,e){return e?this.data(t+"_smartmenus",e):this.data(t+"_smartmenus")},t.fn.removeDataSM=function(t){return this.removeData(t+"_smartmenus")},t.fn.smartmenus=function(e){if("string"==typeof e){var i=arguments,n=e;return Array.prototype.shift.call(i),this.each(function(){var e=t(this).data("smartmenus");e&&e[n]&&e[n].apply(e,i)})}var s=t.extend({},t.fn.smartmenus.defaults,e);return this.each(function(){new t.SmartMenus(this,s)})},t.fn.smartmenus.defaults={isPopup:!1,mainMenuSubOffsetX:0,mainMenuSubOffsetY:0,subMenusSubOffsetX:0,subMenusSubOffsetY:0,subMenusMinWidth:"10em",subMenusMaxWidth:"20em",subIndicators:!0,subIndicatorsPos:"prepend",subIndicatorsText:"+",scrollStep:30,scrollAccelerate:!0,showTimeout:250,hideTimeout:500,showDuration:0,showFunction:null,hideDuration:0,hideFunction:function(t,e){t.fadeOut(200,e)},collapsibleShowDuration:0,collapsibleShowFunction:function(t,e){t.slideDown(200,e)},collapsibleHideDuration:0,collapsibleHideFunction:function(t,e){t.slideUp(200,e)},showOnClick:!1,hideOnClick:!0,noMouseOver:!1,keepInViewport:!0,keepHighlighted:!0,markCurrentItem:!1,markCurrentTree:!0,rightToLeftSubMenus:!1,bottomToTopSubMenus:!1,overlapControlsInIE:!0},t}); |
(window.webpackJsonp=window.webpackJsonp||[]).push([[119],{542:function(t,e,l){"use strict";l.r(e);var a=l(25),v=Object(a.a)({},(function(){var t=this,e=t.$createElement,l=t._self._c||e;return l("ContentSlotsDistributor",{attrs:{"slot-key":t.$parent.slotKey}},[l("h1",{attrs:{id:"数量选择器-counter"}},[l("a",{staticClass:"header-anchor",attrs:{href:"#数量选择器-counter"}},[t._v("#")]),t._v(" "),l("H2Icon"),t._v(" 数量选择器 Counter")],1),t._v(" "),l("blockquote",[l("p",[t._v("本组件从v0.6.4版本更名为Counter")])]),t._v(" "),l("h2",{attrs:{id:"基础用法"}},[l("a",{staticClass:"header-anchor",attrs:{href:"#基础用法"}},[t._v("#")]),t._v(" 基础用法")]),t._v(" "),l("p",[t._v("通过"),l("code",[t._v("count")]),t._v("属性设置起始数量,默认值为"),l("code",[t._v("1")]),t._v("。")]),t._v(" "),l("p",[t._v("通过"),l("code",[t._v("min")]),t._v("属性设置最小数量,默认值为"),l("code",[t._v("1")]),t._v("。")]),t._v(" "),l("p",[t._v("通过"),l("code",[t._v("max")]),t._v("属性设置最大数量,默认值为"),l("code",[t._v("10000")]),t._v("。")]),t._v(" "),l("p",[t._v(":::img\n"),l("img",{attrs:{src:"/screenshots/counter/1.png",alt:"height=100"}}),t._v("\n:::")]),t._v(" "),l("h3",{attrs:{id:"示例代码"}},[l("a",{staticClass:"header-anchor",attrs:{href:"#示例代码"}},[t._v("#")]),t._v(" 示例代码")]),t._v(" "),l("div",{staticClass:"language-wxml extra-class"},[l("pre",{pre:!0,attrs:{class:"language-text"}},[l("code",[t._v('<l-counter count="1" min="1" max="10"/>\n')])])]),l("h2",{attrs:{id:"设置数量增减步长"}},[l("a",{staticClass:"header-anchor",attrs:{href:"#设置数量增减步长"}},[t._v("#")]),t._v(" 设置数量增减步长")]),t._v(" "),l("p",[t._v("通过"),l("code",[t._v("step")]),t._v("属性设置数量增减步长,默认值为"),l("code",[t._v("1")]),t._v("。")]),t._v(" "),l("p",[t._v(":::img\n"),l("img",{attrs:{src:"/screenshots/counter/2.png",alt:"height=100"}}),t._v("\n:::")]),t._v(" "),l("h3",{attrs:{id:"示例代码-2"}},[l("a",{staticClass:"header-anchor",attrs:{href:"#示例代码-2"}},[t._v("#")]),t._v(" 示例代码")]),t._v(" "),l("div",{staticClass:"language-wxml extra-class"},[l("pre",{pre:!0,attrs:{class:"language-text"}},[l("code",[t._v('<l-counter count="1" min="1" max="10" step="2"/>\n')])])]),l("h2",{attrs:{id:"设置禁用状态"}},[l("a",{staticClass:"header-anchor",attrs:{href:"#设置禁用状态"}},[t._v("#")]),t._v(" 设置禁用状态")]),t._v(" "),l("p",[t._v("通过"),l("code",[t._v("disabled")]),t._v("属性设置数量选择器禁用状态。默认值为"),l("code",[t._v("false")]),t._v("。")]),t._v(" "),l("p",[t._v(":::img\n"),l("img",{attrs:{src:"/screenshots/counter/3.png",alt:"height=100"}}),t._v("\n:::")]),t._v(" "),l("h3",{attrs:{id:"示例代码-3"}},[l("a",{staticClass:"header-anchor",attrs:{href:"#示例代码-3"}},[t._v("#")]),t._v(" 示例代码")]),t._v(" "),l("div",{staticClass:"language-wxml extra-class"},[l("pre",{pre:!0,attrs:{class:"language-text"}},[l("code",[t._v('<l-counter count="1" min="1" max="10" disabled="{{true}}"/>\n')])])]),l("h2",{attrs:{id:"数量选择器属性"}},[l("a",{staticClass:"header-anchor",attrs:{href:"#数量选择器属性"}},[t._v("#")]),t._v(" 数量选择器属性")]),t._v(" "),l("div",{staticClass:"custom-block tip"},[l("p",{staticClass:"custom-block-title"},[t._v("TIP")]),t._v(" "),l("ol",[l("li",[t._v("如果需通过"),l("code",[t._v("l-count-class")]),t._v("或者"),l("code",[t._v("l-class")]),t._v("修改"),l("code",[t._v("height")]),t._v(",请同时设置"),l("code",[t._v("line-height")]),t._v("和"),l("code",[t._v("min-height")]),t._v("并与"),l("code",[t._v("height")]),t._v("大小保持一致。")]),t._v(" "),l("li",[l("code",[t._v("l-disabled-class")]),t._v("与"),l("code",[t._v("l-symbol-class")]),t._v("为互斥关系。")])])]),t._v(" "),l("table",[l("thead",[l("tr",[l("th",{staticStyle:{"text-align":"left"}},[t._v("参数")]),t._v(" "),l("th",{staticStyle:{"text-align":"left"}},[t._v("说明")]),t._v(" "),l("th",{staticStyle:{"text-align":"left"}},[t._v("类型")]),t._v(" "),l("th",{staticStyle:{"text-align":"left"}},[t._v("可选值")]),t._v(" "),l("th",{staticStyle:{"text-align":"left"}},[t._v("默认值")])])]),t._v(" "),l("tbody",[l("tr",[l("td",{staticStyle:{"text-align":"left"}},[t._v("count")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("设置起始数量")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("Number")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("---")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("1")])]),t._v(" "),l("tr",[l("td",{staticStyle:{"text-align":"left"}},[t._v("min")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("设置最小数量")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("Number")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("---")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("1")])]),t._v(" "),l("tr",[l("td",{staticStyle:{"text-align":"left"}},[t._v("max")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("设置最大数量")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("Number")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("---")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("10000")])]),t._v(" "),l("tr",[l("td",{staticStyle:{"text-align":"left"}},[t._v("step")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("设置数量增减步长")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("Number")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("---")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("1")])]),t._v(" "),l("tr",[l("td",{staticStyle:{"text-align":"left"}},[t._v("disabled")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("设置禁用状态")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("Boolean")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("---")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("false")])]),t._v(" "),l("tr",[l("td",{staticStyle:{"text-align":"left"}},[t._v("is-hover")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("是否显示hover效果")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("Boolean")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("---")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("true")])])])]),t._v(" "),l("h2",{attrs:{id:"数量选择器外部样式类"}},[l("a",{staticClass:"header-anchor",attrs:{href:"#数量选择器外部样式类"}},[t._v("#")]),t._v(" 数量选择器外部样式类")]),t._v(" "),l("table",[l("thead",[l("tr",[l("th",{staticStyle:{"text-align":"left"}},[t._v("外部样式类名")]),t._v(" "),l("th",{staticStyle:{"text-align":"left"}},[t._v("说明")]),t._v(" "),l("th",{staticStyle:{"text-align":"left"}},[t._v("备注")])])]),t._v(" "),l("tbody",[l("tr",[l("td",{staticStyle:{"text-align":"left"}},[t._v("l-class")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("设置数量选择器整体容器的外部样式类")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("---")])]),t._v(" "),l("tr",[l("td",{staticStyle:{"text-align":"left"}},[t._v("l-symbol-class")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("设置数量选择器加(减)号容器的外部样式类")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("---")])]),t._v(" "),l("tr",[l("td",{staticStyle:{"text-align":"left"}},[t._v("l-disabled-class")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("设置数量选择器数字容器禁用状态的外部样式类")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("---")])]),t._v(" "),l("tr",[l("td",{staticStyle:{"text-align":"left"}},[t._v("l-count-class")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("设置数量选择器数字容器的外部样式类")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("---")])])])]),t._v(" "),l("h2",{attrs:{id:"数量选择器事件"}},[l("a",{staticClass:"header-anchor",attrs:{href:"#数量选择器事件"}},[t._v("#")]),t._v(" 数量选择器事件")]),t._v(" "),l("table",[l("thead",[l("tr",[l("th",{staticStyle:{"text-align":"left"}},[t._v("事件名称")]),t._v(" "),l("th",{staticStyle:{"text-align":"left"}},[t._v("说明")]),t._v(" "),l("th",{staticStyle:{"text-align":"left"}},[t._v("返回值")]),t._v(" "),l("th",{staticStyle:{"text-align":"left"}},[t._v("备注")])])]),t._v(" "),l("tbody",[l("tr",[l("td",{staticStyle:{"text-align":"left"}},[t._v("bind:lintap")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("点击加(减)号及数字输入框失去焦点触发的事件")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("{count,type}")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("type值为"),l("code",[t._v("reduce")]),t._v("、"),l("code",[t._v("add")]),t._v("和"),l("code",[t._v("blur")])])]),t._v(" "),l("tr",[l("td",{staticStyle:{"text-align":"left"}},[t._v("bind:linout")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("数字超出可选范围触发的事件")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("{type,way}")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("type值为"),l("code",[t._v("overflow_min")]),t._v("、"),l("code",[t._v("overflow_max")]),t._v(",way值为"),l("code",[t._v("icon")]),t._v("、"),l("code",[t._v("input")]),t._v("、"),l("code",[t._v("parameter")])])]),t._v(" "),l("tr",[l("td",{staticStyle:{"text-align":"left"}},[t._v("bind:linchange")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("数字改变时触发的事件")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("{count}")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}})]),t._v(" "),l("tr",[l("td",{staticStyle:{"text-align":"left"}},[t._v("bind:lininput")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("输入数字时触发的事件")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("{value, cursor, keyCode}")]),t._v(" "),l("td",{staticStyle:{"text-align":"left"}},[t._v("该事件在 linchange 之前触发")])])])]),t._v(" "),l("div",{staticClass:"custom-block tip"},[l("p",{staticClass:"custom-block-title"},[t._v("TIP")]),t._v(" "),l("p",[t._v("way值介绍:")]),t._v(" "),l("ol",[l("li",[l("code",[t._v("icon")]),t._v("为点击加(减)号触发的超出事件。")]),t._v(" "),l("li",[l("code",[t._v("input")]),t._v("为输入框数字超出事件。")]),t._v(" "),l("li",[l("code",[t._v("parameter")]),t._v("为输入的参数导致的超出事件。")])])]),t._v(" "),l("RightMenu")],1)}),[],!1,null,null,null);e.default=v.exports}}]); |
from datetime import datetime
from django.conf import settings
from django.utils.crypto import constant_time_compare, salted_hmac
from django.utils.http import base36_to_int, int_to_base36
class PasswordResetTokenGenerator:
"""
Strategy object used to generate and check tokens for the password
reset mechanism.
"""
key_salt = "django.contrib.auth.tokens.PasswordResetTokenGenerator"
algorithm = None
_secret = None
def __init__(self):
self.algorithm = self.algorithm or 'sha256'
def _get_secret(self):
return self._secret or settings.SECRET_KEY
def _set_secret(self, secret):
self._secret = secret
secret = property(_get_secret, _set_secret)
def make_token(self, user):
"""
Return a token that can be used once to do a password reset
for the given user.
"""
return self._make_token_with_timestamp(user, self._num_seconds(self._now()))
def check_token(self, user, token):
"""
Check that a password reset token is correct for a given user.
"""
if not (user and token):
return False
# Parse the token
try:
ts_b36, _ = token.split("-")
except ValueError:
return False
try:
ts = base36_to_int(ts_b36)
except ValueError:
return False
# Check that the timestamp/uid has not been tampered with
if not constant_time_compare(self._make_token_with_timestamp(user, ts), token):
return False
# Check the timestamp is within limit.
if (self._num_seconds(self._now()) - ts) > settings.PASSWORD_RESET_TIMEOUT:
return False
return True
def _make_token_with_timestamp(self, user, timestamp):
# timestamp is number of seconds since 2001-1-1. Converted to base 36,
# this gives us a 6 digit string until about 2069.
ts_b36 = int_to_base36(timestamp)
hash_string = salted_hmac(
self.key_salt,
self._make_hash_value(user, timestamp),
secret=self.secret,
algorithm=self.algorithm,
).hexdigest()[::2] # Limit to shorten the URL.
return "%s-%s" % (ts_b36, hash_string)
def _make_hash_value(self, user, timestamp):
"""
Hash the user's primary key, email (if available), and some user state
that's sure to change after a password reset to produce a token that is
invalidated when it's used:
1. The password field will change upon a password reset (even if the
same password is chosen, due to password salting).
2. The last_login field will usually be updated very shortly after
a password reset.
Failing those things, settings.PASSWORD_RESET_TIMEOUT eventually
invalidates the token.
Running this data through salted_hmac() prevents password cracking
attempts using the reset token, provided the secret isn't compromised.
"""
# Truncate microseconds so that tokens are consistent even if the
# database doesn't support microseconds.
login_timestamp = '' if user.last_login is None else user.last_login.replace(microsecond=0, tzinfo=None)
email_field = user.get_email_field_name()
email = getattr(user, email_field, '') or ''
return f'{user.pk}{user.password}{login_timestamp}{timestamp}{email}'
def _num_seconds(self, dt):
return int((dt - datetime(2001, 1, 1)).total_seconds())
def _now(self):
# Used for mocking in tests
return datetime.now()
default_token_generator = PasswordResetTokenGenerator()
|
import ReactMarkdown from 'react-markdown';
import PageLayout from '../components/PageLayout';
import { useContext } from 'react';
import consent from '../content/consent';
import { LanguageContext } from '../components/LanguageSelector';
export default function Consent() {
const { language } = useContext(LanguageContext);
const content = consent[language];
return (
<PageLayout>
<ReactMarkdown source={content} className="react-markdown pb-20" />
</PageLayout>
);
}
|
"""
ASGI config for django_celery_redis_demo project.
It exposes the ASGI callable as a module-level variable named ``application``.
For more information on this file, see
https://docs.djangoproject.com/en/3.1/howto/deployment/asgi/
"""
import os
from django.core.asgi import get_asgi_application
os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'django_celery_redis_demo.settings')
application = get_asgi_application()
|
""" Tests of the command-line interface
:Author: Jonathan Karr <[email protected]>
:Date: 2021-08-12
:Copyright: 2021, Center for Reproducible Biomedical Modeling
:License: MIT
"""
from biosimulators_masspy import __main__
from biosimulators_masspy import core
from biosimulators_masspy.data_model import KISAO_ALGORITHM_MAP
from biosimulators_utils.combine import data_model as combine_data_model
from biosimulators_utils.combine.exceptions import CombineArchiveExecutionError
from biosimulators_utils.combine.io import CombineArchiveWriter
from biosimulators_utils.config import get_config
from biosimulators_utils.report import data_model as report_data_model
from biosimulators_utils.report.io import ReportReader
from biosimulators_utils.simulator.exec import exec_sedml_docs_in_archive_with_containerized_simulator
from biosimulators_utils.simulator.specs import gen_algorithms_from_specs
from biosimulators_utils.sedml import data_model as sedml_data_model
from biosimulators_utils.sedml.io import SedmlSimulationWriter
from biosimulators_utils.sedml.utils import append_all_nested_children_to_doc
from biosimulators_utils.warnings import BioSimulatorsWarning
from kisao.exceptions import AlgorithmCannotBeSubstitutedException
from unittest import mock
import copy
import datetime
import dateutil.tz
import json
import mass
import numpy
import numpy.testing
import os
import shutil
import tempfile
import unittest
import yaml
class CliTestCase(unittest.TestCase):
EXAMPLE_MODEL_FILENAME = os.path.join(os.path.dirname(__file__), 'fixtures', 'textbook.xml')
NAMESPACES = {
'sbml': 'http://www.sbml.org/sbml/level3/version1/core'
}
SPECIFICATIONS_FILENAME = os.path.join(os.path.dirname(__file__), '..', 'biosimulators.json')
DOCKER_IMAGE = 'ghcr.io/biosimulators/biosimulators_masspy/masspy:latest'
def setUp(self):
self.dirname = tempfile.mkdtemp()
def tearDown(self):
shutil.rmtree(self.dirname)
def test_exec_sed_task_successfully(self):
# configure simulation
task = sedml_data_model.Task(
model=sedml_data_model.Model(
source=self.EXAMPLE_MODEL_FILENAME,
language=sedml_data_model.ModelLanguage.SBML.value,
),
simulation=sedml_data_model.UniformTimeCourseSimulation(
initial_time=0.,
output_start_time=0.,
output_end_time=10.,
number_of_points=10,
algorithm=sedml_data_model.Algorithm(
kisao_id='KISAO_0000019',
changes=[
sedml_data_model.AlgorithmParameterChange(
kisao_id='KISAO_0000209',
new_value='1e-8',
)
]
),
),
)
variables = [
sedml_data_model.Variable(
id='Time',
symbol=sedml_data_model.Symbol.time,
task=task),
sedml_data_model.Variable(
id='g6p',
target="/sbml:sbml/sbml:model/sbml:listOfSpecies/sbml:species[@id='M_g6p_c']",
target_namespaces=self.NAMESPACES,
task=task),
sedml_data_model.Variable(
id='f6p',
target="/sbml:sbml/sbml:model/sbml:listOfSpecies/sbml:species[@id='M_f6p_c']",
target_namespaces=self.NAMESPACES,
task=task),
sedml_data_model.Variable(
id='HEX1',
target="/sbml:sbml/sbml:model/sbml:listOfReactions/sbml:reaction[@id='R_HEX1']",
target_namespaces=self.NAMESPACES,
task=task),
]
# execute simulation
variable_results, log = core.exec_sed_task(task, variables)
# check that the simulation was executed correctly
self.assertEqual(set(variable_results.keys()), set(['Time', 'g6p', 'f6p', 'HEX1']))
for variable_result in variable_results.values():
self.assertFalse(numpy.any(numpy.isnan(variable_result)))
numpy.testing.assert_allclose(
variable_results['Time'],
numpy.linspace(
task.simulation.output_start_time,
task.simulation.output_end_time,
task.simulation.number_of_points + 1,
))
# check that log can be serialized to JSON
self.assertEqual(log.algorithm, 'KISAO_0000019')
self.assertEqual(log.simulator_details['integrator'], 'cvode')
self.assertEqual(log.simulator_details['relative_tolerance'], 1e-8)
json.dumps(log.to_json())
log.out_dir = self.dirname
log.export()
with open(os.path.join(self.dirname, get_config().LOG_PATH), 'rb') as file:
log_data = yaml.load(file, Loader=yaml.Loader)
json.dumps(log_data)
def test_exec_sed_task_non_zero_initial_time(self):
# configure simulation
task = sedml_data_model.Task(
model=sedml_data_model.Model(
source=self.EXAMPLE_MODEL_FILENAME,
language=sedml_data_model.ModelLanguage.SBML.value,
),
simulation=sedml_data_model.UniformTimeCourseSimulation(
initial_time=10.,
output_start_time=20.,
output_end_time=30.,
number_of_points=10,
algorithm=sedml_data_model.Algorithm(
kisao_id='KISAO_0000019',
),
),
)
variables = [
sedml_data_model.Variable(
id='Time',
symbol=sedml_data_model.Symbol.time,
task=task),
sedml_data_model.Variable(
id='g6p',
target="/sbml:sbml/sbml:model/sbml:listOfSpecies/sbml:species[@id='M_g6p_c']",
target_namespaces=self.NAMESPACES,
task=task),
]
# execute simulation
variable_results, log = core.exec_sed_task(task, variables)
# check that the simulation was executed correctly
self.assertEqual(set(variable_results.keys()), set(['Time', 'g6p']))
for variable_result in variable_results.values():
self.assertFalse(numpy.any(numpy.isnan(variable_result)))
numpy.testing.assert_allclose(
variable_results['Time'],
numpy.linspace(
task.simulation.output_start_time,
task.simulation.output_end_time,
task.simulation.number_of_points + 1,
))
def test_exec_sed_task_alt_alg(self):
# configure simulation
task = sedml_data_model.Task(
model=sedml_data_model.Model(
source=self.EXAMPLE_MODEL_FILENAME,
language=sedml_data_model.ModelLanguage.SBML.value,
),
simulation=sedml_data_model.UniformTimeCourseSimulation(
initial_time=0.,
output_start_time=0.,
output_end_time=10.,
number_of_points=10,
algorithm=sedml_data_model.Algorithm(
kisao_id='KISAO_0000086',
),
),
)
variables = [
sedml_data_model.Variable(
id='Time',
symbol=sedml_data_model.Symbol.time,
task=task),
sedml_data_model.Variable(
id='g6p',
target="/sbml:sbml/sbml:model/sbml:listOfSpecies/sbml:species[@id='M_g6p_c']",
target_namespaces=self.NAMESPACES,
task=task),
]
# execute simulation
variable_results, log = core.exec_sed_task(task, variables)
# check that the simulation was executed correctly
self.assertEqual(set(variable_results.keys()), set(['Time', 'g6p']))
for variable_result in variable_results.values():
self.assertFalse(numpy.any(numpy.isnan(variable_result)), variable_result)
numpy.testing.assert_allclose(
variable_results['Time'],
numpy.linspace(
task.simulation.output_start_time,
task.simulation.output_end_time,
task.simulation.number_of_points + 1,
))
def test_exec_sed_task_alg_substitution(self):
# configure simulation
task = sedml_data_model.Task(
model=sedml_data_model.Model(
source=self.EXAMPLE_MODEL_FILENAME,
language=sedml_data_model.ModelLanguage.SBML.value,
),
simulation=sedml_data_model.UniformTimeCourseSimulation(
initial_time=0.,
output_start_time=0.,
output_end_time=10.,
number_of_points=10,
algorithm=sedml_data_model.Algorithm(
kisao_id='KISAO_0000019',
),
),
)
variables = [
sedml_data_model.Variable(
id='Time',
symbol=sedml_data_model.Symbol.time,
task=task),
sedml_data_model.Variable(
id='g6p',
target="/sbml:sbml/sbml:model/sbml:listOfSpecies/sbml:species[@id='M_g6p_c']",
target_namespaces=self.NAMESPACES,
task=task),
]
# execute simulation
task_2 = copy.deepcopy(task)
task_2.simulation.algorithm.kisao_id = 'KISAO_0000560'
with mock.patch.dict('os.environ', {'ALGORITHM_SUBSTITUTION_POLICY': 'NONE'}):
with self.assertRaises(AlgorithmCannotBeSubstitutedException):
core.exec_sed_task(task_2, variables)
task_2 = copy.deepcopy(task)
task_2.simulation.algorithm.kisao_id = 'KISAO_0000560'
with mock.patch.dict('os.environ', {'ALGORITHM_SUBSTITUTION_POLICY': 'SIMILAR_VARIABLES'}):
core.exec_sed_task(task_2, variables)
task_2 = copy.deepcopy(task)
task_2.simulation.algorithm.changes.append(sedml_data_model.AlgorithmParameterChange(
kisao_id='KISAO_0000488',
new_value='1',
))
with mock.patch.dict('os.environ', {'ALGORITHM_SUBSTITUTION_POLICY': 'NONE'}):
with self.assertRaises(NotImplementedError):
core.exec_sed_task(task_2, variables)
with mock.patch.dict('os.environ', {'ALGORITHM_SUBSTITUTION_POLICY': 'SIMILAR_VARIABLES'}):
with self.assertWarns(BioSimulatorsWarning):
core.exec_sed_task(task_2, variables)
task_2 = copy.deepcopy(task)
task_2.simulation.algorithm.changes.append(sedml_data_model.AlgorithmParameterChange(
kisao_id='KISAO_0000209',
new_value='abc',
))
with mock.patch.dict('os.environ', {'ALGORITHM_SUBSTITUTION_POLICY': 'NONE'}):
with self.assertRaises(ValueError):
core.exec_sed_task(task_2, variables)
with mock.patch.dict('os.environ', {'ALGORITHM_SUBSTITUTION_POLICY': 'SIMILAR_VARIABLES'}):
with self.assertWarns(BioSimulatorsWarning):
core.exec_sed_task(task_2, variables)
def test_exec_sed_task_with_changes(self):
# configure simulation
task = sedml_data_model.Task(
model=sedml_data_model.Model(
source=self.EXAMPLE_MODEL_FILENAME,
language=sedml_data_model.ModelLanguage.SBML.value,
),
simulation=sedml_data_model.UniformTimeCourseSimulation(
initial_time=0.,
output_start_time=0.,
output_end_time=10.,
number_of_points=10,
algorithm=sedml_data_model.Algorithm(
kisao_id='KISAO_0000019',
),
),
)
variables = [
sedml_data_model.Variable(
id='Time',
symbol=sedml_data_model.Symbol.time,
task=task),
]
mass_model = mass.io.sbml.read_sbml_model(task.model.source)
for met in mass_model.metabolites:
task.model.changes.append(sedml_data_model.ModelAttributeChange(
target="/sbml:sbml/sbml:model/sbml:listOfSpecies/sbml:species[@id='M_{}']".format(met.id),
target_namespaces=self.NAMESPACES,
new_value=None))
variables.append(sedml_data_model.Variable(
id=met.id,
target="/sbml:sbml/sbml:model/sbml:listOfSpecies/sbml:species[@id='M_{}']".format(met.id),
target_namespaces=self.NAMESPACES,
task=task))
task.model.changes.append(sedml_data_model.ModelAttributeChange(
target="/sbml:sbml/sbml:model/sbml:listOfParameters/sbml:parameter[@id='v_R_HEX1']",
target_namespaces=self.NAMESPACES,
new_value=10))
task.model.changes.append(sedml_data_model.ModelAttributeChange(
target="/sbml:sbml/sbml:model/sbml:listOfReactions/sbml:reaction[@id='R_PFK_R01']/sbml:kineticLaw/sbml:listOfLocalParameters/sbml:localParameter[@id='Keq_PFK_A']",
target_namespaces=self.NAMESPACES,
new_value=20))
task.model.changes.append(sedml_data_model.ModelAttributeChange(
target="/sbml:sbml/sbml:model/sbml:listOfReactions/sbml:reaction[@id='R_SK_lac__L_c']/sbml:kineticLaw/sbml:listOfLocalParameters/sbml:localParameter[@id='lac__L_b']",
target_namespaces=self.NAMESPACES,
new_value=25))
task.model.changes.append(sedml_data_model.ModelAttributeChange(
target="/sbml:sbml/sbml:model/sbml:listOfReactions/sbml:reaction[@id='R_ADK1']/sbml:kineticLaw/sbml:listOfLocalParameters/sbml:localParameter[@id='kf_R_ADK1']",
target_namespaces=self.NAMESPACES,
new_value=30))
# execute simulation
preprocessed_task = core.preprocess_sed_task(task, variables)
task.model.changes.append(sedml_data_model.ModelAttributeChange(
target="/sbml:sbml/sbml:model",
target_namespaces=self.NAMESPACES,
new_value=None))
with self.assertRaises(ValueError):
core.preprocess_sed_task(task, variables)
task.model.changes = []
results, _ = core.exec_sed_task(task, variables, preprocessed_task=preprocessed_task)
for met in mass_model.metabolites:
with self.assertRaises(AssertionError):
numpy.testing.assert_allclose(results[met.id][0:task.simulation.number_of_points + 1],
results[met.id][(-task.simulation.number_of_points + 1):])
task.simulation.output_end_time = task.simulation.output_end_time / 2
task.simulation.number_of_points = int(task.simulation.number_of_points / 2)
results2, _ = core.exec_sed_task(task, variables, preprocessed_task=preprocessed_task)
for met in mass_model.metabolites:
numpy.testing.assert_allclose(results2[met.id], results[met.id][0:task.simulation.number_of_points + 1])
task.model.changes.append(sedml_data_model.ModelAttributeChange(
target="/sbml:sbml/sbml:model/sbml:listOfSpecies/sbml:species[@id='M_{}']".format(met.id),
target_namespaces=self.NAMESPACES,
new_value=results2[met.id][-1]))
results3, _ = core.exec_sed_task(task, variables, preprocessed_task=preprocessed_task)
for met in mass_model.metabolites:
numpy.testing.assert_allclose(results3[met.id], results[met.id][-(task.simulation.number_of_points + 1):])
# parameters
task.model.changes.append(sedml_data_model.ModelAttributeChange(
target="/sbml:sbml/sbml:model/sbml:listOfParameters/sbml:parameter[@id='v_R_HEX1']",
target_namespaces=self.NAMESPACES,
new_value=10))
task.model.changes.append(sedml_data_model.ModelAttributeChange(
target="/sbml:sbml/sbml:model/sbml:listOfReactions/sbml:reaction[@id='R_PFK_R01']/sbml:kineticLaw/sbml:listOfLocalParameters/sbml:localParameter[@id='Keq_PFK_A']",
target_namespaces=self.NAMESPACES,
new_value=20))
task.model.changes.append(sedml_data_model.ModelAttributeChange(
target="/sbml:sbml/sbml:model/sbml:listOfReactions/sbml:reaction[@id='R_SK_lac__L_c']/sbml:kineticLaw/sbml:listOfLocalParameters/sbml:localParameter[@id='lac__L_b']",
target_namespaces=self.NAMESPACES,
new_value=25))
task.model.changes.append(sedml_data_model.ModelAttributeChange(
target="/sbml:sbml/sbml:model/sbml:listOfReactions/sbml:reaction[@id='R_ADK1']/sbml:kineticLaw/sbml:listOfLocalParameters/sbml:localParameter[@id='kf_R_ADK1']",
target_namespaces=self.NAMESPACES,
new_value=30))
core.exec_sed_task(task, variables, preprocessed_task=preprocessed_task)
self.assertEqual(preprocessed_task['model']['model'].parameters['v']['v_HEX1'], 10)
self.assertEqual(preprocessed_task['model']['model'].parameters['Custom']['Keq_PFK_A'], 20)
self.assertEqual(preprocessed_task['model']['model'].parameters['Boundary']['lac__L_b'], 25)
self.assertEqual(preprocessed_task['model']['model'].parameters['kf']['kf_ADK1'], 30)
def test_exec_sed_task_sim_error_handling(self):
# configure simulation
task = sedml_data_model.Task(
model=sedml_data_model.Model(
source=self.EXAMPLE_MODEL_FILENAME,
language=sedml_data_model.ModelLanguage.SBML.value,
),
simulation=sedml_data_model.UniformTimeCourseSimulation(
initial_time=0.,
output_start_time=0.,
output_end_time=10.,
number_of_points=10,
algorithm=sedml_data_model.Algorithm(
kisao_id='KISAO_0000030',
),
),
)
variables = [
sedml_data_model.Variable(
id='Time',
symbol=sedml_data_model.Symbol.time,
task=task),
sedml_data_model.Variable(
id='g6p',
target="/sbml:sbml/sbml:model/sbml:listOfSpecies/sbml:species[@id='M_g6p_c']",
target_namespaces=self.NAMESPACES,
task=task),
]
# execute simulation
with self.assertRaisesRegex(ValueError, 'Simulation failed'):
core.exec_sed_task(task, variables)
def test_exec_sed_task_error_handling(self):
# configure simulation
task = sedml_data_model.Task(
model=sedml_data_model.Model(
source=self.EXAMPLE_MODEL_FILENAME,
language=sedml_data_model.ModelLanguage.SBML.value,
),
simulation=sedml_data_model.UniformTimeCourseSimulation(
initial_time=0.,
output_start_time=0.,
output_end_time=10.,
number_of_points=10,
algorithm=sedml_data_model.Algorithm(
kisao_id='KISAO_0000019',
),
),
)
variables = [
sedml_data_model.Variable(
id='Time',
symbol=sedml_data_model.Symbol.time,
task=task),
sedml_data_model.Variable(
id='g6p',
target="/sbml:sbml/sbml:model/sbml:listOfSpecies/sbml:species[@id='M_g6p_c']",
target_namespaces=self.NAMESPACES,
task=task),
]
# execute simulation
variables_2 = copy.deepcopy(variables)
variables_2[0].symbol = 'mass'
with self.assertRaisesRegex(NotImplementedError, 'The following symbols are not supported'):
core.exec_sed_task(task, variables_2)
variables_2 = copy.deepcopy(variables)
variables_2[1].target = '/sbml:sbml'
with self.assertRaisesRegex(ValueError, 'The following targets are not supported'):
core.exec_sed_task(task, variables_2)
task_2 = copy.deepcopy(task)
task_2.simulation.output_start_time = 1.5
with self.assertRaisesRegex(NotImplementedError, 'must be an integer'):
core.exec_sed_task(task_2, variables)
def test_exec_sedml_docs_in_combine_archive_successfully(self):
doc, archive_filename = self._build_combine_archive()
out_dir = os.path.join(self.dirname, 'out')
config = get_config()
config.REPORT_FORMATS = [report_data_model.ReportFormat.h5]
config.BUNDLE_OUTPUTS = True
config.KEEP_INDIVIDUAL_OUTPUTS = True
_, log = core.exec_sedml_docs_in_combine_archive(archive_filename, out_dir, config=config)
if log.exception:
raise log.exception
self._assert_combine_archive_outputs(doc, out_dir)
def _build_combine_archive(self, algorithm=None):
doc = self._build_sed_doc(algorithm=algorithm)
archive_dirname = os.path.join(self.dirname, 'archive')
if not os.path.isdir(archive_dirname):
os.mkdir(archive_dirname)
model_filename = os.path.join(archive_dirname, 'model.xml')
shutil.copyfile(self.EXAMPLE_MODEL_FILENAME, model_filename)
sim_filename = os.path.join(archive_dirname, 'sim.sedml')
SedmlSimulationWriter().run(doc, sim_filename)
archive = combine_data_model.CombineArchive(
contents=[
combine_data_model.CombineArchiveContent(
'model.xml', combine_data_model.CombineArchiveContentFormat.SBML.value),
combine_data_model.CombineArchiveContent(
'sim.sedml', combine_data_model.CombineArchiveContentFormat.SED_ML.value),
],
)
archive_filename = os.path.join(self.dirname, 'archive.omex')
CombineArchiveWriter().run(archive, archive_dirname, archive_filename)
return (doc, archive_filename)
def _build_sed_doc(self, algorithm=None):
if algorithm is None:
algorithm = sedml_data_model.Algorithm(
kisao_id='KISAO_0000019',
)
doc = sedml_data_model.SedDocument()
doc.models.append(sedml_data_model.Model(
id='model',
source='model.xml',
language=sedml_data_model.ModelLanguage.SBML.value,
))
doc.simulations.append(sedml_data_model.UniformTimeCourseSimulation(
id='sim_time_course',
initial_time=0.,
output_start_time=0.,
output_end_time=10.,
number_of_points=10,
algorithm=algorithm,
))
doc.tasks.append(sedml_data_model.Task(
id='task_1',
model=doc.models[0],
simulation=doc.simulations[0],
))
doc.data_generators.append(sedml_data_model.DataGenerator(
id='data_gen_time',
variables=[
sedml_data_model.Variable(
id='var_time',
symbol=sedml_data_model.Symbol.time.value,
task=doc.tasks[0],
),
],
math='var_time',
))
doc.data_generators.append(sedml_data_model.DataGenerator(
id='data_gen_g6p',
variables=[
sedml_data_model.Variable(
id='var_g6p',
target="/sbml:sbml/sbml:model/sbml:listOfSpecies/sbml:species[@id='M_g6p_c']",
target_namespaces=self.NAMESPACES,
task=doc.tasks[0],
),
],
math='var_g6p',
))
doc.outputs.append(sedml_data_model.Report(
id='report',
data_sets=[
sedml_data_model.DataSet(id='data_set_time', label='Time', data_generator=doc.data_generators[0]),
sedml_data_model.DataSet(id='data_set_g6p', label='g6p', data_generator=doc.data_generators[1]),
],
))
append_all_nested_children_to_doc(doc)
return doc
def _assert_combine_archive_outputs(self, doc, out_dir):
self.assertEqual(set(['reports.h5']).difference(set(os.listdir(out_dir))), set())
report = ReportReader().run(doc.outputs[0], out_dir, 'sim.sedml/report', format=report_data_model.ReportFormat.h5)
self.assertEqual(sorted(report.keys()), sorted([d.id for d in doc.outputs[0].data_sets]))
sim = doc.tasks[0].simulation
self.assertEqual(len(report[doc.outputs[0].data_sets[0].id]), sim.number_of_points + 1)
for data_set_result in report.values():
self.assertFalse(numpy.any(numpy.isnan(data_set_result)))
self.assertIn('data_set_time', report)
numpy.testing.assert_allclose(report[doc.outputs[0].data_sets[0].id],
numpy.linspace(sim.output_start_time, sim.output_end_time, sim.number_of_points + 1))
def test_exec_sedml_docs_in_combine_archive_with_all_algorithms(self):
failures = []
for alg in gen_algorithms_from_specs(self.SPECIFICATIONS_FILENAME).values():
doc, archive_filename = self._build_combine_archive(algorithm=alg)
out_dir = os.path.join(self.dirname, alg.kisao_id)
config = get_config()
config.REPORT_FORMATS = [report_data_model.ReportFormat.h5]
config.BUNDLE_OUTPUTS = True
config.KEEP_INDIVIDUAL_OUTPUTS = True
try:
_, log = core.exec_sedml_docs_in_combine_archive(archive_filename, out_dir, config=config)
if log.exception:
raise log.exception
self._assert_combine_archive_outputs(doc, out_dir)
except CombineArchiveExecutionError as exception:
if 'Simulation failed' in str(exception):
failures.append(alg.kisao_id)
else:
raise
self.assertEqual(failures, ['KISAO_0000030', 'KISAO_0000032']) # model can't be executed with these algorithms
def test_exec_sedml_docs_in_combine_archive_with_cli(self):
doc, archive_filename = self._build_combine_archive()
out_dir = os.path.join(self.dirname, 'out')
env = self._get_combine_archive_exec_env()
with mock.patch.dict(os.environ, env):
with __main__.App(argv=['-i', archive_filename, '-o', out_dir]) as app:
app.run()
self._assert_combine_archive_outputs(doc, out_dir)
def _get_combine_archive_exec_env(self):
return {
'REPORT_FORMATS': 'h5'
}
def test_exec_sedml_docs_in_combine_archive_with_docker_image(self):
doc, archive_filename = self._build_combine_archive()
out_dir = os.path.join(self.dirname, 'out')
docker_image = self.DOCKER_IMAGE
env = self._get_combine_archive_exec_env()
exec_sedml_docs_in_archive_with_containerized_simulator(
archive_filename, out_dir, docker_image, environment=env, pull_docker_image=False)
self._assert_combine_archive_outputs(doc, out_dir)
|
import React from 'react';
import styled from '@emotion/styled';
import { withPrefix } from 'gatsby';
const Wrapper = styled.div({
display: 'flex',
marginTop: '-4px',
});
export default function Logo() {
return (
<Wrapper>
<img
style={{
maxWidth: '32px',
maxHeight: '32px',
}}
src={withPrefix('/icons/icon-96x96.png')}
alt={'logo'}
/>
</Wrapper>
);
}
|
# coding: utf-8
from datetime import date, datetime
from typing import List, Dict, Type
from openapi_server.models.base_model_ import Model
from openapi_server.models.rate import Rate
from openapi_server import util
class Values(Model):
"""NOTE: This class is auto generated by OpenAPI Generator (https://openapi-generator.tech).
Do not edit the class manually.
"""
def __init__(self, fiat_values: List[Rate]=None, value: int=None):
"""Values - a model defined in OpenAPI
:param fiat_values: The fiat_values of this Values.
:param value: The value of this Values.
"""
self.openapi_types = {
'fiat_values': List[Rate],
'value': int
}
self.attribute_map = {
'fiat_values': 'fiat_values',
'value': 'value'
}
self._fiat_values = fiat_values
self._value = value
@classmethod
def from_dict(cls, dikt: dict) -> 'Values':
"""Returns the dict as a model
:param dikt: A dict.
:return: The values of this Values.
"""
return util.deserialize_model(dikt, cls)
@property
def fiat_values(self):
"""Gets the fiat_values of this Values.
:return: The fiat_values of this Values.
:rtype: List[Rate]
"""
return self._fiat_values
@fiat_values.setter
def fiat_values(self, fiat_values):
"""Sets the fiat_values of this Values.
:param fiat_values: The fiat_values of this Values.
:type fiat_values: List[Rate]
"""
self._fiat_values = fiat_values
@property
def value(self):
"""Gets the value of this Values.
:return: The value of this Values.
:rtype: int
"""
return self._value
@value.setter
def value(self, value):
"""Sets the value of this Values.
:param value: The value of this Values.
:type value: int
"""
self._value = value
|
;(function () {
var utils = baidu.editor.utils,
uiUtils = baidu.editor.ui.uiUtils,
EventBase = baidu.editor.EventBase,
UIBase = baidu.editor.ui.UIBase = function () {
};
UIBase.prototype = {
className:'',
uiName:'',
initOptions:function (options) {
var me = this;
for (var k in options) {
me[k] = options[k];
}
this.id = this.id || 'edui' + uiUtils.uid();
},
initUIBase:function () {
this._globalKey = utils.unhtml(uiUtils.setGlobal(this.id, this));
},
render:function (holder) {
var html = this.renderHtml();
var el = uiUtils.createElementByHtml(html);
//by xuheng 给每个node添加class
var list = domUtils.getElementsByTagName(el, "*");
var theme = "edui-" + (this.theme || this.editor.options.theme);
var layer = document.getElementById('edui_fixedlayer');
for (var i = 0, node; node = list[i++];) {
domUtils.addClass(node, theme);
}
domUtils.addClass(el, theme);
if(layer){
layer.className="";
domUtils.addClass(layer,theme);
}
var seatEl = this.getDom();
if (seatEl != null) {
seatEl.parentNode.replaceChild(el, seatEl);
uiUtils.copyAttributes(el, seatEl);
} else {
if (typeof holder == 'string') {
holder = document.getElementById(holder);
}
holder = holder || uiUtils.getFixedLayer();
domUtils.addClass(holder, theme);
holder.appendChild(el);
}
this.postRender();
},
getDom:function (name) {
if (!name) {
return document.getElementById(this.id);
} else {
return document.getElementById(this.id + '_' + name);
}
},
postRender:function () {
this.fireEvent('postrender');
},
getHtmlTpl:function () {
return '';
},
formatHtml:function (tpl) {
var prefix = 'edui-' + this.uiName;
return (tpl
.replace(/##/g, this.id)
.replace(/%%-/g, this.uiName ? prefix + '-' : '')
.replace(/%%/g, (this.uiName ? prefix : '') + ' ' + this.className)
.replace(/\$\$/g, this._globalKey));
},
renderHtml:function () {
return this.formatHtml(this.getHtmlTpl());
},
dispose:function () {
var box = this.getDom();
if (box) baidu.editor.dom.domUtils.remove(box);
uiUtils.unsetGlobal(this.id);
}
};
utils.inherits(UIBase, EventBase);
})();
|
import React, { Component } from 'react';
import { connect } from 'react-redux';
import PropTypes from 'prop-types';
import i18n from 'd2-i18n';
import ReactGridLayout from 'react-grid-layout';
import {
acUpdateDashboardLayout,
acRemoveDashboardItem,
} from '../../actions/editDashboard';
import { Item } from '../Item/Item';
import { resize as pluginResize } from '../Item/VisualizationItem/plugin';
import { isPluginType } from '../../modules/itemTypes';
import {
GRID_ROW_HEIGHT,
GRID_COMPACT_TYPE,
ITEM_MIN_HEIGHT,
MARGIN,
getGridColumns,
hasShape,
onItemResize,
} from './gridUtil';
import { orArray } from '../../modules/util';
import DeleteItemButton from './DeleteItemButton';
import ModalLoadingMask from '../../widgets/ModalLoadingMask';
import NoContentMessage from '../../widgets/NoContentMessage';
import 'react-grid-layout/css/styles.css';
import 'react-resizable/css/styles.css';
import './ItemGrid.css';
import { sGetSelectedId, sGetSelectedIsLoading } from '../../reducers/selected';
import {
sGetEditDashboardRoot,
sGetEditDashboardItems,
} from '../../reducers/editDashboard';
import {
sGetDashboardById,
sGetDashboardItems,
} from '../../reducers/dashboards';
// Component
const EXPANDED_HEIGHT = 20;
export class ItemGrid extends Component {
state = {
expandedItems: {},
};
NO_ITEMS_MESSAGE = i18n.t('There are no items on this dashboard');
onToggleItemExpanded = clickedId => {
const isExpanded =
typeof this.state.expandedItems[clickedId] === 'boolean'
? this.state.expandedItems[clickedId]
: false;
const expandedItems = { ...this.state.expandedItems };
expandedItems[clickedId] = !isExpanded;
this.setState({ expandedItems });
};
onRemoveItem = clickedId => {
this.props.acRemoveDashboardItem(clickedId);
};
componentWillReceiveProps(nextProps) {
if (nextProps.edit) {
this.setState({ expandedItems: {} });
}
}
onLayoutChange = newLayout => {
if (this.props.edit) {
this.props.acUpdateDashboardLayout(newLayout);
}
};
onResizeStop = (layout, oldItem, newItem) => {
onItemResize(newItem.i);
const dashboardItem = this.props.dashboardItems.find(
item => item.id === newItem.i
);
// call resize on the item component if it's a plugin type
if (dashboardItem && isPluginType(dashboardItem)) {
pluginResize(dashboardItem);
}
};
onRemoveItemWrapper = id => () => this.onRemoveItem(id);
render() {
const { edit, isLoading, dashboardItems } = this.props;
if (!isLoading && !dashboardItems.length) {
return <NoContentMessage text={this.NO_ITEMS_MESSAGE} />;
}
const items = dashboardItems.map((item, index) => {
const expandedItem = this.state.expandedItems[item.id];
let hProp = { h: item.h };
if (expandedItem && expandedItem === true) {
hProp.h = item.h + EXPANDED_HEIGHT;
}
return Object.assign({}, item, hProp, {
i: item.id,
minH: ITEM_MIN_HEIGHT,
});
});
return (
<div className="grid-wrapper">
<ModalLoadingMask isLoading={isLoading} />
<ReactGridLayout
onLayoutChange={this.onLayoutChange}
onResizeStop={this.onResizeStop}
className="layout"
layout={items}
margin={MARGIN}
cols={getGridColumns()}
rowHeight={GRID_ROW_HEIGHT}
width={window.innerWidth}
compactType={GRID_COMPACT_TYPE}
isDraggable={edit}
isResizable={edit}
draggableCancel="input,textarea"
>
{items.map(item => {
const itemClassNames = [
item.type,
edit ? 'edit' : 'view',
].join(' ');
return (
<div key={item.i} className={itemClassNames}>
{edit ? (
<DeleteItemButton
onClick={this.onRemoveItemWrapper(
item.id
)}
/>
) : null}
<Item
item={item}
editMode={edit}
onToggleItemExpanded={
this.onToggleItemExpanded
}
/>
</div>
);
})}
</ReactGridLayout>
</div>
);
}
}
ItemGrid.propTypes = {
dashboardItems: PropTypes.array,
};
ItemGrid.defaultProps = {
dashboardItems: [],
};
// Container
const mapStateToProps = (state, ownProps) => {
const selectedDashboard = ownProps.edit
? sGetEditDashboardRoot(state)
: sGetDashboardById(state, sGetSelectedId(state));
const dashboardItems = ownProps.edit
? sGetEditDashboardItems(state)
: sGetDashboardItems(state);
return {
isLoading: sGetSelectedIsLoading(state) || !selectedDashboard,
dashboardItems,
};
};
const mapDispatchToProps = {
acUpdateDashboardLayout,
acRemoveDashboardItem,
};
const mergeProps = (stateProps, dispatchProps, ownProps) => {
const validItems = orArray(stateProps.dashboardItems).filter(hasShape);
return {
...dispatchProps,
edit: ownProps.edit,
isLoading: stateProps.isLoading,
dashboardItems: validItems,
onItemResize,
};
};
export default connect(
mapStateToProps,
mapDispatchToProps,
mergeProps
)(ItemGrid);
|
import React from "react";
import Img from "gatsby-image";
import HomeSearch from "../components/HomeSearch";
import bgGrunge from "../img/grunge.png";
import agoda from "../img/agencies/agoda.png";
import bookingcom from "../img/agencies/2.png";
import expedia from "../img/agencies/expedia.png";
import hotelsdotcom from "../img/agencies/hotelsdotcom.png";
const HomeHero = ({ content }) => (
<section className="hero has-background-primary is-fullheight">
<div className="hero-slides">
<Img sizes={content.heroImage.childImageSharp.sizes} alt={content.title}/>
</div>
<div className="hero-body is-home-hero">
<div className="container is-centered">
<div className="columns">
<div className="column is-6-desktop is-offset-3-desktop is-8-tablet is-offset-2-tablet">
<h1 className="title has-negative-margin-top">
{content.title}
</h1>
<h2 className="subtitle">{content.subtitle}</h2>
<HomeSearch/>
</div>
</div>
</div>
</div>
<div className="hero-partners has-text-centered is-hidden-touch">
<span>Confronta i prezzi fra le principali agenzie di viaggio</span>
<div className="level is-flex-center">
<div className="level-item has-small-padding"><img src={agoda} alt="Agodà"/></div>
<div className="level-item has-small-padding"><img src={bookingcom} alt="Booking.com"/></div>
<div className="level-item has-small-padding"><img src={expedia} alt="Expedia"/></div>
<div className="level-item has-small-padding"><img src={hotelsdotcom} alt="Hotels.com"/></div>
</div>
</div>
<div className="hero-bottom">
<div className="hero-bottom-grunge"
style={{ backgroundImage: `url(${bgGrunge})` }}></div>
</div>
</section>
);
export default HomeHero;
|
import { css } from 'styled-components';
import theme from 'styled-theming';
const color = theme('mode', {
dark: '#fff',
light: '#000',
});
export default {
li: css`
color: ${color};
`,
};
|
/* eslint-env node */
'use strict';
module.exports = function(environment) {
let ENV = {
modulePrefix: 'rarwe',
environment,
rootURL: '/',
locationType: 'auto',
EmberENV: {
FEATURES: {
// Here you can enable experimental features on an ember canary build
// e.g. 'with-controller': true
},
EXTEND_PROTOTYPES: {
// Prevent Ember Data from overriding Date.parse.
Date: false
}
},
APP: {
// Here you can pass flags/options to your application instance
// when it is created
}
};
if (environment === 'development') {
// ENV.APP.LOG_RESOLVER = true;
// ENV.APP.LOG_ACTIVE_GENERATION = true;
// ENV.APP.LOG_TRANSITIONS = true;
// ENV.APP.LOG_TRANSITIONS_INTERNAL = true;
// ENV.APP.LOG_VIEW_LOOKUPS = true;
}
if (environment === 'test') {
// Testem prefers this...
ENV.locationType = 'none';
// keep test console output quieter
ENV.APP.LOG_ACTIVE_GENERATION = false;
ENV.APP.LOG_VIEW_LOOKUPS = false;
ENV.APP.rootElement = '#ember-testing';
}
if (environment === 'production') {
}
return ENV;
};
|
// API key
const API_KEY = "pk.eyJ1Ijoia2Nrbmd1eWVuIiwiYSI6ImNrbGtjZnpnbDBldngydWtieHNlb2V0eG0ifQ.lBc7J6gLS4zwnFHVvTatbg";
|
"""
Test the config module.
"""
import unittest
import os
import tempfile
import shutil
import platform
from nightjar_common.extension_point.errors import ConfigurationError
from .. import config
class ConfigTest(unittest.TestCase):
"""Test the config class and creator."""
def setUp(self) -> None:
self._orig_env = dict(os.environ)
self._valid_cmd = 'where' if platform.system() == 'Windows' else 'echo'
self._temp_dir = tempfile.mkdtemp()
def tearDown(self) -> None:
os.environ.clear()
os.environ.update(self._orig_env)
shutil.rmtree(self._temp_dir)
def test_init_no_settings(self) -> None:
"""Run the configuration with no environment variables set."""
try:
config.Config({
# ... just to make sure ...
config.ENV__TEMP_DIR: self._temp_dir,
})
self.fail("Did not raise a configuration error.") # pragma no cover
except ConfigurationError as err:
self.assertEqual(config.ENV__DATA_STORE_EXEC, err.source)
self.assertEqual('environment variable not defined', err.problem)
def test_init_bad_proxy_mode(self) -> None:
"""Run the configuration with no environment variables set."""
cfg = config.Config({
config.ENV__DATA_STORE_EXEC: self._valid_cmd,
config.ENV__DISCOVERY_MAP_EXEC: self._valid_cmd,
config.ENV__TEMP_DIR: self._temp_dir,
})
self.assertEqual(self._temp_dir, cfg.temp_dir)
|
"""package's __init__ file"""
from . import subpackage
|
export const mockAccount = {
foo: 'bar',
baz: 'bak'
}
export const account = {
getAccount(accountId) {
return new Promise(
resolve => setTimeout(resolve, 300, Object.assign({ id: accountId }, mockAccount))
)
}
}
export const brokenAccount = {
getAccount(accountId) {
return new Promise(
(resolve, reject) => setTimeout(reject, 300, new Error('Broken account'))
)
}
}
|
const buildType = process.env.ANU_ENV;
const supportPlat = ['wx', 'bu', 'qq', 'ali'];
const keys = {
ali: 'subPackages',
bu: 'subPackages',
wx: 'subpackages',
qq: 'subpackages'
};
const getSubpackage = require('./getSubPackage');
module.exports = function (modules, json) {
if (modules.componentType !== 'App') {
return json;
}
if (!supportPlat.includes(buildType)) {
return json;
}
if (!json.pages)
return json;
json[keys[buildType]] = json[keys[buildType]] || [];
const subPackages = getSubpackage(buildType);
let routes = json.pages.slice();
subPackages.forEach(function (el) {
let { name, resource } = el;
let subPackagesItem = {
root: resource,
name: name,
pages: []
};
if (buildType === 'ali') {
delete subPackagesItem.name;
}
let reg = new RegExp('^' + resource);
json[keys[buildType]].push(subPackagesItem);
json.pages.forEach(function (pageRoute) {
if (reg.test(pageRoute)) {
let _index = routes.indexOf(pageRoute);
let subPage = routes.splice(_index, 1)[0];
subPackagesItem.pages.push(subPage.replace(resource + '/', ''));
}
});
});
if (!json[keys[buildType]].length) {
delete json[keys[buildType]];
}
json.pages = routes;
return json;
};
|
# coding=utf-8
# --------------------------------------------------------------------------
# Copyright (c) Microsoft Corporation. All rights reserved.
# Licensed under the MIT License. See License.txt in the project root for license information.
# Code generated by Microsoft (R) AutoRest Code Generator.
# Changes may cause incorrect behavior and will be lost if the code is regenerated.
# --------------------------------------------------------------------------
from ._groups_operations import GroupsOperations
from ._groups_planner_operations import GroupsPlannerOperations
from ._groups_planner_plans_operations import GroupsPlannerPlansOperations
from ._groups_planner_plans_buckets_operations import GroupsPlannerPlansBucketsOperations
from ._groups_planner_plans_buckets_tasks_operations import GroupsPlannerPlansBucketsTasksOperations
from ._groups_planner_plans_tasks_operations import GroupsPlannerPlansTasksOperations
from ._planner_planner_operations import PlannerPlannerOperations
from ._planner_operations import PlannerOperations
from ._planner_buckets_operations import PlannerBucketsOperations
from ._planner_buckets_tasks_operations import PlannerBucketsTasksOperations
from ._planner_plans_operations import PlannerPlansOperations
from ._planner_plans_buckets_operations import PlannerPlansBucketsOperations
from ._planner_plans_buckets_tasks_operations import PlannerPlansBucketsTasksOperations
from ._planner_plans_tasks_operations import PlannerPlansTasksOperations
from ._planner_tasks_operations import PlannerTasksOperations
from ._users_operations import UsersOperations
from ._users_planner_operations import UsersPlannerOperations
from ._users_planner_plans_operations import UsersPlannerPlansOperations
from ._users_planner_plans_buckets_operations import UsersPlannerPlansBucketsOperations
from ._users_planner_plans_buckets_tasks_operations import UsersPlannerPlansBucketsTasksOperations
from ._users_planner_plans_tasks_operations import UsersPlannerPlansTasksOperations
from ._users_planner_tasks_operations import UsersPlannerTasksOperations
__all__ = [
'GroupsOperations',
'GroupsPlannerOperations',
'GroupsPlannerPlansOperations',
'GroupsPlannerPlansBucketsOperations',
'GroupsPlannerPlansBucketsTasksOperations',
'GroupsPlannerPlansTasksOperations',
'PlannerPlannerOperations',
'PlannerOperations',
'PlannerBucketsOperations',
'PlannerBucketsTasksOperations',
'PlannerPlansOperations',
'PlannerPlansBucketsOperations',
'PlannerPlansBucketsTasksOperations',
'PlannerPlansTasksOperations',
'PlannerTasksOperations',
'UsersOperations',
'UsersPlannerOperations',
'UsersPlannerPlansOperations',
'UsersPlannerPlansBucketsOperations',
'UsersPlannerPlansBucketsTasksOperations',
'UsersPlannerPlansTasksOperations',
'UsersPlannerTasksOperations',
]
|
angular
.module('MyApp',['ngMaterial', 'ngMessages', 'material.svgAssetsCache'])
.controller('AppCtrl', function($scope) {
$scope.data = {
group1 : 'Banana',
group2 : '2',
group3 : 'avatar-1'
};
$scope.avatarData = [{
id: "avatars:svg-1",
title: 'avatar 1',
value: 'avatar-1'
},{
id: "avatars:svg-2",
title: 'avatar 2',
value: 'avatar-2'
},{
id: "avatars:svg-3",
title: 'avatar 3',
value: 'avatar-3'
}];
$scope.radioData = [
{ label: '1', value: 1 },
{ label: '2', value: 2 },
{ label: '3', value: '3', isDisabled: true },
{ label: '4', value: '4' }
];
$scope.submit = function() {
alert('submit');
};
$scope.addItem = function() {
var r = Math.ceil(Math.random() * 1000);
$scope.radioData.push({ label: r, value: r });
};
$scope.removeItem = function() {
$scope.radioData.pop();
};
})
.config(function($mdIconProvider) {
$mdIconProvider.iconSet("avatars", 'icons/avatar-icons.svg',128);
});
/**
Copyright 2016 Google Inc. All Rights Reserved.
Use of this source code is governed by an MIT-style license that can be foundin the LICENSE file at http://material.angularjs.org/HEAD/license.
**/ |
"""profiles_project URL Configuration
The `urlpatterns` list routes URLs to views. For more information please see:
https://docs.djangoproject.com/en/2.2/topics/http/urls/
Examples:
Function views
1. Add an import: from my_app import views
2. Add a URL to urlpatterns: path('', views.home, name='home')
Class-based views
1. Add an import: from other_app.views import Home
2. Add a URL to urlpatterns: path('', Home.as_view(), name='home')
Including another URLconf
1. Import the include() function: from django.urls import include, path
2. Add a URL to urlpatterns: path('blog/', include('blog.urls'))
"""
from django.contrib import admin
from django.urls import path, include
urlpatterns = [
path('admin/', admin.site.urls),
path('first_api/', include('profiles_api.urls'))
]
|
export default {
pages: ["pages/index/index", "pages/user/index", "pages/table/index"],
window: {
backgroundTextStyle: "light",
navigationBarBackgroundColor: "#fff",
navigationBarTitleText: "WeChat",
navigationBarTextStyle: "black"
}
};
|
var a01198 =
[
[ "MeshItems", "a01821.html", [
[ "EdgeT", "a01833.html", [
[ "Refs", "a01833.html#af0ee51596f4578845a761f1e8163af06", null ],
[ "halfedges", "a01833.html#afd56cdde651aaef4a8d476da52a7ee68", null ]
] ],
[ "FaceT", "a01837.html", [
[ "IsTriangle", "a01837.html#a9b9e7c368e70361a6ee0e2d0ac7e3477", null ],
[ "Refs", "a01837.html#abaa2dcfa0a57e6cf656f86d8ed312396", null ],
[ "halfedge_handle", "a01837.html#a5bfc8ebda0cd1dadb9c643a66a7b178d", null ],
[ "n_vertices", "a01837.html#a29cae853a8ee63813c28a3ade28f6eb2", null ],
[ "set_halfedge_handle", "a01837.html#adbc031d4d4013dc5c462528f5d5c7380", null ],
[ "set_n_vertices", "a01837.html#aa02b51765f9c2bd359647f4bde4098c9", null ]
] ],
[ "HalfedgeT", "a01829.html", [
[ "Refs", "a01829.html#aa34c7febe7e05c45e9234e66d740b842", null ],
[ "face_handle", "a01829.html#a5168fd3e366f4ddfe7673c5c1a010c09", null ],
[ "next_halfedge_handle", "a01829.html#a757314adc032ebdd65166b7d6a3b5bc3", null ],
[ "set_face_handle", "a01829.html#a0717146d1329712371664ac14a274e1b", null ],
[ "set_next_halfedge_handle", "a01829.html#a1c5cc88c58d62221de0363e22aa9e16a", null ],
[ "set_vertex_handle", "a01829.html#abc69e4c15857ac3fcc8969945edb7839", null ],
[ "vertex_handle", "a01829.html#a0cd92f443ee6fa43dcae6cd3a88fdb89", null ]
] ],
[ "VertexT", "a01825.html", [
[ "Refs", "a01825.html#a1e5f6c61e62ce8fcf6e05ecfa22d76e8", null ],
[ "VertexT", "a01825.html#ac714e165662433c27dbc482b7a524201", null ],
[ "halfedge_handle", "a01825.html#ae6e7e6b43ecc58863612c896aa84c8e6", null ],
[ "set_halfedge_handle", "a01825.html#a2e37f87e0ff740f42d6e700ccc5b71b1", null ]
] ]
] ],
[ "KernelT", "a01841.html", [
[ "Color", "a01841.html#a1edcb149edf57dff57b609f7d6b71e91", null ],
[ "Edge", "a01841.html#aebd448c2a612a801147f62656d605208", null ],
[ "EdgeHandle", "a01841.html#a3f52e677c4c0c6ebf3fa7ead1e7cd447", null ],
[ "Face", "a01841.html#afbc1240034b364306d5f74656308c990", null ],
[ "FaceHandle", "a01841.html#aa6e3ba1337aef66c45dd7deb65e0e803", null ],
[ "Halfedge", "a01841.html#a6b659e491d7c5c207f556f83d30b2f22", null ],
[ "HalfedgeHandle", "a01841.html#aae01fbc474377136ba93280813a8f640", null ],
[ "KernelConstEdgeIter", "a01841.html#a38371b10f5027aa54f8e5feebbd9398d", null ],
[ "KernelConstFaceIter", "a01841.html#a65e4c789ae1548c53a7fb3d5b94aa3f2", null ],
[ "KernelConstVertexIter", "a01841.html#a26ff666ae19f42b90a1b40df63cc6d91", null ],
[ "KernelEdgeIter", "a01841.html#a30b347a1df08d51d6969b46523518201", null ],
[ "KernelFaceIter", "a01841.html#a1c701d1114ed0232f5978d76ae4f0349", null ],
[ "KernelVertexIter", "a01841.html#a7bab7712f1b6cb20a3e806c643035971", null ],
[ "Normal", "a01841.html#ae4e2708d22ac0b5261e9c485475525fb", null ],
[ "Point", "a01841.html#ae2c164ff32013a289e8016648535aa9a", null ],
[ "Scalar", "a01841.html#a1b4f707455d955241b14467f8bb053c0", null ],
[ "TexCoord", "a01841.html#a548b887e9481b02a50e76611187821ee", null ],
[ "Vertex", "a01841.html#af68122190c9f3df2b6af4d670ee767e4", null ],
[ "VertexHandle", "a01841.html#ad595781d23c223ce056c6a8f31eda9d5", null ],
[ "KernelT", "a01841.html#a7afe5f6f16053d5e17d8eeae56108209", null ],
[ "~KernelT", "a01841.html#a5921c98927d9c871bd42ea9f48f250f7", null ],
[ "add_property", "a01841.html#a55a396990bef41f95555de1e9783d20c", null ],
[ "ccw_rotated_halfedge_handle", "a01841.html#a22179e61753190aae7d74588fdfb65d0", null ],
[ "clean", "a01841.html#abf8b166bc4728e8947eaaaeb0ef24b1a", null ],
[ "clear", "a01841.html#a29377b3e6c289ac7ac38dc5a15c84e02", null ],
[ "color", "a01841.html#a934725699e5c17c542b19129abe28cf3", null ],
[ "color", "a01841.html#af6008444db502855acba44f1d3872b3a", null ],
[ "color", "a01841.html#a5bcf12f17616c42266f7d6a74ca7d2b8", null ],
[ "color", "a01841.html#abe8eaa01cce0afb84e5e5a2369e7d6b6", null ],
[ "cw_rotated_halfedge_handle", "a01841.html#a878312365bba75f9d6099f6b75f082bf", null ],
[ "edge", "a01841.html#aae5fb9c32d92c72aaec788b98f44b998", null ],
[ "edge", "a01841.html#a60d244dc6531e5b249e63e73736f0d00", null ],
[ "edge_handle", "a01841.html#a97e2d5b0fec9a71dc5c70c7c2f7d681e", null ],
[ "edge_handle", "a01841.html#a5c78ebce9fe13de202d5836ff8bd29ba", null ],
[ "edges_begin", "a01841.html#a927806eeff2b12e637786218485464b5", null ],
[ "edges_begin", "a01841.html#a867c95ab9eba873e91c422e9efa20e3c", null ],
[ "edges_empty", "a01841.html#ab0ba5f2d410ca5b33c4f9da72a543833", null ],
[ "edges_end", "a01841.html#af811ffff65d5710a055842c5624e54f8", null ],
[ "edges_end", "a01841.html#a9575a5c1139e2fc3f0952ad81096b862", null ],
[ "face", "a01841.html#af3843c334c60a20771ffc71d4b6b7bcd", null ],
[ "face", "a01841.html#af6ed88eb49522f26148cd9e484678d41", null ],
[ "face_handle", "a01841.html#a4174574669a31c5eff686eff0c98cef9", null ],
[ "face_handle", "a01841.html#a66c6ca305d067f99e9c40cebc21bf54b", null ],
[ "faces_begin", "a01841.html#a2383bb1deb67eba2077f5323b6281997", null ],
[ "faces_begin", "a01841.html#a49fac072cc37eda761c825ed78d9b2fb", null ],
[ "faces_empty", "a01841.html#ae8c21f0c4577a44b13894908479eb8a8", null ],
[ "faces_end", "a01841.html#a7f00140a74a84e625d8b61735dd77f21", null ],
[ "faces_end", "a01841.html#a2bbf06e11ece5a58cb26c8634ec68df4", null ],
[ "from_vertex_handle", "a01841.html#adb6b8b163fd2e0e28a0510d50c236333", null ],
[ "garbage_collection", "a01841.html#a6c34ea8f171368e16e7d7a50801a769a", null ],
[ "get_property_handle", "a01841.html#a635b5095816668efc91b098a8359b615", null ],
[ "halfedge", "a01841.html#a3c568a75b8620abc26e228e4163b5f70", null ],
[ "halfedge", "a01841.html#aea682a779875d18f621238d37dddbfe6", null ],
[ "halfedge_handle", "a01841.html#a68da0cb09f5504c2681bb1b59ecc605b", null ],
[ "halfedge_handle", "a01841.html#a0c000dbdaaa558db3c3633b2faa86932", null ],
[ "halfedge_handle", "a01841.html#a538206e22975eae9dd0a878ca0390264", null ],
[ "halfedge_handle", "a01841.html#a5759bbe210bd8e63883f9434cced1bdb", null ],
[ "halfedges_empty", "a01841.html#ad92a1656c9549840ed4f1c63472b5535", null ],
[ "handle", "a01841.html#ac2f27efb322fea21252485e5e86f9663", null ],
[ "handle", "a01841.html#a6a6c0a345893f5d8608da904393f9e01", null ],
[ "handle", "a01841.html#ad2cca72f4e7e1bf34a1f336e0a5a4306", null ],
[ "handle", "a01841.html#a772a9474c2f3d5e62935537504f5a316", null ],
[ "has_edge_colors", "a01841.html#a23fd315e9f7d6029510760c42e2bfe5a", null ],
[ "has_edge_status", "a01841.html#aa9c29acf2125b6617acab334fef25c6a", null ],
[ "has_face_colors", "a01841.html#ac343e82a07810f93f585cd798eb4ad24", null ],
[ "has_face_normals", "a01841.html#a0a43466d0b5d3671eca0e5a4a51efcfd", null ],
[ "has_face_status", "a01841.html#a9c01655392605cb078373850fe7f1d69", null ],
[ "has_face_texture_index", "a01841.html#a76f5c4e8707ccb3c1c4c706004be2cc4", null ],
[ "has_halfedge_colors", "a01841.html#a0655b8b9bd875c22a227e8c14f085c75", null ],
[ "has_halfedge_normals", "a01841.html#a9faf9b5dab7b453681b8caf1067e2467", null ],
[ "has_halfedge_status", "a01841.html#a85b47c188a0d26c31d3a9e59f39558f4", null ],
[ "has_halfedge_texcoords1D", "a01841.html#aa6bfb710e0b1a12f8fbec41edcd0818c", null ],
[ "has_halfedge_texcoords2D", "a01841.html#aeba56bcf6713b6c07210e7f5de5bb435", null ],
[ "has_halfedge_texcoords3D", "a01841.html#ac824118d286f661a750c577326a2bc09", null ],
[ "has_vertex_colors", "a01841.html#a842e3f0271e5ad874e866365c91e4f3c", null ],
[ "has_vertex_normals", "a01841.html#a9787dd5b9b6e3abc8a2401964f998696", null ],
[ "has_vertex_status", "a01841.html#ad4e1c9c1a1166ff69388f043d2799fd2", null ],
[ "has_vertex_texcoords1D", "a01841.html#ad3662950ad38b3c91e7c00223d19b7bf", null ],
[ "has_vertex_texcoords2D", "a01841.html#adca6ab2febc4c4c844b218620a462b9a", null ],
[ "has_vertex_texcoords3D", "a01841.html#afd40cab02b5ade0c25df7a87970b41ce", null ],
[ "mproperty", "a01841.html#a493e74bff678413621297c91d1a19993", null ],
[ "mproperty", "a01841.html#acb38eb2a14f0cf36ad626874ace435f1", null ],
[ "n_edges", "a01841.html#a1741ab48ab98ac1c52d5b00e33a35939", null ],
[ "n_faces", "a01841.html#af215ce72af626eda56b96575de1d0d4b", null ],
[ "n_halfedges", "a01841.html#af9b6def0e4170cd09b408bbf915cb50e", null ],
[ "n_vertices", "a01841.html#a79f10fb39335d1aa50b95102006c81dc", null ],
[ "new_edge", "a01841.html#a4a277ad255fa6d35cedafad698c7558f", null ],
[ "new_face", "a01841.html#a3441dc8962e1844d19e943a053568b30", null ],
[ "new_face", "a01841.html#a7bf590f15c17272af22a2b527e3b552d", null ],
[ "new_vertex", "a01841.html#a9099f5b41d811d0c50ed5adb8817ee8d", null ],
[ "new_vertex", "a01841.html#a643e494fb32184247074cb8a00c130c6", null ],
[ "new_vertex", "a01841.html#a58e1dbf4756558f2363d04729f346b88", null ],
[ "next_halfedge_handle", "a01841.html#ad0719d8eacf8a0281327398a231c06a7", null ],
[ "normal", "a01841.html#a246163b6e5a0e218c1a4a5ca4bf7fc35", null ],
[ "normal", "a01841.html#a0be5364d57f8ae494f75d0b854b16bf8", null ],
[ "normal", "a01841.html#a344cb9fd2069c7e8a3be8b932ebd175c", null ],
[ "operator=", "a01841.html#ae3f2c75bba2842bd5a232aeccf7b99b7", null ],
[ "opposite_halfedge_handle", "a01841.html#a6a226814fdd62a6b9885d210bc9a27ee", null ],
[ "point", "a01841.html#a2c1ceed3cb1e43a42f90b1ef14f170f1", null ],
[ "point", "a01841.html#a2bf02b9dfb905df049a8eb67a3f09eb2", null ],
[ "point", "a01841.html#a2c1ceed3cb1e43a42f90b1ef14f170f1", null ],
[ "point", "a01841.html#aa551804d63e67e85ed5eb735a99237ad", null ],
[ "prev_halfedge_handle", "a01841.html#a004adf582bbb98f5723c505f4e6363ed", null ],
[ "property", "a01841.html#a445dc45b5d4984987c5debbad9677d4c", null ],
[ "property", "a01841.html#a73513fc5b482598b2e7b5278b4385219", null ],
[ "property", "a01841.html#ae6c656910d0ac162eccf3d70799c5604", null ],
[ "property", "a01841.html#a83b7fd7a6a2b7095107351dcbd2776f2", null ],
[ "property", "a01841.html#a66091076630797fb69aff7bdfbb40303", null ],
[ "property", "a01841.html#a52d3b96800fa83730f2759fa5ae8c16a", null ],
[ "property", "a01841.html#ae523e7e330b0b596e51654bbe427c52d", null ],
[ "property", "a01841.html#afb3ea10f448698b9a1ac108439e151e0", null ],
[ "property", "a01841.html#a9eb94cf8c4bce554a8c344ba29159cc1", null ],
[ "property", "a01841.html#a2094d9e1675c40d14d2f5bd899c69ac2", null ],
[ "property", "a01841.html#a821e62e8d2b4eff96e1195863df09726", null ],
[ "property", "a01841.html#a955d6cd4362aefd0be14cad3f8c8e74b", null ],
[ "release_edge_colors", "a01841.html#a7225fa2a70753cd5a3c2b3efa2448a77", null ],
[ "release_edge_status", "a01841.html#aa0fb6a2de51d66a26c7ecd88f79e78f2", null ],
[ "release_face_colors", "a01841.html#a9c76a7ea78507a5846f294c331900a88", null ],
[ "release_face_normals", "a01841.html#a3c31224453f593449a1bbb0198055f7d", null ],
[ "release_face_status", "a01841.html#a8bc94e01a7b6feef389d73906b83184c", null ],
[ "release_face_texture_index", "a01841.html#a3a2a0504755cf8595988b74d6a53cd25", null ],
[ "release_halfedge_colors", "a01841.html#a12801db65188d23596e6b3256eca13f6", null ],
[ "release_halfedge_normals", "a01841.html#a947ce3abf3e9c03b73e4c2cbfc6e79a0", null ],
[ "release_halfedge_status", "a01841.html#ab5af0de50b3ac74f7cc77e6398673573", null ],
[ "release_halfedge_texcoords1D", "a01841.html#abc2a7d5f01d31878f31b87fc47b1d0d8", null ],
[ "release_halfedge_texcoords2D", "a01841.html#a458271ca2c802f2a3ab297165059b56f", null ],
[ "release_halfedge_texcoords3D", "a01841.html#a238d448842404d5e8ca0d4aba59dc2c9", null ],
[ "release_vertex_colors", "a01841.html#a2c42ed23d516afeba6c549c7d355a0ca", null ],
[ "release_vertex_normals", "a01841.html#a409a0084ecd15f1b6a4acb0809f78b21", null ],
[ "release_vertex_status", "a01841.html#a67b9b7ef05525003c1b0a92f01e215e2", null ],
[ "release_vertex_texcoords1D", "a01841.html#a64aa5f0c989a503506cee151540fc42f", null ],
[ "release_vertex_texcoords2D", "a01841.html#ae57f63e53113729b912a42a219347606", null ],
[ "release_vertex_texcoords3D", "a01841.html#acf92b4af9f89f83b8da5df9fece8fe27", null ],
[ "remove_last_edge", "a01841.html#adc5454528e094dbcec9b192207003e12", null ],
[ "remove_last_face", "a01841.html#a0e8b8d9e3bbff33be8b0dd3b66e9b662", null ],
[ "remove_last_vertex", "a01841.html#a30cd3d63f28842ac4faf48128384ddab", null ],
[ "remove_property", "a01841.html#adcc23920e21744ea17353a4295146570", null ],
[ "request_edge_colors", "a01841.html#af8b570edfac0c7cffd629554fd298f8f", null ],
[ "request_edge_status", "a01841.html#a27a444bb0f68d19e698045c5ac6c2e91", null ],
[ "request_face_colors", "a01841.html#a4356bf0fe5849c086481d3254d87ddfd", null ],
[ "request_face_normals", "a01841.html#afccd46b05c57c4e2074a7bb6445cddc2", null ],
[ "request_face_status", "a01841.html#abadc324ed045fe84b02392bf9c5a7b19", null ],
[ "request_face_texture_index", "a01841.html#a48a01204f97b3a129f0e7835e7f5fd7c", null ],
[ "request_halfedge_colors", "a01841.html#a0dde72de650eebe489ccc2dd8e58658f", null ],
[ "request_halfedge_normals", "a01841.html#ae9d88f789c86889343181ee5f2c0cff8", null ],
[ "request_halfedge_status", "a01841.html#a1b6b49c6a6ed651c0da8bb99c94d8ae3", null ],
[ "request_halfedge_texcoords1D", "a01841.html#af92f93367cfff97a1d3324143a363b9b", null ],
[ "request_halfedge_texcoords2D", "a01841.html#a4e00552aa7984f3d60c68978de2a6a8e", null ],
[ "request_halfedge_texcoords3D", "a01841.html#a0a358174ea8aba022a5964d97461ff59", null ],
[ "request_vertex_colors", "a01841.html#a57b366f399f3fd911043c12cfb62548c", null ],
[ "request_vertex_normals", "a01841.html#a0ee1627c97889220d8c26fe934fa120f", null ],
[ "request_vertex_status", "a01841.html#a530d4dda1bbaa5c8edaa5b1e10aa80f4", null ],
[ "request_vertex_texcoords1D", "a01841.html#a92ec4e8e13875b8f0276e9f9afd7b4d5", null ],
[ "request_vertex_texcoords2D", "a01841.html#a092a1b33cff5844f8f929f10104bd858", null ],
[ "request_vertex_texcoords3D", "a01841.html#a947ff18519603e8ff7d4f916a5f336d4", null ],
[ "reserve", "a01841.html#abc30206b165983f21269e2ccf1631c42", null ],
[ "set_color", "a01841.html#a40ffed73b7fbcf3230372f67cb24a2d0", null ],
[ "set_color", "a01841.html#ae002318ea4d12fa0345978749de99358", null ],
[ "set_color", "a01841.html#acfd1eb37754e6bc7afa2267c5a6a2ace", null ],
[ "set_color", "a01841.html#a08c22425362a70bef959ee770a2d9d26", null ],
[ "set_face_handle", "a01841.html#aa2942b4a85b62f9b5b0e42a8a996191a", null ],
[ "set_halfedge_handle", "a01841.html#a6d37745b49d7751260c2a29e3b9e03b9", null ],
[ "set_halfedge_handle", "a01841.html#a0a026a10efbeb57c1f0781ad67730e3d", null ],
[ "set_next_halfedge_handle", "a01841.html#aa7acdc07db282050afd80300fa19892b", null ],
[ "set_normal", "a01841.html#abaec032299e109fa941eacd0db1c83ef", null ],
[ "set_normal", "a01841.html#a1271c6c053745cf11dd0e00482792362", null ],
[ "set_normal", "a01841.html#aadedac8921dfe62e4417087bc4bc60b4", null ],
[ "set_point", "a01841.html#ab064b043c95c040fa738ce206d95cc1f", null ],
[ "set_point", "a01841.html#a16a332465831c573d4d99415bc1b2974", null ],
[ "set_point", "a01841.html#ab064b043c95c040fa738ce206d95cc1f", null ],
[ "set_texcoord1D", "a01841.html#a4c07f5b23f5b7089f1de1eec7de50c0c", null ],
[ "set_texcoord1D", "a01841.html#a93ed103a1632b6ba515cd7dedf8573d3", null ],
[ "set_texcoord2D", "a01841.html#ade70c5cd3e5eb33a16cd786f9323a2b3", null ],
[ "set_texcoord2D", "a01841.html#a348b363a939bc5f894236d83ff71a5b7", null ],
[ "set_texcoord3D", "a01841.html#aff54911785b2dd38518a185c61c9f4ec", null ],
[ "set_texcoord3D", "a01841.html#a1e5431b406f725196138276d7d3aa6b8", null ],
[ "set_vertex_handle", "a01841.html#aa1cf231d2ee46b6b000f687cda2fb102", null ],
[ "status", "a01841.html#a8ce6a3bb51e1791681b6a26f44c0812e", null ],
[ "status", "a01841.html#abc1b2d197366441572dc9732e08a9224", null ],
[ "status", "a01841.html#a82301becb24c181e94528708d5e87d9e", null ],
[ "status", "a01841.html#ad6f31355b760645bbe43d2cf82815243", null ],
[ "status", "a01841.html#a3e339455534a3326cd8e1b608b1b0ae1", null ],
[ "status", "a01841.html#ae0244b009122bea6f76f356224c506a9", null ],
[ "status", "a01841.html#a1dce55feebd6870fd9a99bebe02005a0", null ],
[ "status", "a01841.html#a353b6c17b4d08a6ebe00d1246d592e53", null ],
[ "texcoord1D", "a01841.html#a153530a7a5de4c1769438b07bce92407", null ],
[ "texcoord1D", "a01841.html#a4cb8515964a9a7c7a2c9d896ee233f06", null ],
[ "texcoord2D", "a01841.html#a215583990d001b8e71a77476cd4e44d6", null ],
[ "texcoord2D", "a01841.html#a034d7b5b89571513d4dbe497f3ef1140", null ],
[ "texcoord3D", "a01841.html#ae6fe8be6bb21c43e373aad1f8d6ba3f4", null ],
[ "texcoord3D", "a01841.html#a5da6353322d2a9bed7ceea4a613e16e0", null ],
[ "to_vertex_handle", "a01841.html#afedeab1bff0b6f7198bf16c449b64499", null ],
[ "vertex", "a01841.html#a0554c94cfb85da9252c77c435ebce2ab", null ],
[ "vertex", "a01841.html#a12073d0e44a41e89e8fbb4f3ce77b7ee", null ],
[ "vertex_handle", "a01841.html#a1ead4dbd4aa316fcc17149b307e02677", null ],
[ "vertices_begin", "a01841.html#ac15277b02babdabf254e35998c51c19d", null ],
[ "vertices_begin", "a01841.html#a6ae5def894b21a8d461aadb4edf154b7", null ],
[ "vertices_empty", "a01841.html#a3f382122081cf743f09818d40be7ff35", null ],
[ "vertices_end", "a01841.html#a4d26fd2c29976f43be622cd1bc8d80ed", null ],
[ "vertices_end", "a01841.html#a8fe03b5f385d95a8cf2f19563ebcc15b", null ]
] ]
]; |
/******/ (function(modules) { // webpackBootstrap
/******/ // install a JSONP callback for chunk loading
/******/ function webpackJsonpCallback(data) {
/******/ var chunkIds = data[0];
/******/ var moreModules = data[1];
/******/ var executeModules = data[2];
/******/
/******/ // add "moreModules" to the modules object,
/******/ // then flag all "chunkIds" as loaded and fire callback
/******/ var moduleId, chunkId, i = 0, resolves = [];
/******/ for(;i < chunkIds.length; i++) {
/******/ chunkId = chunkIds[i];
/******/ if(installedChunks[chunkId]) {
/******/ resolves.push(installedChunks[chunkId][0]);
/******/ }
/******/ installedChunks[chunkId] = 0;
/******/ }
/******/ for(moduleId in moreModules) {
/******/ if(Object.prototype.hasOwnProperty.call(moreModules, moduleId)) {
/******/ modules[moduleId] = moreModules[moduleId];
/******/ }
/******/ }
/******/ if(parentJsonpFunction) parentJsonpFunction(data);
/******/
/******/ while(resolves.length) {
/******/ resolves.shift()();
/******/ }
/******/
/******/ // add entry modules from loaded chunk to deferred list
/******/ deferredModules.push.apply(deferredModules, executeModules || []);
/******/
/******/ // run deferred modules when all chunks ready
/******/ return checkDeferredModules();
/******/ };
/******/ function checkDeferredModules() {
/******/ var result;
/******/ for(var i = 0; i < deferredModules.length; i++) {
/******/ var deferredModule = deferredModules[i];
/******/ var fulfilled = true;
/******/ for(var j = 1; j < deferredModule.length; j++) {
/******/ var depId = deferredModule[j];
/******/ if(installedChunks[depId] !== 0) fulfilled = false;
/******/ }
/******/ if(fulfilled) {
/******/ deferredModules.splice(i--, 1);
/******/ result = __webpack_require__(__webpack_require__.s = deferredModule[0]);
/******/ }
/******/ }
/******/
/******/ return result;
/******/ }
/******/
/******/ // The module cache
/******/ var installedModules = {};
/******/
/******/ // object to store loaded and loading chunks
/******/ // undefined = chunk not loaded, null = chunk preloaded/prefetched
/******/ // Promise = chunk loading, 0 = chunk loaded
/******/ var installedChunks = {
/******/ "runtime": 0
/******/ };
/******/
/******/ var deferredModules = [];
/******/
/******/ // script path function
/******/ function jsonpScriptSrc(chunkId) {
/******/ return __webpack_require__.p + "" + ({"common":"common","core-js-js":"core-js-js","css-shim-206ea950-3169f23e-js":"css-shim-206ea950-3169f23e-js","dom-96781eef-a2fb04dd-js":"dom-96781eef-a2fb04dd-js","dom-js":"dom-js","index-69c37885-js":"index-69c37885-js","login-login-module":"login-login-module","logout-logout-module":"logout-logout-module","register-register-module":"register-register-module","shadow-css-4889ae62-23996f3f-js":"shadow-css-4889ae62-23996f3f-js","users-users-module":"users-users-module","swiper-bundle-ccdaac54-js":"swiper-bundle-ccdaac54-js","ios-transition-071bd421-js":"ios-transition-071bd421-js","md-transition-15a81b08-js":"md-transition-15a81b08-js","swipe-back-35ad8e37-js":"swipe-back-35ad8e37-js","focus-visible-70713a0c-js":"focus-visible-70713a0c-js","hardware-back-button-5afe3cb0-js":"hardware-back-button-5afe3cb0-js","input-shims-a4fc53ac-js":"input-shims-a4fc53ac-js","status-tap-a0df8284-js":"status-tap-a0df8284-js","tap-click-ca00ce7f-js":"tap-click-ca00ce7f-js"}[chunkId]||chunkId) + "-es2015.js"
/******/ }
/******/
/******/ // The require function
/******/ function __webpack_require__(moduleId) {
/******/
/******/ // Check if module is in cache
/******/ if(installedModules[moduleId]) {
/******/ return installedModules[moduleId].exports;
/******/ }
/******/ // Create a new module (and put it into the cache)
/******/ var module = installedModules[moduleId] = {
/******/ i: moduleId,
/******/ l: false,
/******/ exports: {}
/******/ };
/******/
/******/ // Execute the module function
/******/ modules[moduleId].call(module.exports, module, module.exports, __webpack_require__);
/******/
/******/ // Flag the module as loaded
/******/ module.l = true;
/******/
/******/ // Return the exports of the module
/******/ return module.exports;
/******/ }
/******/
/******/ // This file contains only the entry chunk.
/******/ // The chunk loading function for additional chunks
/******/ __webpack_require__.e = function requireEnsure(chunkId) {
/******/ var promises = [];
/******/
/******/
/******/ // JSONP chunk loading for javascript
/******/
/******/ var installedChunkData = installedChunks[chunkId];
/******/ if(installedChunkData !== 0) { // 0 means "already installed".
/******/
/******/ // a Promise means "currently loading".
/******/ if(installedChunkData) {
/******/ promises.push(installedChunkData[2]);
/******/ } else {
/******/ // setup Promise in chunk cache
/******/ var promise = new Promise(function(resolve, reject) {
/******/ installedChunkData = installedChunks[chunkId] = [resolve, reject];
/******/ });
/******/ promises.push(installedChunkData[2] = promise);
/******/
/******/ // start chunk loading
/******/ var script = document.createElement('script');
/******/ var onScriptComplete;
/******/
/******/ script.charset = 'utf-8';
/******/ script.timeout = 120;
/******/ if (__webpack_require__.nc) {
/******/ script.setAttribute("nonce", __webpack_require__.nc);
/******/ }
/******/ script.src = jsonpScriptSrc(chunkId);
/******/
/******/ // create error before stack unwound to get useful stacktrace later
/******/ var error = new Error();
/******/ onScriptComplete = function (event) {
/******/ // avoid mem leaks in IE.
/******/ script.onerror = script.onload = null;
/******/ clearTimeout(timeout);
/******/ var chunk = installedChunks[chunkId];
/******/ if(chunk !== 0) {
/******/ if(chunk) {
/******/ var errorType = event && (event.type === 'load' ? 'missing' : event.type);
/******/ var realSrc = event && event.target && event.target.src;
/******/ error.message = 'Loading chunk ' + chunkId + ' failed.\n(' + errorType + ': ' + realSrc + ')';
/******/ error.name = 'ChunkLoadError';
/******/ error.type = errorType;
/******/ error.request = realSrc;
/******/ chunk[1](error);
/******/ }
/******/ installedChunks[chunkId] = undefined;
/******/ }
/******/ };
/******/ var timeout = setTimeout(function(){
/******/ onScriptComplete({ type: 'timeout', target: script });
/******/ }, 120000);
/******/ script.onerror = script.onload = onScriptComplete;
/******/ document.head.appendChild(script);
/******/ }
/******/ }
/******/ return Promise.all(promises);
/******/ };
/******/
/******/ // expose the modules object (__webpack_modules__)
/******/ __webpack_require__.m = modules;
/******/
/******/ // expose the module cache
/******/ __webpack_require__.c = installedModules;
/******/
/******/ // define getter function for harmony exports
/******/ __webpack_require__.d = function(exports, name, getter) {
/******/ if(!__webpack_require__.o(exports, name)) {
/******/ Object.defineProperty(exports, name, { enumerable: true, get: getter });
/******/ }
/******/ };
/******/
/******/ // define __esModule on exports
/******/ __webpack_require__.r = function(exports) {
/******/ if(typeof Symbol !== 'undefined' && Symbol.toStringTag) {
/******/ Object.defineProperty(exports, Symbol.toStringTag, { value: 'Module' });
/******/ }
/******/ Object.defineProperty(exports, '__esModule', { value: true });
/******/ };
/******/
/******/ // create a fake namespace object
/******/ // mode & 1: value is a module id, require it
/******/ // mode & 2: merge all properties of value into the ns
/******/ // mode & 4: return value when already ns object
/******/ // mode & 8|1: behave like require
/******/ __webpack_require__.t = function(value, mode) {
/******/ if(mode & 1) value = __webpack_require__(value);
/******/ if(mode & 8) return value;
/******/ if((mode & 4) && typeof value === 'object' && value && value.__esModule) return value;
/******/ var ns = Object.create(null);
/******/ __webpack_require__.r(ns);
/******/ Object.defineProperty(ns, 'default', { enumerable: true, value: value });
/******/ if(mode & 2 && typeof value != 'string') for(var key in value) __webpack_require__.d(ns, key, function(key) { return value[key]; }.bind(null, key));
/******/ return ns;
/******/ };
/******/
/******/ // getDefaultExport function for compatibility with non-harmony modules
/******/ __webpack_require__.n = function(module) {
/******/ var getter = module && module.__esModule ?
/******/ function getDefault() { return module['default']; } :
/******/ function getModuleExports() { return module; };
/******/ __webpack_require__.d(getter, 'a', getter);
/******/ return getter;
/******/ };
/******/
/******/ // Object.prototype.hasOwnProperty.call
/******/ __webpack_require__.o = function(object, property) { return Object.prototype.hasOwnProperty.call(object, property); };
/******/
/******/ // __webpack_public_path__
/******/ __webpack_require__.p = "";
/******/
/******/ // on error function for async loading
/******/ __webpack_require__.oe = function(err) { console.error(err); throw err; };
/******/
/******/ var jsonpArray = window["webpackJsonp"] = window["webpackJsonp"] || [];
/******/ var oldJsonpFunction = jsonpArray.push.bind(jsonpArray);
/******/ jsonpArray.push = webpackJsonpCallback;
/******/ jsonpArray = jsonpArray.slice();
/******/ for(var i = 0; i < jsonpArray.length; i++) webpackJsonpCallback(jsonpArray[i]);
/******/ var parentJsonpFunction = oldJsonpFunction;
/******/
/******/
/******/ // run deferred modules from other chunks
/******/ checkDeferredModules();
/******/ })
/************************************************************************/
/******/ ([]);
//# sourceMappingURL=runtime-es2015.js.map |
QueryBuilder.templates.group = '\
<div id="{{= it.group_id }}" class="rules-group-container"> \
<div class="rules-group-header"> \
<div class="btn-group pull-right group-actions"> \
<button type="button" class="btn btn-xs btn-primary" data-add="rule"> \
<i class="material-icons">{{= it.icons.add_rule }}</i> <span class="btn-label">{{= it.translate("add_rule") }}</span> \
</button> \
{{? it.settings.allow_groups===-1 || it.settings.allow_groups>=it.level }} \
<button type="button" class="btn btn-xs btn-primary" data-add="group"> \
<i class="material-icons">{{= it.icons.add_group }}</i> <span class="btn-label">{{= it.translate("add_group") }}</span> \
</button> \
{{?}} \
{{? it.level>1 }} \
<button type="button" class="btn btn-xs btn-danger" data-delete="group"> \
<i class="material-icons">{{= it.icons.remove_group }}</i> <span class="btn-label">{{= it.translate("delete_group") }}</span> \
</button> \
{{?}} \
</div> \
<div class="btn-group group-conditions"> \
{{~ it.conditions: condition }} \
<label class="btn btn-xs btn-info"> \
<input type="radio" name="{{= it.group_id }}_cond" value="{{= condition }}"> {{= it.translate("conditions", condition) }} \
</label> \
{{~}} \
</div> \
{{? it.settings.display_errors }} \
<div class="error-container"><i class="material-icons">{{= it.icons.error }}</i></div> \
{{?}} \
</div> \
<div class=rules-group-body> \
<div class=rules-list></div> \
</div> \
</div>';
QueryBuilder.templates.rule = '\
<div id="{{= it.rule_id }}" class="rule-container"> \
<div class="rule-header"> \
<div class="btn-group pull-right rule-actions"> \
<button type="button" class="btn btn-xs btn-danger" data-delete="rule"> \
<i class="material-icons">{{= it.icons.remove_rule }}</i> <span class="btn-label">{{= it.translate("delete_rule") }}</span> \
</button> \
</div> \
</div> \
{{? it.settings.display_errors }} \
<div class="error-container"><i class="material-icons">{{= it.icons.error }}</i></div> \
{{?}} \
<div class="rule-filter-container"></div> \
<div class="rule-operator-container"></div> \
<div class="rule-value-container"></div> \
</div>';
QueryBuilder.templates.filterSelect = '\
{{ var optgroup = null; }} \
<select class="form-control brew-select2" name="{{= it.rule.id }}_filter"> \
{{? it.settings.display_empty_filter }} \
<option value="-1">{{= it.settings.select_placeholder }}</option> \
{{?}} \
{{~ it.filters: filter }} \
{{? optgroup !== filter.optgroup }} \
{{? optgroup !== null }}</optgroup>{{?}} \
{{? (optgroup = filter.optgroup) !== null }} \
<optgroup label="{{= it.translate(it.settings.optgroups[optgroup]) }}"> \
{{?}} \
{{?}} \
<option value="{{= filter.id }}">{{= it.translate(filter.label) }}</option> \
{{~}} \
{{? optgroup !== null }}</optgroup>{{?}} \
</select>';
// Material
// QueryBuilder.templates.filterSelect = '\
// {{ var optgroup = null; }} \
// <md-select ng-model="{{= it.rule.id }}_filter" class="form-control" aria-label="{{= it.rule.id }}_filter" name="{{= it.rule.id }}_filter"> \
// {{? it.settings.display_empty_filter }} \
// <md-option value="-1">{{= it.settings.select_placeholder }}</md-option> \
// {{?}} \
// {{~ it.filters: filter }} \
// {{? optgroup !== filter.optgroup }} \
// {{? optgroup !== null }}</optgroup>{{?}} \
// {{? (optgroup = filter.optgroup) !== null }} \
// <md-optgroup label="{{= it.translate(it.settings.optgroups[optgroup]) }}"> \
// {{?}} \
// {{?}} \
// <md-option value="{{= filter.id }}">{{= it.translate(filter.label) }}</md-option> \
// {{~}} \
// {{? optgroup !== null }}</md-optgroup>{{?}} \
// </md-select>';
QueryBuilder.templates.operatorSelect = '\
{{? it.operators.length === 1 }} \
<span> \
{{= it.translate("operators", it.operators[0].type) }} \
</span> \
{{?}} \
{{ var optgroup = null; }} \
<select class="form-control {{? it.operators.length === 1 }}hide{{?}}" name="{{= it.rule.id }}_operator"> \
{{~ it.operators: operator }} \
{{? optgroup !== operator.optgroup }} \
{{? optgroup !== null }}</optgroup>{{?}} \
{{? (optgroup = operator.optgroup) !== null }} \
<optgroup label="{{= it.translate(it.settings.optgroups[optgroup]) }}"> \
{{?}} \
{{?}} \
<option value="{{= operator.type }}">{{= it.translate("operators", operator.type) }}</option> \
{{~}} \
{{? optgroup !== null }}</optgroup>{{?}} \
</select>';
// Material
// QueryBuilder.templates.operatorSelect = '\
// {{? it.operators.length === 1 }} \
// <span> \
// {{= it.translate("operators", it.operators[0].type) }} \
// </span> \
// {{?}} \
// {{ var optgroup = null; }} \
// <md-select class="form-control {{? it.operators.length === 1 }}hide{{?}}" ng-model="{{= it.rule.id }}_operator" aria-label="{{= it.rule.id }}_operator" name="{{= it.rule.id }}_operator"> \
// {{~ it.operators: operator }} \
// {{? optgroup !== operator.optgroup }} \
// {{? optgroup !== null }}</md-optgroup>{{?}} \
// {{? (optgroup = operator.optgroup) !== null }} \
// <md-optgroup label="{{= it.translate(it.settings.optgroups[optgroup]) }}"> \
// {{?}} \
// {{?}} \
// <md-option value="{{= operator.type }}">{{= it.translate("operators", operator.type) }}</md-option> \
// {{~}} \
// {{? optgroup !== null }}</md-optgroup>{{?}} \
// </md-select>';
/**
* Returns group's HTML
* @param {string} group_id
* @param {int} level
* @returns {string}
* @fires QueryBuilder.changer:getGroupTemplate
* @private
*/
QueryBuilder.prototype.getGroupTemplate = function(group_id, level) {
var h = this.templates.group({
builder: this,
group_id: group_id,
level: level,
conditions: this.settings.conditions,
icons: this.icons,
settings: this.settings,
translate: this.translate.bind(this)
});
/**
* Modifies the raw HTML of a group
* @event changer:getGroupTemplate
* @memberof QueryBuilder
* @param {string} html
* @param {int} level
* @returns {string}
*/
return this.change('getGroupTemplate', h, level);
};
/**
* Returns rule's HTML
* @param {string} rule_id
* @returns {string}
* @fires QueryBuilder.changer:getRuleTemplate
* @private
*/
QueryBuilder.prototype.getRuleTemplate = function(rule_id) {
var h = this.templates.rule({
builder: this,
rule_id: rule_id,
icons: this.icons,
settings: this.settings,
translate: this.translate.bind(this)
});
/**
* Modifies the raw HTML of a rule
* @event changer:getRuleTemplate
* @memberof QueryBuilder
* @param {string} html
* @returns {string}
*/
return this.change('getRuleTemplate', h);
};
/**
* Returns rule's filter HTML
* @param {Rule} rule
* @param {object[]} filters
* @returns {string}
* @fires QueryBuilder.changer:getRuleFilterTemplate
* @private
*/
QueryBuilder.prototype.getRuleFilterSelect = function(rule, filters) {
var h = this.templates.filterSelect({
builder: this,
rule: rule,
filters: filters,
icons: this.icons,
settings: this.settings,
translate: this.translate.bind(this)
});
/**
* Modifies the raw HTML of the rule's filter dropdown
* @event changer:getRuleFilterSelect
* @memberof QueryBuilder
* @param {string} html
* @param {Rule} rule
* @param {QueryBuilder.Filter[]} filters
* @returns {string}
*/
return this.change('getRuleFilterSelect', h, rule, filters);
};
/**
* Returns rule's operator HTML
* @param {Rule} rule
* @param {object[]} operators
* @returns {string}
* @fires QueryBuilder.changer:getRuleOperatorTemplate
* @private
*/
QueryBuilder.prototype.getRuleOperatorSelect = function(rule, operators) {
var h = this.templates.operatorSelect({
builder: this,
rule: rule,
operators: operators,
icons: this.icons,
settings: this.settings,
translate: this.translate.bind(this)
});
/**
* Modifies the raw HTML of the rule's operator dropdown
* @event changer:getRuleOperatorSelect
* @memberof QueryBuilder
* @param {string} html
* @param {Rule} rule
* @param {QueryBuilder.Operator[]} operators
* @returns {string}
*/
return this.change('getRuleOperatorSelect', h, rule, operators);
};
/**
* Returns the rule's value HTML
* @param {Rule} rule
* @param {int} value_id
* @returns {string}
* @fires QueryBuilder.changer:getRuleInput
* @private
*/
QueryBuilder.prototype.getRuleInput = function(rule, value_id) {
var filter = rule.filter;
var validation = rule.filter.validation || {};
var name = rule.id + '_value_' + value_id;
var c = filter.vertical ? ' class=block' : '';
var h = '';
if (typeof filter.input == 'function') {
h = filter.input.call(this, rule, name);
} else {
switch (filter.input) {
case 'radio':
Utils.iterateOptions(filter.values, function(key, val) {
h += '<label class="radio inline"' + c + '><input type="' + filter.input + '" name="' + name + '" value="' + key + '"> <span>' + val + '</span></label> ';
});
break;
case 'checkbox':
Utils.iterateOptions(filter.values, function(key, val) {
h += '<label class="checkbox inline"' + c + '><input type="' + filter.input + '" name="' + name + '" value="' + key + '"> <span>' + val + '</span></label> ';
});
break;
case 'select':
h += '<select class="form-control" name="' + name + '"' + (filter.multiple ? ' multiple' : '') + '>';
if (filter.placeholder) {
h += '<option value="' + filter.placeholder_value + '" disabled selected>' + filter.placeholder + '</option>';
}
Utils.iterateOptions(filter.values, function(key, val) {
h += '<option value="' + key + '">' + val + '</option> ';
});
h += '</select>';
break;
case 'textarea':
h += '<textarea class="form-control" name="' + name + '"';
if (filter.size) h += ' cols="' + filter.size + '"';
if (filter.rows) h += ' rows="' + filter.rows + '"';
if (validation.min !== undefined) h += ' minlength="' + validation.min + '"';
if (validation.max !== undefined) h += ' maxlength="' + validation.max + '"';
if (filter.placeholder) h += ' placeholder="' + filter.placeholder + '"';
h += '></textarea>';
break;
case 'number':
h += '<input class="form-control" type="number" name="' + name + '"';
if (validation.step !== undefined) h += ' step="' + validation.step + '"';
if (validation.min !== undefined) h += ' min="' + validation.min + '"';
if (validation.max !== undefined) h += ' max="' + validation.max + '"';
if (filter.placeholder) h += ' placeholder="' + filter.placeholder + '"';
if (filter.size) h += ' size="' + filter.size + '"';
h += '>';
break;
default:
h += '<input class="form-control" type="text" name="' + name + '"';
if (filter.placeholder) h += ' placeholder="' + filter.placeholder + '"';
if (filter.type === 'string' && validation.min !== undefined) h += ' minlength="' + validation.min + '"';
if (filter.type === 'string' && validation.max !== undefined) h += ' maxlength="' + validation.max + '"';
if (filter.size) h += ' size="' + filter.size + '"';
h += '>';
}
}
/**
* Modifies the raw HTML of the rule's input
* @event changer:getRuleInput
* @memberof QueryBuilder
* @param {string} html
* @param {Rule} rule
* @param {string} name - the name that the input must have
* @returns {string}
*/
return this.change('getRuleInput', h, rule, name);
};
|
/*
* @Descripttion: 饼图
* @version:
* @Author: qianlishi
* @Date: 2021-08-29 07:28:20
* @LastEditors: qianlishi
* @LastEditTime: 2021-09-28 14:19:19
*/
export const widgetPiechart = {
code: 'widget-piechart',
type: 'chart',
label: '饼图',
icon: 'iconicon_tubiao_bingtu',
options: {
// 配置
setup: [
{
type: 'el-input-text',
label: '图层名称',
name: 'layerName',
required: false,
placeholder: '',
value: '饼图',
},
{
type: 'vue-color',
label: '背景颜色',
name: 'background',
required: false,
placeholder: '',
value: ''
},
{
type: 'el-select',
label: '饼图样式',
name: 'piechartStyle',
required: false,
placeholder: '',
selectOptions: [
{code: 'shixin', name: '实心饼图'},
{code: 'kongxin', name: '空心饼图'},
],
value: 'shixin'
},
[
{
name: '标题设置',
list: [
{
type: 'el-switch',
label: '标题',
name: 'isNoTitle',
required: false,
placeholder: '',
value: true
},
{
type: 'el-input-text',
label: '标题',
name: 'titleText',
required: false,
placeholder: '',
value: ''
},
{
type: 'vue-color',
label: '字体颜色',
name: 'textColor',
required: false,
placeholder: '',
value: '#fff'
},
{
type: 'el-select',
label: '字体粗细',
name: 'textFontWeight',
required: false,
placeholder: '',
selectOptions: [
{code: 'normal', name: '正常'},
{code: 'bold', name: '粗体'},
{code: 'bolder', name: '特粗体'},
{code: 'lighter', name: '细体'}
],
value: 'normal'
},
{
type: 'el-input-number',
label: '字体大小',
name: 'textFontSize',
required: false,
placeholder: '',
value: 20
},
{
type: 'el-select',
label: '字体位置',
name: 'textAlign',
required: false,
placeholder: '',
selectOptions: [
{code: 'center', name: '居中'},
{code: 'left', name: '左对齐'},
{code: 'right', name: '右对齐'},
],
value: 'left'
},
{
type: 'el-input-text',
label: '副标题',
name: 'subText',
required: false,
placeholder: '',
value: ''
},
{
type: 'vue-color',
label: '字体颜色',
name: 'subTextColor',
required: false,
placeholder: '',
value: ''
},
{
type: 'el-select',
label: '字体粗细',
name: 'subTextFontWeight',
required: false,
placeholder: '',
selectOptions: [
{code: 'normal', name: '正常'},
{code: 'bold', name: '粗体'},
{code: 'bolder', name: '特粗体'},
{code: 'lighter', name: '细体'}
],
value: 'normal'
},
{
type: 'el-input-number',
label: '字体大小',
name: 'subTextFontSize',
required: false,
placeholder: '',
value: 12
},
],
},
{
name: '数值设定',
list: [
{
type: 'el-switch',
label: '显示',
name: 'isShow',
required: false,
placeholder: '',
value: true,
},
{
type: 'el-switch',
label: '数值',
name: 'numberValue',
require: false,
placeholder: '',
value: true,
},
{
type: 'el-switch',
label: '百分比',
name: 'percentage',
require: false,
placeholder: '',
value: false,
},
{
type: 'el-input-number',
label: '字体大小',
name: 'fontSize',
required: false,
placeholder: '',
value: 14,
},
{
type: 'vue-color',
label: '字体颜色',
name: 'subTextColor',
required: false,
placeholder: '',
value: ''
},
{
type: 'el-select',
label: '字体粗细',
name: 'fontWeight',
required: false,
placeholder: '',
selectOptions: [
{code: 'normal', name: '正常'},
{code: 'bold', name: '粗体'},
{code: 'bolder', name: '特粗体'},
{code: 'lighter', name: '细体'}
],
value: 'normal'
},
],
},
{
name: '提示语设置',
list: [
{
type: 'el-input-number',
label: '字体大小',
name: 'fontSize',
required: false,
placeholder: '',
value: 12
},
{
type: 'vue-color',
label: '网格线颜色',
name: 'lineColor',
required: false,
placeholder: '',
value: ''
},
],
},
{
name: '图例操作',
list: [
{
type: 'el-switch',
label: '图例',
name: 'isShowLegend',
required: false,
placeholder: '',
value: true,
},
{
type: 'vue-color',
label: '字体颜色',
name: 'lengedColor',
required: false,
placeholder: '',
value: '#fff',
},
{
type: 'el-input-text',
label: '字体大小',
name: 'lengedFontSize',
required: false,
placeholder: '',
value: 16,
},
{
type: 'el-input-number',
label: '图例宽度',
name: 'lengedWidth',
required: false,
placeholder: '',
value: 15,
},
{
type: 'el-select',
label: '横向位置',
name: 'lateralPosition',
required: false,
placeholder: '',
selectOptions: [
{code: 'left', name: '左对齐'},
{code: 'right', name: '右对齐'},
],
value: ''
},
{
type: 'el-select',
label: '纵向位置',
name: 'longitudinalPosition',
required: false,
placeholder: '',
selectOptions: [
{code: 'top', name: '顶部'},
{code: 'bottom', name: '底部'},
],
value: ''
},
{
type: 'el-select',
label: '布局前置',
name: 'layoutFront',
required: false,
placeholder: '',
selectOptions: [
{code: 'vertical', name: '竖排'},
{code: 'horizontal', name: '横排'},
],
value: ''
},
],
},
{
name: '自定义配色',
list: [
{
type: 'customColor',
label: '',
name: 'customColor',
required: false,
value: [{color: '#0CD2E6'}, {color: '#00BFA5'}, {color: '#FFC722'}, {color: '#886EFF'}, {color: '#008DEC'}],
},
],
},
],
],
// 数据
data: [
{
type: 'el-radio-group',
label: '数据类型',
name: 'dataType',
require: false,
placeholder: '',
selectValue: true,
selectOptions: [
{
code: 'staticData',
name: '静态数据',
},
{
code: 'dynamicData',
name: '动态数据',
},
],
value: 'staticData',
},
{
type: 'el-input-number',
label: '刷新时间(毫秒)',
name: 'refreshTime',
relactiveDom: 'dataType',
relactiveDomValue: 'dynamicData',
value: 5000
},
{
type: 'el-button',
label: '静态数据',
name: 'staticData',
required: false,
placeholder: '',
relactiveDom: 'dataType',
relactiveDomValue: 'staticData',
value: [{"value": 1048,"name": "搜索引擎"},{"value": 735, "name": "直接访问"},{"value": 580, "name": "邮件营销"},{"value": 484,"name":"联盟广告"},{"value":300,"name":"视频广告"}]
},
{
type: 'dycustComponents',
label: '',
name: 'dynamicData',
required: false,
placeholder: '',
relactiveDom: 'dataType',
chartType: 'widget-piechart',
relactiveDomValue: 'dynamicData',
dictKey: 'PIE_PROPERTIES',
value: '',
},
],
// 坐标
position: [
{
type: 'el-input-number',
label: '左边距',
name: 'left',
required: false,
placeholder: '',
value: 0,
},
{
type: 'el-input-number',
label: '上边距',
name: 'top',
required: false,
placeholder: '',
value: 0,
},
{
type: 'el-input-number',
label: '宽度',
name: 'width',
required: false,
placeholder: '该容器在1920px大屏中的宽度',
value: 400,
},
{
type: 'el-input-number',
label: '高度',
name: 'height',
required: false,
placeholder: '该容器在1080px大屏中的高度',
value: 200,
},
],
}
}
|
module.exports = {
"sendSMS": "sms/send",
"checkStatus": "sms/status",
"sendedList": "sms/list",
"balance": "balance",
"tariffs": "tariffs",
"addSign": "sign/add",
"signList": "sign/list",
"addGroup": "group/add",
"deleteGroup": "group/delete",
"groupList": "group/list",
"addContact": "contact/add",
"deleteContact": "contact/delete",
"contactList": "contact/list",
"addBlacklist": "blacklist/add",
"deleteBlacklist": "blacklist/delete",
"blacklistList": "blacklist/list",
"hlrCheck": "hlr/check",
"hlrStatus": "hlr/status",
"checkOperator": "number/operator",
"sendViber": "viber/send",
"checkViberStat": "viber/statistic",
"viberList": "viber/list",
"viberSignList": "viber/sign/list"
}; |
// 代码中会兼容本地 service mock 以及部署站点的静态数据
export default {
// 支持值为 Object 和 Array
'GET /api/currentUser': {
data: {
name: 'BiaoChenXuying',
// avatar: 'https://gw.alipayobjects.com/zos/rmsportal/BiazfanxmamNRoxxVxka.png',
avatar: 'http://p61te2jup.bkt.clouddn.com/WechatIMG8.jpeg',
userid: '00000001',
email: '[email protected]',
signature: '海纳百川,有容乃大',
title: '交互专家',
group: 'BiaoChenXuying',
tags: [
{
key: '0',
label: '很有想法的',
},
{
key: '1',
label: '专注设计',
},
{
key: '2',
label: '辣~',
},
{
key: '3',
label: '大长腿',
},
{
key: '4',
label: '川妹子',
},
{
key: '5',
label: '海纳百川',
},
],
notifyCount: 12,
country: 'China',
geographic: {
province: {
label: '浙江省',
key: '330000',
},
city: {
label: '杭州市',
key: '330100',
},
},
address: '西湖区工专路 77 号',
phone: '0752-268888888',
},
},
// GET POST 可省略
'GET /api/users': [
{
key: '1',
name: 'John Brown',
age: 32,
address: 'New York No. 1 Lake Park',
},
{
key: '2',
name: 'Jim Green',
age: 42,
address: 'London No. 1 Lake Park',
},
{
key: '3',
name: 'Joe Black',
age: 32,
address: 'Sidney No. 1 Lake Park',
},
],
'POST /api/login/account': (req, res) => {
const { password, userName, type } = req.body;
if (password === '888888' && userName === 'admin') {
res.send({
status: 'ok',
type,
currentAuthority: 'admin',
});
return;
}
if (password === '123456' && userName === 'user') {
res.send({
status: 'ok',
type,
currentAuthority: 'user',
});
return;
}
res.send({
status: 'error',
type,
currentAuthority: 'guest',
});
},
'POST /api/loginAdmin': (req, res) => {
const { email, type } = req.body;
if (email === 'admin') {
res.send({
code: 0,
data: {},
status: 'ok',
type,
currentAuthority: 'admin',
});
return;
}
if (email === 'user') {
res.send({
status: 'ok',
type,
currentAuthority: 'user',
});
return;
}
res.send({
status: 'error',
type,
currentAuthority: 'guest',
});
},
'POST /api/register': (req, res) => {
res.send({ status: 'ok', currentAuthority: 'user' });
},
'GET /api/500': (req, res) => {
res.status(500).send({
timestamp: 1513932555104,
status: 500,
error: 'error',
message: 'error',
path: '/base/category/list',
});
},
'GET /api/404': (req, res) => {
res.status(404).send({
timestamp: 1513932643431,
status: 404,
error: 'Not Found',
message: 'No message available',
path: '/base/category/list/2121212',
});
},
'GET /api/403': (req, res) => {
res.status(403).send({
timestamp: 1513932555104,
status: 403,
error: 'Unauthorized',
message: 'Unauthorized',
path: '/base/category/list',
});
},
'GET /api/401': (req, res) => {
res.status(401).send({
timestamp: 1513932555104,
status: 401,
error: 'Unauthorized',
message: 'Unauthorized',
path: '/base/category/list',
});
},
};
|
import cadquery as cq
# These can be modified rather than hardcoding values for each dimension.
circle_radius = 50.0 # Radius of the plate
thickness = 13.0 # Thickness of the plate
rectangle_width = 13.0 # Width of rectangular hole in cylindrical plate
rectangle_length = 19.0 # Length of rectangular hole in cylindrical plate
# Extrude a cylindrical plate with a rectangular hole in the middle of it.
# 1. Establishes a workplane that an object can be built on.
# 1a. Uses the named plane orientation "front" to define the workplane, meaning
# that the positive Z direction is "up", and the negative Z direction
# is "down".
# 2. The 2D geometry for the outer circle is created at the same time as the
# rectangle that will create the hole in the center.
# 2a. The circle and the rectangle will be automatically centered on the
# workplane.
# 2b. Unlike some other functions like the hole(), circle() takes
# a radius and not a diameter.
# 3. The circle and rectangle are extruded together, creating a cylindrical
# plate with a rectangular hole in the center.
# 3a. circle() and rect() could be changed to any other shape to completely
# change the resulting plate and/or the hole in it.
result = (
cq.Workplane("front")
.circle(circle_radius)
.rect(rectangle_width, rectangle_length)
.extrude(thickness)
)
# Displays the result of this script
show_object(result)
|
from logic.randomize import base_alphabet_encode, base_random_number, ALPHABET
def test_base_random_number():
for i in range(0, 100):
assert 0 <= base_random_number(1) <= len(ALPHABET) - 1
for i in range(0, 100):
assert 0 <= base_random_number(2) <= len(ALPHABET)**2 - 1
for i in range(0, 100):
assert 0 <= base_random_number(3) <= len(ALPHABET)**3 - 1
for i in range(0, 5):
assert 0 <= base_random_number(1, alphabet='ab') <= 1
def test_base_alphabet_encode():
assert base_alphabet_encode(0) == 'a'
assert base_alphabet_encode(0, 3) == 'aaa'
assert base_alphabet_encode(len(ALPHABET)-1) == 'z'
assert base_alphabet_encode(len(ALPHABET)-1, 3) == 'aaz'
assert base_alphabet_encode(len(ALPHABET), 3) == 'aba'
assert base_alphabet_encode(len(ALPHABET)**2 - 1, 3) == 'azz'
assert base_alphabet_encode(len(ALPHABET)**3 - 1, 3) == 'zzz'
assert base_alphabet_encode(0, 3, alphabet='ab') == 'aaa'
assert base_alphabet_encode(1, 3, alphabet='ab') == 'aab'
assert base_alphabet_encode(2, 3, alphabet='ab') == 'aba'
assert base_alphabet_encode(3, 3, alphabet='ab') == 'abb'
assert base_alphabet_encode(4, 3, alphabet='ab') == 'baa'
assert base_alphabet_encode(5, 3, alphabet='ab') == 'bab'
assert base_alphabet_encode(6, 3, alphabet='ab') == 'bba'
assert base_alphabet_encode(7, 3, alphabet='ab') == 'bbb'
assert base_alphabet_encode(8, 3, alphabet='ab') == 'baaa'
|
"use strict";
Object.defineProperty(exports, "__esModule", { value: true });
exports.loaderStyles = void 0;
var tslib_1 = require("tslib");
var utils_1 = require("../../../../utils");
var rootFlexDirections = {
above: 'column-reverse',
below: 'column',
start: 'row-reverse',
end: 'row',
};
exports.loaderStyles = {
root: function (_a) {
var p = _a.props;
return ({
alignItems: 'center',
display: p.inline ? 'inline-flex' : 'flex',
justifyContent: 'center',
flexDirection: rootFlexDirections[p.labelPosition],
});
},
indicator: function (_a) {
var p = _a.props, v = _a.variables;
return ({
height: v.containerHeights[p.size],
width: v.containerWidths[p.size],
overflow: 'hidden',
});
},
svg: function (_a) {
var p = _a.props, t = _a.theme, v = _a.variables;
var outerAnimation = {
animationName: {
to: {
opacity: 1,
},
},
animationDelay: '1.5s',
animationDirection: 'normal',
animationDuration: '.3s',
animationFillMode: 'both',
animationIterationCount: '1',
animationPlayState: 'running',
animationTimingFunction: 'ease-out',
display: 'block',
overflow: 'hidden',
position: 'relative',
};
var svgAnimation = {
animationName: {
to: {
transform: "translate3d(0, " + v.svgTranslatePosition[p.size] + ", 0)",
},
},
animationDelay: '0s',
animationDirection: 'normal',
animationDuration: '2s',
animationFillMode: 'both',
animationPlayState: 'running',
animationTimingFunction: 'steps(60, end)',
animationIterationCount: 'infinite',
};
return tslib_1.__assign(tslib_1.__assign({}, outerAnimation), { ':before': tslib_1.__assign(tslib_1.__assign({}, svgAnimation), { backgroundImage: v.svgContent, content: '" "', display: 'block', overflow: 'hidden', height: v.svgHeights[p.size], width: v.svgWidths[p.size] }) });
},
label: function () { return ({
margin: utils_1.pxToRem(10),
}); },
};
|
/*
* Copyright 2013 Mozilla Foundation
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
/**
* Shumway AVM Testing Framework
*
* This script runs test cases under several VM configurations and produces a large .json
* file with the output of each test case.
*
* The list of executed tests is computed using a sequence of include (-i path) and exclude (-e path)
* command line arguments, e.g.:
* node numbers.js -i file.list -e file.list -i directory
*/
var path = require('path');
var fs = require('fs');
var readFile = fs.readFileSync;
var spawn = require('child_process').spawn;
var exec = require('child_process').exec;
var temp = require('temp');
global.assert = function () { };
global.release = false;
eval(fs.readFileSync(path.resolve(__dirname, '../../build/ts/base.js')).toString());
var ArgumentParser = Shumway.Options.ArgumentParser;
var Option = Shumway.Options.Option;
var OptionSet = Shumway.Options.OptionSet;
// Parse arguments
var arguments = process.argv.slice(2);
var argumentParser = new ArgumentParser();
var numbersOptions = new OptionSet("Numbers Options");
var jobs = numbersOptions.register(new Option("j", "jobs", "number", 1, "runs the tests in parallel"));
var release = numbersOptions.register(new Option("r", "release", "boolean", false, "build and test release version"));
var jsOptimazations = numbersOptions.register(new Option("jo", "jsOptimazations", "boolean", false, "run without ion and type inference"));
var noMetrics = numbersOptions.register(new Option("nm", "noMetrics", "boolean", false, "runs without -tm -tj"));
var timeout = numbersOptions.register(new Option("t", "timeout", "number", 30000, "timeout in ms"));
var configurationSet = numbersOptions.register(new Option("c", "configurations", "string", "iclovx", "(i)nterpreter, (c)ompiler, (o)ptimized, in(l)ineCaching, (v)erifier, (x) c4"));
var output = numbersOptions.register(new Option("o", "output", "string", "", "output json file"));
var summary = numbersOptions.register(new Option("s", "summary", "boolean", false, "trace summary"));
/**
* Output Patching:
*
* There are cases where the Shumway output is "correct" but does not match AVM output. For instance: rounding errors,
* the way errors are displayed, various semantics that we chose not to implement for the sake of performance, etc.
*
* If a file foo.abc.diff exists in the same directory as foo.abc, then the diff file is applied to the output of foo.abc
* using the "patch" command, e.g. patch foo.abc.output < foo.abc.diff. The result is then compared against the AVM output.
*
* .diff files can be generated manually, or by specifying the |generatePatches| command line argument. This automatically
* generates .diff files for any test case that fails and does not already have one.
*/
var generatePatches = numbersOptions.register(new Option("gp", "patches", "boolean", false, "creates patch files"));
argumentParser.addBoundOptionSet(numbersOptions);
argumentParser.addArgument("h", "help", "boolean", {parse: function (x) {
console.log("numbers.js " + argumentParser.getUsage());
process.exit();
}});
function endsWith(str, end) {
return str.substring(str.length - end.length) === end;
}
function listFiles(path) {
if (path[path.length - 1] === "/") {
path = path.substring(0, path.length - 1);
}
var files = [];
fs.readdirSync(path).forEach(function (x) {
var file = path + "/" + x;
var stat = fs.lstatSync(file);
if (stat.isDirectory() || stat.isSymbolicLink()) {
files = files.concat(listFiles(file));
} else if (endsWith(file, ".abc")) {
files.push(file);
}
});
return files;
}
function getTests(path) {
var files = [];
var stats = fs.lstatSync(path);
if (stats.isDirectory()) {
files = listFiles(path);
} else if (stats.isFile()) {
if (endsWith(path, ".abc")) {
files.push(path);
} else {
files = readFile(path).toString().split("\n").filter(function (x) {
return x.trim() && x.trim()[0] != "#"
}).map(function (x) {
return x.trim();
});
}
}
return files;
}
/**
* Patch the given |text| with |file|.diff if one exists.
*/
function patchTest(file, text, next) {
if (fs.existsSync(file + ".diff")) {
temp.open("out", function (err, info) {
fs.writeSync(info.fd, text);
var command = "patch " + info.path + " " + file + ".diff";
exec(command, {}, function (error, stdout, stderr) {
next(readFile(info.path).toString());
});
});
} else {
next(text);
}
}
var isWin = !!process.platform.match(/^win/);
function pathToOSCommand(path) {
if (!path || !isWin) return path;
return path.replace(/^\/(\w)\//, "$1:\\").replace(/\//g, "\\");
}
var tests = [];
// Collect test cases
argumentParser.addArgument("i", "include", "string", {parse: function (x) {
var include = getTests(x);
tests = tests.concat(include.filter(function (y) { return tests.indexOf(y) < 0; }));
}});
argumentParser.addArgument("e", "exclude", "string", {parse: function (x) {
var exclude = getTests(x);
tests = tests.filter(function (y) { return exclude.indexOf(y) < 0; });
}});
try {
argumentParser.parse(arguments);
} catch (x) {
console.log(x.message);
process.exit();
}
var DEFAULT_AVM_PATH = './utils/tamarin-redux/bin/avmshell';
var DEFAULT_JS_PATH = './utils/jsshell/js';
var DEFAULT_RUNS_PATH = './build/runs';
var avmShell = {path: pathToOSCommand(process.env.AVM || DEFAULT_AVM_PATH), options: []};
// Use -tm -tj to emit VM metrics in JSON format.
var configurations = [
{name: "avm", timeout: timeout.value, command: avmShell.path}
];
var commandPrefix = pathToOSCommand(process.env.JSSHELL || DEFAULT_JS_PATH);
if (jsOptimazations.value) {
commandPrefix += " --no-ion --no-ti";
}
commandPrefix += " build/ts/shell.js -s";
var commandSuffix = release.value ? " -r" : "";
if (configurationSet.value.indexOf("i") >= 0) {
configurations.push({name: "shu-i", timeout: timeout.value, command: commandPrefix + " -x -i" + commandSuffix});
}
if (configurationSet.value.indexOf("c") >= 0) {
configurations.push({name: "shu-c", timeout: timeout.value, command: commandPrefix + " -x" + commandSuffix});
}
console.log(padRight("=== Configurations ", "=", 120));
configurations.forEach(function (x) {
console.log(padLeft(x.name, ' ', 10) + ", timeout: " + (x.timeout / 1000).toFixed(2) + ", command: " + x.command);
});
console.log(padRight("", "=", 120));
var INFO = '\033[94m';
var WARN = '\033[93m';
var PASS = '\033[92m';
var FAIL = '\033[91m';
var ENDC = '\033[0m';
var results = {};
function padRight(s, c, n) {
if (!c || s.length >= n) {
return s;
}
var max = (n - s.length) / c.length;
for (var i = 0; i < max; i++) {
s += c;
}
return s;
}
function padLeft(s, c, n) {
if (!c || s.length >= n) {
return s;
}
var max = (n - s.length) / c.length;
for (var i = 0; i < max; i++) {
s = c + s;
}
return s;
}
var remainingJobs = jobs.value;
var inParallel = jobs.value > 1;
var sha;
var totalStart = new Date();
exec("git log --pretty=format:'%H' -n 1", function (error, stdout, stderr) {
sha = stdout;
if (release.value) {
process.stdout.write("Building Release Version (avm-release.js) ... ");
exec("node build.js avm.js > avm-release.js", function () {
process.stdout.write("DONE\n");
runTests();
});
} else {
runTests();
}
function runTests() {
console.log(padRight("=== Running " + tests.length + " Tests, Using " + jobs.value + " Job(s) " + (jobs.value > 1 ? "(invalid timing results) " : ""), "=", 120));
for (var i = 0; i < jobs.value; i++) {
runNextTest();
}
}
});
function shortPath(str, length) {
if (str.length > length) {
str = str.substring(str.length - length);
}
return str;
}
function extractData(str) {
var lines = str.replace(/\r/g, "").split("\n");
var data = {};
var jsonPrefix = "SHUMWAY$JSON";
var textLines = lines.filter(function (x) {
if (x.indexOf(jsonPrefix) === 0) {
var lineData = {};
try {
lineData = JSON.parse(x.substring(jsonPrefix.length + 1));
} catch (e) {
// Nop
}
for (var k in lineData) {
data[k] = lineData[k];
}
return false;
}
return true;
});
return {text: textLines.join("\n"), data: data};
}
var counts = {};
function count(name) {
if (!(name in counts)) {
counts[name] = 0;
}
counts[name] ++;
}
var pathLength = 140;
var testNumber = 0;
var passedTests = [];
var failedTests = [];
function runNextTest () {
var test = tests.pop();
var configs = configurations.slice(0);
if (test) {
if (!inParallel) {
process.stdout.write(padLeft((testNumber ++).toString(), ' ', 4));
process.stdout.write(" " + padRight(shortPath(test, pathLength), ' ', pathLength) + " ");
}
function runNextConfiguration() {
var config = configs.shift();
if (config) {
var command = config.command + " " + test;
var start = new Date();
var p = exec(command, {timeout: config.timeout}, function (error, stdout, stderr) {
if (!(test in results)) {
results[test] = {};
}
patchTest(test, stdout, function (output) {
var output = extractData(output);
results[test][config.name] = {output: output, elapsed: new Date() - start};
if (!inParallel) {
process.stdout.write(".");
}
runNextConfiguration();
});
});
} else {
var baseline = results[test][configurations[0].name];
var someFailed = false;
if (inParallel) {
process.stdout.write(padLeft((testNumber ++).toString(), ' ', 4));
process.stdout.write(" " + padRight(shortPath(test, pathLength), ' ', pathLength) + " ");
}
for (var i = 0; i < configurations.length; i++) {
var configuration = configurations[i];
var result = results[test][configuration.name];
if (Math.max(baseline.elapsed, result.elapsed) > timeout.value) {
someFailed = true;
process.stdout.write(WARN + " TIME" + ENDC);
count(configuration.name + ":time");
} else if (baseline.output.text == result.output.text) {
if (i > 0) {
delete result.output.text;
process.stdout.write(PASS + " PASS 100 %" + ENDC);
passedTests.push(test);
count(configuration.name + ":pass");
}
} else {
someFailed = true;
var nPassed = 0, nFailed = 0, nPassedPercentage = 1;
var match = result.output.text.match(/PASSED/g);
nPassed = match ? match.length : 0;
match = baseline.output.text.match(/PASSED/g);
var nTotal = match ? match.length : 0;
nPassedPercentage = (nPassed / nTotal) * 100 | 0;
if (nPassedPercentage < 75) {
process.stdout.write(FAIL + " FAIL " + padLeft(nPassedPercentage.toString(), ' ', 3) + " %" + ENDC);
failedTests.push(test);
count(configuration.name + ":fail");
} else {
process.stdout.write(WARN + " OKAY " + padLeft(nPassedPercentage.toString(), ' ', 3) + " %" + ENDC);
passedTests.push(test);
count(configuration.name + ":okay");
}
}
process.stdout.write(" " + (result.elapsed / 1000).toFixed(2));
process.stdout.write(" " + (baseline.elapsed / result.elapsed).toFixed(2) + "x");
var timer = result.output.data.timer;
if (false && timer) {
// TODO: Enable this if we actually need it.
var vmLoadTime = timer.timers["Loading VM"].total;
process.stdout.write(" " + ((result.elapsed - vmLoadTime) / 1000).toFixed(2));
if (timer.timers["Compiler"]) {
var vmCompilerTime = timer.timers["Compiler"].total;
process.stdout.write(" " + ((result.elapsed - vmLoadTime - vmCompilerTime) / 1000).toFixed(2));
}
}
}
if (!someFailed) {
delete baseline.output.text;
count("all-passed");
} else if (false) {
var baseline = results[test][configurations[0].name];
process.stdout.write("\n=== EXPECTED ===\n" + baseline.output.text + "\n");
for (var i = 1; i < configurations.length; i++) {
var configuration = configurations[i];
var result = results[test][configuration.name];
if (baseline.output.text !== result.output.text) {
process.stdout.write("=== ACTUAL " + configuration.name + " ===\n" + result.output.text);
}
}
}
process.stdout.write("\n");
runNextTest();
}
}
runNextConfiguration();
} else {
if (--remainingJobs === 0) {
var totalTime = (new Date() - totalStart);
var final = {sha: sha, totalTime: totalTime, jobs: jobs.value, date: new Date(), configurations: configurations, results: results};
fs.mkdir(DEFAULT_RUNS_PATH, function() {
var fileName = DEFAULT_RUNS_PATH + "/" + sha;
fileName += "." + configurationSet.value;
fileName += (jobs.value > 1 ? ".parallel" : "");
fileName += (!noMetrics.value ? ".metrics" : "");
fileName += ".json";
if (output.value) {
fileName = output.value;
}
fs.writeFile(fileName, JSON.stringify(final));
console.log(padRight("", "=", 120));
console.log("Executed in: " + totalTime + ", wrote: " + fileName);
console.log(counts);
console.log(padRight("=== DONE ", "=", 120));
console.log("SCORE: " + ((passedTests.length / (passedTests.length + failedTests.length)) * 100).toFixed(2) + " %");
var exitCode = 0;
if (failedTests.length) {
console.log(padRight("=== FAILED TESTS ", "=", 120));
for (var i = 0; i < failedTests.length; i++) {
console.log(failedTests[i]);
}
console.log(padRight("", "=", 120));
exitCode = 1;
} else {
console.log(padRight("=== SUCCESS: ALL TESTS PASSED ", "=", 120));
}
if (summary.value) {
printSummary();
}
/**
* This generates .diff files for each test case that failed in its first configuration. The .diff file is
* generated against the avm output and stored in the same directory as the test .abc file itself. If a
* diff file is found when running the test case it is applied to the output before comparing against the
* avm output.
*/
if (generatePatches.value) {
for (var test in results) {
if (fs.existsSync(test + ".diff")) {
continue;
}
(function (test) {
var result = results[test];
var baselineName = configurations[0].name;
var baselineText = result[baselineName].output.text;
var runName = configurations[1].name;
var runText = result[runName].output.text;
if (baselineText !== runText) {
temp.open("out", function (err, baselineFile) {
fs.writeSync(baselineFile.fd, baselineText);
temp.open("out", function (err, runFile) {
fs.writeSync(runFile.fd, runText);
var command = "diff -u " + baselineFile.path + " " + runFile.path + " > " + test + ".diff";
exec(command, {}, function (error, stdout, stderr) {
console.log("Created Patch for " + test + " -> " + test + ".diff (diff -u {" + baselineName + "} {" + runName + "})");
});
});
});
}
})(test);
}
}
process.exit(exitCode);
});
}
}
}
function printSummary() {
console.log(padRight("SUMMARY", "=", 120));
for (var k in results) {
for (var c in results[k]) {
if (c === "avm") {
continue;
}
try {
var counts = results[k][c].output.data.counter.counts;
var line = "Execution: " + shortPath(k, 30) + ":" + c + ": ";
for (var x in counts) {
line += x + ": " + (counts[x] > 10000 ? FAIL : PASS) + counts[x] + ENDC + " ";
}
console.log(line);
} catch (x) {
}
}
}
console.log(padRight("=== DONE ", "=", 120));
}
if (!isWin) {
process.on('SIGINT', function () {
if (summary.value) {
printSummary();
}
process.exit(2);
});
}
|
define(['dart_sdk', 'packages/angular_components/src/laminate/ruler/ruler_interface', 'packages/angular_components/utils/browser/dom_service/dom_service'], function(dart_sdk, ruler_interface, dom_service) {
'use strict';
const core = dart_sdk.core;
const html = dart_sdk.html;
const math = dart_sdk.math;
const async = dart_sdk.async;
const dart = dart_sdk.dart;
const dartx = dart_sdk.dartx;
const src__laminate__ruler__ruler_interface = ruler_interface.src__laminate__ruler__ruler_interface;
const utils__browser__dom_service__dom_service = dom_service.utils__browser__dom_service__dom_service;
const _root = Object.create(null);
const laminate__ruler__dom_ruler = Object.create(_root);
const $offset = dartx.offset;
const $isNotEmpty = dartx.isNotEmpty;
const $where = dartx.where;
const $classes = dartx.classes;
const $setProperty = dartx.setProperty;
let RulerOfElement = () => (RulerOfElement = dart.constFn(src__laminate__ruler__ruler_interface.Ruler$(html.Element)))();
let RectangleOfnum = () => (RectangleOfnum = dart.constFn(math.Rectangle$(core.num)))();
let FutureOfRectangleOfnum = () => (FutureOfRectangleOfnum = dart.constFn(async.Future$(RectangleOfnum())))();
let StreamOfRectangleOfnum = () => (StreamOfRectangleOfnum = dart.constFn(async.Stream$(RectangleOfnum())))();
let StringTobool = () => (StringTobool = dart.constFn(dart.fnType(core.bool, [core.String])))();
laminate__ruler__dom_ruler.DomRuler = class DomRuler extends core.Object {
static new(document, domService) {
return new laminate__ruler__dom_ruler.DomRulerImpl.new(document, domService);
}
};
(laminate__ruler__dom_ruler.DomRuler[dart.mixinNew] = function() {
}).prototype = laminate__ruler__dom_ruler.DomRuler.prototype;
dart.addTypeTests(laminate__ruler__dom_ruler.DomRuler);
laminate__ruler__dom_ruler.DomRuler[dart.implements] = () => [RulerOfElement()];
const _document = Symbol('_document');
const _domService = Symbol('_domService');
let const$;
let const$0;
let const$1;
laminate__ruler__dom_ruler.DomRulerImpl = class DomRulerImpl extends src__laminate__ruler__ruler_interface.RulerBase$(html.Element) {
canSyncWrite(element) {
html.Element._check(element);
if (html.HtmlDocument.is(this[_document])) {
return !dart.test(html.HtmlDocument.as(this[_document]).body.contains(element));
}
return !dart.test(this[_document].contains(element));
}
get onLayoutChanged() {
return this[_domService].onLayoutChanged;
}
onRead() {
return this[_domService].onRead();
}
onWrite() {
return this[_domService].onWrite();
}
measure(element, opts) {
html.Element._check(element);
let offset = opts && 'offset' in opts ? opts.offset : false;
if (dart.test(this.canSyncWrite(element))) {
return FutureOfRectangleOfnum().value(const$ || (const$ = dart.const(new (RectangleOfnum()).new(0, 0, 0, 0))));
}
return super.measure(element, {offset: offset});
}
measureSync(element, opts) {
html.Element._check(element);
let offset = opts && 'offset' in opts ? opts.offset : false;
if (dart.test(offset)) {
return element[$offset];
}
return element.getBoundingClientRect();
}
track(element) {
html.Element._check(element);
if (dart.test(this.canSyncWrite(element))) {
return StreamOfRectangleOfnum().fromIterable(const$1 || (const$1 = dart.constList([const$0 || (const$0 = dart.const(new (RectangleOfnum()).new(0, 0, 0, 0)))], RectangleOfnum())));
}
return super.track(element);
}
removeCssClassesSync(element, classes) {
html.Element._check(element);
element[$classes].removeAll(classes[$where](dart.fn(c => c[$isNotEmpty], StringTobool())));
}
addCssClassesSync(element, classes) {
html.Element._check(element);
element[$classes].addAll(classes[$where](dart.fn(c => c[$isNotEmpty], StringTobool())));
}
clearCssPropertiesSync(element) {
html.Element._check(element);
element.style.cssText = "";
}
setCssPropertySync(element, propertyName, propertyValue) {
html.Element._check(element);
element.style[$setProperty](propertyName, propertyValue);
}
};
(laminate__ruler__dom_ruler.DomRulerImpl.new = function(document, domService) {
this[_document] = document;
this[_domService] = domService;
laminate__ruler__dom_ruler.DomRulerImpl.__proto__.new.call(this);
}).prototype = laminate__ruler__dom_ruler.DomRulerImpl.prototype;
dart.addTypeTests(laminate__ruler__dom_ruler.DomRulerImpl);
laminate__ruler__dom_ruler.DomRulerImpl[dart.implements] = () => [laminate__ruler__dom_ruler.DomRuler];
dart.setMethodSignature(laminate__ruler__dom_ruler.DomRulerImpl, () => ({
__proto__: dart.getMethods(laminate__ruler__dom_ruler.DomRulerImpl.__proto__),
canSyncWrite: dart.fnType(core.bool, [core.Object]),
onRead: dart.fnType(async.Future$(dart.void), []),
onWrite: dart.fnType(async.Future$(dart.void), []),
measure: dart.fnType(async.Future$(math.Rectangle$(core.num)), [core.Object], {offset: core.bool}),
measureSync: dart.fnType(math.Rectangle$(core.num), [core.Object], {offset: core.bool}),
track: dart.fnType(async.Stream$(math.Rectangle$(core.num)), [core.Object]),
removeCssClassesSync: dart.fnType(dart.void, [core.Object, core.List$(core.String)]),
addCssClassesSync: dart.fnType(dart.void, [core.Object, core.List$(core.String)]),
clearCssPropertiesSync: dart.fnType(dart.void, [core.Object]),
setCssPropertySync: dart.fnType(dart.void, [core.Object, core.String, core.String])
}));
dart.setGetterSignature(laminate__ruler__dom_ruler.DomRulerImpl, () => ({
__proto__: dart.getGetters(laminate__ruler__dom_ruler.DomRulerImpl.__proto__),
onLayoutChanged: async.Stream
}));
dart.setFieldSignature(laminate__ruler__dom_ruler.DomRulerImpl, () => ({
__proto__: dart.getFields(laminate__ruler__dom_ruler.DomRulerImpl.__proto__),
[_document]: dart.finalFieldType(html.Document),
[_domService]: dart.finalFieldType(utils__browser__dom_service__dom_service.DomService)
}));
dart.trackLibraries("packages/angular_components/laminate/ruler/dom_ruler.ddc", {
"package:angular_components/laminate/ruler/dom_ruler.dart": laminate__ruler__dom_ruler
}, '{"version":3,"sourceRoot":"","sources":["dom_ruler.dart"],"names":[],"mappings":";;;;;;;;;;;;;;;;;;;;;;;eAemB,QAAiB,EAAE,UAAqB;AAAI,6DAA5C,QAAiB,EAAE,UAAqB;IAAgB;;;;;;;;;;;;iBAYvD,OAAe;0BAAP;AACxB,+BAAI,eAAS,GAAkB;AAC7B,cAAO,YAAC,qBAAC,eAAS,MAAsB,SAAS,CAAC,OAAO;;AAE3D,YAAO,YAAC,eAAS,SAAS,CAAC,OAAO;IACpC;;YAG8B,kBAAW,gBAAgB;;;YAGhC,kBAAW,OAAO;IAAE;;YAGnB,kBAAW,QAAQ;IAAE;YAGrB,OAAe;0BAAP;UAAe,kDAAS;AACxD,oBAAI,iBAAY,CAAC,OAAO,IAAG;AAGzB,cAAO,+BAAuB,CAAC,mCAAM,sBAAS,CAAC,GAAG,GAAG,GAAG;;AAE1D,YAAO,cAAa,CAAC,OAAO,WAAU,MAAM;IAC9C;gBAGsB,OAAe;0BAAP;UAAe,kDAAS;AAGpD,oBAAI,MAAM,GAAE;AACV,cAAO,QAAO,SAAO;;AAEvB,YAAO,QAAO,sBAAsB;IACtC;UAGwB,OAAe;0BAAP;AAC9B,oBAAI,iBAAY,CAAC,OAAO,IAAG;AAGzB,cAAO,sCAA8B,CAAC,2EAAO,sBAAS,CAAC,GAAG,GAAG,GAAG;;AAElE,YAAO,YAAW,CAAC,OAAO;IAC5B;yBAG0B,OAAe,EAAE,OAAoB;0BAA7B;AAChC,aAAO,UAAQ,UAAU,CAAC,OAAO,QAAM,CAAC,QAAC,CAAC,IAAK,CAAC,aAAW;IAC7D;sBAGuB,OAAe,EAAE,OAAoB;0BAA7B;AAC7B,aAAO,UAAQ,OAAO,CAAC,OAAO,QAAM,CAAC,QAAC,CAAC,IAAK,CAAC,aAAW;IAC1D;2BAG4B,OAAe;0BAAP;AAClC,aAAO,MAAM,QAAQ,GAAG;IAC1B;uBAII,OAAe,EAAE,YAAmB,EAAE,aAAoB;0BAAlD;AACV,aAAO,MAAM,cAAY,CAAC,YAAY,EAAE,aAAa;IACvD;;;IApEkB,eAAS;IAAO,iBAAW;;EAAC","file":"dom_ruler.ddc.js"}');
// Exports:
return {
laminate__ruler__dom_ruler: laminate__ruler__dom_ruler
};
});
//# sourceMappingURL=dom_ruler.ddc.js.map
|
$(document).ready(function(){
let theme = localStorage.getItem('data-theme');
const changeThemeToDark = () => {
document.documentElement.setAttribute("class", "dark")
localStorage.setItem("data-theme", "dark")
}
const changeThemeToLight = () => {
document.documentElement.setAttribute("class", "light")
localStorage.setItem("data-theme", 'light')
}
const checkbox = document.getElementById("toggle");
checkbox.addEventListener('change', () => {
let theme = localStorage.getItem('data-theme');
if (theme ==='dark'){
changeThemeToLight();
}else if(theme === 'light'){
changeThemeToDark();
}
});
if (theme ==='dark'){
changeThemeToDark();
document.getElementById("toggle").checked=true;
}else if(theme === 'light'){
changeThemeToLight();
document.getElementById("toggle").checked=false;
}
}); |
import json
import logging
import ckan.lib.search as search
import ckan.lib.dictization.model_dictize as model_dictize
from ckanext.harvest.model import HarvestObject
from ckan.lib.base import model
from ckan.model import Session
from ckanext.multilang.model import PackageMultilang, GroupMultilang, TagMultilang
from ckan.model import Package
from ckan.plugins.core import SingletonPlugin
from ckanext.spatial.lib.csw_client import CswService
from ckanext.spatial.harvesters.csw import CSWHarvester
from ckanext.spatial.model import ISODocument
from ckanext.spatial.model import ISOElement
from ckanext.spatial.model import ISOResponsibleParty
from ckanext.spatial.model import ISOKeyword
from ckan.logic import ValidationError, NotFound, get_action
from pylons import config
from datetime import datetime
log = logging.getLogger(__name__)
# Extend the ISODocument definitions by adding some more useful elements
log.info('CSW Multilang harvester: extending ISODocument with PT_FreeText')
## ISO Document xpath definition for localized title and description
class ISOTextGroup(ISOElement):
elements = [
ISOElement(
name="text",
search_paths=[
"gmd:LocalisedCharacterString/text()"
],
multiplicity="1",
),
ISOElement(
name="locale",
search_paths=[
"gmd:LocalisedCharacterString/@locale"
],
multiplicity="1",
)
]
class ISOKeywordTextGroup(ISOElement):
elements = [
ISOElement(
name="name",
search_paths=[
"../../gco:CharacterString/text()"
],
multiplicity="1",
),
ISOElement(
name="text",
search_paths=[
"gmd:LocalisedCharacterString/text()"
],
multiplicity="1",
),
ISOElement(
name="locale",
search_paths=[
"gmd:LocalisedCharacterString/@locale"
],
multiplicity="1",
)
]
ISODocument.elements.append(
ISOTextGroup(
name="title-text",
search_paths=[
"gmd:identificationInfo/gmd:MD_DataIdentification/gmd:citation/gmd:CI_Citation/gmd:title/gmd:PT_FreeText/gmd:textGroup",
"gmd:identificationInfo/srv:SV_ServiceIdentification/gmd:citation/gmd:CI_Citation/gmd:title/gmd:PT_FreeText/gmd:textGroup"
],
multiplicity="1..*",
)
)
ISODocument.elements.append(
ISOTextGroup(
name="abstract-text",
search_paths=[
"gmd:identificationInfo/gmd:MD_DataIdentification/gmd:abstract/gmd:PT_FreeText/gmd:textGroup",
"gmd:identificationInfo/srv:SV_ServiceIdentification/gmd:abstract/gmd:PT_FreeText/gmd:textGroup"
],
multiplicity="1..*",
)
)
## ISO Document xpath definition for localized responsible party
ISOResponsibleParty.elements.append(
ISOTextGroup(
name="organisation-name-localized",
search_paths=[
"gmd:organisationName/gmd:PT_FreeText/gmd:textGroup"
],
multiplicity="1..*",
)
)
ISODocument.elements.append(
ISOResponsibleParty(
name="cited-responsible-party",
search_paths=[
"gmd:identificationInfo/gmd:MD_DataIdentification/gmd:citation/gmd:CI_Citation/gmd:citedResponsibleParty/gmd:CI_ResponsibleParty",
"gmd:identificationInfo/srv:SV_ServiceIdentification/gmd:citation/gmd:CI_Citation/gmd:citedResponsibleParty/gmd:CI_ResponsibleParty"
],
multiplicity="1..*",
)
)
## ISO Document xpath definition for localized keywords
ISOKeyword.elements.append(
ISOKeywordTextGroup(
name="keyword-name-localized",
search_paths=[
"gmd:keyword/gmd:PT_FreeText/gmd:textGroup"
],
multiplicity="1..*",
)
)
class MultilangHarvester(CSWHarvester, SingletonPlugin):
_package_dict = {}
_ckan_locales_mapping = {
'ita': 'it',
'ger': 'de',
'eng': 'en_GB'
}
def info(self):
return {
'name': 'multilang',
'title': 'CSW server (Multilang)',
'description': 'Harvests CWS with Multilang',
'form_config_interface': 'Text'
}
##
## Saves in memory the package_dict localised texts
##
def get_package_dict(self, iso_values, harvest_object):
package_dict = super(MultilangHarvester, self).get_package_dict(iso_values, harvest_object)
self._package_dict = {}
harvester_config = self.source_config.get('ckan_locales_mapping', {})
if harvester_config:
self._ckan_locales_mapping = harvester_config
log.info('::::: ckan_locales_mapping entry found in harvester configuration :::::')
if iso_values["abstract-text"] and iso_values["title-text"]:
log.debug('::::: Collecting localised data from the metadata abstract :::::')
localised_abstracts = []
for abstract_entry in iso_values["abstract-text"]:
if abstract_entry['text'] and abstract_entry['locale'].lower()[1:]:
if self._ckan_locales_mapping[abstract_entry['locale'].lower()[1:]]:
localised_abstracts.append({
'text': abstract_entry['text'],
'locale': self._ckan_locales_mapping[abstract_entry['locale'].lower()[1:]]
})
else:
log.warning('Locale Mapping not found for metadata abstract, entry skipped!')
else:
log.warning('TextGroup data not available for metadata abstract, entry skipped!')
log.debug('::::: Collecting localized data from the metadata title :::::')
localised_titles = []
for title_entry in iso_values["title-text"]:
if title_entry['text'] and title_entry['locale'].lower()[1:]:
if self._ckan_locales_mapping[title_entry['locale'].lower()[1:]]:
localised_titles.append({
'text': title_entry['text'],
'locale': self._ckan_locales_mapping[title_entry['locale'].lower()[1:]]
})
else:
log.warning('Locale Mapping not found for metadata title, entry skipped!')
else:
log.warning('TextGroup data not available for metadata title, entry skipped!')
localised_titles.append({
'text': iso_values['title'],
'locale': self._ckan_locales_mapping[iso_values["metadata-language"].lower()]
})
localised_abstracts.append({
'text': iso_values['abstract'],
'locale': self._ckan_locales_mapping[iso_values["metadata-language"].lower()]
})
self._package_dict = {
'localised_titles': localised_titles,
'localised_abstracts': localised_abstracts
}
log.info('::::::::: Localised _package_dict saved in memory :::::::::')
if iso_values["keywords"]:
log.info('::::: Collecting localised data from the metadata keywords :::::')
localized_tags = []
for tag_entry in iso_values["keywords"]:
#Getting other locales
tag_localized_entry = tag_entry["keyword-name-localized"]
#Getting keyword for default metadata locale
for keyword in tag_entry['keyword']:
if iso_values["metadata-language"].lower() in self._ckan_locales_mapping:
localized_tags.append({
'text': keyword,
'localized_text': keyword,
'locale': self._ckan_locales_mapping[iso_values["metadata-language"].lower()]
})
for tag_localized in tag_localized_entry:
if tag_localized['text'] and tag_localized['locale'].lower()[1:]:
if self._ckan_locales_mapping[tag_localized['locale'].lower()[1:]]:
localized_tags.append({
'text': tag_localized['name'],
'localized_text': tag_localized['text'],
'locale': self._ckan_locales_mapping[tag_localized['locale'].lower()[1:]]
})
else:
log.warning('Locale Mapping not found for metadata keyword: %r, entry skipped!', tag_localized['name'])
else:
log.warning('TextGroup data not available for metadata keyword: %r, entry skipped!', tag_localized['name'])
self._package_dict['localized_tags'] = localized_tags
## Configuring package organizations
organisation_mapping = self.source_config.get('organisation_mapping', [])
if organisation_mapping:
log.info('::::::::: Checking for the Organization :::::::::')
organisation = self.handle_organization(harvest_object, organisation_mapping, iso_values)
if organisation:
package_dict['owner_org'] = organisation
# End of processing, return the modified package
return package_dict
def handle_organization(self, harvest_object, organisation_mapping, values):
citedResponsiblePartys = values["cited-responsible-party"]
organisation = None
for party in citedResponsiblePartys:
if party["role"] == "owner":
for org in organisation_mapping:
if org.get("value") in party["organisation-name"]:
existing_org = model.Session.query(model.Group).filter(model.Group.name == org.get("key")).first()
if not existing_org:
log.warning('::::::::: Organisation not found in CKAN: %r: assigning default :::::::::', org.get("key"))
else:
organisation = existing_org.id
log.debug('::::: Collecting localized data from the organization name :::::')
localized_org = []
localized_org.append({
'text': org.get("value_" + self._ckan_locales_mapping[values["metadata-language"].lower()]) or org.get("value"),
'locale': self._ckan_locales_mapping[values["metadata-language"].lower()]
})
for entry in party["organisation-name-localized"]:
if entry['text'] and entry['locale'].lower()[1:]:
if self._ckan_locales_mapping[entry['locale'].lower()[1:]]:
localized_org.append({
'text': org.get("value_" + self._ckan_locales_mapping[entry['locale'].lower()[1:]]) or entry['text'],
'locale': self._ckan_locales_mapping[entry['locale'].lower()[1:]]
})
else:
log.warning('Locale Mapping not found for organization name, entry skipped!')
else:
log.warning('TextGroup data not available for organization name, entry skipped!')
log.debug("::::::::::::: Persisting localized ORG :::::::::::::")
# rows = session.query(GroupMultilang).filter(GroupMultilang.group_id == organisation).all()
rows = GroupMultilang.get_for_group_id(organisation)
for localized_entry in localized_org:
insert = True
for row in rows:
if row.lang == localized_entry.get("locale") and row.field == 'title':
# Updating the org localized record
row.text = localized_entry.get("text")
row.save()
insert = False
log.debug("::::::::::::: ORG locale successfully updated :::::::::::::")
if insert:
# Inserting the missing org localized record
org_dict = {
'id': organisation,
'name': existing_org.name,
'title': localized_entry.get("text"),
'description': localized_entry.get("text")
}
GroupMultilang.persist(org_dict, localized_entry.get("locale"))
log.debug("::::::::::::: ORG locale successfully added :::::::::::::")
return organisation
def import_stage(self, harvest_object):
import_stage = super(MultilangHarvester, self).import_stage(harvest_object)
if import_stage == True:
# Get the existing HarvestObject
existing_object = model.Session.query(HarvestObject) \
.filter(HarvestObject.guid==harvest_object.guid) \
.filter(HarvestObject.current==True) \
.first()
session = Session
harvested_package = session.query(Package).filter(Package.id == existing_object.package_id).first()
if harvested_package:
package_dict = model_dictize.package_dictize(harvested_package, {'model': model, 'session': session})
if package_dict:
self.after_import_stage(package_dict)
return import_stage
def after_import_stage(self, package_dict):
log.info('::::::::: Performing after_import_stage persist operation for localised dataset content :::::::::')
if bool(self._package_dict):
session = Session
package_id = package_dict.get('id')
# Persisting localized packages
try:
# rows = session.query(PackageMultilang).filter(PackageMultilang.package_id == package_id).all()
rows = PackageMultilang.get_for_package(package_id)
if not rows:
log.info('::::::::: Adding new localised object to the package_multilang table :::::::::')
log.debug('::::: Persisting default metadata locale :::::')
loc_titles = self._package_dict.get('localised_titles')
if loc_titles:
log.debug('::::: Persisting title locales :::::')
for title in loc_titles:
PackageMultilang.persist({'id': package_id, 'text': title.get('text'), 'field': 'title'}, title.get('locale'))
loc_abstracts = self._package_dict.get('localised_abstracts')
if loc_abstracts:
log.debug('::::: Persisting abstract locales :::::')
for abstract in loc_abstracts:
PackageMultilang.persist({'id': package_id, 'text': abstract.get('text'), 'field': 'notes'}, abstract.get('locale'))
log.info('::::::::: OBJECT PERSISTED SUCCESSFULLY :::::::::')
else:
log.info('::::::::: Updating localised object in the package_multilang table :::::::::')
for row in rows:
if row.field == 'title':
titles = self._package_dict.get('localised_titles')
if titles:
for title in titles:
if title.get('locale') == row.lang:
row.text = title.get('text')
elif row.field == 'notes':
abstracts = self._package_dict.get('localised_abstracts')
if abstracts:
for abstract in abstracts:
if abstract.get('locale') == row.lang:
row.text = abstract.get('text')
row.save()
log.info('::::::::: OBJECT UPDATED SUCCESSFULLY :::::::::')
pass
except Exception, e:
# on rollback, the same closure of state
# as that of commit proceeds.
session.rollback()
log.error('Exception occurred while persisting DB objects: %s', e)
raise
# Persisting localized Tags
loc_tags = self._package_dict.get('localized_tags')
if loc_tags:
log.debug('::::: Persisting tag locales :::::')
for tag in loc_tags:
tag_name = tag.get('text')
tag_lang = tag.get('locale')
tag_localized_name = tag.get('localized_text')
tag = TagMultilang.by_name(tag_name, tag_lang)
if tag:
# Update the existing record
if tag_localized_name and tag_localized_name != tag.text:
tag.text = tag_localized_name
try:
tag.save()
log.info('::::::::: OBJECT TAG UPDATED SUCCESSFULLY :::::::::')
pass
except Exception, e:
# on rollback, the same closure of state
# as that of commit proceeds.
session.rollback()
log.error('Exception occurred while persisting DB objects: %s', e)
raise
else:
# Create a new localized record
existing_tag = model.Tag.by_name(tag_name)
if existing_tag:
TagMultilang.persist({'id': existing_tag.id, 'name': tag_name, 'text': tag_localized_name}, tag_lang)
log.info('::::::::: OBJECT TAG PERSISTED SUCCESSFULLY :::::::::')
# Updating Solr Index
if package_dict:
log.info("::: UPDATING SOLR INDEX :::")
# solr update here
psi = search.PackageSearchIndex()
# update the solr index in batches
BATCH_SIZE = 50
def process_solr(q):
# update the solr index for the query
query = search.PackageSearchQuery()
q = {
'q': q,
'fl': 'data_dict',
'wt': 'json',
'fq': 'site_id:"%s"' % config.get('ckan.site_id'),
'rows': BATCH_SIZE
}
for result in query.run(q)['results']:
data_dict = json.loads(result['data_dict'])
if data_dict['owner_org'] == package_dict.get('owner_org'):
psi.index_package(data_dict, defer_commit=True)
count = 0
q = []
q.append('id:"%s"' % (package_dict.get('id')))
count += 1
if count % BATCH_SIZE == 0:
process_solr(' OR '.join(q))
q = []
if len(q):
process_solr(' OR '.join(q))
# finally commit the changes
psi.commit()
else:
log.warning("::: package_dict is None: SOLR INDEX CANNOT BE UPDATED! :::")
return
|
/**
* jQuery Form Validator
* ------------------------------------------
*
* German language package
*
* @website http://formvalidator.net/
* @license MIT
*/
(function($, window) {
'use strict';
$(window).bind('validatorsLoaded', function() {
$.formUtils.LANG = {
errorTitle: 'Ihre Anfrage konnte nicht gesendet werden!',
requiredField: 'Dies ist ein Pflichtfeld',
requiredFields: 'Sie haben nicht alle Fragen beantwortet',
badTime: 'Sie haben nicht die korrekte Zeit eingegeben',
badEmail: 'Sie haben keine gültige E-Mail-Adresse eingegeben',
badTelephone: 'Sie haben keine richtige Telefonnummer eingetragen',
badSecurityAnswer: 'Sie haben die falsche Antwort auf die Sicherheitsfrage eingegeben',
badDate: 'Re-Eingabe eines falschen Datums',
lengthBadStart: 'Der eingegebene Wert muss da zwischen sein ',
lengthBadEnd: ' Zeichen',
lengthTooLongStart: 'Eingegebene Wert ist größer als ',
lengthTooShortStart: 'Eingegebene Wert ist größer als ',
notConfirmed: 'Die Antworten könnten nicht gegenseitig bestätigen,',
badDomain: 'Sie haben die falsche Domäne eingetragen',
badUrl: 'Sie haben nicht die richtige URL eingegeben',
badCustomVal: 'Re-Eingabe einer falschen Antwort',
andSpaces: ' und Leerzeichen',
badInt: 'Sie haben keine Nummer eingegeben',
badSecurityNumber: 'Sie haben eine falsche Sozialversicherungsnummer eingegeben',
badUKVatAnswer: 'Sie haben keine UK Umsatzsteuer-Identifikationsnummer eingegeben',
badStrength: 'Sie haben ein Kennwort, das nicht sicher genug ist eingegeben',
badNumberOfSelectedOptionsStart: 'Wählen Sie zu mindestens ',
badNumberOfSelectedOptionsEnd: ' Antwort',
badAlphaNumeric: 'Sie können nur mit alphanumerische Zeichen (Buchstaben und Zahlen) eingaben',
badAlphaNumericExtra: ' und',
wrongFileSize: 'Die Datei, die Sie hochzuladen versuchen, zu groß ist (max %s)',
wrongFileType: 'Nur Dateien vom Typ %s sind zulässig',
groupCheckedRangeStart: 'Wählen Sie zwischen',
groupCheckedTooFewStart: 'Dann müssen Sie zumindest sicher,',
groupCheckedTooManyStart: 'Sie können nicht mehr als zu machen',
groupCheckedEnd: ' Auswahl',
badCreditCard: 'Sie haben eine ungültige Kreditkartennummer eingegeben',
badCVV: 'Sie haben eine falsche CVV eingegeben',
wrongFileDim: 'Illegal Bildgröße,',
imageTooTall: 'Bild kann nicht größer als',
imageTooWide: 'Bild kann nicht breiter sein als',
imageTooSmall: 'Bild ist zu klein',
min: 'min',
max: 'max',
imageRatioNotAccepted : 'Bildverhältnis wird nicht akzeptiert',
badBrazilTelephoneAnswer: 'Die eingegebene Telefonnummer ist nicht korrekt',
badBrazilCEPAnswer: 'Der CEP ist ungültig',
badBrazilCPFAnswer: 'Der CEP ist ungültig'
};
});
})(jQuery, window);
|
modules.export = require('stylelint').lint;
|
from . import config
from .base import Base
from .models import city, user, trip, carrier, station
base = Base(config.mongodb['host'], config.mongodb['port'],
config.mongodb['database'])
City = city.CityCollection(base)
User = user.UserCollection(base)
Trip = trip.TripCollection(base)
Carrier = carrier.CarrierCollection(base)
Station = station.StationCollection(base)
base.initialize(create_indexes=True)
|
/**
* @ngdoc overview
* @name ngmReportHubApp
* @description
* # ngmReportHubApp
*
* Main module of the application.
*/
angular
.module('ngmEthiopia', [])
.config([ '$routeProvider', '$compileProvider', function ( $routeProvider, $compileProvider ) {
// https://medium.com/swlh/improving-angular-performance-with-1-line-of-code-a1fb814a6476#.ufea9sjt1
$compileProvider.debugInfoEnabled( false )
// app routes with access rights
$routeProvider
// project list
.when( '/who/ethiopia', {
templateUrl: '/views/app/dashboard.html',
controller: 'DashboardEthAssessmentsCtrl',
resolve: {
access: [ 'ngmAuth', function(ngmAuth) {
return ngmAuth.isAuthenticated();
}],
}
})
.when( '/who/ethiopia/monitoring', {
redirectTo: '/who/ethiopia/monitoring/all/all/all/2018-01-01/' + moment().format('YYYY-MM-DD')
})
// epr dashboard
.when( '/who/ethiopia/monitoring/:region/:zone/:woreda/:start/:end', {
templateUrl: '/views/app/dashboard.html',
controller: 'DashboardEthMonitoringCtrl',
resolve: {
access: [ 'ngmAuth', function(ngmAuth) {
return ngmAuth.grantPublicAccess();
}],
}
});
}]);
|
const {
GraphQLObjectType,
GraphQLList,
GraphQLString,
GraphQLInt,
GraphQLEnumType,
GraphQLJSON,
GraphQLBoolean,
} = require(`gatsby/graphql`)
const Remark = require(`remark`)
const select = require(`unist-util-select`)
const sanitizeHTML = require(`sanitize-html`)
const _ = require(`lodash`)
const visit = require(`unist-util-visit`)
const toHAST = require(`mdast-util-to-hast`)
const hastToHTML = require(`hast-util-to-html`)
const mdastToToc = require(`mdast-util-toc`)
const mdastToString = require(`mdast-util-to-string`)
const unified = require(`unified`)
const parse = require(`remark-parse`)
const stringify = require(`remark-stringify`)
const english = require(`retext-english`)
const remark2retext = require(`remark-retext`)
const stripPosition = require(`unist-util-remove-position`)
const hastReparseRaw = require(`hast-util-raw`)
const prune = require(`underscore.string/prune`)
const {
getConcatenatedValue,
cloneTreeUntil,
findLastTextNode,
} = require(`./hast-processing`)
let fileNodes
let pluginsCacheStr = ``
let pathPrefixCacheStr = ``
const astCacheKey = node =>
`transformer-remark-markdown-ast-${
node.internal.contentDigest
}-${pluginsCacheStr}-${pathPrefixCacheStr}`
const htmlCacheKey = node =>
`transformer-remark-markdown-html-${
node.internal.contentDigest
}-${pluginsCacheStr}-${pathPrefixCacheStr}`
const htmlAstCacheKey = node =>
`transformer-remark-markdown-html-ast-${
node.internal.contentDigest
}-${pluginsCacheStr}-${pathPrefixCacheStr}`
const headingsCacheKey = node =>
`transformer-remark-markdown-headings-${
node.internal.contentDigest
}-${pluginsCacheStr}-${pathPrefixCacheStr}`
const tableOfContentsCacheKey = (node, appliedTocOptions) =>
`transformer-remark-markdown-toc-${
node.internal.contentDigest
}-${pluginsCacheStr}-${JSON.stringify(
appliedTocOptions
)}-${pathPrefixCacheStr}`
// ensure only one `/` in new url
const withPathPrefix = (url, pathPrefix) =>
(pathPrefix + url).replace(/\/\//, `/`)
// TODO: remove this check with next major release
const safeGetCache = ({ getCache, cache }) => id => {
if (!getCache) {
return cache
}
return getCache(id)
}
/**
* @template T
* @param {Array<T>} input
* @param {(input: T) => Promise<void>} iterator
* @return Promise<void>
*/
const eachPromise = (input, iterator) =>
input.reduce(
(accumulatorPromise, nextValue) =>
accumulatorPromise.then(() => void iterator(nextValue)),
Promise.resolve()
)
const HeadingType = new GraphQLObjectType({
name: `MarkdownHeading`,
fields: {
value: {
type: GraphQLString,
resolve(heading) {
return heading.value
},
},
depth: {
type: GraphQLInt,
resolve(heading) {
return heading.depth
},
},
},
})
const HeadingLevels = new GraphQLEnumType({
name: `HeadingLevels`,
values: {
h1: { value: 1 },
h2: { value: 2 },
h3: { value: 3 },
h4: { value: 4 },
h5: { value: 5 },
h6: { value: 6 },
},
})
const ExcerptFormats = new GraphQLEnumType({
name: `ExcerptFormats`,
values: {
PLAIN: { value: `plain` },
HTML: { value: `html` },
},
})
const WordCountType = new GraphQLObjectType({
name: `wordCount`,
fields: {
paragraphs: {
type: GraphQLInt,
},
sentences: {
type: GraphQLInt,
},
words: {
type: GraphQLInt,
},
},
})
/**
* Map that keeps track of generation of AST to not generate it multiple
* times in parallel.
*
* @type {Map<string,Promise>}
*/
const ASTPromiseMap = new Map()
module.exports = (
{
type,
pathPrefix,
getNode,
getNodesByType,
cache,
getCache: possibleGetCache,
reporter,
...rest
},
{
type: typeName = `MarkdownRemark`,
plugins = [],
blocks,
commonmark = true,
footnotes = true,
gfm = true,
pedantic = true,
tableOfContents = {
heading: null,
maxDepth: 6,
},
...grayMatterOptions
} = {}
) => {
if (type.name !== typeName) {
return {}
}
pluginsCacheStr = plugins.map(p => p.name).join(``)
pathPrefixCacheStr = pathPrefix || ``
const getCache = safeGetCache({ cache, getCache: possibleGetCache })
return new Promise((resolve, reject) => {
// Setup Remark.
const tocOptions = tableOfContents
const remarkOptions = {
commonmark,
footnotes,
gfm,
pedantic,
}
if (_.isArray(blocks)) {
remarkOptions.blocks = blocks
}
let remark = new Remark().data(`settings`, remarkOptions)
for (let plugin of plugins) {
const requiredPlugin = require(plugin.resolve)
if (_.isFunction(requiredPlugin.setParserPlugins)) {
for (let parserPlugin of requiredPlugin.setParserPlugins(
plugin.pluginOptions
)) {
if (_.isArray(parserPlugin)) {
const [parser, options] = parserPlugin
remark = remark.use(parser, options)
} else {
remark = remark.use(parserPlugin)
}
}
}
}
async function getAST(markdownNode) {
const cacheKey = astCacheKey(markdownNode)
const cachedAST = await cache.get(cacheKey)
if (cachedAST) {
return cachedAST
} else if (ASTPromiseMap.has(cacheKey)) {
// We are already generating AST, so let's wait for it
return await ASTPromiseMap.get(cacheKey)
} else {
const ASTGenerationPromise = getMarkdownAST(markdownNode)
ASTGenerationPromise.then(markdownAST => {
ASTPromiseMap.delete(cacheKey)
return cache.set(cacheKey, markdownAST)
}).catch(err => {
ASTPromiseMap.delete(cacheKey)
return err
})
// Save new AST to cache and return
// We can now release promise, as we cached result
ASTPromiseMap.set(cacheKey, ASTGenerationPromise)
return ASTGenerationPromise
}
}
async function getMarkdownAST(markdownNode) {
if (process.env.NODE_ENV !== `production` || !fileNodes) {
fileNodes = getNodesByType(`File`)
}
await eachPromise(plugins, plugin => {
const requiredPlugin = require(plugin.resolve)
if (_.isFunction(requiredPlugin.mutateSource)) {
return requiredPlugin.mutateSource(
{
markdownNode,
files: fileNodes,
getNode,
reporter,
cache: getCache(plugin.name),
getCache,
...rest,
},
plugin.pluginOptions
)
} else {
return Promise.resolve()
}
})
const markdownAST = remark.parse(markdownNode.internal.content)
if (pathPrefix) {
// Ensure relative links include `pathPrefix`
visit(markdownAST, [`link`, `definition`], node => {
if (
node.url &&
node.url.startsWith(`/`) &&
!node.url.startsWith(`//`)
) {
node.url = withPathPrefix(node.url, pathPrefix)
}
})
}
// source => parse (can order parsing for dependencies) => typegen
//
// source plugins identify nodes, provide id, initial parse, know
// when nodes are created/removed/deleted
// get passed cached DataTree and return list of clean and dirty nodes.
// Also get passed `dirtyNodes` function which they can call with an array
// of node ids which will then get re-parsed and the inferred schema
// recreated (if inferring schema gets too expensive, can also
// cache the schema until a query fails at which point recreate the
// schema).
//
// parse plugins take data from source nodes and extend it, never mutate
// it. Freeze all nodes once done so typegen plugins can't change it
// this lets us save off the DataTree at that point as well as create
// indexes.
//
// typegen plugins identify further types of data that should be lazily
// computed due to their expense, or are hard to infer graphql type
// (markdown ast), or are need user input in order to derive e.g.
// markdown headers or date fields.
//
// wrap all resolve functions to (a) auto-memoize and (b) cache to disk any
// resolve function that takes longer than ~10ms (do research on this
// e.g. how long reading/writing to cache takes), and (c) track which
// queries are based on which source nodes. Also if connection of what
// which are always rerun if their underlying nodes change..
//
// every node type in DataTree gets a schema type automatically.
// typegen plugins just modify the auto-generated types to add derived fields
// as well as computationally expensive fields.
if (process.env.NODE_ENV !== `production` || !fileNodes) {
fileNodes = getNodesByType(`File`)
}
await eachPromise(plugins, plugin => {
const requiredPlugin = require(plugin.resolve)
if (_.isFunction(requiredPlugin)) {
return requiredPlugin(
{
markdownAST,
markdownNode,
getNode,
files: fileNodes,
pathPrefix,
reporter,
cache: getCache(plugin.name),
getCache,
...rest,
},
plugin.pluginOptions
)
} else {
return Promise.resolve()
}
})
return markdownAST
}
async function getHeadings(markdownNode) {
const cachedHeadings = await cache.get(headingsCacheKey(markdownNode))
if (cachedHeadings) {
return cachedHeadings
} else {
const ast = await getAST(markdownNode)
const headings = select(ast, `heading`).map(heading => {
return {
value: mdastToString(heading),
depth: heading.depth,
}
})
cache.set(headingsCacheKey(markdownNode), headings)
return headings
}
}
async function getTableOfContents(markdownNode, gqlTocOptions) {
// fetch defaults
let appliedTocOptions = { ...tocOptions, ...gqlTocOptions }
// get cached toc
const cachedToc = await cache.get(
tableOfContentsCacheKey(markdownNode, appliedTocOptions)
)
if (cachedToc) {
return cachedToc
} else {
const ast = await getAST(markdownNode)
const tocAst = mdastToToc(ast, appliedTocOptions)
let toc
if (tocAst.map) {
const addSlugToUrl = function(node) {
if (node.url) {
if (
_.get(markdownNode, appliedTocOptions.pathToSlugField) ===
undefined
) {
console.warn(
`Skipping TableOfContents. Field '${
appliedTocOptions.pathToSlugField
}' missing from markdown node`
)
return null
}
node.url = [
pathPrefix,
_.get(markdownNode, appliedTocOptions.pathToSlugField),
node.url,
]
.join(`/`)
.replace(/\/\//g, `/`)
}
if (node.children) {
node.children = node.children.map(node => addSlugToUrl(node))
}
return node
}
tocAst.map = addSlugToUrl(tocAst.map)
toc = hastToHTML(toHAST(tocAst.map))
} else {
toc = ``
}
cache.set(tableOfContentsCacheKey(markdownNode, appliedTocOptions), toc)
return toc
}
}
async function getHTMLAst(markdownNode) {
const cachedAst = await cache.get(htmlAstCacheKey(markdownNode))
if (cachedAst) {
return cachedAst
} else {
const ast = await getAST(markdownNode)
const htmlAst = toHAST(ast, { allowDangerousHTML: true })
// Save new HTML AST to cache and return
cache.set(htmlAstCacheKey(markdownNode), htmlAst)
return htmlAst
}
}
async function getHTML(markdownNode) {
const cachedHTML = await cache.get(htmlCacheKey(markdownNode))
if (cachedHTML) {
return cachedHTML
} else {
const ast = await getHTMLAst(markdownNode)
// Save new HTML to cache and return
const html = hastToHTML(ast, {
allowDangerousHTML: true,
})
// Save new HTML to cache and return
cache.set(htmlCacheKey(markdownNode), html)
return html
}
}
async function getExcerptAst(
markdownNode,
{ pruneLength, truncate, excerptSeparator }
) {
const fullAST = await getHTMLAst(markdownNode)
if (excerptSeparator) {
return cloneTreeUntil(
fullAST,
({ nextNode }) =>
nextNode.type === `raw` && nextNode.value === excerptSeparator
)
}
if (!fullAST.children.length) {
return fullAST
}
const excerptAST = cloneTreeUntil(fullAST, ({ root }) => {
const totalExcerptSoFar = getConcatenatedValue(root)
return totalExcerptSoFar && totalExcerptSoFar.length > pruneLength
})
const unprunedExcerpt = getConcatenatedValue(excerptAST)
if (
!unprunedExcerpt ||
(pruneLength && unprunedExcerpt.length < pruneLength)
) {
return excerptAST
}
const lastTextNode = findLastTextNode(excerptAST)
const amountToPruneLastNode =
pruneLength - (unprunedExcerpt.length - lastTextNode.value.length)
if (!truncate) {
lastTextNode.value = prune(
lastTextNode.value,
amountToPruneLastNode,
`…`
)
} else {
lastTextNode.value = _.truncate(lastTextNode.value, {
length: pruneLength,
omission: `…`,
})
}
return excerptAST
}
async function getExcerpt(
markdownNode,
{ format, pruneLength, truncate, excerptSeparator }
) {
if (format === `html`) {
const excerptAST = await getExcerptAst(markdownNode, {
pruneLength,
truncate,
excerptSeparator,
})
const html = hastToHTML(excerptAST, {
allowDangerousHTML: true,
})
return html
}
if (markdownNode.excerpt) {
return markdownNode.excerpt
}
const text = await getAST(markdownNode).then(ast => {
const excerptNodes = []
visit(ast, node => {
if (node.type === `text` || node.type === `inlineCode`) {
excerptNodes.push(node.value)
}
return
})
if (!truncate) {
return prune(excerptNodes.join(` `), pruneLength, `…`)
}
return _.truncate(excerptNodes.join(` `), {
length: pruneLength,
omission: `…`,
})
})
return text
}
return resolve({
html: {
type: GraphQLString,
resolve(markdownNode) {
return getHTML(markdownNode)
},
},
htmlAst: {
type: GraphQLJSON,
resolve(markdownNode) {
return getHTMLAst(markdownNode).then(ast => {
const strippedAst = stripPosition(_.clone(ast), true)
return hastReparseRaw(strippedAst)
})
},
},
excerpt: {
type: GraphQLString,
args: {
pruneLength: {
type: GraphQLInt,
defaultValue: 140,
},
truncate: {
type: GraphQLBoolean,
defaultValue: false,
},
format: {
type: ExcerptFormats,
defaultValue: `plain`,
},
},
resolve(markdownNode, { format, pruneLength, truncate }) {
return getExcerpt(markdownNode, {
format,
pruneLength,
truncate,
excerptSeparator: grayMatterOptions.excerpt_separator,
})
},
},
excerptAst: {
type: GraphQLJSON,
args: {
pruneLength: {
type: GraphQLInt,
defaultValue: 140,
},
truncate: {
type: GraphQLBoolean,
defaultValue: false,
},
},
resolve(markdownNode, { pruneLength, truncate }) {
return getExcerptAst(markdownNode, {
pruneLength,
truncate,
excerptSeparator: grayMatterOptions.excerpt_separator,
}).then(ast => {
const strippedAst = stripPosition(_.clone(ast), true)
return hastReparseRaw(strippedAst)
})
},
},
headings: {
type: new GraphQLList(HeadingType),
args: {
depth: {
type: HeadingLevels,
},
},
resolve(markdownNode, { depth }) {
return getHeadings(markdownNode).then(headings => {
if (typeof depth === `number`) {
headings = headings.filter(heading => heading.depth === depth)
}
return headings
})
},
},
timeToRead: {
type: GraphQLInt,
resolve(markdownNode) {
return getHTML(markdownNode).then(html => {
let timeToRead = 0
const pureText = sanitizeHTML(html, { allowTags: [] })
const avgWPM = 265
const wordCount = _.words(pureText).length
timeToRead = Math.round(wordCount / avgWPM)
if (timeToRead === 0) {
timeToRead = 1
}
return timeToRead
})
},
},
tableOfContents: {
type: GraphQLString,
args: {
pathToSlugField: {
type: GraphQLString,
defaultValue: `fields.slug`,
},
maxDepth: {
type: GraphQLInt,
},
heading: {
type: GraphQLString,
},
},
resolve(markdownNode, args) {
return getTableOfContents(markdownNode, args)
},
},
// TODO add support for non-latin languages https://github.com/wooorm/remark/issues/251#issuecomment-296731071
wordCount: {
type: WordCountType,
resolve(markdownNode) {
let counts = {}
unified()
.use(parse)
.use(
remark2retext,
unified()
.use(english)
.use(count)
)
.use(stringify)
.processSync(markdownNode.internal.content)
return {
paragraphs: counts.ParagraphNode,
sentences: counts.SentenceNode,
words: counts.WordNode,
}
function count() {
return counter
function counter(tree) {
visit(tree, visitor)
function visitor(node) {
counts[node.type] = (counts[node.type] || 0) + 1
}
}
}
},
},
})
})
}
|
# Licensed to the Apache Software Foundation (ASF) under one
# or more contributor license agreements. See the NOTICE file
# distributed with this work for additional information
# regarding copyright ownership. The ASF licenses this file
# to you under the Apache License, Version 2.0 (the
# "License"); you may not use this file except in compliance
# with the License. You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
#
#
# Unless required by applicable law or agreed to in writing,
# software distributed under the License is distributed on an
# "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
# KIND, either express or implied. See the License for the
# specific language governing permissions and limitations
# under the License.
from aliyunsdkcore.request import RpcRequest
class CreateSkillGroupRequest(RpcRequest):
def __init__(self):
RpcRequest.__init__(self, 'CCC', '2017-07-05', 'CreateSkillGroup','ccc')
def get_SkillLevels(self):
return self.get_query_params().get('SkillLevels')
def set_SkillLevels(self,SkillLevels):
for i in range(len(SkillLevels)):
if SkillLevels[i] is not None:
self.add_query_param('SkillLevel.' + str(i + 1) , SkillLevels[i]);
def get_InstanceId(self):
return self.get_query_params().get('InstanceId')
def set_InstanceId(self,InstanceId):
self.add_query_param('InstanceId',InstanceId)
def get_OutboundPhoneNumberIds(self):
return self.get_query_params().get('OutboundPhoneNumberIds')
def set_OutboundPhoneNumberIds(self,OutboundPhoneNumberIds):
for i in range(len(OutboundPhoneNumberIds)):
if OutboundPhoneNumberIds[i] is not None:
self.add_query_param('OutboundPhoneNumberId.' + str(i + 1) , OutboundPhoneNumberIds[i]);
def get_Name(self):
return self.get_query_params().get('Name')
def set_Name(self,Name):
self.add_query_param('Name',Name)
def get_Description(self):
return self.get_query_params().get('Description')
def set_Description(self,Description):
self.add_query_param('Description',Description)
def get_UserIds(self):
return self.get_query_params().get('UserIds')
def set_UserIds(self,UserIds):
for i in range(len(UserIds)):
if UserIds[i] is not None:
self.add_query_param('UserId.' + str(i + 1) , UserIds[i]); |
var base_url_prefix = base_url + "api/admin/",
totalRecords = 0,
records = [],
displayRecords = [],
filterSearch = "",
orderByCol = "id",
orderByAct = "desc",
dateSearch = "",
recPerPage = 15;
count_post = (page = null) => {
urltxt = base_url_prefix + "similarity"
url = page != null ? urltxt + "?page=" + page : urltxt + "?page=1"
var params = { search: filterSearch }
set_ajax(url, params, "null", function(response) {
records = response.data
var pagination = response.meta.pagination
var total = pagination.total_pages
if (total != 0) {
localStorage.setItem('total_page', total)
set_object();
if (!$('#pagination').data("twbs-pagination")) {
apply_pagination();
}
} else {
$("#tableBody_dice").html("<tr><td colspan='4'><h4 class='text-danger text-center'>Data Not Found</h4></td></tr>");
$("#tableBody_jaccard").html("<tr><td colspan='4'><h4 class='text-danger text-center'>Data Not Found</h4></td></tr>");
if ($('#pagination').data("twbs-pagination")) {
$('.pagination').twbsPagination('destroy');
}
}
})
}
apply_pagination = () => {
if ($('#pagination').data("twbs-pagination")) {
$('.pagination').twbsPagination('destroy');
}
$('#pagination').twbsPagination({
totalPages: localStorage.getItem('total_page') ? localStorage.getItem('total_page') : 0,
visiblePages: 5,
onPageClick: function(event, page) {
count_post(page)
}
});
}
set_object = () => {
$no = 1;
$element = ""
$element_jaccard = ""
records.map(d => {
$element += '<tr>'
$element += '<td>' + d.id + '</td><td style="word-wrap: break-word;white-space:normal;max-width:5%;">' + d.title + '</td>' +
'<td>' + d.dice.recomendation_id + '</td><td style="word-wrap: break-word;white-space:normal;max-width:25%;">' + d.dice.percent.replace(/,/g, '<br/>') + '</td>'
$element += '</tr>'
$element_jaccard += '<tr>'
$element_jaccard += '<td>' + d.id + '</td><td style="word-wrap: break-word;white-space:normal;max-width:5%;">' + d.title + '</td>' +
'<td>' + d.jaccard.recomendation_id + '</td><td style="word-wrap: break-word;white-space:normal;max-width:25%;">' + d.jaccard.percent.replace(/,/g, '<br/>') + '</td>'
$element_jaccard += '</tr>'
})
$("#tableBody_dice").html($element)
$("#tableBody_jaccard").html($element_jaccard)
}
sorting = async(kolom, element) => {
orderByCol = kolom;
$(".sortstatus").removeClass('sortstatus');
$('.fa-sort-up').removeClass('fa-sort-up');
$('.fa-sort-down').removeClass('fa-sort-down');
((orderByAct == "asc") ? orderByAct = "desc" : orderByAct = "asc");
if (orderByAct == "desc") {
$("#" + element).removeClass('sortstatus fa fa-sort-up');
$("#" + element).addClass('sortstatus fa fa-sort-down');
// $(".sortstatus").removeClass("fa fa-sort-down");
// $(".sortstatus").addClass("fa fa-sort-up");
} else {
$("#" + element).removeClass('sortstatus fa fa-sort-down');
$("#" + element).addClass('sortstatus fa fa-sort-up');
// $(".sortstatus").removeClass("fa fa-sort-up");
// $(".sortstatus").addClass("fa fa-sort-down");
}
count_post();
}
$("#find").on('click', function(e) {
e.preventDefault();
filterSearch = $("#search-name").val();
dateSearch = $("#filter-date").val();
count_post();
})
$("#reload").on('click', function(e) {
e.preventDefault();
$("#search-name").val("");
$("#filter-date").val("");
filterSearch = "";
dateSearch = "";
count_post();
})
$("#reloadpost").on('click', function(e) {
var url = base_url_prefix + "/reloadall"
var params = { fpid }
set_ajax(url, params, "tableLoading", function(response) {
if (response.result == true) {
count_post();
}
});
})
get_compare =() => {
urltxt = base_url_prefix + "compare"
var params = {total : $("#max").children("option:selected").val()}
set_ajax(urltxt, params, "null", function(response) {
$(".total_data").text(response.detail.total)
$(".total_sama").text(response.detail.same)
$(".total_berbeda").text(response.detail.not_same)
$(".max_recom").text(response.detail.max_recom)
$('#myChart').remove(); // this is my <canvas> element
$('#chart-container').append('<canvas id="myChart"><canvas>');
var ctx = $('#myChart');
var myDoughnutChart = new Chart(ctx, {
type: 'pie',
data: response.chart,
});
console.log(response);
})
}
$("select#max").change(function(){
get_compare();
})
$(document).ready(function() {
// console.log(fpid);
apply_pagination()
get_compare()
// $('#filter-date').bootstrapMaterialDatePicker({
// weekStart: 0,
// time: false,
// maxDate: new Date(),
// })
}) |
import math
from typing import List
from decimal import Decimal
from operator import add, sub, mul, truediv, pow
precedence = {
'+': 0,
'-': 0,
'*': 1,
'/': 2,
'--': 3,
'^': 4
}
constants = {
'pi': math.pi,
'e': math.e
}
functions = {
'sin': (math.sin, 1),
'cos': (math.cos, 1),
'tan': (math.tan, 1),
'tg': (math.tan, 1),
'cot': (lambda x: 1/math.tan(x), 1),
'arcsin': (math.asin, 1),
'arccos': (math.acos, 1),
'arctan': (math.atan, 1),
'exp': (math.exp, 1),
'ln': (math.log, 1),
'log': (math.log, 2),
'!': (math.factorial, 1),
'gcd': (math.gcd, 2),
'mod': (math.remainder, 2)
}
convert_alg_to_func = {
'+': add,
'-': sub,
'*': mul,
'/': truediv,
'^': pow,
'--': lambda x: -x
}
names = list(functions.keys()) + list(constants.keys()) \
+ list(precedence.keys()) + [',', '(', ')']
names = sorted(names, key=lambda x: len(x), reverse=True) |
#!/usr/bin/env python2
#
# Copyright 2018 Google LLC
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
import collections
import datetime
import sys
import yaml
from argparse import ArgumentParser
import schema_values_common
_PROG_HELP = """
Generates a version metadata in yaml format from schema.yaml.
Requires schema.yaml version v2.
"""
def main():
parser = ArgumentParser(description=_PROG_HELP)
schema_values_common.add_to_argument_parser(parser)
parser.add_argument(
'--deployer_image',
required=True,
help='The full deployer image, required')
parser.add_argument(
'--deployer_image_digest',
required=True,
help='The digest of the deployer image, required')
args = parser.parse_args()
schema = schema_values_common.load_schema(args)
schema.validate()
if (schema.x_google_marketplace is None or
not schema.x_google_marketplace.is_v2()):
raise Exception('schema.yaml must be in v2 version')
x = schema.x_google_marketplace
meta = collections.OrderedDict([
('releaseDate', _utcnow_timestamp()),
('url', args.deployer_image),
('digest', args.deployer_image_digest),
('releaseNote', x.published_version_meta.release_note),
])
if x.published_version_meta.release_types:
meta['releaseTypes'] = x.published_version_meta.release_types
if x.published_version_meta.recommended is not None:
meta['recommended'] = x.published_version_meta.recommended
sys.stdout.write(_ordered_dump(meta, default_flow_style=False, indent=2))
sys.stdout.flush()
def _ordered_dump(data, stream=None, dumper=yaml.Dumper, **kwds):
class OrderedDumper(dumper):
pass
def _dict_representer(dumper, data):
return dumper.represent_mapping(
yaml.resolver.BaseResolver.DEFAULT_MAPPING_TAG, data.items())
OrderedDumper.add_representer(collections.OrderedDict, _dict_representer)
return yaml.dump(data, stream, OrderedDumper, **kwds)
def _utcnow_timestamp():
# Instructed to output timezone, python would outputs +00:00 instead of Z.
# So we add that manually here.
return '{}Z'.format(
datetime.datetime.utcnow().replace(microsecond=0).isoformat())
if __name__ == "__main__":
main()
|
# -*- coding: utf-8 -*-
# Generated by Django 1.11.5 on 2017-09-24 10:21
from __future__ import unicode_literals
from django.db import migrations
import filebrowser.fields
def set_blank(apps, schema_editor):
Invoice = apps.get_model('payment', 'Invoice')
for invoice in Invoice.objects.all():
if invoice.invoice is None:
invoice.invoice = ""
if invoice.proof is None:
invoice.proof = ""
invoice.save()
class Migration(migrations.Migration):
dependencies = [
('payment', '0014_auto_20170904_1534'),
]
operations = [
migrations.RunPython(set_blank),
migrations.AlterField(
model_name='invoice',
name='invoice',
field=filebrowser.fields.FileBrowseField(blank=True, default='', max_length=200),
preserve_default=False,
),
migrations.AlterField(
model_name='invoice',
name='proof',
field=filebrowser.fields.FileBrowseField(blank=True, default='', max_length=200),
preserve_default=False,
),
]
|
/**
* Copyright (c) 2014-present, Facebook, Inc. All rights reserved.
*
* This source code is licensed under the BSD-style license found in the
* LICENSE file in the root directory of this source tree. An additional grant
* of patent rights can be found in the PATENTS file in the same directory.
*
*
*/
'use strict';
const H = require('./constants');
const crypto = require('crypto');
const execSync = require('child_process').execSync;
const fs = require('graceful-fs');
const getPlatformExtension = require('./lib/getPlatformExtension');
const nodeCrawl = require('./crawlers/node');
const os = require('os');
const path = require('./fastpath');
const watchmanCrawl = require('./crawlers/watchman');
const worker = require('./worker');
const workerFarm = require('worker-farm');
const NODE_MODULES = path.sep + 'node_modules' + path.sep;
const VERSION = require('../package.json').version;
const SNAPSHOT_EXTENSION = 'snap';
const canUseWatchman = (() => {
try {
execSync('watchman version', { stdio: ['ignore'] });
return true;}
catch (e) {}
return false;})();
const escapePathSeparator =
string => path.sep === '\\' ? string.replace(/(\/|\\)/g, '\\\\') : string;
const getWhiteList = list => {
if (list && list.length) {
return new RegExp(
'(' + escapePathSeparator(NODE_MODULES) +
'(?:' + list.join('|') + ')(?=$|' + escapePathSeparator(path.sep) + '))',
'g');}
return null;};
/**
* HasteMap is a JavaScript implementation of Facebook's haste module system.
*
* This implementation is inspired by https://github.com/facebook/node-haste
* and was built with for high-performance in large code repositories with
* hundreds of thousands of files. This implementation is scalable and provides
* predictable performance.
*
* Because the haste map creation and synchronization is critical to startup
* performance and most tasks are blocked by I/O this class makes heavy use of
* synchronous operations. It uses worker processes for parallelizing file
* access and metadata extraction.
*
* The data structures created by `jest-haste-map` can be used directly from the
* cache without further processing. The metadata objects in the `files` and
* `map` objects contain cross-references: a metadata object from one can look
* up the corresponding metadata object in the other map. Note that in most
* projects, the number of files will be greater than the number of haste
* modules one module can refer to many files based on platform extensions.
*
* type HasteMap = {
* clocks: WatchmanClocks,
* files: {[filepath: string]: FileMetaData},
* map: {[id: string]: ModuleMap},
* mocks: {[id: string]: string},
* }
*
* // Watchman clocks are used for query synchronization and file system deltas.
* type WatchmanClocks = {[filepath: string]: string};
*
* type FileMetaData = {
* id: ?string, // used to look up module metadata objects in `map`.
* mtime: number, // check for outdated files.
* visited: boolean, // whether the file has been parsed or not.
* dependencies: Array<string>, // all relative dependencies of this file.
* };
*
* // Modules can be targeted to a specific platform based on the file name.
* // Example: Platform.ios.js and Platform.android.js will both map to the same
* // `Platform` module. The platform should be specified during resolution.
* type ModuleMap = {[platform: string]: ModuleMetaData};
*
* //
* type ModuleMetaData = {
* path: string, // the path to look up the file object in `files`.
* type: string, // the module type (either `package` or `module`).
* };
*
* Note that the data structures described above are conceptual only. The actual
* implementation uses arrays and constant keys for metadata storage. Instead of
* `{id: 'flatMap', mtime: 3421, visited: true, dependencies: []}` the real
* representation is similar to `['flatMap', 3421, 1, []]` to save storage space
* and reduce parse and write time of a big JSON blob.
*
* The HasteMap is created as follows:
* 1. read data from the cache or create an empty structure.
* 2. crawl the file system.
* * empty cache: crawl the entire file system.
* * cache available:
* * if watchman is available: get file system delta changes.
* * if watchman is unavailable: crawl the entire file system.
* * build metadata objects for every file. This builds the `files` part of
* the `HasteMap`.
* 3. parse and extract metadata from changed files.
* * this is done in parallel over worker processes to improve performance.
* * the worst case is to parse all files.
* * the best case is no file system access and retrieving all data from
* the cache.
* * the average case is a small number of changed files.
* 4. serialize the new `HasteMap` in a cache file.
* Worker processes can directly access the cache through `HasteMap.read()`.
*
*/
class HasteMap {
constructor(options) {
this._options = {
cacheDirectory: options.cacheDirectory || os.tmpdir(),
extensions: options.extensions,
ignorePattern: options.ignorePattern,
maxWorkers: options.maxWorkers,
mocksPattern:
options.mocksPattern ? new RegExp(options.mocksPattern) : null,
name: options.name,
platforms: options.platforms,
resetCache: options.resetCache,
roots: options.roots,
useWatchman:
options.useWatchman == null ? true : options.useWatchman };
this._cachePath = HasteMap.getCacheFilePath(
this._options.cacheDirectory,
this._options.name,
VERSION,
this._options.roots.join(':'),
this._options.extensions.join(':'),
this._options.platforms.join(':'),
options.mocksPattern);
this._whitelist = getWhiteList(options.providesModuleNodeModules);
this._buildPromise = null;
this._workerPromise = null;
this._workerFarm = null;}
static create(
config,
options)
{
const ignorePattern = new RegExp(
[config.cacheDirectory].concat(config.modulePathIgnorePatterns).join('|'));
return new HasteMap({
cacheDirectory: config.cacheDirectory,
extensions: [SNAPSHOT_EXTENSION].concat(config.moduleFileExtensions),
ignorePattern,
maxWorkers: options && options.maxWorkers || 1,
mocksPattern: config.mocksPattern,
name: config.name,
platforms: config.haste.platforms || ['ios', 'android'],
providesModuleNodeModules: config.haste.providesModuleNodeModules,
resetCache: options && options.resetCache,
roots: config.testPathDirs,
useWatchman: config.watchman });}
static getCacheFilePath(tmpdir, name) {
const hash = crypto.createHash('md5');
Array.from(arguments).slice(1).forEach(arg => hash.update(arg));
return path.join(
tmpdir,
name.replace(/\W/g, '-') + '-' + hash.digest('hex'));}
build() {
if (!this._buildPromise) {
this._buildPromise = this._buildFileMap().
then(fileMap => this._buildHasteMap(fileMap)).
then(hasteMap => this._persist(hasteMap));}
return this._buildPromise;}
/**
* Matches all files against a pattern.
*/
matchFiles(pattern) {
if (!(pattern instanceof RegExp)) {
pattern = new RegExp(pattern);}
// flow
const filePattern = pattern;
return this.build().then(hasteMap => {
const files = [];
for (const file in hasteMap.files) {
if (filePattern.test(file)) {
files.push(file);}}
return files;});}
/**
* 1. read data from the cache or create an empty structure.
*/
read() {
return this._parse(fs.readFileSync(this._cachePath, 'utf-8'));}
/**
* 2. crawl the file system.
*/
_buildFileMap() {
const read = this._options.resetCache ? this._createEmptyMap : this.read;
return Promise.resolve().
then(() => read.call(this)).
catch(() => this._createEmptyMap()).
then(hasteMap => this._crawl(hasteMap));}
/**
* 3. parse and extract metadata from changed files.
*/
_buildHasteMap(hasteMap) {
const map = Object.create(null);
const mocks = Object.create(null);
const mocksPattern = this._options.mocksPattern;
const promises = [];
const setModule = (id, module) => {
if (!map[id]) {
map[id] = Object.create(null);}
const moduleMap = map[id];
const platform =
getPlatformExtension(module[H.PATH]) || H.GENERIC_PLATFORM;
const existingModule = moduleMap[platform];
if (existingModule && existingModule[H.PATH] !== module[H.PATH]) {
console.warn(
`jest-haste-map: @providesModule naming collision:\n` +
` Duplicate module name: ${ id }\n` +
` Paths: ${ module[H.PATH] } collides with ` +
`${ existingModule[H.PATH] }\n\n` +
`This warning is caused by a @providesModule declaration ` +
`with the same name across two different files.`);
return;}
moduleMap[platform] = module;};
for (const filePath in hasteMap.files) {
if (mocksPattern && mocksPattern.test(filePath)) {
mocks[path.basename(filePath, path.extname(filePath))] = filePath;}
const fileMetadata = hasteMap.files[filePath];
const moduleMetadata = hasteMap.map[fileMetadata[H.ID]];
if (fileMetadata[H.VISITED]) {
if (!fileMetadata[H.ID]) {
continue;} else
if (fileMetadata[H.ID] && moduleMetadata) {
map[fileMetadata[H.ID]] = moduleMetadata;
continue;}}
promises.push(
this._getWorker()({ filePath }).then(
metadata => {
// `1` for truthy values instead of `true` to save cache space.
fileMetadata[H.VISITED] = 1;
const metadataId = metadata.id;
const metadataModule = metadata.module;
if (metadataId && metadataModule) {
fileMetadata[H.ID] = metadataId;
setModule(metadataId, metadataModule);}
fileMetadata[H.DEPENDENCIES] = metadata.dependencies || [];},
error => {
// If a file cannot be read we remove it from the file list and
// ignore the failure silently.
delete hasteMap.files[filePath];}));}
return Promise.all(promises).
then(() => {
if (this._workerFarm) {
workerFarm.end(this._workerFarm);}
this._workerFarm = null;
this._workerPromise = null;}).
then(() => {
hasteMap.map = map;
hasteMap.mocks = mocks;
return hasteMap;});}
/**
* 4. serialize the new `HasteMap` in a cache file.
*/
_persist(hasteMap) {
fs.writeFileSync(this._cachePath, JSON.stringify(hasteMap), 'utf-8');
return hasteMap;}
/**
* Creates workers or parses files and extracts metadata in-process.
*/
_getWorker() {
if (!this._workerPromise) {
let workerFn;
if (this._options.maxWorkers <= 1) {
workerFn = worker;} else
{
this._workerFarm = workerFarm(
{
maxConcurrentWorkers: this._options.maxWorkers },
require.resolve('./worker'));
workerFn = this._workerFarm;}
this._workerPromise = message => new Promise(
(resolve, reject) => workerFn(message, (error, metadata) => {
if (error || !metadata) {
reject(error);} else
{
resolve(metadata);}}));}
return this._workerPromise;}
_parse(hasteMapPath) {
const hasteMap = JSON.parse(hasteMapPath);
for (const key in hasteMap) {
Object.setPrototypeOf(hasteMap[key], null);}
return hasteMap;}
_crawl(hasteMap) {
const options = this._options;
const ignore = this._ignore.bind(this);
const crawl =
canUseWatchman && this._options.useWatchman ? watchmanCrawl : nodeCrawl;
const retry = error => {
if (crawl === watchmanCrawl) {
console.warn(
`jest-haste-map: Watchman crawl failed. Retrying once with node ` +
`crawler.\n ${ error }`);
return nodeCrawl(options.roots, options.extensions, ignore, hasteMap).
catch(e => {
throw new Error(
`Crawler retry failed:\n` +
` Original error: ${ error.message }\n` +
` Retry error: ${ e.message }\n`);});}
throw error;};
try {
return crawl(options.roots, options.extensions, ignore, hasteMap).
catch(retry);}
catch (error) {
return retry(error);}}
_ignore(filePath) {
return (
this._options.ignorePattern.test(filePath) ||
this._isNodeModulesDir(filePath));}
_isNodeModulesDir(filePath) {
if (!filePath.includes(NODE_MODULES)) {
return false;}
if (this._whitelist) {
const match = filePath.match(this._whitelist);
return !match || match.length > 1;}
return true;}
_createEmptyMap() {
return {
clocks: Object.create(null),
files: Object.create(null),
map: Object.create(null),
mocks: Object.create(null) };}}
HasteMap.H = H;
HasteMap.fastpath = path;
module.exports = HasteMap; |
module.exports = {
outputDir: __dirname + '/../server/web',
// publicPath: process.env.NODE_ENV === 'production'
// ? '/'
// : '/'
} |
/*
* @lc app=leetcode.cn id=397 lang=javascript
*
* [397] 整数替换
*/
// @lc code=start
/**
* @param {number} n
* @return {number}
*/
var integerReplacement = function(n) {
let count = 0;;
while(n != 1){
if(n & 1){
if(n === 3){
n = n - 1
} else {
if (n & 2){
n = n + 1
} else {
n = n - 1
}
}
} else {
n = n >>> 1
}
count++
}
return count;
};
// @lc code=end
|
try { UObject.prototype.ToText = UObject.prototype.Conv_ObjectToText; } catch (e) {};
try { UObject.prototype.ToString = UObject.prototype.Conv_ObjectToString; } catch (e) {};
try { UObject.prototype.Equal = UObject.prototype.EqualEqual_ObjectObject; } catch (e) {};
try { UObject.prototype.NotEqual = UObject.prototype.NotEqual_ObjectObject; } catch (e) {};
try { UObject.prototype.GetClass = UObject.prototype.GetObjectClass; } catch (e) {};
try { UObject.prototype.ClearTimerbyFunctionName = UObject.prototype.K2_ClearTimer; } catch (e) {};
try { UObject.prototype.GetTimerElapsedTimebyFunctionName = UObject.prototype.K2_GetTimerElapsedTime; } catch (e) {};
try { UObject.prototype.GetTimerRemainingTimebyFunctionName = UObject.prototype.K2_GetTimerRemainingTime; } catch (e) {};
try { UObject.prototype.IsTimerActivebyFunctionName = UObject.prototype.K2_IsTimerActive; } catch (e) {};
try { UObject.prototype.IsTimerPausedbyFunctionName = UObject.prototype.K2_IsTimerPaused; } catch (e) {};
try { UObject.prototype.PauseTimerbyFunctionName = UObject.prototype.K2_PauseTimer; } catch (e) {};
try { UObject.prototype.SetTimerbyFunctionName = UObject.prototype.K2_SetTimer; } catch (e) {};
try { UObject.prototype.DoesTimerExistbyFunctionName = UObject.prototype.K2_TimerExists; } catch (e) {};
try { UObject.prototype.UnpauseTimerbyFunctionName = UObject.prototype.K2_UnPauseTimer; } catch (e) {};
try { Class.prototype.Equal = Class.prototype.EqualEqual_ClassClass; } catch (e) {};
try { Class.prototype.NotEqual = Class.prototype.NotEqual_ClassClass; } catch (e) {};
try { Class.prototype.GetDisplayName = Class.prototype.GetClassDisplayName; } catch (e) {};
try { let fnprepatch_0 = ActorComponent.prototype.SetActive;ActorComponent.prototype.SetActive = function (bNewActive, bReset = false) { return fnprepatch_0.call(this, bNewActive, bReset) }; } catch (e) {};
try { let fnprepatch_1 = ActorComponent.prototype.Activate;ActorComponent.prototype.Activate = function (bReset = false) { return fnprepatch_1.call(this, bReset) }; } catch (e) {};
try { ActorComponent.prototype.Tick = ActorComponent.prototype.ReceiveTick; } catch (e) {};
try { ActorComponent.prototype.EndPlay = ActorComponent.prototype.ReceiveEndPlay; } catch (e) {};
try { ActorComponent.prototype.BeginPlay = ActorComponent.prototype.ReceiveBeginPlay; } catch (e) {};
try { ActorComponent.prototype.DestroyComponent = ActorComponent.prototype.K2_DestroyComponent; } catch (e) {};
try { ActorComponent.prototype.IsComponentBeingDestroyed = ActorComponent.prototype.IsBeingDestroyed; } catch (e) {};
try { let fnprepatch_2 = SceneComponent.prototype.ToggleVisibility;SceneComponent.prototype.ToggleVisibility = function (bPropagateToChildren = false) { return fnprepatch_2.call(this, bPropagateToChildren) }; } catch (e) {};
try { let fnprepatch_3 = SceneComponent.prototype.SnapTo;SceneComponent.prototype.SnapTo = function (InParent, InSocketName = "None") { return fnprepatch_3.call(this, InParent, InSocketName) }; } catch (e) {};
try { let fnprepatch_4 = SceneComponent.prototype.SetVisibility;SceneComponent.prototype.SetVisibility = function (bNewVisibility, bPropagateToChildren = false) { return fnprepatch_4.call(this, bNewVisibility, bPropagateToChildren) }; } catch (e) {};
try { let fnprepatch_5 = SceneComponent.prototype.SetHiddenInGame;SceneComponent.prototype.SetHiddenInGame = function (NewHidden, bPropagateToChildren = false) { return fnprepatch_5.call(this, NewHidden, bPropagateToChildren) }; } catch (e) {};
try { let fnprepatch_6 = SceneComponent.prototype.SetAbsolute;SceneComponent.prototype.SetAbsolute = function (bNewAbsoluteLocation = false, bNewAbsoluteRotation = false, bNewAbsoluteScale = false) { return fnprepatch_6.call(this, bNewAbsoluteLocation, bNewAbsoluteRotation, bNewAbsoluteScale) }; } catch (e) {};
try { let fnprepatch_7 = SceneComponent.prototype.K2_DetachFromComponent;SceneComponent.prototype.K2_DetachFromComponent = function (LocationRule = "KeepRelative", RotationRule = "KeepRelative", ScaleRule = "KeepRelative", bCallModify = true) { return fnprepatch_7.call(this, LocationRule, RotationRule, ScaleRule, bCallModify) }; } catch (e) {};
try { let fnprepatch_8 = SceneComponent.prototype.K2_AttachTo;SceneComponent.prototype.K2_AttachTo = function (InParent, InSocketName = "None", AttachType = "KeepRelativeOffset", bWeldSimulatedBodies = true) { return fnprepatch_8.call(this, InParent, InSocketName, AttachType, bWeldSimulatedBodies) }; } catch (e) {};
try { let fnprepatch_9 = SceneComponent.prototype.IsSimulatingPhysics;SceneComponent.prototype.IsSimulatingPhysics = function (BoneName = "None") { return fnprepatch_9.call(this, BoneName) }; } catch (e) {};
try { let fnprepatch_10 = SceneComponent.prototype.GetSocketTransform;SceneComponent.prototype.GetSocketTransform = function (InSocketName, TransformSpace = "RTS_World") { return fnprepatch_10.call(this, InSocketName, TransformSpace) }; } catch (e) {};
try { let fnprepatch_11 = SceneComponent.prototype.DetachFromParent;SceneComponent.prototype.DetachFromParent = function (bMaintainWorldPosition = false, bCallModify = true) { return fnprepatch_11.call(this, bMaintainWorldPosition, bCallModify) }; } catch (e) {};
try { SceneComponent.prototype.SetWorldTransform = SceneComponent.prototype.K2_SetWorldTransform; } catch (e) {};
try { SceneComponent.prototype.SetWorldRotation = SceneComponent.prototype.K2_SetWorldRotation; } catch (e) {};
try { SceneComponent.prototype.SetWorldLocationAndRotation = SceneComponent.prototype.K2_SetWorldLocationAndRotation; } catch (e) {};
try { SceneComponent.prototype.SetWorldLocation = SceneComponent.prototype.K2_SetWorldLocation; } catch (e) {};
try { SceneComponent.prototype.SetRelativeTransform = SceneComponent.prototype.K2_SetRelativeTransform; } catch (e) {};
try { SceneComponent.prototype.SetRelativeRotation = SceneComponent.prototype.K2_SetRelativeRotation; } catch (e) {};
try { SceneComponent.prototype.SetRelativeLocationAndRotation = SceneComponent.prototype.K2_SetRelativeLocationAndRotation; } catch (e) {};
try { SceneComponent.prototype.SetRelativeLocation = SceneComponent.prototype.K2_SetRelativeLocation; } catch (e) {};
try { SceneComponent.prototype.GetWorldTransform = SceneComponent.prototype.K2_GetComponentToWorld; } catch (e) {};
try { SceneComponent.prototype.GetWorldScale = SceneComponent.prototype.K2_GetComponentScale; } catch (e) {};
try { SceneComponent.prototype.GetWorldRotation = SceneComponent.prototype.K2_GetComponentRotation; } catch (e) {};
try { SceneComponent.prototype.GetWorldLocation = SceneComponent.prototype.K2_GetComponentLocation; } catch (e) {};
try { SceneComponent.prototype.DetachFromComponent = SceneComponent.prototype.K2_DetachFromComponent; } catch (e) {};
try { SceneComponent.prototype.AttachToComponent = SceneComponent.prototype.K2_AttachToComponent; } catch (e) {};
try { SceneComponent.prototype.AttachTo = SceneComponent.prototype.K2_AttachTo; } catch (e) {};
try { SceneComponent.prototype.AddWorldTransform = SceneComponent.prototype.K2_AddWorldTransform; } catch (e) {};
try { SceneComponent.prototype.AddWorldRotation = SceneComponent.prototype.K2_AddWorldRotation; } catch (e) {};
try { SceneComponent.prototype.AddWorldOffset = SceneComponent.prototype.K2_AddWorldOffset; } catch (e) {};
try { SceneComponent.prototype.AddRelativeRotation = SceneComponent.prototype.K2_AddRelativeRotation; } catch (e) {};
try { SceneComponent.prototype.AddRelativeLocation = SceneComponent.prototype.K2_AddRelativeLocation; } catch (e) {};
try { SceneComponent.prototype.AddLocalTransform = SceneComponent.prototype.K2_AddLocalTransform; } catch (e) {};
try { SceneComponent.prototype.AddLocalRotation = SceneComponent.prototype.K2_AddLocalRotation; } catch (e) {};
try { SceneComponent.prototype.AddLocalOffset = SceneComponent.prototype.K2_AddLocalOffset; } catch (e) {};
try { let fnprepatch_12 = PrimitiveComponent.prototype.WakeRigidBody;PrimitiveComponent.prototype.WakeRigidBody = function (BoneName = "None") { return fnprepatch_12.call(this, BoneName) }; } catch (e) {};
try { let fnprepatch_13 = PrimitiveComponent.prototype.SetPhysicsMaxAngularVelocity;PrimitiveComponent.prototype.SetPhysicsMaxAngularVelocity = function (NewMaxAngVel, bAddToCurrent = false, BoneName = "None") { return fnprepatch_13.call(this, NewMaxAngVel, bAddToCurrent, BoneName) }; } catch (e) {};
try { let fnprepatch_14 = PrimitiveComponent.prototype.SetPhysicsLinearVelocity;PrimitiveComponent.prototype.SetPhysicsLinearVelocity = function (NewVel, bAddToCurrent = false, BoneName = "None") { return fnprepatch_14.call(this, NewVel, bAddToCurrent, BoneName) }; } catch (e) {};
try { let fnprepatch_15 = PrimitiveComponent.prototype.SetPhysicsAngularVelocity;PrimitiveComponent.prototype.SetPhysicsAngularVelocity = function (NewAngVel, bAddToCurrent = false, BoneName = "None") { return fnprepatch_15.call(this, NewAngVel, bAddToCurrent, BoneName) }; } catch (e) {};
try { let fnprepatch_16 = PrimitiveComponent.prototype.SetMassScale;PrimitiveComponent.prototype.SetMassScale = function (BoneName = "None", InMassScale = 1) { return fnprepatch_16.call(this, BoneName, InMassScale) }; } catch (e) {};
try { let fnprepatch_17 = PrimitiveComponent.prototype.SetMassOverrideInKg;PrimitiveComponent.prototype.SetMassOverrideInKg = function (BoneName = "None", MassInKg = 1, bOverrideMass = true) { return fnprepatch_17.call(this, BoneName, MassInKg, bOverrideMass) }; } catch (e) {};
try { let fnprepatch_18 = PrimitiveComponent.prototype.SetCenterOfMass;PrimitiveComponent.prototype.SetCenterOfMass = function (CenterOfMassOffset, BoneName = "None") { return fnprepatch_18.call(this, CenterOfMassOffset, BoneName) }; } catch (e) {};
try { let fnprepatch_19 = PrimitiveComponent.prototype.SetBoundsScale;PrimitiveComponent.prototype.SetBoundsScale = function (NewBoundsScale = 1) { return fnprepatch_19.call(this, NewBoundsScale) }; } catch (e) {};
try { let fnprepatch_20 = PrimitiveComponent.prototype.SetAllPhysicsLinearVelocity;PrimitiveComponent.prototype.SetAllPhysicsLinearVelocity = function (NewVel, bAddToCurrent = false) { return fnprepatch_20.call(this, NewVel, bAddToCurrent) }; } catch (e) {};
try { let fnprepatch_21 = PrimitiveComponent.prototype.SetAllMassScale;PrimitiveComponent.prototype.SetAllMassScale = function (InMassScale = 1) { return fnprepatch_21.call(this, InMassScale) }; } catch (e) {};
try { let fnprepatch_22 = PrimitiveComponent.prototype.ScaleByMomentOfInertia;PrimitiveComponent.prototype.ScaleByMomentOfInertia = function (InputVector, BoneName = "None") { return fnprepatch_22.call(this, InputVector, BoneName) }; } catch (e) {};
try { let fnprepatch_23 = PrimitiveComponent.prototype.PutRigidBodyToSleep;PrimitiveComponent.prototype.PutRigidBodyToSleep = function (BoneName = "None") { return fnprepatch_23.call(this, BoneName) }; } catch (e) {};
try { let fnprepatch_24 = PrimitiveComponent.prototype.GetPhysicsLinearVelocityAtPoint;PrimitiveComponent.prototype.GetPhysicsLinearVelocityAtPoint = function (Point, BoneName = "None") { return fnprepatch_24.call(this, Point, BoneName) }; } catch (e) {};
try { let fnprepatch_25 = PrimitiveComponent.prototype.GetPhysicsLinearVelocity;PrimitiveComponent.prototype.GetPhysicsLinearVelocity = function (BoneName = "None") { return fnprepatch_25.call(this, BoneName) }; } catch (e) {};
try { let fnprepatch_26 = PrimitiveComponent.prototype.GetPhysicsAngularVelocity;PrimitiveComponent.prototype.GetPhysicsAngularVelocity = function (BoneName = "None") { return fnprepatch_26.call(this, BoneName) }; } catch (e) {};
try { let fnprepatch_27 = PrimitiveComponent.prototype.GetMassScale;PrimitiveComponent.prototype.GetMassScale = function (BoneName = "None") { return fnprepatch_27.call(this, BoneName) }; } catch (e) {};
try { let fnprepatch_28 = PrimitiveComponent.prototype.GetInertiaTensor;PrimitiveComponent.prototype.GetInertiaTensor = function (BoneName = "None") { return fnprepatch_28.call(this, BoneName) }; } catch (e) {};
try { let fnprepatch_29 = PrimitiveComponent.prototype.GetClosestPointOnCollision;PrimitiveComponent.prototype.GetClosestPointOnCollision = function (Point, OutPointOnBody, BoneName = "None") { return fnprepatch_29.call(this, Point, OutPointOnBody, BoneName) }; } catch (e) {};
try { let fnprepatch_30 = PrimitiveComponent.prototype.GetCenterOfMass;PrimitiveComponent.prototype.GetCenterOfMass = function (BoneName = "None") { return fnprepatch_30.call(this, BoneName) }; } catch (e) {};
try { let fnprepatch_31 = PrimitiveComponent.prototype.AddTorque;PrimitiveComponent.prototype.AddTorque = function (Torque, BoneName = "None", bAccelChange = false) { return fnprepatch_31.call(this, Torque, BoneName, bAccelChange) }; } catch (e) {};
try { let fnprepatch_32 = PrimitiveComponent.prototype.AddRadialImpulse;PrimitiveComponent.prototype.AddRadialImpulse = function (Origin, Radius, Strength, Falloff, bVelChange = false) { return fnprepatch_32.call(this, Origin, Radius, Strength, Falloff, bVelChange) }; } catch (e) {};
try { let fnprepatch_33 = PrimitiveComponent.prototype.AddRadialForce;PrimitiveComponent.prototype.AddRadialForce = function (Origin, Radius, Strength, Falloff, bAccelChange = false) { return fnprepatch_33.call(this, Origin, Radius, Strength, Falloff, bAccelChange) }; } catch (e) {};
try { let fnprepatch_34 = PrimitiveComponent.prototype.AddImpulseAtLocation;PrimitiveComponent.prototype.AddImpulseAtLocation = function (Impulse, Location, BoneName = "None") { return fnprepatch_34.call(this, Impulse, Location, BoneName) }; } catch (e) {};
try { let fnprepatch_35 = PrimitiveComponent.prototype.AddImpulse;PrimitiveComponent.prototype.AddImpulse = function (Impulse, BoneName = "None", bVelChange = false) { return fnprepatch_35.call(this, Impulse, BoneName, bVelChange) }; } catch (e) {};
try { let fnprepatch_36 = PrimitiveComponent.prototype.AddForceAtLocation;PrimitiveComponent.prototype.AddForceAtLocation = function (Force, Location, BoneName = "None") { return fnprepatch_36.call(this, Force, Location, BoneName) }; } catch (e) {};
try { let fnprepatch_37 = PrimitiveComponent.prototype.AddForce;PrimitiveComponent.prototype.AddForce = function (Force, BoneName = "None", bAccelChange = false) { return fnprepatch_37.call(this, Force, BoneName, bAccelChange) }; } catch (e) {};
try { let fnprepatch_38 = PrimitiveComponent.prototype.AddAngularImpulse;PrimitiveComponent.prototype.AddAngularImpulse = function (Impulse, BoneName = "None", bVelChange = false) { return fnprepatch_38.call(this, Impulse, BoneName, bVelChange) }; } catch (e) {};
try { PrimitiveComponent.prototype.SetPhysicalMaterialOverride = PrimitiveComponent.prototype.SetPhysMaterialOverride; } catch (e) {};
try { PrimitiveComponent.prototype.SetMaxDrawDistance = PrimitiveComponent.prototype.SetCullDistance; } catch (e) {};
try { PrimitiveComponent.prototype.LineTraceComponent = PrimitiveComponent.prototype.K2_LineTraceComponent; } catch (e) {};
try { PrimitiveComponent.prototype.IsQueryCollisionEnabled = PrimitiveComponent.prototype.K2_IsQueryCollisionEnabled; } catch (e) {};
try { PrimitiveComponent.prototype.IsPhysicsCollisionEnabled = PrimitiveComponent.prototype.K2_IsPhysicsCollisionEnabled; } catch (e) {};
try { PrimitiveComponent.prototype.IsCollisionEnabled = PrimitiveComponent.prototype.K2_IsCollisionEnabled; } catch (e) {};
try { PrimitiveComponent.prototype.CreateMIDForElementFromMaterial = PrimitiveComponent.prototype.CreateAndSetMaterialInstanceDynamicFromMaterial; } catch (e) {};
try { PrimitiveComponent.prototype.CreateMIDForElement = PrimitiveComponent.prototype.CreateAndSetMaterialInstanceDynamic; } catch (e) {};
try { PrimitiveComponent.prototype.GetMoveIgnoreComponents = PrimitiveComponent.prototype.CopyArrayOfMoveIgnoreComponents; } catch (e) {};
try { PrimitiveComponent.prototype.GetMoveIgnoreActors = PrimitiveComponent.prototype.CopyArrayOfMoveIgnoreActors; } catch (e) {};
try { let fnprepatch_39 = Actor.prototype.WasRecentlyRendered;Actor.prototype.WasRecentlyRendered = function (Tolerance = 0.20000000298023224) { return fnprepatch_39.call(this, Tolerance) }; } catch (e) {};
try { let fnprepatch_40 = Actor.prototype.MakeNoise;Actor.prototype.MakeNoise = function (Loudness = 1, NoiseInstigator, NoiseLocation, MaxRange = 0, Tag = "None") { return fnprepatch_40.call(this, Loudness, NoiseInstigator, NoiseLocation, MaxRange, Tag) }; } catch (e) {};
try { let fnprepatch_41 = Actor.prototype.K2_DetachFromActor;Actor.prototype.K2_DetachFromActor = function (LocationRule = "KeepRelative", RotationRule = "KeepRelative", ScaleRule = "KeepRelative") { return fnprepatch_41.call(this, LocationRule, RotationRule, ScaleRule) }; } catch (e) {};
try { let fnprepatch_42 = Actor.prototype.K2_AttachRootComponentToActor;Actor.prototype.K2_AttachRootComponentToActor = function (InParentActor, InSocketName = "None", AttachLocationType = "KeepRelativeOffset", bWeldSimulatedBodies = true) { return fnprepatch_42.call(this, InParentActor, InSocketName, AttachLocationType, bWeldSimulatedBodies) }; } catch (e) {};
try { let fnprepatch_43 = Actor.prototype.K2_AttachRootComponentTo;Actor.prototype.K2_AttachRootComponentTo = function (InParent, InSocketName = "None", AttachLocationType = "KeepRelativeOffset", bWeldSimulatedBodies = true) { return fnprepatch_43.call(this, InParent, InSocketName, AttachLocationType, bWeldSimulatedBodies) }; } catch (e) {};
try { let fnprepatch_44 = Actor.prototype.GetAllChildActors;Actor.prototype.GetAllChildActors = function (ChildActors, bIncludeDescendants = true) { return fnprepatch_44.call(this, ChildActors, bIncludeDescendants) }; } catch (e) {};
try { let fnprepatch_45 = Actor.prototype.DetachRootComponentFromParent;Actor.prototype.DetachRootComponentFromParent = function (bMaintainWorldPosition = true) { return fnprepatch_45.call(this, bMaintainWorldPosition) }; } catch (e) {};
try { Actor.prototype.ConstructionScript = Actor.prototype.UserConstructionScript; } catch (e) {};
try { Actor.prototype.SnapActorTo = Actor.prototype.SnapRootComponentTo; } catch (e) {};
try { Actor.prototype.Tick = Actor.prototype.ReceiveTick; } catch (e) {};
try { Actor.prototype.RadialDamage = Actor.prototype.ReceiveRadialDamage; } catch (e) {};
try { Actor.prototype.PointDamage = Actor.prototype.ReceivePointDamage; } catch (e) {};
try { Actor.prototype.Hit = Actor.prototype.ReceiveHit; } catch (e) {};
try { Actor.prototype.EndPlay = Actor.prototype.ReceiveEndPlay; } catch (e) {};
try { Actor.prototype.Destroyed = Actor.prototype.ReceiveDestroyed; } catch (e) {};
try { Actor.prototype.BeginPlay = Actor.prototype.ReceiveBeginPlay; } catch (e) {};
try { Actor.prototype.AnyDamage = Actor.prototype.ReceiveAnyDamage; } catch (e) {};
try { Actor.prototype.ActorOnReleased = Actor.prototype.ReceiveActorOnReleased; } catch (e) {};
try { Actor.prototype.TouchLeave = Actor.prototype.ReceiveActorOnInputTouchLeave; } catch (e) {};
try { Actor.prototype.TouchEnter = Actor.prototype.ReceiveActorOnInputTouchEnter; } catch (e) {};
try { Actor.prototype.EndInputTouch = Actor.prototype.ReceiveActorOnInputTouchEnd; } catch (e) {};
try { Actor.prototype.BeginInputTouch = Actor.prototype.ReceiveActorOnInputTouchBegin; } catch (e) {};
try { Actor.prototype.ActorOnClicked = Actor.prototype.ReceiveActorOnClicked; } catch (e) {};
try { Actor.prototype.ActorEndOverlap = Actor.prototype.ReceiveActorEndOverlap; } catch (e) {};
try { Actor.prototype.ActorEndCursorOver = Actor.prototype.ReceiveActorEndCursorOver; } catch (e) {};
try { Actor.prototype.ActorBeginOverlap = Actor.prototype.ReceiveActorBeginOverlap; } catch (e) {};
try { Actor.prototype.ActorBeginCursorOver = Actor.prototype.ReceiveActorBeginCursorOver; } catch (e) {};
try { Actor.prototype.Teleport = Actor.prototype.K2_TeleportTo; } catch (e) {};
try { Actor.prototype.SetActorTransform = Actor.prototype.K2_SetActorTransform; } catch (e) {};
try { Actor.prototype.SetActorRotation = Actor.prototype.K2_SetActorRotation; } catch (e) {};
try { Actor.prototype.SetActorRelativeTransform = Actor.prototype.K2_SetActorRelativeTransform; } catch (e) {};
try { Actor.prototype.SetActorRelativeRotation = Actor.prototype.K2_SetActorRelativeRotation; } catch (e) {};
try { Actor.prototype.SetActorRelativeLocation = Actor.prototype.K2_SetActorRelativeLocation; } catch (e) {};
try { Actor.prototype.SetActorLocationAndRotation = Actor.prototype.K2_SetActorLocationAndRotation; } catch (e) {};
try { Actor.prototype.SetActorLocation = Actor.prototype.K2_SetActorLocation; } catch (e) {};
try { Actor.prototype.OnReset = Actor.prototype.K2_OnReset; } catch (e) {};
try { Actor.prototype.OnEndViewTarget = Actor.prototype.K2_OnEndViewTarget; } catch (e) {};
try { Actor.prototype.OnBecomeViewTarget = Actor.prototype.K2_OnBecomeViewTarget; } catch (e) {};
try { Actor.prototype.GetRootComponent = Actor.prototype.K2_GetRootComponent; } catch (e) {};
try { Actor.prototype.GetActorRotation = Actor.prototype.K2_GetActorRotation; } catch (e) {};
try { Actor.prototype.GetActorLocation = Actor.prototype.K2_GetActorLocation; } catch (e) {};
try { Actor.prototype.DetachFromActor = Actor.prototype.K2_DetachFromActor; } catch (e) {};
try { Actor.prototype.DestroyComponent = Actor.prototype.K2_DestroyComponent; } catch (e) {};
try { Actor.prototype.DestroyActor = Actor.prototype.K2_DestroyActor; } catch (e) {};
try { Actor.prototype.AttachToComponent = Actor.prototype.K2_AttachToComponent; } catch (e) {};
try { Actor.prototype.AttachToActor = Actor.prototype.K2_AttachToActor; } catch (e) {};
try { Actor.prototype.AttachActorToActor = Actor.prototype.K2_AttachRootComponentToActor; } catch (e) {};
try { Actor.prototype.AttachActorToComponent = Actor.prototype.K2_AttachRootComponentTo; } catch (e) {};
try { Actor.prototype.AddActorWorldTransform = Actor.prototype.K2_AddActorWorldTransform; } catch (e) {};
try { Actor.prototype.AddActorWorldRotation = Actor.prototype.K2_AddActorWorldRotation; } catch (e) {};
try { Actor.prototype.AddActorWorldOffset = Actor.prototype.K2_AddActorWorldOffset; } catch (e) {};
try { Actor.prototype.AddActorLocalTransform = Actor.prototype.K2_AddActorLocalTransform; } catch (e) {};
try { Actor.prototype.AddActorLocalRotation = Actor.prototype.K2_AddActorLocalRotation; } catch (e) {};
try { Actor.prototype.AddActorLocalOffset = Actor.prototype.K2_AddActorLocalOffset; } catch (e) {};
try { Actor.prototype.GetActorTransform = Actor.prototype.GetTransform; } catch (e) {};
try { Actor.prototype.DetachActorFromActor = Actor.prototype.DetachRootComponentFromParent; } catch (e) {};
try { Widget.prototype.HasAnyUserFocusedDescendants = Widget.prototype.HasFocusedDescendants; } catch (e) {};
try { let fnprepatch_46 = UserWidget.prototype.SetPositionInViewport;UserWidget.prototype.SetPositionInViewport = function (Position, bRemoveDPIScale = true) { return fnprepatch_46.call(this, Position, bRemoveDPIScale) }; } catch (e) {};
try { let fnprepatch_47 = UserWidget.prototype.SetPlaybackSpeed;UserWidget.prototype.SetPlaybackSpeed = function (InAnimation, PlaybackSpeed = 1) { return fnprepatch_47.call(this, InAnimation, PlaybackSpeed) }; } catch (e) {};
try { let fnprepatch_48 = UserWidget.prototype.PlayAnimationTo;UserWidget.prototype.PlayAnimationTo = function (InAnimation, StartAtTime = 0, EndAtTime = 0, NumLoopsToPlay = 1, PlayMode = "Forward", PlaybackSpeed = 1) { return fnprepatch_48.call(this, InAnimation, StartAtTime, EndAtTime, NumLoopsToPlay, PlayMode, PlaybackSpeed) }; } catch (e) {};
try { let fnprepatch_49 = UserWidget.prototype.PlayAnimation;UserWidget.prototype.PlayAnimation = function (InAnimation, StartAtTime = 0, NumLoopsToPlay = 1, PlayMode = "Forward", PlaybackSpeed = 1) { return fnprepatch_49.call(this, InAnimation, StartAtTime, NumLoopsToPlay, PlayMode, PlaybackSpeed) }; } catch (e) {};
try { let fnprepatch_50 = UserWidget.prototype.AddToViewport;UserWidget.prototype.AddToViewport = function (ZOrder = 0) { return fnprepatch_50.call(this, ZOrder) }; } catch (e) {};
try { let fnprepatch_51 = UserWidget.prototype.AddToPlayerScreen;UserWidget.prototype.AddToPlayerScreen = function (ZOrder = 0) { return fnprepatch_51.call(this, ZOrder) }; } catch (e) {};
try { let fnprepatch_52 = GameplayTask_ClaimResource.prototype.ClaimResources;GameplayTask_ClaimResource.prototype.ClaimResources = function (InTaskOwner, ResourceClasses, Priority = 192, TaskInstanceName = "None") { return fnprepatch_52.call(this, InTaskOwner, ResourceClasses, Priority, TaskInstanceName) }; } catch (e) {};
try { let fnprepatch_53 = GameplayTask_ClaimResource.prototype.ClaimResource;GameplayTask_ClaimResource.prototype.ClaimResource = function (InTaskOwner, ResourceClass, Priority = 192, TaskInstanceName = "None") { return fnprepatch_53.call(this, InTaskOwner, ResourceClass, Priority, TaskInstanceName) }; } catch (e) {};
try { let fnprepatch_54 = GameplayTask_SpawnActor.prototype.SpawnActor;GameplayTask_SpawnActor.prototype.SpawnActor = function (TaskOwner, SpawnLocation, SpawnRotation, Class, bSpawnOnlyOnAuthority = false) { return fnprepatch_54.call(this, TaskOwner, SpawnLocation, SpawnRotation, Class, bSpawnOnlyOnAuthority) }; } catch (e) {};
try { let fnprepatch_55 = GameplayTask_WaitDelay.prototype.TaskWaitDelay;GameplayTask_WaitDelay.prototype.TaskWaitDelay = function (TaskOwner, Time, Priority = 192) { return fnprepatch_55.call(this, TaskOwner, Time, Priority) }; } catch (e) {};
try { BlueprintGameplayTagLibrary.prototype.NotEqual = BlueprintGameplayTagLibrary.prototype.NotEqual_GameplayTagContainer; } catch (e) {};
try { BlueprintGameplayTagLibrary.NotEqual = BlueprintGameplayTagLibrary.NotEqual_GameplayTagContainer; } catch (e) {};
try { BlueprintGameplayTagLibrary.prototype.NotEqual = BlueprintGameplayTagLibrary.prototype.NotEqual_GameplayTag; } catch (e) {};
try { BlueprintGameplayTagLibrary.NotEqual = BlueprintGameplayTagLibrary.NotEqual_GameplayTag; } catch (e) {};
try { BlueprintGameplayTagLibrary.prototype.Equal = BlueprintGameplayTagLibrary.prototype.EqualEqual_GameplayTagContainer; } catch (e) {};
try { BlueprintGameplayTagLibrary.Equal = BlueprintGameplayTagLibrary.EqualEqual_GameplayTagContainer; } catch (e) {};
try { BlueprintGameplayTagLibrary.prototype.Equal = BlueprintGameplayTagLibrary.prototype.EqualEqual_GameplayTag; } catch (e) {};
try { BlueprintGameplayTagLibrary.Equal = BlueprintGameplayTagLibrary.EqualEqual_GameplayTag; } catch (e) {};
try { let fnprepatch_56 = AIBlueprintHelperLibrary.prototype.SpawnAIFromClass;AIBlueprintHelperLibrary.prototype.SpawnAIFromClass = function (WorldContextObject, PawnClass, BehaviorTree, Location, Rotation, bNoCollisionFail = false) { return fnprepatch_56.call(this, WorldContextObject, PawnClass, BehaviorTree, Location, Rotation, bNoCollisionFail) }; } catch (e) {};
try { let fnprepatch_57 = AIBlueprintHelperLibrary.prototype.SendAIMessage;AIBlueprintHelperLibrary.prototype.SendAIMessage = function (Target, Message, MessageSource, bSuccess = true) { return fnprepatch_57.call(this, Target, Message, MessageSource, bSuccess) }; } catch (e) {};
try { let fnprepatch_58 = AIBlueprintHelperLibrary.prototype.CreateMoveToProxyObject;AIBlueprintHelperLibrary.prototype.CreateMoveToProxyObject = function (WorldContextObject, Pawn, Destination, TargetActor, AcceptanceRadius = 5, bStopOnOverlap = false) { return fnprepatch_58.call(this, WorldContextObject, Pawn, Destination, TargetActor, AcceptanceRadius, bStopOnOverlap) }; } catch (e) {};
try { let fnprepatch_59 = Controller.prototype.LineOfSightTo;Controller.prototype.LineOfSightTo = function (Other, ViewPoint, bAlternateChecks = false) { return fnprepatch_59.call(this, Other, ViewPoint, bAlternateChecks) }; } catch (e) {};
try { Controller.prototype.GetControlledPawn = Controller.prototype.K2_GetPawn; } catch (e) {};
try { let fnprepatch_60 = AIController.prototype.MoveToLocation;AIController.prototype.MoveToLocation = function (Dest, AcceptanceRadius = -1, bStopOnOverlap = true, bUsePathfinding = true, bProjectDestinationToNavigation = false, bCanStrafe = true, FilterClass, bAllowPartialPath = true) { return fnprepatch_60.call(this, Dest, AcceptanceRadius, bStopOnOverlap, bUsePathfinding, bProjectDestinationToNavigation, bCanStrafe, FilterClass, bAllowPartialPath) }; } catch (e) {};
try { let fnprepatch_61 = AIController.prototype.MoveToActor;AIController.prototype.MoveToActor = function (Goal, AcceptanceRadius = -1, bStopOnOverlap = true, bUsePathfinding = true, bCanStrafe = true, FilterClass, bAllowPartialPath = true) { return fnprepatch_61.call(this, Goal, AcceptanceRadius, bStopOnOverlap, bUsePathfinding, bCanStrafe, FilterClass, bAllowPartialPath) }; } catch (e) {};
try { AIController.prototype.SetFocus = AIController.prototype.K2_SetFocus; } catch (e) {};
try { AIController.prototype.SetFocalPoint = AIController.prototype.K2_SetFocalPoint; } catch (e) {};
try { AIController.prototype.ClearFocus = AIController.prototype.K2_ClearFocus; } catch (e) {};
try { AISense_Blueprint.prototype.OnNewPawn = AISense_Blueprint.prototype.K2_OnNewPawn; } catch (e) {};
try { let fnprepatch_62 = AISense_Hearing.prototype.ReportNoiseEvent;AISense_Hearing.prototype.ReportNoiseEvent = function (WorldContext, NoiseLocation, Loudness = 1, Instigator, MaxRange = 0, Tag = "None") { return fnprepatch_62.call(this, WorldContext, NoiseLocation, Loudness, Instigator, MaxRange, Tag) }; } catch (e) {};
try { let fnprepatch_63 = AITask_MoveTo.prototype.AIMoveTo;AITask_MoveTo.prototype.AIMoveTo = function (Controller, GoalLocation, GoalActor, AcceptanceRadius = -1, StopOnOverlap = "Default", AcceptPartialPath = "Default", bUsePathfinding = true, bLockAILogic = true) { return fnprepatch_63.call(this, Controller, GoalLocation, GoalActor, AcceptanceRadius, StopOnOverlap, AcceptPartialPath, bUsePathfinding, bLockAILogic) }; } catch (e) {};
try { AITask_MoveTo.prototype.MoveToLocationorActor = AITask_MoveTo.prototype.AIMoveTo; } catch (e) {};
try { AITask_MoveTo.MoveToLocationorActor = AITask_MoveTo.AIMoveTo; } catch (e) {};
try { let fnprepatch_64 = BTTask_BlueprintBase.prototype.SetFinishOnMessageWithId;BTTask_BlueprintBase.prototype.SetFinishOnMessageWithId = function (MessageName, RequestID = -1) { return fnprepatch_64.call(this, MessageName, RequestID) }; } catch (e) {};
try { let fnprepatch_65 = Pawn.prototype.SetCanAffectNavigationGeneration;Pawn.prototype.SetCanAffectNavigationGeneration = function (bNewValue, bForceUpdate = false) { return fnprepatch_65.call(this, bNewValue, bForceUpdate) }; } catch (e) {};
try { let fnprepatch_66 = Pawn.prototype.PawnMakeNoise;Pawn.prototype.PawnMakeNoise = function (Loudness, NoiseLocation, bUseNoiseMakerLocation = true, NoiseMaker) { return fnprepatch_66.call(this, Loudness, NoiseLocation, bUseNoiseMakerLocation, NoiseMaker) }; } catch (e) {};
try { let fnprepatch_67 = Pawn.prototype.AddMovementInput;Pawn.prototype.AddMovementInput = function (WorldDirection, ScaleValue = 1, bForce = false) { return fnprepatch_67.call(this, WorldDirection, ScaleValue, bForce) }; } catch (e) {};
try { Pawn.prototype.Unpossessed = Pawn.prototype.ReceiveUnpossessed; } catch (e) {};
try { Pawn.prototype.Possessed = Pawn.prototype.ReceivePossessed; } catch (e) {};
try { Pawn.prototype.GetMovementInputVector = Pawn.prototype.K2_GetMovementInputVector; } catch (e) {};
try { let fnprepatch_68 = Character.prototype.UnCrouch;Character.prototype.UnCrouch = function (bClientSimulation = false) { return fnprepatch_68.call(this, bClientSimulation) }; } catch (e) {};
try { let fnprepatch_69 = Character.prototype.PlayAnimMontage;Character.prototype.PlayAnimMontage = function (AnimMontage, InPlayRate = 1, StartSectionName = "None") { return fnprepatch_69.call(this, AnimMontage, InPlayRate, StartSectionName) }; } catch (e) {};
try { let fnprepatch_70 = Character.prototype.Crouch;Character.prototype.Crouch = function (bClientSimulation = false) { return fnprepatch_70.call(this, bClientSimulation) }; } catch (e) {};
try { Character.prototype.UpdateCustomMovement = Character.prototype.K2_UpdateCustomMovement; } catch (e) {};
try { Character.prototype.OnStartCrouch = Character.prototype.K2_OnStartCrouch; } catch (e) {};
try { Character.prototype.OnMovementModeChanged = Character.prototype.K2_OnMovementModeChanged; } catch (e) {};
try { Character.prototype.OnEndCrouch = Character.prototype.K2_OnEndCrouch; } catch (e) {};
try { Character.prototype.GetBaseRotationOffset = Character.prototype.GetBaseRotationOffsetRotator; } catch (e) {};
try { Character.prototype.CanJump = Character.prototype.CanJumpInternal; } catch (e) {};
try { let fnprepatch_71 = NavLocalGridManager.prototype.RemoveLocalNavigationGrid;NavLocalGridManager.prototype.RemoveLocalNavigationGrid = function (WorldContext, GridId, bRebuildGrids = true) { return fnprepatch_71.call(this, WorldContext, GridId, bRebuildGrids) }; } catch (e) {};
try { let fnprepatch_72 = NavLocalGridManager.prototype.AddLocalNavigationGridForPoint;NavLocalGridManager.prototype.AddLocalNavigationGridForPoint = function (WorldContext, Location, Radius2D = 5, Height = 100, bRebuildGrids = true) { return fnprepatch_72.call(this, WorldContext, Location, Radius2D, Height, bRebuildGrids) }; } catch (e) {};
try { let fnprepatch_73 = NavLocalGridManager.prototype.AddLocalNavigationGridForBox;NavLocalGridManager.prototype.AddLocalNavigationGridForBox = function (WorldContext, Location, Extent, Rotation, Radius2D = 5, Height = 100, bRebuildGrids = true) { return fnprepatch_73.call(this, WorldContext, Location, Extent, Rotation, Radius2D, Height, bRebuildGrids) }; } catch (e) {};
try { let fnprepatch_74 = PawnActionsComponent.prototype.K2_PerformAction;PawnActionsComponent.prototype.K2_PerformAction = function (Pawn, Action, Priority = "HardScript") { return fnprepatch_74.call(this, Pawn, Action, Priority) }; } catch (e) {};
try { PawnActionsComponent.prototype.PushAction = PawnActionsComponent.prototype.K2_PushAction; } catch (e) {};
try { PawnActionsComponent.prototype.PerformAction = PawnActionsComponent.prototype.K2_PerformAction; } catch (e) {};
try { PawnActionsComponent.PerformAction = PawnActionsComponent.K2_PerformAction; } catch (e) {};
try { PawnActionsComponent.prototype.ForceAbortAction = PawnActionsComponent.prototype.K2_ForceAbortAction; } catch (e) {};
try { PawnActionsComponent.prototype.AbortAction = PawnActionsComponent.prototype.K2_AbortAction; } catch (e) {};
try { let fnprepatch_75 = CameraComponent.prototype.AddOrUpdateBlendable;CameraComponent.prototype.AddOrUpdateBlendable = function (InBlendableObject, InWeight = 1) { return fnprepatch_75.call(this, InBlendableObject, InWeight) }; } catch (e) {};
try { let fnprepatch_76 = AnimInstance.prototype.StopSlotAnimation;AnimInstance.prototype.StopSlotAnimation = function (InBlendOutTime = 0.25, SlotNodeName = "None") { return fnprepatch_76.call(this, InBlendOutTime, SlotNodeName) }; } catch (e) {};
try { let fnprepatch_77 = AnimInstance.prototype.PlaySlotAnimationAsDynamicMontage;AnimInstance.prototype.PlaySlotAnimationAsDynamicMontage = function (Asset, SlotNodeName, BlendInTime = 0.25, BlendOutTime = 0.25, InPlayRate = 1, LoopCount = 1, BlendOutTriggerTime = -1, InTimeToStartMontageAt = 0) { return fnprepatch_77.call(this, Asset, SlotNodeName, BlendInTime, BlendOutTime, InPlayRate, LoopCount, BlendOutTriggerTime, InTimeToStartMontageAt) }; } catch (e) {};
try { let fnprepatch_78 = AnimInstance.prototype.PlaySlotAnimation;AnimInstance.prototype.PlaySlotAnimation = function (Asset, SlotNodeName, BlendInTime = 0.25, BlendOutTime = 0.25, InPlayRate = 1, LoopCount = 1) { return fnprepatch_78.call(this, Asset, SlotNodeName, BlendInTime, BlendOutTime, InPlayRate, LoopCount) }; } catch (e) {};
try { let fnprepatch_79 = AnimInstance.prototype.Montage_SetPlayRate;AnimInstance.prototype.Montage_SetPlayRate = function (Montage, NewPlayRate = 1) { return fnprepatch_79.call(this, Montage, NewPlayRate) }; } catch (e) {};
try { let fnprepatch_80 = AnimInstance.prototype.Montage_Play;AnimInstance.prototype.Montage_Play = function (MontageToPlay, InPlayRate = 1, ReturnValueType = "MontageLength", InTimeToStartMontageAt = 0) { return fnprepatch_80.call(this, MontageToPlay, InPlayRate, ReturnValueType, InTimeToStartMontageAt) }; } catch (e) {};
try { let fnprepatch_81 = AnimInstance.prototype.IsSyncGroupBetweenMarkers;AnimInstance.prototype.IsSyncGroupBetweenMarkers = function (InSyncGroupName, PreviousMarker, NextMarker, bRespectMarkerOrder = true) { return fnprepatch_81.call(this, InSyncGroupName, PreviousMarker, NextMarker, bRespectMarkerOrder) }; } catch (e) {};
try { AnimInstance.prototype.GetTransitionTimeElapsed = AnimInstance.prototype.GetInstanceTransitionTimeElapsedFraction; } catch (e) {};
try { AnimInstance.prototype.GetTransitionTimeElapsed = AnimInstance.prototype.GetInstanceTransitionTimeElapsed; } catch (e) {};
try { AnimInstance.prototype.GetTransitionCrossfadeDuration = AnimInstance.prototype.GetInstanceTransitionCrossfadeDuration; } catch (e) {};
try { AnimInstance.prototype.StateWeight = AnimInstance.prototype.GetInstanceStateWeight; } catch (e) {};
try { AnimInstance.prototype.MachineWeight = AnimInstance.prototype.GetInstanceMachineWeight; } catch (e) {};
try { AnimInstance.prototype.CurrentStateTime = AnimInstance.prototype.GetInstanceCurrentStateElapsedTime; } catch (e) {};
try { AnimInstance.prototype.TimeRemaining = AnimInstance.prototype.GetInstanceAssetPlayerTimeFromEndFraction; } catch (e) {};
try { AnimInstance.prototype.TimeRemaining = AnimInstance.prototype.GetInstanceAssetPlayerTimeFromEnd; } catch (e) {};
try { AnimInstance.prototype.CurrentTime = AnimInstance.prototype.GetInstanceAssetPlayerTimeFraction; } catch (e) {};
try { AnimInstance.prototype.CurrentTime = AnimInstance.prototype.GetInstanceAssetPlayerTime; } catch (e) {};
try { AnimInstance.prototype.Length = AnimInstance.prototype.GetInstanceAssetPlayerLength; } catch (e) {};
try { let fnprepatch_82 = AnimSingleNodeInstance.prototype.SetPositionWithPreviousTime;AnimSingleNodeInstance.prototype.SetPositionWithPreviousTime = function (InPosition, InPreviousTime, bFireNotifies = true) { return fnprepatch_82.call(this, InPosition, InPreviousTime, bFireNotifies) }; } catch (e) {};
try { let fnprepatch_83 = AnimSingleNodeInstance.prototype.SetPosition;AnimSingleNodeInstance.prototype.SetPosition = function (InPosition, bFireNotifies = true) { return fnprepatch_83.call(this, InPosition, bFireNotifies) }; } catch (e) {};
try { let fnprepatch_84 = AnimSingleNodeInstance.prototype.SetAnimationAsset;AnimSingleNodeInstance.prototype.SetAnimationAsset = function (NewAsset, bIsLooping = true, InPlayRate = 1) { return fnprepatch_84.call(this, NewAsset, bIsLooping, InPlayRate) }; } catch (e) {};
try { let fnprepatch_85 = AnimSingleNodeInstance.prototype.PlayAnim;AnimSingleNodeInstance.prototype.PlayAnim = function (bIsLooping = false, InPlayRate = 1, InStartPosition = 0) { return fnprepatch_85.call(this, bIsLooping, InPlayRate, InStartPosition) }; } catch (e) {};
try { SlateBlueprintLibrary.prototype.ScreenToLocal = SlateBlueprintLibrary.prototype.ScreenToWidgetLocal; } catch (e) {};
try { SlateBlueprintLibrary.ScreenToLocal = SlateBlueprintLibrary.ScreenToWidgetLocal; } catch (e) {};
try { SlateBlueprintLibrary.prototype.ScreenToAbsolute = SlateBlueprintLibrary.prototype.ScreenToWidgetAbsolute; } catch (e) {};
try { SlateBlueprintLibrary.ScreenToAbsolute = SlateBlueprintLibrary.ScreenToWidgetAbsolute; } catch (e) {};
try { SlateBlueprintLibrary.prototype.Equal = SlateBlueprintLibrary.prototype.EqualEqual_SlateBrush; } catch (e) {};
try { SlateBlueprintLibrary.Equal = SlateBlueprintLibrary.EqualEqual_SlateBrush; } catch (e) {};
try { let fnprepatch_86 = UImage.prototype.SetBrushFromTextureDynamic;UImage.prototype.SetBrushFromTextureDynamic = function (Texture, bMatchSize = false) { return fnprepatch_86.call(this, Texture, bMatchSize) }; } catch (e) {};
try { let fnprepatch_87 = UImage.prototype.SetBrushFromTexture;UImage.prototype.SetBrushFromTexture = function (Texture, bMatchSize = false) { return fnprepatch_87.call(this, Texture, bMatchSize) }; } catch (e) {};
try { let fnprepatch_88 = ScrollBox.prototype.ScrollWidgetIntoView;ScrollBox.prototype.ScrollWidgetIntoView = function (WidgetToFind, AnimateScroll = true) { return fnprepatch_88.call(this, WidgetToFind, AnimateScroll) }; } catch (e) {};
try { let fnprepatch_89 = WidgetBlueprintLibrary.prototype.SetUserFocus;WidgetBlueprintLibrary.prototype.SetUserFocus = function (Reply, FocusWidget, bInAllUsers = false) { return fnprepatch_89.call(this, Reply, FocusWidget, bInAllUsers) }; } catch (e) {};
try { let fnprepatch_90 = WidgetBlueprintLibrary.prototype.SetInputMode_UIOnlyEx;WidgetBlueprintLibrary.prototype.SetInputMode_UIOnlyEx = function (Target, InWidgetToFocus, InMouseLockMode = "DoNotLock") { return fnprepatch_90.call(this, Target, InWidgetToFocus, InMouseLockMode) }; } catch (e) {};
try { let fnprepatch_91 = WidgetBlueprintLibrary.prototype.SetInputMode_UIOnly;WidgetBlueprintLibrary.prototype.SetInputMode_UIOnly = function (Target, InWidgetToFocus, bLockMouseToViewport = false) { return fnprepatch_91.call(this, Target, InWidgetToFocus, bLockMouseToViewport) }; } catch (e) {};
try { let fnprepatch_92 = WidgetBlueprintLibrary.prototype.SetInputMode_GameAndUIEx;WidgetBlueprintLibrary.prototype.SetInputMode_GameAndUIEx = function (Target, InWidgetToFocus, InMouseLockMode = "DoNotLock", bHideCursorDuringCapture = true) { return fnprepatch_92.call(this, Target, InWidgetToFocus, InMouseLockMode, bHideCursorDuringCapture) }; } catch (e) {};
try { let fnprepatch_93 = WidgetBlueprintLibrary.prototype.SetInputMode_GameAndUI;WidgetBlueprintLibrary.prototype.SetInputMode_GameAndUI = function (Target, InWidgetToFocus, bLockMouseToViewport = false, bHideCursorDuringCapture = true) { return fnprepatch_93.call(this, Target, InWidgetToFocus, bLockMouseToViewport, bHideCursorDuringCapture) }; } catch (e) {};
try { let fnprepatch_94 = WidgetBlueprintLibrary.prototype.ReleaseJoystickCapture;WidgetBlueprintLibrary.prototype.ReleaseJoystickCapture = function (Reply, bInAllJoysticks = false) { return fnprepatch_94.call(this, Reply, bInAllJoysticks) }; } catch (e) {};
try { let fnprepatch_95 = WidgetBlueprintLibrary.prototype.MakeBrushFromTexture;WidgetBlueprintLibrary.prototype.MakeBrushFromTexture = function (Texture, Width = 0, Height = 0) { return fnprepatch_95.call(this, Texture, Width, Height) }; } catch (e) {};
try { let fnprepatch_96 = WidgetBlueprintLibrary.prototype.MakeBrushFromMaterial;WidgetBlueprintLibrary.prototype.MakeBrushFromMaterial = function (Material, Width = 32, Height = 32) { return fnprepatch_96.call(this, Material, Width, Height) }; } catch (e) {};
try { let fnprepatch_97 = WidgetBlueprintLibrary.prototype.GetAllWidgetsOfClass;WidgetBlueprintLibrary.prototype.GetAllWidgetsOfClass = function (WorldContextObject, FoundWidgets, WidgetClass, TopLevelOnly = true) { return fnprepatch_97.call(this, WorldContextObject, FoundWidgets, WidgetClass, TopLevelOnly) }; } catch (e) {};
try { let fnprepatch_98 = WidgetBlueprintLibrary.prototype.DrawTextFormatted;WidgetBlueprintLibrary.prototype.DrawTextFormatted = function (Context, Text, Position, Font, FontSize = 16, FontTypeFace = "Regular", Tint = {"R":1,"G":1,"B":1,"A":1}) { return fnprepatch_98.call(this, Context, Text, Position, Font, FontSize, FontTypeFace, Tint) }; } catch (e) {};
try { let fnprepatch_99 = WidgetBlueprintLibrary.prototype.DrawText;WidgetBlueprintLibrary.prototype.DrawText = function (Context, InString, Position, Tint = {"R":1,"G":1,"B":1,"A":1}) { return fnprepatch_99.call(this, Context, InString, Position, Tint) }; } catch (e) {};
try { let fnprepatch_100 = WidgetBlueprintLibrary.prototype.DrawLines;WidgetBlueprintLibrary.prototype.DrawLines = function (Context, Points, Tint = {"R":1,"G":1,"B":1,"A":1}, bAntiAlias = true) { return fnprepatch_100.call(this, Context, Points, Tint, bAntiAlias) }; } catch (e) {};
try { let fnprepatch_101 = WidgetBlueprintLibrary.prototype.DrawLine;WidgetBlueprintLibrary.prototype.DrawLine = function (Context, PositionA, PositionB, Tint = {"R":1,"G":1,"B":1,"A":1}, bAntiAlias = true) { return fnprepatch_101.call(this, Context, PositionA, PositionB, Tint, bAntiAlias) }; } catch (e) {};
try { let fnprepatch_102 = WidgetBlueprintLibrary.prototype.DrawBox;WidgetBlueprintLibrary.prototype.DrawBox = function (Context, Position, Size, Brush, Tint = {"R":1,"G":1,"B":1,"A":1}) { return fnprepatch_102.call(this, Context, Position, Size, Brush, Tint) }; } catch (e) {};
try { let fnprepatch_103 = WidgetBlueprintLibrary.prototype.ClearUserFocus;WidgetBlueprintLibrary.prototype.ClearUserFocus = function (Reply, bInAllUsers = false) { return fnprepatch_103.call(this, Reply, bInAllUsers) }; } catch (e) {};
try { let fnprepatch_104 = WidgetBlueprintLibrary.prototype.CaptureJoystick;WidgetBlueprintLibrary.prototype.CaptureJoystick = function (Reply, CapturingWidget, bInAllJoysticks = false) { return fnprepatch_104.call(this, Reply, CapturingWidget, bInAllJoysticks) }; } catch (e) {};
try { WidgetBlueprintLibrary.prototype.SetInputModeUIOnly = WidgetBlueprintLibrary.prototype.SetInputMode_UIOnlyEx; } catch (e) {};
try { WidgetBlueprintLibrary.SetInputModeUIOnly = WidgetBlueprintLibrary.SetInputMode_UIOnlyEx; } catch (e) {};
try { WidgetBlueprintLibrary.prototype.SetInputModeUIOnly = WidgetBlueprintLibrary.prototype.SetInputMode_UIOnly; } catch (e) {};
try { WidgetBlueprintLibrary.SetInputModeUIOnly = WidgetBlueprintLibrary.SetInputMode_UIOnly; } catch (e) {};
try { WidgetBlueprintLibrary.prototype.SetInputModeGameAndUI = WidgetBlueprintLibrary.prototype.SetInputMode_GameAndUIEx; } catch (e) {};
try { WidgetBlueprintLibrary.SetInputModeGameAndUI = WidgetBlueprintLibrary.SetInputMode_GameAndUIEx; } catch (e) {};
try { WidgetBlueprintLibrary.prototype.SetInputModeGameAndUI = WidgetBlueprintLibrary.prototype.SetInputMode_GameAndUI; } catch (e) {};
try { WidgetBlueprintLibrary.SetInputModeGameAndUI = WidgetBlueprintLibrary.SetInputMode_GameAndUI; } catch (e) {};
try { WidgetBlueprintLibrary.prototype.DrawText = WidgetBlueprintLibrary.prototype.DrawTextFormatted; } catch (e) {};
try { WidgetBlueprintLibrary.DrawText = WidgetBlueprintLibrary.DrawTextFormatted; } catch (e) {};
try { WidgetBlueprintLibrary.prototype.DrawString = WidgetBlueprintLibrary.prototype.DrawText; } catch (e) {};
try { WidgetBlueprintLibrary.DrawString = WidgetBlueprintLibrary.DrawText; } catch (e) {};
try { WidgetBlueprintLibrary.prototype.CreateWidget = WidgetBlueprintLibrary.prototype.Create; } catch (e) {};
try { WidgetBlueprintLibrary.CreateWidget = WidgetBlueprintLibrary.Create; } catch (e) {};
try { let fnprepatch_105 = WidgetInteractionComponent.prototype.SendKeyChar;WidgetInteractionComponent.prototype.SendKeyChar = function (Characters, bRepeat = false) { return fnprepatch_105.call(this, Characters, bRepeat) }; } catch (e) {};
try { let fnprepatch_106 = WidgetInteractionComponent.prototype.PressKey;WidgetInteractionComponent.prototype.PressKey = function (Key, bRepeat = false) { return fnprepatch_106.call(this, Key, bRepeat) }; } catch (e) {};
try { let fnprepatch_107 = MovieSceneSequencePlayer.prototype.PlayLooping;MovieSceneSequencePlayer.prototype.PlayLooping = function (NumLoops = -1) { return fnprepatch_107.call(this, NumLoops) }; } catch (e) {};
try { let fnprepatch_108 = LevelSequenceActor.prototype.SetBinding;LevelSequenceActor.prototype.SetBinding = function (Binding, Actors, bAllowBindingsFromAsset = false) { return fnprepatch_108.call(this, Binding, Actors, bAllowBindingsFromAsset) }; } catch (e) {};
try { let fnprepatch_109 = LevelSequenceActor.prototype.GetSequence;LevelSequenceActor.prototype.GetSequence = function (Load = false) { return fnprepatch_109.call(this, Load) }; } catch (e) {};
try { let fnprepatch_110 = LevelSequenceActor.prototype.AddBinding;LevelSequenceActor.prototype.AddBinding = function (Binding, Actor, bAllowBindingsFromAsset = false) { return fnprepatch_110.call(this, Binding, Actor, bAllowBindingsFromAsset) }; } catch (e) {};
try { let fnprepatch_111 = SkinnedMeshComponent.prototype.SetSkeletalMesh;SkinnedMeshComponent.prototype.SetSkeletalMesh = function (NewMesh, bReinitPose = true) { return fnprepatch_111.call(this, NewMesh, bReinitPose) }; } catch (e) {};
try { let fnprepatch_112 = SkinnedMeshComponent.prototype.SetPhysicsAsset;SkinnedMeshComponent.prototype.SetPhysicsAsset = function (NewPhysicsAsset, bForceReInit = false) { return fnprepatch_112.call(this, NewPhysicsAsset, bForceReInit) }; } catch (e) {};
try { let fnprepatch_113 = SkinnedMeshComponent.prototype.FindClosestBone_K2;SkinnedMeshComponent.prototype.FindClosestBone_K2 = function (TestLocation, BoneLocation, IgnoreScale = 0, bRequirePhysicsAsset = false) { return fnprepatch_113.call(this, TestLocation, BoneLocation, IgnoreScale, bRequirePhysicsAsset) }; } catch (e) {};
try { SkinnedMeshComponent.prototype.SetVertexColorOverride = SkinnedMeshComponent.prototype.SetVertexColorOverride_LinearColor; } catch (e) {};
try { SkinnedMeshComponent.prototype.FindClosestBone = SkinnedMeshComponent.prototype.FindClosestBone_K2; } catch (e) {};
try { let fnprepatch_114 = SkeletalMeshComponent.prototype.UnbindClothFromMasterPoseComponent;SkeletalMeshComponent.prototype.UnbindClothFromMasterPoseComponent = function (bRestoreSimulationSpace = true) { return fnprepatch_114.call(this, bRestoreSimulationSpace) }; } catch (e) {};
try { let fnprepatch_115 = SkeletalMeshComponent.prototype.SetPosition;SkeletalMeshComponent.prototype.SetPosition = function (InPos, bFireNotifies = true) { return fnprepatch_115.call(this, InPos, bFireNotifies) }; } catch (e) {};
try { let fnprepatch_116 = SkeletalMeshComponent.prototype.SetNotifyRigidBodyCollisionBelow;SkeletalMeshComponent.prototype.SetNotifyRigidBodyCollisionBelow = function (bNewNotifyRigidBodyCollision, BoneName = "None", bIncludeSelf = true) { return fnprepatch_116.call(this, bNewNotifyRigidBodyCollision, BoneName, bIncludeSelf) }; } catch (e) {};
try { let fnprepatch_117 = SkeletalMeshComponent.prototype.SetMorphTarget;SkeletalMeshComponent.prototype.SetMorphTarget = function (MorphTargetName, Value, bRemoveZeroWeight = true) { return fnprepatch_117.call(this, MorphTargetName, Value, bRemoveZeroWeight) }; } catch (e) {};
try { let fnprepatch_118 = SkeletalMeshComponent.prototype.SetEnableGravityOnAllBodiesBelow;SkeletalMeshComponent.prototype.SetEnableGravityOnAllBodiesBelow = function (bEnableGravity, BoneName, bIncludeSelf = true) { return fnprepatch_118.call(this, bEnableGravity, BoneName, bIncludeSelf) }; } catch (e) {};
try { let fnprepatch_119 = SkeletalMeshComponent.prototype.SetConstraintProfileForAll;SkeletalMeshComponent.prototype.SetConstraintProfileForAll = function (ProfileName, bDefaultIfNotFound = false) { return fnprepatch_119.call(this, ProfileName, bDefaultIfNotFound) }; } catch (e) {};
try { let fnprepatch_120 = SkeletalMeshComponent.prototype.SetConstraintProfile;SkeletalMeshComponent.prototype.SetConstraintProfile = function (JointName, ProfileName, bDefaultIfNotFound = false) { return fnprepatch_120.call(this, JointName, ProfileName, bDefaultIfNotFound) }; } catch (e) {};
try { let fnprepatch_121 = SkeletalMeshComponent.prototype.SetBodyNotifyRigidBodyCollision;SkeletalMeshComponent.prototype.SetBodyNotifyRigidBodyCollision = function (bNewNotifyRigidBodyCollision, BoneName = "None") { return fnprepatch_121.call(this, bNewNotifyRigidBodyCollision, BoneName) }; } catch (e) {};
try { let fnprepatch_122 = SkeletalMeshComponent.prototype.SetAllMotorsAngularVelocityDrive;SkeletalMeshComponent.prototype.SetAllMotorsAngularVelocityDrive = function (bEnableSwingDrive, bEnableTwistDrive, bSkipCustomPhysicsType = false) { return fnprepatch_122.call(this, bEnableSwingDrive, bEnableTwistDrive, bSkipCustomPhysicsType) }; } catch (e) {};
try { let fnprepatch_123 = SkeletalMeshComponent.prototype.SetAllMotorsAngularPositionDrive;SkeletalMeshComponent.prototype.SetAllMotorsAngularPositionDrive = function (bEnableSwingDrive, bEnableTwistDrive, bSkipCustomPhysicsType = false) { return fnprepatch_123.call(this, bEnableSwingDrive, bEnableTwistDrive, bSkipCustomPhysicsType) }; } catch (e) {};
try { let fnprepatch_124 = SkeletalMeshComponent.prototype.SetAllMotorsAngularDriveParams;SkeletalMeshComponent.prototype.SetAllMotorsAngularDriveParams = function (InSpring, InDamping, InForceLimit, bSkipCustomPhysicsType = false) { return fnprepatch_124.call(this, InSpring, InDamping, InForceLimit, bSkipCustomPhysicsType) }; } catch (e) {};
try { let fnprepatch_125 = SkeletalMeshComponent.prototype.SetAllBodiesPhysicsBlendWeight;SkeletalMeshComponent.prototype.SetAllBodiesPhysicsBlendWeight = function (PhysicsBlendWeight, bSkipCustomPhysicsType = false) { return fnprepatch_125.call(this, PhysicsBlendWeight, bSkipCustomPhysicsType) }; } catch (e) {};
try { let fnprepatch_126 = SkeletalMeshComponent.prototype.SetAllBodiesBelowSimulatePhysics;SkeletalMeshComponent.prototype.SetAllBodiesBelowSimulatePhysics = function (InBoneName, bNewSimulate, bIncludeSelf = true) { return fnprepatch_126.call(this, InBoneName, bNewSimulate, bIncludeSelf) }; } catch (e) {};
try { let fnprepatch_127 = SkeletalMeshComponent.prototype.SetAllBodiesBelowPhysicsBlendWeight;SkeletalMeshComponent.prototype.SetAllBodiesBelowPhysicsBlendWeight = function (InBoneName, PhysicsBlendWeight, bSkipCustomPhysicsType = false, bIncludeSelf = true) { return fnprepatch_127.call(this, InBoneName, PhysicsBlendWeight, bSkipCustomPhysicsType, bIncludeSelf) }; } catch (e) {};
try { let fnprepatch_128 = SkeletalMeshComponent.prototype.OverrideAnimationData;SkeletalMeshComponent.prototype.OverrideAnimationData = function (InAnimToPlay, bIsLooping = true, bIsPlaying = true, Position = 0, PlayRate = 1) { return fnprepatch_128.call(this, InAnimToPlay, bIsLooping, bIsPlaying, Position, PlayRate) }; } catch (e) {};
try { let fnprepatch_129 = SkeletalMeshComponent.prototype.GetBoneMass;SkeletalMeshComponent.prototype.GetBoneMass = function (BoneName = "None", bScaleMass = true) { return fnprepatch_129.call(this, BoneName, bScaleMass) }; } catch (e) {};
try { let fnprepatch_130 = SkeletalMeshComponent.prototype.AddImpulseToAllBodiesBelow;SkeletalMeshComponent.prototype.AddImpulseToAllBodiesBelow = function (Impulse, BoneName = "None", bVelChange = false, bIncludeSelf = true) { return fnprepatch_130.call(this, Impulse, BoneName, bVelChange, bIncludeSelf) }; } catch (e) {};
try { let fnprepatch_131 = SkeletalMeshComponent.prototype.AddForceToAllBodiesBelow;SkeletalMeshComponent.prototype.AddForceToAllBodiesBelow = function (Force, BoneName = "None", bAccelChange = false, bIncludeSelf = true) { return fnprepatch_131.call(this, Force, BoneName, bAccelChange, bIncludeSelf) }; } catch (e) {};
try { let fnprepatch_132 = SkeletalMeshComponent.prototype.AccumulateAllBodiesBelowPhysicsBlendWeight;SkeletalMeshComponent.prototype.AccumulateAllBodiesBelowPhysicsBlendWeight = function (InBoneName, AddPhysicsBlendWeight, bSkipCustomPhysicsType = false) { return fnprepatch_132.call(this, InBoneName, AddPhysicsBlendWeight, bSkipCustomPhysicsType) }; } catch (e) {};
try { SkeletalMeshComponent.prototype.GetClosestPointOnPhysicsAsset = SkeletalMeshComponent.prototype.K2_GetClosestPointOnPhysicsAsset; } catch (e) {};
try { let fnprepatch_133 = InstancedStaticMeshComponent.prototype.UpdateInstanceTransform;InstancedStaticMeshComponent.prototype.UpdateInstanceTransform = function (InstanceIndex, NewInstanceTransform, bWorldSpace = false, bMarkRenderStateDirty = false, bTeleport = false) { return fnprepatch_133.call(this, InstanceIndex, NewInstanceTransform, bWorldSpace, bMarkRenderStateDirty, bTeleport) }; } catch (e) {};
try { let fnprepatch_134 = InstancedStaticMeshComponent.prototype.GetInstanceTransform;InstancedStaticMeshComponent.prototype.GetInstanceTransform = function (InstanceIndex, OutInstanceTransform, bWorldSpace = false) { return fnprepatch_134.call(this, InstanceIndex, OutInstanceTransform, bWorldSpace) }; } catch (e) {};
try { let fnprepatch_135 = InstancedStaticMeshComponent.prototype.GetInstancesOverlappingSphere;InstancedStaticMeshComponent.prototype.GetInstancesOverlappingSphere = function (Center, Radius, bSphereInWorldSpace = true) { return fnprepatch_135.call(this, Center, Radius, bSphereInWorldSpace) }; } catch (e) {};
try { let fnprepatch_136 = InstancedStaticMeshComponent.prototype.GetInstancesOverlappingBox;InstancedStaticMeshComponent.prototype.GetInstancesOverlappingBox = function (Box, bBoxInWorldSpace = true) { return fnprepatch_136.call(this, Box, bBoxInWorldSpace) }; } catch (e) {};
try { let fnprepatch_137 = ProceduralFoliageSpawner.prototype.Simulate;ProceduralFoliageSpawner.prototype.Simulate = function (NumSteps = -1) { return fnprepatch_137.call(this, NumSteps) }; } catch (e) {};
try { let fnprepatch_138 = LandscapeProxy.prototype.EditorApplySpline;LandscapeProxy.prototype.EditorApplySpline = function (InSplineComponent, StartWidth = 200, EndWidth = 200, StartSideFalloff = 200, EndSideFalloff = 200, StartRoll = 0, EndRoll = 0, NumSubdivisions = 20, bRaiseHeights = true, bLowerHeights = true, PaintLayer) { return fnprepatch_138.call(this, InSplineComponent, StartWidth, EndWidth, StartSideFalloff, EndSideFalloff, StartRoll, EndRoll, NumSubdivisions, bRaiseHeights, bLowerHeights, PaintLayer) }; } catch (e) {};
try { let fnprepatch_139 = AmbientSound.prototype.Play;AmbientSound.prototype.Play = function (StartTime = 0) { return fnprepatch_139.call(this, StartTime) }; } catch (e) {};
try { let fnprepatch_140 = AmbientSound.prototype.FadeIn;AmbientSound.prototype.FadeIn = function (FadeInDuration, FadeVolumeLevel = 1) { return fnprepatch_140.call(this, FadeInDuration, FadeVolumeLevel) }; } catch (e) {};
try { let fnprepatch_141 = PostProcessVolume.prototype.AddOrUpdateBlendable;PostProcessVolume.prototype.AddOrUpdateBlendable = function (InBlendableObject, InWeight = 1) { return fnprepatch_141.call(this, InBlendableObject, InWeight) }; } catch (e) {};
try { let fnprepatch_142 = PlayerCameraManager.prototype.StopCameraShake;PlayerCameraManager.prototype.StopCameraShake = function (ShakeInstance, bImmediately = true) { return fnprepatch_142.call(this, ShakeInstance, bImmediately) }; } catch (e) {};
try { let fnprepatch_143 = PlayerCameraManager.prototype.StopCameraAnimInst;PlayerCameraManager.prototype.StopCameraAnimInst = function (AnimInst, bImmediate = false) { return fnprepatch_143.call(this, AnimInst, bImmediate) }; } catch (e) {};
try { let fnprepatch_144 = PlayerCameraManager.prototype.StopAllInstancesOfCameraShake;PlayerCameraManager.prototype.StopAllInstancesOfCameraShake = function (Shake, bImmediately = true) { return fnprepatch_144.call(this, Shake, bImmediately) }; } catch (e) {};
try { let fnprepatch_145 = PlayerCameraManager.prototype.StopAllInstancesOfCameraAnim;PlayerCameraManager.prototype.StopAllInstancesOfCameraAnim = function (Anim, bImmediate = false) { return fnprepatch_145.call(this, Anim, bImmediate) }; } catch (e) {};
try { let fnprepatch_146 = PlayerCameraManager.prototype.StopAllCameraShakes;PlayerCameraManager.prototype.StopAllCameraShakes = function (bImmediately = true) { return fnprepatch_146.call(this, bImmediately) }; } catch (e) {};
try { let fnprepatch_147 = PlayerCameraManager.prototype.StopAllCameraAnims;PlayerCameraManager.prototype.StopAllCameraAnims = function (bImmediate = false) { return fnprepatch_147.call(this, bImmediate) }; } catch (e) {};
try { let fnprepatch_148 = PlayerCameraManager.prototype.StartCameraFade;PlayerCameraManager.prototype.StartCameraFade = function (FromAlpha, ToAlpha, Duration, Color, bShouldFadeAudio = false, bHoldWhenFinished = false) { return fnprepatch_148.call(this, FromAlpha, ToAlpha, Duration, Color, bShouldFadeAudio, bHoldWhenFinished) }; } catch (e) {};
try { let fnprepatch_149 = PlayerCameraManager.prototype.PlayCameraShake;PlayerCameraManager.prototype.PlayCameraShake = function (ShakeClass, Scale = 1, PlaySpace = "CameraLocal", UserPlaySpaceRot) { return fnprepatch_149.call(this, ShakeClass, Scale, PlaySpace, UserPlaySpaceRot) }; } catch (e) {};
try { let fnprepatch_150 = PlayerCameraManager.prototype.PlayCameraAnim;PlayerCameraManager.prototype.PlayCameraAnim = function (Anim, Rate = 1, Scale = 1, BlendInTime = 0, BlendOutTime = 0, bLoop = false, bRandomStartTime = false, Duration = 0, PlaySpace = "CameraLocal", UserPlaySpaceRot) { return fnprepatch_150.call(this, Anim, Rate, Scale, BlendInTime, BlendOutTime, bLoop, bRandomStartTime, Duration, PlaySpace, UserPlaySpaceRot) }; } catch (e) {};
try { let fnprepatch_151 = PlayerController.prototype.StartFire;PlayerController.prototype.StartFire = function (FireModeNum = 0) { return fnprepatch_151.call(this, FireModeNum) }; } catch (e) {};
try { let fnprepatch_152 = PlayerController.prototype.SetViewTargetWithBlend;PlayerController.prototype.SetViewTargetWithBlend = function (NewViewTarget, BlendTime = 0, BlendFunc = "VTBlend_Linear", BlendExp = 0, bLockOutgoing = false) { return fnprepatch_152.call(this, NewViewTarget, BlendTime, BlendFunc, BlendExp, bLockOutgoing) }; } catch (e) {};
try { let fnprepatch_153 = PlayerController.prototype.ProjectWorldLocationToScreen;PlayerController.prototype.ProjectWorldLocationToScreen = function (WorldLocation, ScreenLocation, bPlayerViewportRelative = false) { return fnprepatch_153.call(this, WorldLocation, ScreenLocation, bPlayerViewportRelative) }; } catch (e) {};
try { let fnprepatch_154 = PlayerController.prototype.PlayHapticEffect;PlayerController.prototype.PlayHapticEffect = function (HapticEffect, Hand, Scale = 1, bLoop = false) { return fnprepatch_154.call(this, HapticEffect, Hand, Scale, bLoop) }; } catch (e) {};
try { let fnprepatch_155 = PlayerController.prototype.ClientStopCameraShake;PlayerController.prototype.ClientStopCameraShake = function (Shake, bImmediately = true) { return fnprepatch_155.call(this, Shake, bImmediately) }; } catch (e) {};
try { let fnprepatch_156 = PlayerController.prototype.ClientPlayCameraShake;PlayerController.prototype.ClientPlayCameraShake = function (Shake, Scale = 1, PlaySpace = "CameraLocal", UserPlaySpaceRot) { return fnprepatch_156.call(this, Shake, Scale, PlaySpace, UserPlaySpaceRot) }; } catch (e) {};
try { let fnprepatch_157 = PlayerController.prototype.ClientPlayCameraAnim;PlayerController.prototype.ClientPlayCameraAnim = function (AnimToPlay, Scale = 1, Rate = 1, BlendInTime = 0, BlendOutTime = 0, bLoop = false, bRandomStartTime = false, Space = "CameraLocal", CustomPlaySpace) { return fnprepatch_157.call(this, AnimToPlay, Scale, Rate, BlendInTime, BlendOutTime, bLoop, bRandomStartTime, Space, CustomPlaySpace) }; } catch (e) {};
try { PlayerController.prototype.SetInputModeGameAndUI = PlayerController.prototype.SetInputMode_GameAndUI; } catch (e) {};
try { PlayerController.prototype.SetInputModeGameAndUI = PlayerController.prototype.SetInputMode_GameAndUIEx; } catch (e) {};
try { PlayerController.prototype.SetInputModeUIOnly = PlayerController.prototype.SetInputMode_UIOnly; } catch (e) {};
try { PlayerController.prototype.SetInputModeUIOnly = PlayerController.prototype.SetInputMode_UIOnlyEx; } catch (e) {};
try { PlayerController.prototype.SetMousePosition = PlayerController.prototype.SetMouseLocation; } catch (e) {};
try { PlayerController.prototype.ConvertWorldLocationToScreenLocation = PlayerController.prototype.ProjectWorldLocationToScreen; } catch (e) {};
try { PlayerController.prototype.ConvertScreenLocationToWorldSpace = PlayerController.prototype.DeprojectScreenPositionToWorld; } catch (e) {};
try { PlayerController.prototype.ConvertMouseLocationToWorldSpace = PlayerController.prototype.DeprojectMousePositionToWorld; } catch (e) {};
try { DebugCameraController.prototype.OnDeactivate = DebugCameraController.prototype.ReceiveOnDeactivate; } catch (e) {};
try { DebugCameraController.prototype.OnActorSelected = DebugCameraController.prototype.ReceiveOnActorSelected; } catch (e) {};
try { DebugCameraController.prototype.OnActivate = DebugCameraController.prototype.ReceiveOnActivate; } catch (e) {};
try { let fnprepatch_158 = HUD.prototype.ShowDebug;HUD.prototype.ShowDebug = function (DebugType = "None") { return fnprepatch_158.call(this, DebugType) }; } catch (e) {};
try { let fnprepatch_159 = HUD.prototype.GetTextSize;HUD.prototype.GetTextSize = function (Text, OutWidth, OutHeight, Font, Scale = 1) { return fnprepatch_159.call(this, Text, OutWidth, OutHeight, Font, Scale) }; } catch (e) {};
try { let fnprepatch_160 = HUD.prototype.GetActorsInSelectionRectangle;HUD.prototype.GetActorsInSelectionRectangle = function (ClassFilter, FirstPoint, SecondPoint, OutActors, bIncludeNonCollidingComponents = true, bActorMustBeFullyEnclosed = false) { return fnprepatch_160.call(this, ClassFilter, FirstPoint, SecondPoint, OutActors, bIncludeNonCollidingComponents, bActorMustBeFullyEnclosed) }; } catch (e) {};
try { let fnprepatch_161 = HUD.prototype.DrawTextureSimple;HUD.prototype.DrawTextureSimple = function (Texture, ScreenX, ScreenY, Scale = 1, bScalePosition = false) { return fnprepatch_161.call(this, Texture, ScreenX, ScreenY, Scale, bScalePosition) }; } catch (e) {};
try { let fnprepatch_162 = HUD.prototype.DrawTexture;HUD.prototype.DrawTexture = function (Texture, ScreenX, ScreenY, ScreenW, ScreenH, TextureU, TextureV, TextureUWidth, TextureVHeight, TintColor = {"R":1,"G":1,"B":1,"A":1}, BlendMode = "BLEND_Translucent", Scale = 1, bScalePosition = false, Rotation = 0, RotPivot) { return fnprepatch_162.call(this, Texture, ScreenX, ScreenY, ScreenW, ScreenH, TextureU, TextureV, TextureUWidth, TextureVHeight, TintColor, BlendMode, Scale, bScalePosition, Rotation, RotPivot) }; } catch (e) {};
try { let fnprepatch_163 = HUD.prototype.DrawText;HUD.prototype.DrawText = function (Text, TextColor, ScreenX, ScreenY, Font, Scale = 1, bScalePosition = false) { return fnprepatch_163.call(this, Text, TextColor, ScreenX, ScreenY, Font, Scale, bScalePosition) }; } catch (e) {};
try { let fnprepatch_164 = HUD.prototype.DrawMaterialTriangle;HUD.prototype.DrawMaterialTriangle = function (Material, V0_Pos, V1_Pos, V2_Pos, V0_UV, V1_UV, V2_UV, V0_Color = {"R":1,"G":1,"B":1,"A":1}, V1_Color = {"R":1,"G":1,"B":1,"A":1}, V2_Color = {"R":1,"G":1,"B":1,"A":1}) { return fnprepatch_164.call(this, Material, V0_Pos, V1_Pos, V2_Pos, V0_UV, V1_UV, V2_UV, V0_Color, V1_Color, V2_Color) }; } catch (e) {};
try { let fnprepatch_165 = HUD.prototype.DrawMaterialSimple;HUD.prototype.DrawMaterialSimple = function (Material, ScreenX, ScreenY, ScreenW, ScreenH, Scale = 1, bScalePosition = false) { return fnprepatch_165.call(this, Material, ScreenX, ScreenY, ScreenW, ScreenH, Scale, bScalePosition) }; } catch (e) {};
try { let fnprepatch_166 = HUD.prototype.DrawMaterial;HUD.prototype.DrawMaterial = function (Material, ScreenX, ScreenY, ScreenW, ScreenH, MaterialU, MaterialV, MaterialUWidth, MaterialVHeight, Scale = 1, bScalePosition = false, Rotation = 0, RotPivot) { return fnprepatch_166.call(this, Material, ScreenX, ScreenY, ScreenW, ScreenH, MaterialU, MaterialV, MaterialUWidth, MaterialVHeight, Scale, bScalePosition, Rotation, RotPivot) }; } catch (e) {};
try { let fnprepatch_167 = HUD.prototype.DrawLine;HUD.prototype.DrawLine = function (StartScreenX, StartScreenY, EndScreenX, EndScreenY, LineColor, LineThickness = 0) { return fnprepatch_167.call(this, StartScreenX, StartScreenY, EndScreenX, EndScreenY, LineColor, LineThickness) }; } catch (e) {};
try { let fnprepatch_168 = HUD.prototype.AddHitBox;HUD.prototype.AddHitBox = function (Position, Size, InName, bConsumesInput, Priority = 0) { return fnprepatch_168.call(this, Position, Size, InName, bConsumesInput, Priority) }; } catch (e) {};
try { HUD.prototype.HitBoxReleased = HUD.prototype.ReceiveHitBoxRelease; } catch (e) {};
try { HUD.prototype.HitBoxEndCursorOver = HUD.prototype.ReceiveHitBoxEndCursorOver; } catch (e) {};
try { HUD.prototype.HitBoxClicked = HUD.prototype.ReceiveHitBoxClick; } catch (e) {};
try { HUD.prototype.HitBoxBeginCursorOver = HUD.prototype.ReceiveHitBoxBeginCursorOver; } catch (e) {};
try { GameModeBase.prototype.OnPostLogin = GameModeBase.prototype.K2_PostLogin; } catch (e) {};
try { GameModeBase.prototype.OnSwapPlayerControllers = GameModeBase.prototype.K2_OnSwapPlayerControllers; } catch (e) {};
try { GameModeBase.prototype.OnRestartPlayer = GameModeBase.prototype.K2_OnRestartPlayer; } catch (e) {};
try { GameModeBase.prototype.OnLogout = GameModeBase.prototype.K2_OnLogout; } catch (e) {};
try { GameModeBase.prototype.OnChangeName = GameModeBase.prototype.K2_OnChangeName; } catch (e) {};
try { GameModeBase.prototype.FindPlayerStart = GameModeBase.prototype.K2_FindPlayerStart; } catch (e) {};
try { GameMode.prototype.OnSetMatchState = GameMode.prototype.K2_OnSetMatchState; } catch (e) {};
try { PlayerState.prototype.OverrideWith = PlayerState.prototype.ReceiveOverrideWith; } catch (e) {};
try { PlayerState.prototype.CopyProperties = PlayerState.prototype.ReceiveCopyProperties; } catch (e) {};
try { let fnprepatch_169 = LevelScriptActor.prototype.SetCinematicMode;LevelScriptActor.prototype.SetCinematicMode = function (bCinematicMode, bHidePlayer = true, bAffectsHUD = true, bAffectsMovement = false, bAffectsTurning = false) { return fnprepatch_169.call(this, bCinematicMode, bHidePlayer, bAffectsHUD, bAffectsMovement, bAffectsTurning) }; } catch (e) {};
try { let fnprepatch_170 = MatineeActor.prototype.SetPosition;MatineeActor.prototype.SetPosition = function (NewPosition, bJump = false) { return fnprepatch_170.call(this, NewPosition, bJump) }; } catch (e) {};
try { let fnprepatch_171 = ParticleSystemComponent.prototype.SetAutoAttachParams;ParticleSystemComponent.prototype.SetAutoAttachParams = function (Parent, SocketName = "None", LocationType = "KeepRelativeOffset") { return fnprepatch_171.call(this, Parent, SocketName, LocationType) }; } catch (e) {};
try { let fnprepatch_172 = SkeletalMesh.prototype.IsSectionUsingCloth;SkeletalMesh.prototype.IsSectionUsingCloth = function (InSectionIndex, bCheckCorrespondingSections = true) { return fnprepatch_172.call(this, InSectionIndex, bCheckCorrespondingSections) }; } catch (e) {};
try { let fnprepatch_173 = MovementComponent.prototype.K2_MoveUpdatedComponent;MovementComponent.prototype.K2_MoveUpdatedComponent = function (Delta, NewRotation, OutHit, bSweep = true, bTeleport = false) { return fnprepatch_173.call(this, Delta, NewRotation, OutHit, bSweep, bTeleport) }; } catch (e) {};
try { MovementComponent.prototype.MoveUpdatedComponent = MovementComponent.prototype.K2_MoveUpdatedComponent; } catch (e) {};
try { MovementComponent.prototype.GetModifiedMaxSpeed = MovementComponent.prototype.K2_GetModifiedMaxSpeed; } catch (e) {};
try { MovementComponent.prototype.GetMaxSpeedModifier = MovementComponent.prototype.K2_GetMaxSpeedModifier; } catch (e) {};
try { let fnprepatch_174 = InterpToMovementComponent.prototype.RestartMovement;InterpToMovementComponent.prototype.RestartMovement = function (InitialDirection = 1) { return fnprepatch_174.call(this, InitialDirection) }; } catch (e) {};
try { let fnprepatch_175 = PawnMovementComponent.prototype.AddInputVector;PawnMovementComponent.prototype.AddInputVector = function (WorldVector, bForce = false) { return fnprepatch_175.call(this, WorldVector, bForce) }; } catch (e) {};
try { PawnMovementComponent.prototype.GetInputVector = PawnMovementComponent.prototype.K2_GetInputVector; } catch (e) {};
try { let fnprepatch_176 = CharacterMovementComponent.prototype.SetMovementMode;CharacterMovementComponent.prototype.SetMovementMode = function (NewMovementMode, NewCustomMode = 0) { return fnprepatch_176.call(this, NewMovementMode, NewCustomMode) }; } catch (e) {};
try { let fnprepatch_177 = CharacterMovementComponent.prototype.AddImpulse;CharacterMovementComponent.prototype.AddImpulse = function (Impulse, bVelocityChange = false) { return fnprepatch_177.call(this, Impulse, bVelocityChange) }; } catch (e) {};
try { CharacterMovementComponent.prototype.GetWalkableFloorZ = CharacterMovementComponent.prototype.K2_GetWalkableFloorZ; } catch (e) {};
try { CharacterMovementComponent.prototype.GetWalkableFloorAngle = CharacterMovementComponent.prototype.K2_GetWalkableFloorAngle; } catch (e) {};
try { CharacterMovementComponent.prototype.GetModifiedMaxAcceleration = CharacterMovementComponent.prototype.K2_GetModifiedMaxAcceleration; } catch (e) {};
try { CharacterMovementComponent.prototype.FindFloor = CharacterMovementComponent.prototype.K2_FindFloor; } catch (e) {};
try { CharacterMovementComponent.prototype.ComputeFloorDistance = CharacterMovementComponent.prototype.K2_ComputeFloorDist; } catch (e) {};
try { let fnprepatch_178 = PhysicalAnimationComponent.prototype.ApplyPhysicalAnimationSettingsBelow;PhysicalAnimationComponent.prototype.ApplyPhysicalAnimationSettingsBelow = function (BodyName, PhysicalAnimationData, bIncludeSelf = true) { return fnprepatch_178.call(this, BodyName, PhysicalAnimationData, bIncludeSelf) }; } catch (e) {};
try { let fnprepatch_179 = PhysicalAnimationComponent.prototype.ApplyPhysicalAnimationProfileBelow;PhysicalAnimationComponent.prototype.ApplyPhysicalAnimationProfileBelow = function (BodyName, ProfileName, bIncludeSelf = true, bClearNotFound = false) { return fnprepatch_179.call(this, BodyName, ProfileName, bIncludeSelf, bClearNotFound) }; } catch (e) {};
try { let fnprepatch_180 = AudioComponent.prototype.Play;AudioComponent.prototype.Play = function (StartTime = 0) { return fnprepatch_180.call(this, StartTime) }; } catch (e) {};
try { let fnprepatch_181 = AudioComponent.prototype.FadeIn;AudioComponent.prototype.FadeIn = function (FadeInDuration, FadeVolumeLevel = 1, StartTime = 0) { return fnprepatch_181.call(this, FadeInDuration, FadeVolumeLevel, StartTime) }; } catch (e) {};
try { AudioComponent.prototype.SetIntegerParameter = AudioComponent.prototype.SetIntParameter; } catch (e) {};
try { AudioComponent.prototype.SetBooleanParameter = AudioComponent.prototype.SetBoolParameter; } catch (e) {};
try { AudioComponent.prototype.GetAttenuationSettingsToApply = AudioComponent.prototype.BP_GetAttenuationSettingsToApply; } catch (e) {};
try { let fnprepatch_182 = DecalComponent.prototype.SetFadeOut;DecalComponent.prototype.SetFadeOut = function (StartDelay, Duration, DestroyOwnerAfterFade = true) { return fnprepatch_182.call(this, StartDelay, Duration, DestroyOwnerAfterFade) }; } catch (e) {};
try { let fnprepatch_183 = ForceFeedbackComponent.prototype.Play;ForceFeedbackComponent.prototype.Play = function (StartTime = 0) { return fnprepatch_183.call(this, StartTime) }; } catch (e) {};
try { ForceFeedbackComponent.prototype.GetAttenuationSettingsToApply = ForceFeedbackComponent.prototype.BP_GetAttenuationSettingsToApply; } catch (e) {};
try { let fnprepatch_184 = LightComponent.prototype.SetLightColor;LightComponent.prototype.SetLightColor = function (NewLightColor, bSRGB = true) { return fnprepatch_184.call(this, NewLightColor, bSRGB) }; } catch (e) {};
try { let fnprepatch_185 = PostProcessComponent.prototype.AddOrUpdateBlendable;PostProcessComponent.prototype.AddOrUpdateBlendable = function (InBlendableObject, InWeight = 1) { return fnprepatch_185.call(this, InBlendableObject, InWeight) }; } catch (e) {};
try { ArrowComponent.prototype.SetArrowColor = ArrowComponent.prototype.SetArrowColor_New; } catch (e) {};
try { let fnprepatch_186 = SplineMeshComponent.prototype.SetStartTangent;SplineMeshComponent.prototype.SetStartTangent = function (StartTangent, bUpdateMesh = true) { return fnprepatch_186.call(this, StartTangent, bUpdateMesh) }; } catch (e) {};
try { let fnprepatch_187 = SplineMeshComponent.prototype.SetStartScale;SplineMeshComponent.prototype.SetStartScale = function (StartScale = {"X":1,"Y":1}, bUpdateMesh = true) { return fnprepatch_187.call(this, StartScale, bUpdateMesh) }; } catch (e) {};
try { let fnprepatch_188 = SplineMeshComponent.prototype.SetStartRoll;SplineMeshComponent.prototype.SetStartRoll = function (StartRoll, bUpdateMesh = true) { return fnprepatch_188.call(this, StartRoll, bUpdateMesh) }; } catch (e) {};
try { let fnprepatch_189 = SplineMeshComponent.prototype.SetStartPosition;SplineMeshComponent.prototype.SetStartPosition = function (StartPos, bUpdateMesh = true) { return fnprepatch_189.call(this, StartPos, bUpdateMesh) }; } catch (e) {};
try { let fnprepatch_190 = SplineMeshComponent.prototype.SetStartOffset;SplineMeshComponent.prototype.SetStartOffset = function (StartOffset, bUpdateMesh = true) { return fnprepatch_190.call(this, StartOffset, bUpdateMesh) }; } catch (e) {};
try { let fnprepatch_191 = SplineMeshComponent.prototype.SetStartAndEnd;SplineMeshComponent.prototype.SetStartAndEnd = function (StartPos, StartTangent, EndPos, EndTangent, bUpdateMesh = true) { return fnprepatch_191.call(this, StartPos, StartTangent, EndPos, EndTangent, bUpdateMesh) }; } catch (e) {};
try { let fnprepatch_192 = SplineMeshComponent.prototype.SetSplineUpDir;SplineMeshComponent.prototype.SetSplineUpDir = function (InSplineUpDir, bUpdateMesh = true) { return fnprepatch_192.call(this, InSplineUpDir, bUpdateMesh) }; } catch (e) {};
try { let fnprepatch_193 = SplineMeshComponent.prototype.SetForwardAxis;SplineMeshComponent.prototype.SetForwardAxis = function (InForwardAxis, bUpdateMesh = true) { return fnprepatch_193.call(this, InForwardAxis, bUpdateMesh) }; } catch (e) {};
try { let fnprepatch_194 = SplineMeshComponent.prototype.SetEndTangent;SplineMeshComponent.prototype.SetEndTangent = function (EndTangent, bUpdateMesh = true) { return fnprepatch_194.call(this, EndTangent, bUpdateMesh) }; } catch (e) {};
try { let fnprepatch_195 = SplineMeshComponent.prototype.SetEndScale;SplineMeshComponent.prototype.SetEndScale = function (EndScale = {"X":1,"Y":1}, bUpdateMesh = true) { return fnprepatch_195.call(this, EndScale, bUpdateMesh) }; } catch (e) {};
try { let fnprepatch_196 = SplineMeshComponent.prototype.SetEndRoll;SplineMeshComponent.prototype.SetEndRoll = function (EndRoll, bUpdateMesh = true) { return fnprepatch_196.call(this, EndRoll, bUpdateMesh) }; } catch (e) {};
try { let fnprepatch_197 = SplineMeshComponent.prototype.SetEndPosition;SplineMeshComponent.prototype.SetEndPosition = function (EndPos, bUpdateMesh = true) { return fnprepatch_197.call(this, EndPos, bUpdateMesh) }; } catch (e) {};
try { let fnprepatch_198 = SplineMeshComponent.prototype.SetEndOffset;SplineMeshComponent.prototype.SetEndOffset = function (EndOffset, bUpdateMesh = true) { return fnprepatch_198.call(this, EndOffset, bUpdateMesh) }; } catch (e) {};
try { let fnprepatch_199 = SplineMeshComponent.prototype.SetBoundaryMin;SplineMeshComponent.prototype.SetBoundaryMin = function (InBoundaryMin, bUpdateMesh = true) { return fnprepatch_199.call(this, InBoundaryMin, bUpdateMesh) }; } catch (e) {};
try { let fnprepatch_200 = SplineMeshComponent.prototype.SetBoundaryMax;SplineMeshComponent.prototype.SetBoundaryMax = function (InBoundaryMax, bUpdateMesh = true) { return fnprepatch_200.call(this, InBoundaryMax, bUpdateMesh) }; } catch (e) {};
try { let fnprepatch_201 = BoxComponent.prototype.SetBoxExtent;BoxComponent.prototype.SetBoxExtent = function (InBoxExtent, bUpdateOverlaps = true) { return fnprepatch_201.call(this, InBoxExtent, bUpdateOverlaps) }; } catch (e) {};
try { let fnprepatch_202 = CapsuleComponent.prototype.SetCapsuleSize;CapsuleComponent.prototype.SetCapsuleSize = function (InRadius, InHalfHeight, bUpdateOverlaps = true) { return fnprepatch_202.call(this, InRadius, InHalfHeight, bUpdateOverlaps) }; } catch (e) {};
try { let fnprepatch_203 = CapsuleComponent.prototype.SetCapsuleRadius;CapsuleComponent.prototype.SetCapsuleRadius = function (Radius, bUpdateOverlaps = true) { return fnprepatch_203.call(this, Radius, bUpdateOverlaps) }; } catch (e) {};
try { let fnprepatch_204 = CapsuleComponent.prototype.SetCapsuleHalfHeight;CapsuleComponent.prototype.SetCapsuleHalfHeight = function (HalfHeight, bUpdateOverlaps = true) { return fnprepatch_204.call(this, HalfHeight, bUpdateOverlaps) }; } catch (e) {};
try { let fnprepatch_205 = SphereComponent.prototype.SetSphereRadius;SphereComponent.prototype.SetSphereRadius = function (InSphereRadius, bUpdateOverlaps = true) { return fnprepatch_205.call(this, InSphereRadius, bUpdateOverlaps) }; } catch (e) {};
try { let fnprepatch_206 = SplineComponent.prototype.SetUpVectorAtSplinePoint;SplineComponent.prototype.SetUpVectorAtSplinePoint = function (PointIndex, InUpVector, CoordinateSpace, bUpdateSpline = true) { return fnprepatch_206.call(this, PointIndex, InUpVector, CoordinateSpace, bUpdateSpline) }; } catch (e) {};
try { let fnprepatch_207 = SplineComponent.prototype.SetTangentsAtSplinePoint;SplineComponent.prototype.SetTangentsAtSplinePoint = function (PointIndex, InArriveTangent, InLeaveTangent, CoordinateSpace, bUpdateSpline = true) { return fnprepatch_207.call(this, PointIndex, InArriveTangent, InLeaveTangent, CoordinateSpace, bUpdateSpline) }; } catch (e) {};
try { let fnprepatch_208 = SplineComponent.prototype.SetTangentAtSplinePoint;SplineComponent.prototype.SetTangentAtSplinePoint = function (PointIndex, InTangent, CoordinateSpace, bUpdateSpline = true) { return fnprepatch_208.call(this, PointIndex, InTangent, CoordinateSpace, bUpdateSpline) }; } catch (e) {};
try { let fnprepatch_209 = SplineComponent.prototype.SetSplinePointType;SplineComponent.prototype.SetSplinePointType = function (PointIndex, Type, bUpdateSpline = true) { return fnprepatch_209.call(this, PointIndex, Type, bUpdateSpline) }; } catch (e) {};
try { let fnprepatch_210 = SplineComponent.prototype.SetSplinePoints;SplineComponent.prototype.SetSplinePoints = function (Points, CoordinateSpace, bUpdateSpline = true) { return fnprepatch_210.call(this, Points, CoordinateSpace, bUpdateSpline) }; } catch (e) {};
try { let fnprepatch_211 = SplineComponent.prototype.SetLocationAtSplinePoint;SplineComponent.prototype.SetLocationAtSplinePoint = function (PointIndex, InLocation, CoordinateSpace, bUpdateSpline = true) { return fnprepatch_211.call(this, PointIndex, InLocation, CoordinateSpace, bUpdateSpline) }; } catch (e) {};
try { let fnprepatch_212 = SplineComponent.prototype.SetClosedLoopAtPosition;SplineComponent.prototype.SetClosedLoopAtPosition = function (bInClosedLoop, Key, bUpdateSpline = true) { return fnprepatch_212.call(this, bInClosedLoop, Key, bUpdateSpline) }; } catch (e) {};
try { let fnprepatch_213 = SplineComponent.prototype.SetClosedLoop;SplineComponent.prototype.SetClosedLoop = function (bInClosedLoop, bUpdateSpline = true) { return fnprepatch_213.call(this, bInClosedLoop, bUpdateSpline) }; } catch (e) {};
try { let fnprepatch_214 = SplineComponent.prototype.RemoveSplinePoint;SplineComponent.prototype.RemoveSplinePoint = function (Index, bUpdateSpline = true) { return fnprepatch_214.call(this, Index, bUpdateSpline) }; } catch (e) {};
try { let fnprepatch_215 = SplineComponent.prototype.GetWorldRotationAtTime;SplineComponent.prototype.GetWorldRotationAtTime = function (Time, bUseConstantVelocity = false) { return fnprepatch_215.call(this, Time, bUseConstantVelocity) }; } catch (e) {};
try { let fnprepatch_216 = SplineComponent.prototype.GetWorldLocationAtTime;SplineComponent.prototype.GetWorldLocationAtTime = function (Time, bUseConstantVelocity = false) { return fnprepatch_216.call(this, Time, bUseConstantVelocity) }; } catch (e) {};
try { let fnprepatch_217 = SplineComponent.prototype.GetWorldDirectionAtTime;SplineComponent.prototype.GetWorldDirectionAtTime = function (Time, bUseConstantVelocity = false) { return fnprepatch_217.call(this, Time, bUseConstantVelocity) }; } catch (e) {};
try { let fnprepatch_218 = SplineComponent.prototype.GetUpVectorAtTime;SplineComponent.prototype.GetUpVectorAtTime = function (Time, CoordinateSpace, bUseConstantVelocity = false) { return fnprepatch_218.call(this, Time, CoordinateSpace, bUseConstantVelocity) }; } catch (e) {};
try { let fnprepatch_219 = SplineComponent.prototype.GetTransformAtTime;SplineComponent.prototype.GetTransformAtTime = function (Time, CoordinateSpace, bUseConstantVelocity = false, bUseScale = false) { return fnprepatch_219.call(this, Time, CoordinateSpace, bUseConstantVelocity, bUseScale) }; } catch (e) {};
try { let fnprepatch_220 = SplineComponent.prototype.GetTransformAtSplinePoint;SplineComponent.prototype.GetTransformAtSplinePoint = function (PointIndex, CoordinateSpace, bUseScale = false) { return fnprepatch_220.call(this, PointIndex, CoordinateSpace, bUseScale) }; } catch (e) {};
try { let fnprepatch_221 = SplineComponent.prototype.GetTransformAtDistanceAlongSpline;SplineComponent.prototype.GetTransformAtDistanceAlongSpline = function (Distance, CoordinateSpace, bUseScale = false) { return fnprepatch_221.call(this, Distance, CoordinateSpace, bUseScale) }; } catch (e) {};
try { let fnprepatch_222 = SplineComponent.prototype.GetTangentAtTime;SplineComponent.prototype.GetTangentAtTime = function (Time, CoordinateSpace, bUseConstantVelocity = false) { return fnprepatch_222.call(this, Time, CoordinateSpace, bUseConstantVelocity) }; } catch (e) {};
try { let fnprepatch_223 = SplineComponent.prototype.GetScaleAtTime;SplineComponent.prototype.GetScaleAtTime = function (Time, bUseConstantVelocity = false) { return fnprepatch_223.call(this, Time, bUseConstantVelocity) }; } catch (e) {};
try { let fnprepatch_224 = SplineComponent.prototype.GetRotationAtTime;SplineComponent.prototype.GetRotationAtTime = function (Time, CoordinateSpace, bUseConstantVelocity = false) { return fnprepatch_224.call(this, Time, CoordinateSpace, bUseConstantVelocity) }; } catch (e) {};
try { let fnprepatch_225 = SplineComponent.prototype.GetRollAtTime;SplineComponent.prototype.GetRollAtTime = function (Time, CoordinateSpace, bUseConstantVelocity = false) { return fnprepatch_225.call(this, Time, CoordinateSpace, bUseConstantVelocity) }; } catch (e) {};
try { let fnprepatch_226 = SplineComponent.prototype.GetRightVectorAtTime;SplineComponent.prototype.GetRightVectorAtTime = function (Time, CoordinateSpace, bUseConstantVelocity = false) { return fnprepatch_226.call(this, Time, CoordinateSpace, bUseConstantVelocity) }; } catch (e) {};
try { let fnprepatch_227 = SplineComponent.prototype.GetLocationAtTime;SplineComponent.prototype.GetLocationAtTime = function (Time, CoordinateSpace, bUseConstantVelocity = false) { return fnprepatch_227.call(this, Time, CoordinateSpace, bUseConstantVelocity) }; } catch (e) {};
try { let fnprepatch_228 = SplineComponent.prototype.GetDirectionAtTime;SplineComponent.prototype.GetDirectionAtTime = function (Time, CoordinateSpace, bUseConstantVelocity = false) { return fnprepatch_228.call(this, Time, CoordinateSpace, bUseConstantVelocity) }; } catch (e) {};
try { let fnprepatch_229 = SplineComponent.prototype.FindTransformClosestToWorldLocation;SplineComponent.prototype.FindTransformClosestToWorldLocation = function (WorldLocation, CoordinateSpace, bUseScale = false) { return fnprepatch_229.call(this, WorldLocation, CoordinateSpace, bUseScale) }; } catch (e) {};
try { let fnprepatch_230 = SplineComponent.prototype.ClearSplinePoints;SplineComponent.prototype.ClearSplinePoints = function (bUpdateSpline = true) { return fnprepatch_230.call(this, bUpdateSpline) }; } catch (e) {};
try { let fnprepatch_231 = SplineComponent.prototype.AddSplinePointAtIndex;SplineComponent.prototype.AddSplinePointAtIndex = function (Position, Index, CoordinateSpace, bUpdateSpline = true) { return fnprepatch_231.call(this, Position, Index, CoordinateSpace, bUpdateSpline) }; } catch (e) {};
try { let fnprepatch_232 = SplineComponent.prototype.AddSplinePoint;SplineComponent.prototype.AddSplinePoint = function (Position, CoordinateSpace, bUpdateSpline = true) { return fnprepatch_232.call(this, Position, CoordinateSpace, bUpdateSpline) }; } catch (e) {};
try { let fnprepatch_233 = SplineComponent.prototype.AddPoints;SplineComponent.prototype.AddPoints = function (Points, bUpdateSpline = true) { return fnprepatch_233.call(this, Points, bUpdateSpline) }; } catch (e) {};
try { let fnprepatch_234 = SplineComponent.prototype.AddPoint;SplineComponent.prototype.AddPoint = function (Point, bUpdateSpline = true) { return fnprepatch_234.call(this, Point, bUpdateSpline) }; } catch (e) {};
try { TextRenderComponent.prototype.SetText = TextRenderComponent.prototype.K2_SetText; } catch (e) {};
try { let fnprepatch_235 = SceneCaptureComponent2D.prototype.AddOrUpdateBlendable;SceneCaptureComponent2D.prototype.AddOrUpdateBlendable = function (InBlendableObject, InWeight = 1) { return fnprepatch_235.call(this, InBlendableObject, InWeight) }; } catch (e) {};
try { let fnprepatch_236 = TimelineComponent.prototype.SetPlaybackPosition;TimelineComponent.prototype.SetPlaybackPosition = function (NewPosition, bFireEvents, bFireUpdate = true) { return fnprepatch_236.call(this, NewPosition, bFireEvents, bFireUpdate) }; } catch (e) {};
try { let fnprepatch_237 = AvoidanceManager.prototype.RegisterMovementComponent;AvoidanceManager.prototype.RegisterMovementComponent = function (MovementComp, AvoidanceWeight = 0.5) { return fnprepatch_237.call(this, MovementComp, AvoidanceWeight) }; } catch (e) {};
try { BlueprintMapLibrary.prototype.Values = BlueprintMapLibrary.prototype.Map_Values; } catch (e) {};
try { BlueprintMapLibrary.Values = BlueprintMapLibrary.Map_Values; } catch (e) {};
try { BlueprintMapLibrary.prototype.Remove = BlueprintMapLibrary.prototype.Map_Remove; } catch (e) {};
try { BlueprintMapLibrary.Remove = BlueprintMapLibrary.Map_Remove; } catch (e) {};
try { BlueprintMapLibrary.prototype.Length = BlueprintMapLibrary.prototype.Map_Length; } catch (e) {};
try { BlueprintMapLibrary.Length = BlueprintMapLibrary.Map_Length; } catch (e) {};
try { BlueprintMapLibrary.prototype.Keys = BlueprintMapLibrary.prototype.Map_Keys; } catch (e) {};
try { BlueprintMapLibrary.Keys = BlueprintMapLibrary.Map_Keys; } catch (e) {};
try { BlueprintMapLibrary.prototype.Find = BlueprintMapLibrary.prototype.Map_Find; } catch (e) {};
try { BlueprintMapLibrary.Find = BlueprintMapLibrary.Map_Find; } catch (e) {};
try { BlueprintMapLibrary.prototype.Contains = BlueprintMapLibrary.prototype.Map_Contains; } catch (e) {};
try { BlueprintMapLibrary.Contains = BlueprintMapLibrary.Map_Contains; } catch (e) {};
try { BlueprintMapLibrary.prototype.Clear = BlueprintMapLibrary.prototype.Map_Clear; } catch (e) {};
try { BlueprintMapLibrary.Clear = BlueprintMapLibrary.Map_Clear; } catch (e) {};
try { BlueprintMapLibrary.prototype.Add = BlueprintMapLibrary.prototype.Map_Add; } catch (e) {};
try { BlueprintMapLibrary.Add = BlueprintMapLibrary.Map_Add; } catch (e) {};
try { GameInstance.prototype.Shutdown = GameInstance.prototype.ReceiveShutdown; } catch (e) {};
try { GameInstance.prototype.Init = GameInstance.prototype.ReceiveInit; } catch (e) {};
try { GameInstance.prototype.TravelError = GameInstance.prototype.HandleTravelError; } catch (e) {};
try { GameInstance.prototype.NetworkError = GameInstance.prototype.HandleNetworkError; } catch (e) {};
try { BlueprintSetLibrary.prototype.Union = BlueprintSetLibrary.prototype.Set_Union; } catch (e) {};
try { BlueprintSetLibrary.Union = BlueprintSetLibrary.Set_Union; } catch (e) {};
try { BlueprintSetLibrary.prototype.ToArray = BlueprintSetLibrary.prototype.Set_ToArray; } catch (e) {};
try { BlueprintSetLibrary.ToArray = BlueprintSetLibrary.Set_ToArray; } catch (e) {};
try { BlueprintSetLibrary.prototype.RemoveItems = BlueprintSetLibrary.prototype.Set_RemoveItems; } catch (e) {};
try { BlueprintSetLibrary.RemoveItems = BlueprintSetLibrary.Set_RemoveItems; } catch (e) {};
try { BlueprintSetLibrary.prototype.Remove = BlueprintSetLibrary.prototype.Set_Remove; } catch (e) {};
try { BlueprintSetLibrary.Remove = BlueprintSetLibrary.Set_Remove; } catch (e) {};
try { BlueprintSetLibrary.prototype.Length = BlueprintSetLibrary.prototype.Set_Length; } catch (e) {};
try { BlueprintSetLibrary.Length = BlueprintSetLibrary.Set_Length; } catch (e) {};
try { BlueprintSetLibrary.prototype.Intersection = BlueprintSetLibrary.prototype.Set_Intersection; } catch (e) {};
try { BlueprintSetLibrary.Intersection = BlueprintSetLibrary.Set_Intersection; } catch (e) {};
try { BlueprintSetLibrary.prototype.Difference = BlueprintSetLibrary.prototype.Set_Difference; } catch (e) {};
try { BlueprintSetLibrary.Difference = BlueprintSetLibrary.Set_Difference; } catch (e) {};
try { BlueprintSetLibrary.prototype.ContainsItem = BlueprintSetLibrary.prototype.Set_Contains; } catch (e) {};
try { BlueprintSetLibrary.ContainsItem = BlueprintSetLibrary.Set_Contains; } catch (e) {};
try { BlueprintSetLibrary.prototype.Clear = BlueprintSetLibrary.prototype.Set_Clear; } catch (e) {};
try { BlueprintSetLibrary.Clear = BlueprintSetLibrary.Set_Clear; } catch (e) {};
try { BlueprintSetLibrary.prototype.AddItems = BlueprintSetLibrary.prototype.Set_AddItems; } catch (e) {};
try { BlueprintSetLibrary.AddItems = BlueprintSetLibrary.Set_AddItems; } catch (e) {};
try { BlueprintSetLibrary.prototype.Add = BlueprintSetLibrary.prototype.Set_Add; } catch (e) {};
try { BlueprintSetLibrary.Add = BlueprintSetLibrary.Set_Add; } catch (e) {};
try { let fnprepatch_238 = KismetSystemLibrary.prototype.SphereTraceSingleForObjects;KismetSystemLibrary.prototype.SphereTraceSingleForObjects = function (WorldContextObject, Start, End, Radius, ObjectTypes, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHit, bIgnoreSelf, TraceColor = {"R":1,"G":0,"B":0,"A":1}, TraceHitColor = {"R":0,"G":1,"B":0,"A":1}, DrawTime = 5) { return fnprepatch_238.call(this, WorldContextObject, Start, End, Radius, ObjectTypes, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHit, bIgnoreSelf, TraceColor, TraceHitColor, DrawTime) }; } catch (e) {};
try { let fnprepatch_239 = KismetSystemLibrary.prototype.SphereTraceSingle;KismetSystemLibrary.prototype.SphereTraceSingle = function (WorldContextObject, Start, End, Radius, TraceChannel, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHit, bIgnoreSelf, TraceColor = {"R":1,"G":0,"B":0,"A":1}, TraceHitColor = {"R":0,"G":1,"B":0,"A":1}, DrawTime = 5) { return fnprepatch_239.call(this, WorldContextObject, Start, End, Radius, TraceChannel, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHit, bIgnoreSelf, TraceColor, TraceHitColor, DrawTime) }; } catch (e) {};
try { let fnprepatch_240 = KismetSystemLibrary.prototype.SphereTraceMultiForObjects;KismetSystemLibrary.prototype.SphereTraceMultiForObjects = function (WorldContextObject, Start, End, Radius, ObjectTypes, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHits, bIgnoreSelf, TraceColor = {"R":1,"G":0,"B":0,"A":1}, TraceHitColor = {"R":0,"G":1,"B":0,"A":1}, DrawTime = 5) { return fnprepatch_240.call(this, WorldContextObject, Start, End, Radius, ObjectTypes, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHits, bIgnoreSelf, TraceColor, TraceHitColor, DrawTime) }; } catch (e) {};
try { let fnprepatch_241 = KismetSystemLibrary.prototype.SphereTraceMulti;KismetSystemLibrary.prototype.SphereTraceMulti = function (WorldContextObject, Start, End, Radius, TraceChannel, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHits, bIgnoreSelf, TraceColor = {"R":1,"G":0,"B":0,"A":1}, TraceHitColor = {"R":0,"G":1,"B":0,"A":1}, DrawTime = 5) { return fnprepatch_241.call(this, WorldContextObject, Start, End, Radius, TraceChannel, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHits, bIgnoreSelf, TraceColor, TraceHitColor, DrawTime) }; } catch (e) {};
try { let fnprepatch_242 = KismetSystemLibrary.prototype.PrintText;KismetSystemLibrary.prototype.PrintText = function (WorldContextObject, InText = "Hello", bPrintToScreen = true, bPrintToLog = true, TextColor = {"R":0,"G":0.6600000262260437,"B":1,"A":1}, Duration = 2) { return fnprepatch_242.call(this, WorldContextObject, InText, bPrintToScreen, bPrintToLog, TextColor, Duration) }; } catch (e) {};
try { let fnprepatch_243 = KismetSystemLibrary.prototype.PrintString;KismetSystemLibrary.prototype.PrintString = function (WorldContextObject, InString = "Hello", bPrintToScreen = true, bPrintToLog = true, TextColor = {"R":0,"G":0.6600000262260437,"B":1,"A":1}, Duration = 2) { return fnprepatch_243.call(this, WorldContextObject, InString, bPrintToScreen, bPrintToLog, TextColor, Duration) }; } catch (e) {};
try { let fnprepatch_244 = KismetSystemLibrary.prototype.LineTraceSingleForObjects;KismetSystemLibrary.prototype.LineTraceSingleForObjects = function (WorldContextObject, Start, End, ObjectTypes, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHit, bIgnoreSelf, TraceColor = {"R":1,"G":0,"B":0,"A":1}, TraceHitColor = {"R":0,"G":1,"B":0,"A":1}, DrawTime = 5) { return fnprepatch_244.call(this, WorldContextObject, Start, End, ObjectTypes, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHit, bIgnoreSelf, TraceColor, TraceHitColor, DrawTime) }; } catch (e) {};
try { let fnprepatch_245 = KismetSystemLibrary.prototype.LineTraceSingle;KismetSystemLibrary.prototype.LineTraceSingle = function (WorldContextObject, Start, End, TraceChannel, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHit, bIgnoreSelf, TraceColor = {"R":1,"G":0,"B":0,"A":1}, TraceHitColor = {"R":0,"G":1,"B":0,"A":1}, DrawTime = 5) { return fnprepatch_245.call(this, WorldContextObject, Start, End, TraceChannel, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHit, bIgnoreSelf, TraceColor, TraceHitColor, DrawTime) }; } catch (e) {};
try { let fnprepatch_246 = KismetSystemLibrary.prototype.LineTraceMultiForObjects;KismetSystemLibrary.prototype.LineTraceMultiForObjects = function (WorldContextObject, Start, End, ObjectTypes, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHits, bIgnoreSelf, TraceColor = {"R":1,"G":0,"B":0,"A":1}, TraceHitColor = {"R":0,"G":1,"B":0,"A":1}, DrawTime = 5) { return fnprepatch_246.call(this, WorldContextObject, Start, End, ObjectTypes, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHits, bIgnoreSelf, TraceColor, TraceHitColor, DrawTime) }; } catch (e) {};
try { let fnprepatch_247 = KismetSystemLibrary.prototype.LineTraceMulti;KismetSystemLibrary.prototype.LineTraceMulti = function (WorldContextObject, Start, End, TraceChannel, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHits, bIgnoreSelf, TraceColor = {"R":1,"G":0,"B":0,"A":1}, TraceHitColor = {"R":0,"G":1,"B":0,"A":1}, DrawTime = 5) { return fnprepatch_247.call(this, WorldContextObject, Start, End, TraceChannel, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHits, bIgnoreSelf, TraceColor, TraceHitColor, DrawTime) }; } catch (e) {};
try { let fnprepatch_248 = KismetSystemLibrary.prototype.DrawDebugString;KismetSystemLibrary.prototype.DrawDebugString = function (WorldContextObject, TextLocation, Text, TestBaseActor, TextColor = {"R":1,"G":1,"B":1,"A":1}, Duration = 0) { return fnprepatch_248.call(this, WorldContextObject, TextLocation, Text, TestBaseActor, TextColor, Duration) }; } catch (e) {};
try { let fnprepatch_249 = KismetSystemLibrary.prototype.DrawDebugSphere;KismetSystemLibrary.prototype.DrawDebugSphere = function (WorldContextObject, Center, Radius = 100, Segments = 12, LineColor = {"R":1,"G":1,"B":1,"A":1}, Duration = 0, Thickness = 0) { return fnprepatch_249.call(this, WorldContextObject, Center, Radius, Segments, LineColor, Duration, Thickness) }; } catch (e) {};
try { let fnprepatch_250 = KismetSystemLibrary.prototype.DrawDebugPoint;KismetSystemLibrary.prototype.DrawDebugPoint = function (WorldContextObject, Position, Size, PointColor, Duration = 0) { return fnprepatch_250.call(this, WorldContextObject, Position, Size, PointColor, Duration) }; } catch (e) {};
try { let fnprepatch_251 = KismetSystemLibrary.prototype.DrawDebugPlane;KismetSystemLibrary.prototype.DrawDebugPlane = function (WorldContextObject, PlaneCoordinates, Location, Size, PlaneColor = {"R":1,"G":1,"B":1,"A":1}, Duration = 0) { return fnprepatch_251.call(this, WorldContextObject, PlaneCoordinates, Location, Size, PlaneColor, Duration) }; } catch (e) {};
try { let fnprepatch_252 = KismetSystemLibrary.prototype.DrawDebugLine;KismetSystemLibrary.prototype.DrawDebugLine = function (WorldContextObject, LineStart, LineEnd, LineColor, Duration = 0, Thickness = 0) { return fnprepatch_252.call(this, WorldContextObject, LineStart, LineEnd, LineColor, Duration, Thickness) }; } catch (e) {};
try { let fnprepatch_253 = KismetSystemLibrary.prototype.DrawDebugFrustum;KismetSystemLibrary.prototype.DrawDebugFrustum = function (WorldContextObject, FrustumTransform, FrustumColor = {"R":1,"G":1,"B":1,"A":1}, Duration = 0, Thickness = 0) { return fnprepatch_253.call(this, WorldContextObject, FrustumTransform, FrustumColor, Duration, Thickness) }; } catch (e) {};
try { let fnprepatch_254 = KismetSystemLibrary.prototype.DrawDebugFloatHistoryTransform;KismetSystemLibrary.prototype.DrawDebugFloatHistoryTransform = function (WorldContextObject, FloatHistory, DrawTransform, DrawSize, DrawColor = {"R":1,"G":1,"B":1,"A":1}, Duration = 0) { return fnprepatch_254.call(this, WorldContextObject, FloatHistory, DrawTransform, DrawSize, DrawColor, Duration) }; } catch (e) {};
try { let fnprepatch_255 = KismetSystemLibrary.prototype.DrawDebugFloatHistoryLocation;KismetSystemLibrary.prototype.DrawDebugFloatHistoryLocation = function (WorldContextObject, FloatHistory, DrawLocation, DrawSize, DrawColor = {"R":1,"G":1,"B":1,"A":1}, Duration = 0) { return fnprepatch_255.call(this, WorldContextObject, FloatHistory, DrawLocation, DrawSize, DrawColor, Duration) }; } catch (e) {};
try { let fnprepatch_256 = KismetSystemLibrary.prototype.DrawDebugCylinder;KismetSystemLibrary.prototype.DrawDebugCylinder = function (WorldContextObject, Start, End, Radius = 100, Segments = 12, LineColor = {"R":1,"G":1,"B":1,"A":1}, Duration = 0, Thickness = 0) { return fnprepatch_256.call(this, WorldContextObject, Start, End, Radius, Segments, LineColor, Duration, Thickness) }; } catch (e) {};
try { let fnprepatch_257 = KismetSystemLibrary.prototype.DrawDebugCoordinateSystem;KismetSystemLibrary.prototype.DrawDebugCoordinateSystem = function (WorldContextObject, AxisLoc, AxisRot, Scale = 1, Duration = 0, Thickness = 0) { return fnprepatch_257.call(this, WorldContextObject, AxisLoc, AxisRot, Scale, Duration, Thickness) }; } catch (e) {};
try { let fnprepatch_258 = KismetSystemLibrary.prototype.DrawDebugConeInDegrees;KismetSystemLibrary.prototype.DrawDebugConeInDegrees = function (WorldContextObject, Origin, Direction, Length = 100, AngleWidth = 45, AngleHeight = 45, NumSides = 12, LineColor = {"R":1,"G":1,"B":1,"A":1}, Duration = 0, Thickness = 0) { return fnprepatch_258.call(this, WorldContextObject, Origin, Direction, Length, AngleWidth, AngleHeight, NumSides, LineColor, Duration, Thickness) }; } catch (e) {};
try { let fnprepatch_259 = KismetSystemLibrary.prototype.DrawDebugCone;KismetSystemLibrary.prototype.DrawDebugCone = function (WorldContextObject, Origin, Direction, Length, AngleWidth, AngleHeight, NumSides, LineColor, Duration = 0, Thickness = 0) { return fnprepatch_259.call(this, WorldContextObject, Origin, Direction, Length, AngleWidth, AngleHeight, NumSides, LineColor, Duration, Thickness) }; } catch (e) {};
try { let fnprepatch_260 = KismetSystemLibrary.prototype.DrawDebugCircle;KismetSystemLibrary.prototype.DrawDebugCircle = function (WorldContextObject, Center, Radius, NumSegments = 12, LineColor = {"R":1,"G":1,"B":1,"A":1}, Duration = 0, Thickness = 0, YAxis, ZAxis, bDrawAxis = false) { return fnprepatch_260.call(this, WorldContextObject, Center, Radius, NumSegments, LineColor, Duration, Thickness, YAxis, ZAxis, bDrawAxis) }; } catch (e) {};
try { let fnprepatch_261 = KismetSystemLibrary.prototype.DrawDebugCapsule;KismetSystemLibrary.prototype.DrawDebugCapsule = function (WorldContextObject, Center, HalfHeight, Radius, Rotation, LineColor = {"R":1,"G":1,"B":1,"A":1}, Duration = 0, Thickness = 0) { return fnprepatch_261.call(this, WorldContextObject, Center, HalfHeight, Radius, Rotation, LineColor, Duration, Thickness) }; } catch (e) {};
try { let fnprepatch_262 = KismetSystemLibrary.prototype.DrawDebugCamera;KismetSystemLibrary.prototype.DrawDebugCamera = function (CameraActor, CameraColor = {"R":1,"G":1,"B":1,"A":1}, Duration = 0) { return fnprepatch_262.call(this, CameraActor, CameraColor, Duration) }; } catch (e) {};
try { let fnprepatch_263 = KismetSystemLibrary.prototype.DrawDebugBox;KismetSystemLibrary.prototype.DrawDebugBox = function (WorldContextObject, Center, Extent, LineColor, Rotation, Duration = 0, Thickness = 0) { return fnprepatch_263.call(this, WorldContextObject, Center, Extent, LineColor, Rotation, Duration, Thickness) }; } catch (e) {};
try { let fnprepatch_264 = KismetSystemLibrary.prototype.DrawDebugArrow;KismetSystemLibrary.prototype.DrawDebugArrow = function (WorldContextObject, LineStart, LineEnd, ArrowSize, LineColor, Duration = 0, Thickness = 0) { return fnprepatch_264.call(this, WorldContextObject, LineStart, LineEnd, ArrowSize, LineColor, Duration, Thickness) }; } catch (e) {};
try { let fnprepatch_265 = KismetSystemLibrary.prototype.CapsuleTraceSingleForObjects;KismetSystemLibrary.prototype.CapsuleTraceSingleForObjects = function (WorldContextObject, Start, End, Radius, HalfHeight, ObjectTypes, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHit, bIgnoreSelf, TraceColor = {"R":1,"G":0,"B":0,"A":1}, TraceHitColor = {"R":0,"G":1,"B":0,"A":1}, DrawTime = 5) { return fnprepatch_265.call(this, WorldContextObject, Start, End, Radius, HalfHeight, ObjectTypes, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHit, bIgnoreSelf, TraceColor, TraceHitColor, DrawTime) }; } catch (e) {};
try { let fnprepatch_266 = KismetSystemLibrary.prototype.CapsuleTraceSingle;KismetSystemLibrary.prototype.CapsuleTraceSingle = function (WorldContextObject, Start, End, Radius, HalfHeight, TraceChannel, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHit, bIgnoreSelf, TraceColor = {"R":1,"G":0,"B":0,"A":1}, TraceHitColor = {"R":0,"G":1,"B":0,"A":1}, DrawTime = 5) { return fnprepatch_266.call(this, WorldContextObject, Start, End, Radius, HalfHeight, TraceChannel, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHit, bIgnoreSelf, TraceColor, TraceHitColor, DrawTime) }; } catch (e) {};
try { let fnprepatch_267 = KismetSystemLibrary.prototype.CapsuleTraceMultiForObjects;KismetSystemLibrary.prototype.CapsuleTraceMultiForObjects = function (WorldContextObject, Start, End, Radius, HalfHeight, ObjectTypes, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHits, bIgnoreSelf, TraceColor = {"R":1,"G":0,"B":0,"A":1}, TraceHitColor = {"R":0,"G":1,"B":0,"A":1}, DrawTime = 5) { return fnprepatch_267.call(this, WorldContextObject, Start, End, Radius, HalfHeight, ObjectTypes, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHits, bIgnoreSelf, TraceColor, TraceHitColor, DrawTime) }; } catch (e) {};
try { let fnprepatch_268 = KismetSystemLibrary.prototype.CapsuleTraceMulti;KismetSystemLibrary.prototype.CapsuleTraceMulti = function (WorldContextObject, Start, End, Radius, HalfHeight, TraceChannel, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHits, bIgnoreSelf, TraceColor = {"R":1,"G":0,"B":0,"A":1}, TraceHitColor = {"R":0,"G":1,"B":0,"A":1}, DrawTime = 5) { return fnprepatch_268.call(this, WorldContextObject, Start, End, Radius, HalfHeight, TraceChannel, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHits, bIgnoreSelf, TraceColor, TraceHitColor, DrawTime) }; } catch (e) {};
try { let fnprepatch_269 = KismetSystemLibrary.prototype.BoxTraceSingleForObjects;KismetSystemLibrary.prototype.BoxTraceSingleForObjects = function (WorldContextObject, Start, End, HalfSize, Orientation, ObjectTypes, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHit, bIgnoreSelf, TraceColor = {"R":1,"G":0,"B":0,"A":1}, TraceHitColor = {"R":0,"G":1,"B":0,"A":1}, DrawTime = 5) { return fnprepatch_269.call(this, WorldContextObject, Start, End, HalfSize, Orientation, ObjectTypes, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHit, bIgnoreSelf, TraceColor, TraceHitColor, DrawTime) }; } catch (e) {};
try { let fnprepatch_270 = KismetSystemLibrary.prototype.BoxTraceSingle;KismetSystemLibrary.prototype.BoxTraceSingle = function (WorldContextObject, Start, End, HalfSize, Orientation, TraceChannel, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHit, bIgnoreSelf, TraceColor = {"R":1,"G":0,"B":0,"A":1}, TraceHitColor = {"R":0,"G":1,"B":0,"A":1}, DrawTime = 5) { return fnprepatch_270.call(this, WorldContextObject, Start, End, HalfSize, Orientation, TraceChannel, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHit, bIgnoreSelf, TraceColor, TraceHitColor, DrawTime) }; } catch (e) {};
try { let fnprepatch_271 = KismetSystemLibrary.prototype.BoxTraceMultiForObjects;KismetSystemLibrary.prototype.BoxTraceMultiForObjects = function (WorldContextObject, Start, End, HalfSize, Orientation, ObjectTypes, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHits, bIgnoreSelf, TraceColor = {"R":1,"G":0,"B":0,"A":1}, TraceHitColor = {"R":0,"G":1,"B":0,"A":1}, DrawTime = 5) { return fnprepatch_271.call(this, WorldContextObject, Start, End, HalfSize, Orientation, ObjectTypes, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHits, bIgnoreSelf, TraceColor, TraceHitColor, DrawTime) }; } catch (e) {};
try { let fnprepatch_272 = KismetSystemLibrary.prototype.BoxTraceMulti;KismetSystemLibrary.prototype.BoxTraceMulti = function (WorldContextObject, Start, End, HalfSize, Orientation, TraceChannel, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHits, bIgnoreSelf, TraceColor = {"R":1,"G":0,"B":0,"A":1}, TraceHitColor = {"R":0,"G":1,"B":0,"A":1}, DrawTime = 5) { return fnprepatch_272.call(this, WorldContextObject, Start, End, HalfSize, Orientation, TraceChannel, bTraceComplex, ActorsToIgnore, DrawDebugType, OutHits, bIgnoreSelf, TraceColor, TraceHitColor, DrawTime) }; } catch (e) {};
try { KismetSystemLibrary.prototype.SphereTraceForObjects = KismetSystemLibrary.prototype.SphereTraceSingleForObjects; } catch (e) {};
try { KismetSystemLibrary.SphereTraceForObjects = KismetSystemLibrary.SphereTraceSingleForObjects; } catch (e) {};
try { KismetSystemLibrary.prototype.SphereTraceByChannel = KismetSystemLibrary.prototype.SphereTraceSingle; } catch (e) {};
try { KismetSystemLibrary.SphereTraceByChannel = KismetSystemLibrary.SphereTraceSingle; } catch (e) {};
try { KismetSystemLibrary.prototype.MultiSphereTraceForObjects = KismetSystemLibrary.prototype.SphereTraceMultiForObjects; } catch (e) {};
try { KismetSystemLibrary.MultiSphereTraceForObjects = KismetSystemLibrary.SphereTraceMultiForObjects; } catch (e) {};
try { KismetSystemLibrary.prototype.MultiSphereTraceByChannel = KismetSystemLibrary.prototype.SphereTraceMulti; } catch (e) {};
try { KismetSystemLibrary.MultiSphereTraceByChannel = KismetSystemLibrary.SphereTraceMulti; } catch (e) {};
try { KismetSystemLibrary.prototype.LineTraceForObjects = KismetSystemLibrary.prototype.LineTraceSingleForObjects; } catch (e) {};
try { KismetSystemLibrary.LineTraceForObjects = KismetSystemLibrary.LineTraceSingleForObjects; } catch (e) {};
try { KismetSystemLibrary.prototype.LineTraceByChannel = KismetSystemLibrary.prototype.LineTraceSingle; } catch (e) {};
try { KismetSystemLibrary.LineTraceByChannel = KismetSystemLibrary.LineTraceSingle; } catch (e) {};
try { KismetSystemLibrary.prototype.MultiLineTraceForObjects = KismetSystemLibrary.prototype.LineTraceMultiForObjects; } catch (e) {};
try { KismetSystemLibrary.MultiLineTraceForObjects = KismetSystemLibrary.LineTraceMultiForObjects; } catch (e) {};
try { KismetSystemLibrary.prototype.MultiLineTraceByChannel = KismetSystemLibrary.prototype.LineTraceMulti; } catch (e) {};
try { KismetSystemLibrary.MultiLineTraceByChannel = KismetSystemLibrary.LineTraceMulti; } catch (e) {};
try { KismetSystemLibrary.prototype.UnpauseTimerbyHandle = KismetSystemLibrary.prototype.K2_UnPauseTimerHandle; } catch (e) {};
try { KismetSystemLibrary.UnpauseTimerbyHandle = KismetSystemLibrary.K2_UnPauseTimerHandle; } catch (e) {};
try { KismetSystemLibrary.prototype.UnpauseTimerbyFunctionName = KismetSystemLibrary.prototype.K2_UnPauseTimer; } catch (e) {};
try { KismetSystemLibrary.UnpauseTimerbyFunctionName = KismetSystemLibrary.K2_UnPauseTimer; } catch (e) {};
try { KismetSystemLibrary.prototype.DoesTimerExistbyHandle = KismetSystemLibrary.prototype.K2_TimerExistsHandle; } catch (e) {};
try { KismetSystemLibrary.DoesTimerExistbyHandle = KismetSystemLibrary.K2_TimerExistsHandle; } catch (e) {};
try { KismetSystemLibrary.prototype.DoesTimerExistbyFunctionName = KismetSystemLibrary.prototype.K2_TimerExists; } catch (e) {};
try { KismetSystemLibrary.DoesTimerExistbyFunctionName = KismetSystemLibrary.K2_TimerExists; } catch (e) {};
try { KismetSystemLibrary.prototype.SetTimerbyFunctionName = KismetSystemLibrary.prototype.K2_SetTimer; } catch (e) {};
try { KismetSystemLibrary.SetTimerbyFunctionName = KismetSystemLibrary.K2_SetTimer; } catch (e) {};
try { KismetSystemLibrary.prototype.PauseTimerbyHandle = KismetSystemLibrary.prototype.K2_PauseTimerHandle; } catch (e) {};
try { KismetSystemLibrary.PauseTimerbyHandle = KismetSystemLibrary.K2_PauseTimerHandle; } catch (e) {};
try { KismetSystemLibrary.prototype.PauseTimerbyFunctionName = KismetSystemLibrary.prototype.K2_PauseTimer; } catch (e) {};
try { KismetSystemLibrary.PauseTimerbyFunctionName = KismetSystemLibrary.K2_PauseTimer; } catch (e) {};
try { KismetSystemLibrary.prototype.IsValid = KismetSystemLibrary.prototype.K2_IsValidTimerHandle; } catch (e) {};
try { KismetSystemLibrary.IsValid = KismetSystemLibrary.K2_IsValidTimerHandle; } catch (e) {};
try { KismetSystemLibrary.prototype.IsTimerPausedbyHandle = KismetSystemLibrary.prototype.K2_IsTimerPausedHandle; } catch (e) {};
try { KismetSystemLibrary.IsTimerPausedbyHandle = KismetSystemLibrary.K2_IsTimerPausedHandle; } catch (e) {};
try { KismetSystemLibrary.prototype.IsTimerPausedbyFunctionName = KismetSystemLibrary.prototype.K2_IsTimerPaused; } catch (e) {};
try { KismetSystemLibrary.IsTimerPausedbyFunctionName = KismetSystemLibrary.K2_IsTimerPaused; } catch (e) {};
try { KismetSystemLibrary.prototype.IsTimerActivebyHandle = KismetSystemLibrary.prototype.K2_IsTimerActiveHandle; } catch (e) {};
try { KismetSystemLibrary.IsTimerActivebyHandle = KismetSystemLibrary.K2_IsTimerActiveHandle; } catch (e) {};
try { KismetSystemLibrary.prototype.IsTimerActivebyFunctionName = KismetSystemLibrary.prototype.K2_IsTimerActive; } catch (e) {};
try { KismetSystemLibrary.IsTimerActivebyFunctionName = KismetSystemLibrary.K2_IsTimerActive; } catch (e) {};
try { KismetSystemLibrary.prototype.Invalidate = KismetSystemLibrary.prototype.K2_InvalidateTimerHandle; } catch (e) {};
try { KismetSystemLibrary.Invalidate = KismetSystemLibrary.K2_InvalidateTimerHandle; } catch (e) {};
try { KismetSystemLibrary.prototype.GetTimerRemainingTimebyHandle = KismetSystemLibrary.prototype.K2_GetTimerRemainingTimeHandle; } catch (e) {};
try { KismetSystemLibrary.GetTimerRemainingTimebyHandle = KismetSystemLibrary.K2_GetTimerRemainingTimeHandle; } catch (e) {};
try { KismetSystemLibrary.prototype.GetTimerRemainingTimebyFunctionName = KismetSystemLibrary.prototype.K2_GetTimerRemainingTime; } catch (e) {};
try { KismetSystemLibrary.GetTimerRemainingTimebyFunctionName = KismetSystemLibrary.K2_GetTimerRemainingTime; } catch (e) {};
try { KismetSystemLibrary.prototype.GetTimerElapsedTimebyHandle = KismetSystemLibrary.prototype.K2_GetTimerElapsedTimeHandle; } catch (e) {};
try { KismetSystemLibrary.GetTimerElapsedTimebyHandle = KismetSystemLibrary.K2_GetTimerElapsedTimeHandle; } catch (e) {};
try { KismetSystemLibrary.prototype.GetTimerElapsedTimebyFunctionName = KismetSystemLibrary.prototype.K2_GetTimerElapsedTime; } catch (e) {};
try { KismetSystemLibrary.GetTimerElapsedTimebyFunctionName = KismetSystemLibrary.K2_GetTimerElapsedTime; } catch (e) {};
try { KismetSystemLibrary.prototype.ClearTimerbyHandle = KismetSystemLibrary.prototype.K2_ClearTimerHandle; } catch (e) {};
try { KismetSystemLibrary.ClearTimerbyHandle = KismetSystemLibrary.K2_ClearTimerHandle; } catch (e) {};
try { KismetSystemLibrary.prototype.ClearTimerbyFunctionName = KismetSystemLibrary.prototype.K2_ClearTimer; } catch (e) {};
try { KismetSystemLibrary.ClearTimerbyFunctionName = KismetSystemLibrary.K2_ClearTimer; } catch (e) {};
try { KismetSystemLibrary.prototype.ClearandInvalidateTimerbyHandle = KismetSystemLibrary.prototype.K2_ClearAndInvalidateTimerHandle; } catch (e) {};
try { KismetSystemLibrary.ClearandInvalidateTimerbyHandle = KismetSystemLibrary.K2_ClearAndInvalidateTimerHandle; } catch (e) {};
try { KismetSystemLibrary.prototype.GetDisplayName = KismetSystemLibrary.prototype.GetClassDisplayName; } catch (e) {};
try { KismetSystemLibrary.GetDisplayName = KismetSystemLibrary.GetClassDisplayName; } catch (e) {};
try { KismetSystemLibrary.prototype.DrawDebugCone = KismetSystemLibrary.prototype.DrawDebugConeInDegrees; } catch (e) {};
try { KismetSystemLibrary.DrawDebugCone = KismetSystemLibrary.DrawDebugConeInDegrees; } catch (e) {};
try { KismetSystemLibrary.prototype.CapsuleTraceForObjects = KismetSystemLibrary.prototype.CapsuleTraceSingleForObjects; } catch (e) {};
try { KismetSystemLibrary.CapsuleTraceForObjects = KismetSystemLibrary.CapsuleTraceSingleForObjects; } catch (e) {};
try { KismetSystemLibrary.prototype.CapsuleTraceByChannel = KismetSystemLibrary.prototype.CapsuleTraceSingle; } catch (e) {};
try { KismetSystemLibrary.CapsuleTraceByChannel = KismetSystemLibrary.CapsuleTraceSingle; } catch (e) {};
try { KismetSystemLibrary.prototype.MultiCapsuleTraceForObjects = KismetSystemLibrary.prototype.CapsuleTraceMultiForObjects; } catch (e) {};
try { KismetSystemLibrary.MultiCapsuleTraceForObjects = KismetSystemLibrary.CapsuleTraceMultiForObjects; } catch (e) {};
try { KismetSystemLibrary.prototype.MultiCapsuleTraceByChannel = KismetSystemLibrary.prototype.CapsuleTraceMulti; } catch (e) {};
try { KismetSystemLibrary.MultiCapsuleTraceByChannel = KismetSystemLibrary.CapsuleTraceMulti; } catch (e) {};
try { KismetSystemLibrary.prototype.BoxTraceForObjects = KismetSystemLibrary.prototype.BoxTraceSingleForObjects; } catch (e) {};
try { KismetSystemLibrary.BoxTraceForObjects = KismetSystemLibrary.BoxTraceSingleForObjects; } catch (e) {};
try { KismetSystemLibrary.prototype.BoxTraceByChannel = KismetSystemLibrary.prototype.BoxTraceSingle; } catch (e) {};
try { KismetSystemLibrary.BoxTraceByChannel = KismetSystemLibrary.BoxTraceSingle; } catch (e) {};
try { KismetSystemLibrary.prototype.MultiBoxTraceForObjects = KismetSystemLibrary.prototype.BoxTraceMultiForObjects; } catch (e) {};
try { KismetSystemLibrary.MultiBoxTraceForObjects = KismetSystemLibrary.BoxTraceMultiForObjects; } catch (e) {};
try { KismetSystemLibrary.prototype.MultiBoxTraceByChannel = KismetSystemLibrary.prototype.BoxTraceMulti; } catch (e) {};
try { KismetSystemLibrary.MultiBoxTraceByChannel = KismetSystemLibrary.BoxTraceMulti; } catch (e) {};
try { let fnprepatch_273 = GameplayStatics.prototype.SuggestProjectileVelocity_CustomArc;GameplayStatics.prototype.SuggestProjectileVelocity_CustomArc = function (WorldContextObject, OutLaunchVelocity, StartPos, EndPos, OverrideGravityZ = 0, ArcParam = 0.5) { return fnprepatch_273.call(this, WorldContextObject, OutLaunchVelocity, StartPos, EndPos, OverrideGravityZ, ArcParam) }; } catch (e) {};
try { let fnprepatch_274 = GameplayStatics.prototype.SpawnSoundAttached;GameplayStatics.prototype.SpawnSoundAttached = function (Sound, AttachToComponent, AttachPointName = "None", Location, Rotation, LocationType = "KeepRelativeOffset", bStopWhenAttachedToDestroyed = false, VolumeMultiplier = 1, PitchMultiplier = 1, StartTime = 0, AttenuationSettings, ConcurrencySettings) { return fnprepatch_274.call(this, Sound, AttachToComponent, AttachPointName, Location, Rotation, LocationType, bStopWhenAttachedToDestroyed, VolumeMultiplier, PitchMultiplier, StartTime, AttenuationSettings, ConcurrencySettings) }; } catch (e) {};
try { let fnprepatch_275 = GameplayStatics.prototype.SpawnSoundAtLocation;GameplayStatics.prototype.SpawnSoundAtLocation = function (WorldContextObject, Sound, Location, Rotation, VolumeMultiplier = 1, PitchMultiplier = 1, StartTime = 0, AttenuationSettings, ConcurrencySettings) { return fnprepatch_275.call(this, WorldContextObject, Sound, Location, Rotation, VolumeMultiplier, PitchMultiplier, StartTime, AttenuationSettings, ConcurrencySettings) }; } catch (e) {};
try { let fnprepatch_276 = GameplayStatics.prototype.SpawnSound2D;GameplayStatics.prototype.SpawnSound2D = function (WorldContextObject, Sound, VolumeMultiplier = 1, PitchMultiplier = 1, StartTime = 0, ConcurrencySettings, bPersistAcrossLevelTransition = false) { return fnprepatch_276.call(this, WorldContextObject, Sound, VolumeMultiplier, PitchMultiplier, StartTime, ConcurrencySettings, bPersistAcrossLevelTransition) }; } catch (e) {};
try { let fnprepatch_277 = GameplayStatics.prototype.SpawnForceFeedbackAttached;GameplayStatics.prototype.SpawnForceFeedbackAttached = function (ForceFeedbackEffect, AttachToComponent, AttachPointName = "None", Location, Rotation, LocationType = "KeepRelativeOffset", bStopWhenAttachedToDestroyed = false, bLooping = false, IntensityMultiplier = 1, StartTime = 0, AttenuationSettings) { return fnprepatch_277.call(this, ForceFeedbackEffect, AttachToComponent, AttachPointName, Location, Rotation, LocationType, bStopWhenAttachedToDestroyed, bLooping, IntensityMultiplier, StartTime, AttenuationSettings) }; } catch (e) {};
try { let fnprepatch_278 = GameplayStatics.prototype.SpawnForceFeedbackAtLocation;GameplayStatics.prototype.SpawnForceFeedbackAtLocation = function (WorldContextObject, ForceFeedbackEffect, Location, Rotation, bLooping = false, IntensityMultiplier = 1, StartTime = 0, AttenuationSettings) { return fnprepatch_278.call(this, WorldContextObject, ForceFeedbackEffect, Location, Rotation, bLooping, IntensityMultiplier, StartTime, AttenuationSettings) }; } catch (e) {};
try { let fnprepatch_279 = GameplayStatics.prototype.SpawnEmitterAttached;GameplayStatics.prototype.SpawnEmitterAttached = function (EmitterTemplate, AttachToComponent, AttachPointName = "None", Location, Rotation, LocationType = "KeepRelativeOffset", bAutoDestroy = true) { return fnprepatch_279.call(this, EmitterTemplate, AttachToComponent, AttachPointName, Location, Rotation, LocationType, bAutoDestroy) }; } catch (e) {};
try { let fnprepatch_280 = GameplayStatics.prototype.SpawnEmitterAtLocation;GameplayStatics.prototype.SpawnEmitterAtLocation = function (WorldContextObject, EmitterTemplate, Location, Rotation, bAutoDestroy = true) { return fnprepatch_280.call(this, WorldContextObject, EmitterTemplate, Location, Rotation, bAutoDestroy) }; } catch (e) {};
try { let fnprepatch_281 = GameplayStatics.prototype.SpawnDialogueAttached;GameplayStatics.prototype.SpawnDialogueAttached = function (Dialogue, Context, AttachToComponent, AttachPointName = "None", Location, Rotation, LocationType = "KeepRelativeOffset", bStopWhenAttachedToDestroyed = false, VolumeMultiplier = 1, PitchMultiplier = 1, StartTime = 0, AttenuationSettings) { return fnprepatch_281.call(this, Dialogue, Context, AttachToComponent, AttachPointName, Location, Rotation, LocationType, bStopWhenAttachedToDestroyed, VolumeMultiplier, PitchMultiplier, StartTime, AttenuationSettings) }; } catch (e) {};
try { let fnprepatch_282 = GameplayStatics.prototype.SpawnDialogueAtLocation;GameplayStatics.prototype.SpawnDialogueAtLocation = function (WorldContextObject, Dialogue, Context, Location, Rotation, VolumeMultiplier = 1, PitchMultiplier = 1, StartTime = 0, AttenuationSettings) { return fnprepatch_282.call(this, WorldContextObject, Dialogue, Context, Location, Rotation, VolumeMultiplier, PitchMultiplier, StartTime, AttenuationSettings) }; } catch (e) {};
try { let fnprepatch_283 = GameplayStatics.prototype.SpawnDialogue2D;GameplayStatics.prototype.SpawnDialogue2D = function (WorldContextObject, Dialogue, Context, VolumeMultiplier = 1, PitchMultiplier = 1, StartTime = 0) { return fnprepatch_283.call(this, WorldContextObject, Dialogue, Context, VolumeMultiplier, PitchMultiplier, StartTime) }; } catch (e) {};
try { let fnprepatch_284 = GameplayStatics.prototype.SpawnDecalAttached;GameplayStatics.prototype.SpawnDecalAttached = function (DecalMaterial, DecalSize, AttachToComponent, AttachPointName = "None", Location, Rotation, LocationType = "KeepRelativeOffset", LifeSpan = 0) { return fnprepatch_284.call(this, DecalMaterial, DecalSize, AttachToComponent, AttachPointName, Location, Rotation, LocationType, LifeSpan) }; } catch (e) {};
try { let fnprepatch_285 = GameplayStatics.prototype.SpawnDecalAtLocation;GameplayStatics.prototype.SpawnDecalAtLocation = function (WorldContextObject, DecalMaterial, DecalSize, Location, Rotation, LifeSpan = 0) { return fnprepatch_285.call(this, WorldContextObject, DecalMaterial, DecalSize, Location, Rotation, LifeSpan) }; } catch (e) {};
try { let fnprepatch_286 = GameplayStatics.prototype.SetSoundMixClassOverride;GameplayStatics.prototype.SetSoundMixClassOverride = function (WorldContextObject, InSoundMixModifier, InSoundClass, Volume = 1, Pitch = 1, FadeInTime = 1, bApplyToChildren = true) { return fnprepatch_286.call(this, WorldContextObject, InSoundMixModifier, InSoundClass, Volume, Pitch, FadeInTime, bApplyToChildren) }; } catch (e) {};
try { let fnprepatch_287 = GameplayStatics.prototype.SetGlobalListenerFocusParameters;GameplayStatics.prototype.SetGlobalListenerFocusParameters = function (WorldContextObject, FocusAzimuthScale = 1, NonFocusAzimuthScale = 1, FocusDistanceScale = 1, NonFocusDistanceScale = 1, FocusVolumeScale = 1, NonFocusVolumeScale = 1, FocusPriorityScale = 1, NonFocusPriorityScale = 1) { return fnprepatch_287.call(this, WorldContextObject, FocusAzimuthScale, NonFocusAzimuthScale, FocusDistanceScale, NonFocusDistanceScale, FocusVolumeScale, NonFocusVolumeScale, FocusPriorityScale, NonFocusPriorityScale) }; } catch (e) {};
try { let fnprepatch_288 = GameplayStatics.prototype.ProjectWorldToScreen;GameplayStatics.prototype.ProjectWorldToScreen = function (Player, WorldPosition, ScreenPosition, bPlayerViewportRelative = false) { return fnprepatch_288.call(this, Player, WorldPosition, ScreenPosition, bPlayerViewportRelative) }; } catch (e) {};
try { let fnprepatch_289 = GameplayStatics.prototype.PlayWorldCameraShake;GameplayStatics.prototype.PlayWorldCameraShake = function (WorldContextObject, Shake, Epicenter, InnerRadius, OuterRadius, Falloff = 1, bOrientShakeTowardsEpicenter = false) { return fnprepatch_289.call(this, WorldContextObject, Shake, Epicenter, InnerRadius, OuterRadius, Falloff, bOrientShakeTowardsEpicenter) }; } catch (e) {};
try { let fnprepatch_290 = GameplayStatics.prototype.PlaySoundAtLocation;GameplayStatics.prototype.PlaySoundAtLocation = function (WorldContextObject, Sound, Location, Rotation, VolumeMultiplier = 1, PitchMultiplier = 1, StartTime = 0, AttenuationSettings, ConcurrencySettings) { return fnprepatch_290.call(this, WorldContextObject, Sound, Location, Rotation, VolumeMultiplier, PitchMultiplier, StartTime, AttenuationSettings, ConcurrencySettings) }; } catch (e) {};
try { let fnprepatch_291 = GameplayStatics.prototype.PlaySound2D;GameplayStatics.prototype.PlaySound2D = function (WorldContextObject, Sound, VolumeMultiplier = 1, PitchMultiplier = 1, StartTime = 0, ConcurrencySettings) { return fnprepatch_291.call(this, WorldContextObject, Sound, VolumeMultiplier, PitchMultiplier, StartTime, ConcurrencySettings) }; } catch (e) {};
try { let fnprepatch_292 = GameplayStatics.prototype.PlayDialogueAtLocation;GameplayStatics.prototype.PlayDialogueAtLocation = function (WorldContextObject, Dialogue, Context, Location, Rotation, VolumeMultiplier = 1, PitchMultiplier = 1, StartTime = 0, AttenuationSettings) { return fnprepatch_292.call(this, WorldContextObject, Dialogue, Context, Location, Rotation, VolumeMultiplier, PitchMultiplier, StartTime, AttenuationSettings) }; } catch (e) {};
try { let fnprepatch_293 = GameplayStatics.prototype.PlayDialogue2D;GameplayStatics.prototype.PlayDialogue2D = function (WorldContextObject, Dialogue, Context, VolumeMultiplier = 1, PitchMultiplier = 1, StartTime = 0) { return fnprepatch_293.call(this, WorldContextObject, Dialogue, Context, VolumeMultiplier, PitchMultiplier, StartTime) }; } catch (e) {};
try { let fnprepatch_294 = GameplayStatics.prototype.OpenLevel;GameplayStatics.prototype.OpenLevel = function (WorldContextObject, LevelName, bAbsolute = true, Options) { return fnprepatch_294.call(this, WorldContextObject, LevelName, bAbsolute, Options) }; } catch (e) {};
try { let fnprepatch_295 = GameplayStatics.prototype.GetCurrentLevelName;GameplayStatics.prototype.GetCurrentLevelName = function (WorldContextObject, bRemovePrefixString = true) { return fnprepatch_295.call(this, WorldContextObject, bRemovePrefixString) }; } catch (e) {};
try { let fnprepatch_296 = GameplayStatics.prototype.CreateSound2D;GameplayStatics.prototype.CreateSound2D = function (WorldContextObject, Sound, VolumeMultiplier = 1, PitchMultiplier = 1, StartTime = 0, ConcurrencySettings, bPersistAcrossLevelTransition = false) { return fnprepatch_296.call(this, WorldContextObject, Sound, VolumeMultiplier, PitchMultiplier, StartTime, ConcurrencySettings, bPersistAcrossLevelTransition) }; } catch (e) {};
try { let fnprepatch_297 = GameplayStatics.prototype.CreatePlayer;GameplayStatics.prototype.CreatePlayer = function (WorldContextObject, ControllerId = -1, bSpawnPawn = true) { return fnprepatch_297.call(this, WorldContextObject, ControllerId, bSpawnPawn) }; } catch (e) {};
try { let fnprepatch_298 = GameplayStatics.prototype.ClearSoundMixClassOverride;GameplayStatics.prototype.ClearSoundMixClassOverride = function (WorldContextObject, InSoundMixModifier, InSoundClass, FadeOutTime = 1) { return fnprepatch_298.call(this, WorldContextObject, InSoundMixModifier, InSoundClass, FadeOutTime) }; } catch (e) {};
try { let fnprepatch_299 = GameplayStatics.prototype.Blueprint_PredictProjectilePath_ByTraceChannel;GameplayStatics.prototype.Blueprint_PredictProjectilePath_ByTraceChannel = function (WorldContextObject, OutHit, OutPathPositions, OutLastTraceDestination, StartPos, LaunchVelocity, bTracePath, ProjectileRadius, TraceChannel, bTraceComplex, ActorsToIgnore, DrawDebugType, DrawDebugTime, SimFrequency = 15, MaxSimTime = 2, OverrideGravityZ = 0) { return fnprepatch_299.call(this, WorldContextObject, OutHit, OutPathPositions, OutLastTraceDestination, StartPos, LaunchVelocity, bTracePath, ProjectileRadius, TraceChannel, bTraceComplex, ActorsToIgnore, DrawDebugType, DrawDebugTime, SimFrequency, MaxSimTime, OverrideGravityZ) }; } catch (e) {};
try { let fnprepatch_300 = GameplayStatics.prototype.Blueprint_PredictProjectilePath_ByObjectType;GameplayStatics.prototype.Blueprint_PredictProjectilePath_ByObjectType = function (WorldContextObject, OutHit, OutPathPositions, OutLastTraceDestination, StartPos, LaunchVelocity, bTracePath, ProjectileRadius, ObjectTypes, bTraceComplex, ActorsToIgnore, DrawDebugType, DrawDebugTime, SimFrequency = 15, MaxSimTime = 2, OverrideGravityZ = 0) { return fnprepatch_300.call(this, WorldContextObject, OutHit, OutPathPositions, OutLastTraceDestination, StartPos, LaunchVelocity, bTracePath, ProjectileRadius, ObjectTypes, bTraceComplex, ActorsToIgnore, DrawDebugType, DrawDebugTime, SimFrequency, MaxSimTime, OverrideGravityZ) }; } catch (e) {};
try { let fnprepatch_301 = GameplayStatics.prototype.BeginSpawningActorFromClass;GameplayStatics.prototype.BeginSpawningActorFromClass = function (WorldContextObject, ActorClass, SpawnTransform, bNoCollisionFail = false, Owner) { return fnprepatch_301.call(this, WorldContextObject, ActorClass, SpawnTransform, bNoCollisionFail, Owner) }; } catch (e) {};
try { let fnprepatch_302 = GameplayStatics.prototype.BeginDeferredActorSpawnFromClass;GameplayStatics.prototype.BeginDeferredActorSpawnFromClass = function (WorldContextObject, ActorClass, SpawnTransform, CollisionHandlingOverride = "Undefined", Owner) { return fnprepatch_302.call(this, WorldContextObject, ActorClass, SpawnTransform, CollisionHandlingOverride, Owner) }; } catch (e) {};
try { let fnprepatch_303 = GameplayStatics.prototype.ApplyRadialDamageWithFalloff;GameplayStatics.prototype.ApplyRadialDamageWithFalloff = function (WorldContextObject, BaseDamage, MinimumDamage, Origin, DamageInnerRadius, DamageOuterRadius, DamageFalloff, DamageTypeClass, IgnoreActors, DamageCauser, InstigatedByController, DamagePreventionChannel = "ECC_Visibility") { return fnprepatch_303.call(this, WorldContextObject, BaseDamage, MinimumDamage, Origin, DamageInnerRadius, DamageOuterRadius, DamageFalloff, DamageTypeClass, IgnoreActors, DamageCauser, InstigatedByController, DamagePreventionChannel) }; } catch (e) {};
try { let fnprepatch_304 = GameplayStatics.prototype.ApplyRadialDamage;GameplayStatics.prototype.ApplyRadialDamage = function (WorldContextObject, BaseDamage, Origin, DamageRadius, DamageTypeClass, IgnoreActors, DamageCauser, InstigatedByController, bDoFullDamage = false, DamagePreventionChannel = "ECC_Visibility") { return fnprepatch_304.call(this, WorldContextObject, BaseDamage, Origin, DamageRadius, DamageTypeClass, IgnoreActors, DamageCauser, InstigatedByController, bDoFullDamage, DamagePreventionChannel) }; } catch (e) {};
try { let fnprepatch_305 = GameplayStatics.prototype.ActivateReverbEffect;GameplayStatics.prototype.ActivateReverbEffect = function (WorldContextObject, ReverbEffect, TagName, Priority = 0, Volume = 0.5, FadeTime = 2) { return fnprepatch_305.call(this, WorldContextObject, ReverbEffect, TagName, Priority, Volume, FadeTime) }; } catch (e) {};
try { GameplayStatics.prototype.SuggestProjectileVelocityCustomArc = GameplayStatics.prototype.SuggestProjectileVelocity_CustomArc; } catch (e) {};
try { GameplayStatics.SuggestProjectileVelocityCustomArc = GameplayStatics.SuggestProjectileVelocity_CustomArc; } catch (e) {};
try { GameplayStatics.prototype.GetClass = GameplayStatics.prototype.GetObjectClass; } catch (e) {};
try { GameplayStatics.GetClass = GameplayStatics.GetObjectClass; } catch (e) {};
try { GameplayStatics.prototype.SuggestProjectileVelocity = GameplayStatics.prototype.BlueprintSuggestProjectileVelocity; } catch (e) {};
try { GameplayStatics.SuggestProjectileVelocity = GameplayStatics.BlueprintSuggestProjectileVelocity; } catch (e) {};
try { GameplayStatics.prototype.PredictProjectilePathByTraceChannel = GameplayStatics.prototype.Blueprint_PredictProjectilePath_ByTraceChannel; } catch (e) {};
try { GameplayStatics.PredictProjectilePathByTraceChannel = GameplayStatics.Blueprint_PredictProjectilePath_ByTraceChannel; } catch (e) {};
try { GameplayStatics.prototype.PredictProjectilePathByObjectType = GameplayStatics.prototype.Blueprint_PredictProjectilePath_ByObjectType; } catch (e) {};
try { GameplayStatics.PredictProjectilePathByObjectType = GameplayStatics.Blueprint_PredictProjectilePath_ByObjectType; } catch (e) {};
try { GameplayStatics.prototype.PredictProjectilePath = GameplayStatics.prototype.Blueprint_PredictProjectilePath_Advanced; } catch (e) {};
try { GameplayStatics.PredictProjectilePath = GameplayStatics.Blueprint_PredictProjectilePath_Advanced; } catch (e) {};
try { let fnprepatch_306 = HeadMountedDisplayFunctionLibrary.prototype.SetWorldToMetersScale;HeadMountedDisplayFunctionLibrary.prototype.SetWorldToMetersScale = function (WorldContext, NewScale = 100) { return fnprepatch_306.call(this, WorldContext, NewScale) }; } catch (e) {};
try { let fnprepatch_307 = HeadMountedDisplayFunctionLibrary.prototype.ResetOrientationAndPosition;HeadMountedDisplayFunctionLibrary.prototype.ResetOrientationAndPosition = function (Yaw = 0, Options = "OrientationAndPosition") { return fnprepatch_307.call(this, Yaw, Options) }; } catch (e) {};
try { let fnprepatch_308 = HeadMountedDisplayFunctionLibrary.prototype.GetTrackingSensorParameters;HeadMountedDisplayFunctionLibrary.prototype.GetTrackingSensorParameters = function (Origin, Rotation, LeftFOV, RightFOV, TopFOV, BottomFOV, Distance, NearPlane, FarPlane, IsActive, Index = 0) { return fnprepatch_308.call(this, Origin, Rotation, LeftFOV, RightFOV, TopFOV, BottomFOV, Distance, NearPlane, FarPlane, IsActive, Index) }; } catch (e) {};
try { KismetArrayLibrary.prototype.Shuffle = KismetArrayLibrary.prototype.Array_Shuffle; } catch (e) {};
try { KismetArrayLibrary.Shuffle = KismetArrayLibrary.Array_Shuffle; } catch (e) {};
try { KismetArrayLibrary.prototype.SetArrayElem = KismetArrayLibrary.prototype.Array_Set; } catch (e) {};
try { KismetArrayLibrary.SetArrayElem = KismetArrayLibrary.Array_Set; } catch (e) {};
try { KismetArrayLibrary.prototype.Resize = KismetArrayLibrary.prototype.Array_Resize; } catch (e) {};
try { KismetArrayLibrary.Resize = KismetArrayLibrary.Array_Resize; } catch (e) {};
try { KismetArrayLibrary.prototype.RemoveItem = KismetArrayLibrary.prototype.Array_RemoveItem; } catch (e) {};
try { KismetArrayLibrary.RemoveItem = KismetArrayLibrary.Array_RemoveItem; } catch (e) {};
try { KismetArrayLibrary.prototype.RemoveIndex = KismetArrayLibrary.prototype.Array_Remove; } catch (e) {};
try { KismetArrayLibrary.RemoveIndex = KismetArrayLibrary.Array_Remove; } catch (e) {};
try { KismetArrayLibrary.prototype.Length = KismetArrayLibrary.prototype.Array_Length; } catch (e) {};
try { KismetArrayLibrary.Length = KismetArrayLibrary.Array_Length; } catch (e) {};
try { KismetArrayLibrary.prototype.LastIndex = KismetArrayLibrary.prototype.Array_LastIndex; } catch (e) {};
try { KismetArrayLibrary.LastIndex = KismetArrayLibrary.Array_LastIndex; } catch (e) {};
try { KismetArrayLibrary.prototype.IsValidIndex = KismetArrayLibrary.prototype.Array_IsValidIndex; } catch (e) {};
try { KismetArrayLibrary.IsValidIndex = KismetArrayLibrary.Array_IsValidIndex; } catch (e) {};
try { KismetArrayLibrary.prototype.Insert = KismetArrayLibrary.prototype.Array_Insert; } catch (e) {};
try { KismetArrayLibrary.Insert = KismetArrayLibrary.Array_Insert; } catch (e) {};
try { KismetArrayLibrary.prototype.Get = KismetArrayLibrary.prototype.Array_Get; } catch (e) {};
try { KismetArrayLibrary.Get = KismetArrayLibrary.Array_Get; } catch (e) {};
try { KismetArrayLibrary.prototype.FindItem = KismetArrayLibrary.prototype.Array_Find; } catch (e) {};
try { KismetArrayLibrary.FindItem = KismetArrayLibrary.Array_Find; } catch (e) {};
try { KismetArrayLibrary.prototype.ContainsItem = KismetArrayLibrary.prototype.Array_Contains; } catch (e) {};
try { KismetArrayLibrary.ContainsItem = KismetArrayLibrary.Array_Contains; } catch (e) {};
try { KismetArrayLibrary.prototype.Clear = KismetArrayLibrary.prototype.Array_Clear; } catch (e) {};
try { KismetArrayLibrary.Clear = KismetArrayLibrary.Array_Clear; } catch (e) {};
try { KismetArrayLibrary.prototype.AppendArray = KismetArrayLibrary.prototype.Array_Append; } catch (e) {};
try { KismetArrayLibrary.AppendArray = KismetArrayLibrary.Array_Append; } catch (e) {};
try { KismetArrayLibrary.prototype.AddUnique = KismetArrayLibrary.prototype.Array_AddUnique; } catch (e) {};
try { KismetArrayLibrary.AddUnique = KismetArrayLibrary.Array_AddUnique; } catch (e) {};
try { KismetArrayLibrary.prototype.Add = KismetArrayLibrary.prototype.Array_Add; } catch (e) {};
try { KismetArrayLibrary.Add = KismetArrayLibrary.Array_Add; } catch (e) {};
try { KismetGuidLibrary.prototype.ParseStringtoGuid = KismetGuidLibrary.prototype.Parse_StringToGuid; } catch (e) {};
try { KismetGuidLibrary.ParseStringtoGuid = KismetGuidLibrary.Parse_StringToGuid; } catch (e) {};
try { KismetGuidLibrary.prototype.NotEqual = KismetGuidLibrary.prototype.NotEqual_GuidGuid; } catch (e) {};
try { KismetGuidLibrary.NotEqual = KismetGuidLibrary.NotEqual_GuidGuid; } catch (e) {};
try { KismetGuidLibrary.prototype.IsValid = KismetGuidLibrary.prototype.IsValid_Guid; } catch (e) {};
try { KismetGuidLibrary.IsValid = KismetGuidLibrary.IsValid_Guid; } catch (e) {};
try { KismetGuidLibrary.prototype.Equal = KismetGuidLibrary.prototype.EqualEqual_GuidGuid; } catch (e) {};
try { KismetGuidLibrary.Equal = KismetGuidLibrary.EqualEqual_GuidGuid; } catch (e) {};
try { KismetGuidLibrary.prototype.ToString = KismetGuidLibrary.prototype.Conv_GuidToString; } catch (e) {};
try { KismetGuidLibrary.ToString = KismetGuidLibrary.Conv_GuidToString; } catch (e) {};
try { KismetInputLibrary.prototype.IsTouchEvent = KismetInputLibrary.prototype.PointerEvent_IsTouchEvent; } catch (e) {};
try { KismetInputLibrary.IsTouchEvent = KismetInputLibrary.PointerEvent_IsTouchEvent; } catch (e) {};
try { KismetInputLibrary.prototype.IsMouseButtonDown = KismetInputLibrary.prototype.PointerEvent_IsMouseButtonDown; } catch (e) {};
try { KismetInputLibrary.IsMouseButtonDown = KismetInputLibrary.PointerEvent_IsMouseButtonDown; } catch (e) {};
try { KismetInputLibrary.prototype.GetWheelDelta = KismetInputLibrary.prototype.PointerEvent_GetWheelDelta; } catch (e) {};
try { KismetInputLibrary.GetWheelDelta = KismetInputLibrary.PointerEvent_GetWheelDelta; } catch (e) {};
try { KismetInputLibrary.prototype.GetUserIndex = KismetInputLibrary.prototype.PointerEvent_GetUserIndex; } catch (e) {};
try { KismetInputLibrary.GetUserIndex = KismetInputLibrary.PointerEvent_GetUserIndex; } catch (e) {};
try { KismetInputLibrary.prototype.GetTouchpadIndex = KismetInputLibrary.prototype.PointerEvent_GetTouchpadIndex; } catch (e) {};
try { KismetInputLibrary.GetTouchpadIndex = KismetInputLibrary.PointerEvent_GetTouchpadIndex; } catch (e) {};
try { KismetInputLibrary.prototype.GetScreenSpacePosition = KismetInputLibrary.prototype.PointerEvent_GetScreenSpacePosition; } catch (e) {};
try { KismetInputLibrary.GetScreenSpacePosition = KismetInputLibrary.PointerEvent_GetScreenSpacePosition; } catch (e) {};
try { KismetInputLibrary.prototype.GetPointerIndex = KismetInputLibrary.prototype.PointerEvent_GetPointerIndex; } catch (e) {};
try { KismetInputLibrary.GetPointerIndex = KismetInputLibrary.PointerEvent_GetPointerIndex; } catch (e) {};
try { KismetInputLibrary.prototype.GetLastScreenSpacePosition = KismetInputLibrary.prototype.PointerEvent_GetLastScreenSpacePosition; } catch (e) {};
try { KismetInputLibrary.GetLastScreenSpacePosition = KismetInputLibrary.PointerEvent_GetLastScreenSpacePosition; } catch (e) {};
try { KismetInputLibrary.prototype.GetGestureDelta = KismetInputLibrary.prototype.PointerEvent_GetGestureDelta; } catch (e) {};
try { KismetInputLibrary.GetGestureDelta = KismetInputLibrary.PointerEvent_GetGestureDelta; } catch (e) {};
try { KismetInputLibrary.prototype.GetEffectingButton = KismetInputLibrary.prototype.PointerEvent_GetEffectingButton; } catch (e) {};
try { KismetInputLibrary.GetEffectingButton = KismetInputLibrary.PointerEvent_GetEffectingButton; } catch (e) {};
try { KismetInputLibrary.prototype.GetCursorDelta = KismetInputLibrary.prototype.PointerEvent_GetCursorDelta; } catch (e) {};
try { KismetInputLibrary.GetCursorDelta = KismetInputLibrary.PointerEvent_GetCursorDelta; } catch (e) {};
try { KismetInputLibrary.prototype.IsShiftDown = KismetInputLibrary.prototype.InputEvent_IsShiftDown; } catch (e) {};
try { KismetInputLibrary.IsShiftDown = KismetInputLibrary.InputEvent_IsShiftDown; } catch (e) {};
try { KismetInputLibrary.prototype.IsRightShiftDown = KismetInputLibrary.prototype.InputEvent_IsRightShiftDown; } catch (e) {};
try { KismetInputLibrary.IsRightShiftDown = KismetInputLibrary.InputEvent_IsRightShiftDown; } catch (e) {};
try { KismetInputLibrary.prototype.IsRightControlDown = KismetInputLibrary.prototype.InputEvent_IsRightControlDown; } catch (e) {};
try { KismetInputLibrary.IsRightControlDown = KismetInputLibrary.InputEvent_IsRightControlDown; } catch (e) {};
try { KismetInputLibrary.prototype.IsRightCommandDown = KismetInputLibrary.prototype.InputEvent_IsRightCommandDown; } catch (e) {};
try { KismetInputLibrary.IsRightCommandDown = KismetInputLibrary.InputEvent_IsRightCommandDown; } catch (e) {};
try { KismetInputLibrary.prototype.IsRightAltDown = KismetInputLibrary.prototype.InputEvent_IsRightAltDown; } catch (e) {};
try { KismetInputLibrary.IsRightAltDown = KismetInputLibrary.InputEvent_IsRightAltDown; } catch (e) {};
try { KismetInputLibrary.prototype.IsRepeat = KismetInputLibrary.prototype.InputEvent_IsRepeat; } catch (e) {};
try { KismetInputLibrary.IsRepeat = KismetInputLibrary.InputEvent_IsRepeat; } catch (e) {};
try { KismetInputLibrary.prototype.IsLeftShiftDown = KismetInputLibrary.prototype.InputEvent_IsLeftShiftDown; } catch (e) {};
try { KismetInputLibrary.IsLeftShiftDown = KismetInputLibrary.InputEvent_IsLeftShiftDown; } catch (e) {};
try { KismetInputLibrary.prototype.IsLeftControlDown = KismetInputLibrary.prototype.InputEvent_IsLeftControlDown; } catch (e) {};
try { KismetInputLibrary.IsLeftControlDown = KismetInputLibrary.InputEvent_IsLeftControlDown; } catch (e) {};
try { KismetInputLibrary.prototype.IsLeftCommandDown = KismetInputLibrary.prototype.InputEvent_IsLeftCommandDown; } catch (e) {};
try { KismetInputLibrary.IsLeftCommandDown = KismetInputLibrary.InputEvent_IsLeftCommandDown; } catch (e) {};
try { KismetInputLibrary.prototype.IsLeftAltDown = KismetInputLibrary.prototype.InputEvent_IsLeftAltDown; } catch (e) {};
try { KismetInputLibrary.IsLeftAltDown = KismetInputLibrary.InputEvent_IsLeftAltDown; } catch (e) {};
try { KismetInputLibrary.prototype.IsControlDown = KismetInputLibrary.prototype.InputEvent_IsControlDown; } catch (e) {};
try { KismetInputLibrary.IsControlDown = KismetInputLibrary.InputEvent_IsControlDown; } catch (e) {};
try { KismetInputLibrary.prototype.IsCommandDown = KismetInputLibrary.prototype.InputEvent_IsCommandDown; } catch (e) {};
try { KismetInputLibrary.IsCommandDown = KismetInputLibrary.InputEvent_IsCommandDown; } catch (e) {};
try { KismetInputLibrary.prototype.IsAltDown = KismetInputLibrary.prototype.InputEvent_IsAltDown; } catch (e) {};
try { KismetInputLibrary.IsAltDown = KismetInputLibrary.InputEvent_IsAltDown; } catch (e) {};
try { KismetInputLibrary.prototype.Equal = KismetInputLibrary.prototype.EqualEqual_KeyKey; } catch (e) {};
try { KismetInputLibrary.Equal = KismetInputLibrary.EqualEqual_KeyKey; } catch (e) {};
try { KismetInputLibrary.prototype.Equal = KismetInputLibrary.prototype.EqualEqual_InputChordInputChord; } catch (e) {};
try { KismetInputLibrary.Equal = KismetInputLibrary.EqualEqual_InputChordInputChord; } catch (e) {};
try { KismetInputLibrary.prototype.GetEffectingButton = KismetInputLibrary.prototype.ControllerEvent_GetEffectingButton; } catch (e) {};
try { KismetInputLibrary.GetEffectingButton = KismetInputLibrary.ControllerEvent_GetEffectingButton; } catch (e) {};
try { let fnprepatch_309 = KismetMathLibrary.prototype.VectorSpringInterp;KismetMathLibrary.prototype.VectorSpringInterp = function (Current, Target, SpringState, Stiffness, CriticalDampingFactor, DeltaTime, Mass = 1) { return fnprepatch_309.call(this, Current, Target, SpringState, Stiffness, CriticalDampingFactor, DeltaTime, Mass) }; } catch (e) {};
try { let fnprepatch_310 = KismetMathLibrary.prototype.VEase;KismetMathLibrary.prototype.VEase = function (A, B, Alpha, EasingFunc, BlendExp = 2, Steps = 2) { return fnprepatch_310.call(this, A, B, Alpha, EasingFunc, BlendExp, Steps) }; } catch (e) {};
try { let fnprepatch_311 = KismetMathLibrary.prototype.TLerp;KismetMathLibrary.prototype.TLerp = function (A, B, Alpha, InterpMode = "QuatInterp") { return fnprepatch_311.call(this, A, B, Alpha, InterpMode) }; } catch (e) {};
try { let fnprepatch_312 = KismetMathLibrary.prototype.TEase;KismetMathLibrary.prototype.TEase = function (A, B, Alpha, EasingFunc, BlendExp = 2, Steps = 2) { return fnprepatch_312.call(this, A, B, Alpha, EasingFunc, BlendExp, Steps) }; } catch (e) {};
try { let fnprepatch_313 = KismetMathLibrary.prototype.Subtract_IntInt;KismetMathLibrary.prototype.Subtract_IntInt = function (A, B = 1) { return fnprepatch_313.call(this, A, B) }; } catch (e) {};
try { let fnprepatch_314 = KismetMathLibrary.prototype.Subtract_FloatFloat;KismetMathLibrary.prototype.Subtract_FloatFloat = function (A, B = 1) { return fnprepatch_314.call(this, A, B) }; } catch (e) {};
try { let fnprepatch_315 = KismetMathLibrary.prototype.Subtract_ByteByte;KismetMathLibrary.prototype.Subtract_ByteByte = function (A, B = 1) { return fnprepatch_315.call(this, A, B) }; } catch (e) {};
try { let fnprepatch_316 = KismetMathLibrary.prototype.REase;KismetMathLibrary.prototype.REase = function (A, B, Alpha, bShortestPath, EasingFunc, BlendExp = 2, Steps = 2) { return fnprepatch_316.call(this, A, B, Alpha, bShortestPath, EasingFunc, BlendExp, Steps) }; } catch (e) {};
try { let fnprepatch_317 = KismetMathLibrary.prototype.RandomRotator;KismetMathLibrary.prototype.RandomRotator = function (bRoll = false) { return fnprepatch_317.call(this, bRoll) }; } catch (e) {};
try { let fnprepatch_318 = KismetMathLibrary.prototype.PointsAreCoplanar;KismetMathLibrary.prototype.PointsAreCoplanar = function (Points, Tolerance = 0.10000000149011612) { return fnprepatch_318.call(this, Points, Tolerance) }; } catch (e) {};
try { let fnprepatch_319 = KismetMathLibrary.prototype.Percent_IntInt;KismetMathLibrary.prototype.Percent_IntInt = function (A, B = 1) { return fnprepatch_319.call(this, A, B) }; } catch (e) {};
try { let fnprepatch_320 = KismetMathLibrary.prototype.Percent_FloatFloat;KismetMathLibrary.prototype.Percent_FloatFloat = function (A, B = 1) { return fnprepatch_320.call(this, A, B) }; } catch (e) {};
try { let fnprepatch_321 = KismetMathLibrary.prototype.Percent_ByteByte;KismetMathLibrary.prototype.Percent_ByteByte = function (A, B = 1) { return fnprepatch_321.call(this, A, B) }; } catch (e) {};
try { let fnprepatch_322 = KismetMathLibrary.prototype.NotEqual_VectorVector;KismetMathLibrary.prototype.NotEqual_VectorVector = function (A, B, ErrorTolerance = 0.00009999999747378752) { return fnprepatch_322.call(this, A, B, ErrorTolerance) }; } catch (e) {};
try { let fnprepatch_323 = KismetMathLibrary.prototype.NotEqual_Vector2DVector2D;KismetMathLibrary.prototype.NotEqual_Vector2DVector2D = function (A, B, ErrorTolerance = 0.00009999999747378752) { return fnprepatch_323.call(this, A, B, ErrorTolerance) }; } catch (e) {};
try { let fnprepatch_324 = KismetMathLibrary.prototype.NotEqual_RotatorRotator;KismetMathLibrary.prototype.NotEqual_RotatorRotator = function (A, B, ErrorTolerance = 0.00009999999747378752) { return fnprepatch_324.call(this, A, B, ErrorTolerance) }; } catch (e) {};
try { let fnprepatch_325 = KismetMathLibrary.prototype.NearlyEqual_TransformTransform;KismetMathLibrary.prototype.NearlyEqual_TransformTransform = function (A, B, LocationTolerance = 0.00009999999747378752, RotationTolerance = 0.00009999999747378752, Scale3DTolerance = 0.00009999999747378752) { return fnprepatch_325.call(this, A, B, LocationTolerance, RotationTolerance, Scale3DTolerance) }; } catch (e) {};
try { let fnprepatch_326 = KismetMathLibrary.prototype.NearlyEqual_FloatFloat;KismetMathLibrary.prototype.NearlyEqual_FloatFloat = function (A, B, ErrorTolerance = 9.999999974752427e-7) { return fnprepatch_326.call(this, A, B, ErrorTolerance) }; } catch (e) {};
try { let fnprepatch_327 = KismetMathLibrary.prototype.MinimumAreaRectangle;KismetMathLibrary.prototype.MinimumAreaRectangle = function (WorldContextObject, InVerts, SampleSurfaceNormal, OutRectCenter, OutRectRotation, OutSideLengthX, OutSideLengthY, bDebugDraw = false) { return fnprepatch_327.call(this, WorldContextObject, InVerts, SampleSurfaceNormal, OutRectCenter, OutRectRotation, OutSideLengthX, OutSideLengthY, bDebugDraw) }; } catch (e) {};
try { let fnprepatch_328 = KismetMathLibrary.prototype.MakePulsatingValue;KismetMathLibrary.prototype.MakePulsatingValue = function (InCurrentTime, InPulsesPerSecond = 1, InPhase = 0) { return fnprepatch_328.call(this, InCurrentTime, InPulsesPerSecond, InPhase) }; } catch (e) {};
try { let fnprepatch_329 = KismetMathLibrary.prototype.MakeDateTime;KismetMathLibrary.prototype.MakeDateTime = function (Year, Month, Day, Hour = 0, Minute = 0, Second = 0, Millisecond = 0) { return fnprepatch_329.call(this, Year, Month, Day, Hour, Minute, Second, Millisecond) }; } catch (e) {};
try { let fnprepatch_330 = KismetMathLibrary.prototype.MakeColor;KismetMathLibrary.prototype.MakeColor = function (R, G, B, A = 1) { return fnprepatch_330.call(this, R, G, B, A) }; } catch (e) {};
try { let fnprepatch_331 = KismetMathLibrary.prototype.InRange_FloatFloat;KismetMathLibrary.prototype.InRange_FloatFloat = function (Value, Min, Max, InclusiveMin = true, InclusiveMax = true) { return fnprepatch_331.call(this, Value, Min, Max, InclusiveMin, InclusiveMax) }; } catch (e) {};
try { let fnprepatch_332 = KismetMathLibrary.prototype.HSVToRGB;KismetMathLibrary.prototype.HSVToRGB = function (H, S, V, A = 1) { return fnprepatch_332.call(this, H, S, V, A) }; } catch (e) {};
try { let fnprepatch_333 = KismetMathLibrary.prototype.FloatSpringInterp;KismetMathLibrary.prototype.FloatSpringInterp = function (Current, Target, SpringState, Stiffness, CriticalDampingFactor, DeltaTime, Mass = 1) { return fnprepatch_333.call(this, Current, Target, SpringState, Stiffness, CriticalDampingFactor, DeltaTime, Mass) }; } catch (e) {};
try { let fnprepatch_334 = KismetMathLibrary.prototype.EqualEqual_VectorVector;KismetMathLibrary.prototype.EqualEqual_VectorVector = function (A, B, ErrorTolerance = 0.00009999999747378752) { return fnprepatch_334.call(this, A, B, ErrorTolerance) }; } catch (e) {};
try { let fnprepatch_335 = KismetMathLibrary.prototype.EqualEqual_Vector2DVector2D;KismetMathLibrary.prototype.EqualEqual_Vector2DVector2D = function (A, B, ErrorTolerance = 0.00009999999747378752) { return fnprepatch_335.call(this, A, B, ErrorTolerance) }; } catch (e) {};
try { let fnprepatch_336 = KismetMathLibrary.prototype.EqualEqual_RotatorRotator;KismetMathLibrary.prototype.EqualEqual_RotatorRotator = function (A, B, ErrorTolerance = 0.00009999999747378752) { return fnprepatch_336.call(this, A, B, ErrorTolerance) }; } catch (e) {};
try { let fnprepatch_337 = KismetMathLibrary.prototype.Ease;KismetMathLibrary.prototype.Ease = function (A, B, Alpha, EasingFunc, BlendExp = 2, Steps = 2) { return fnprepatch_337.call(this, A, B, Alpha, EasingFunc, BlendExp, Steps) }; } catch (e) {};
try { let fnprepatch_338 = KismetMathLibrary.prototype.Divide_VectorInt;KismetMathLibrary.prototype.Divide_VectorInt = function (A, B = 1) { return fnprepatch_338.call(this, A, B) }; } catch (e) {};
try { let fnprepatch_339 = KismetMathLibrary.prototype.Divide_VectorFloat;KismetMathLibrary.prototype.Divide_VectorFloat = function (A, B = 1) { return fnprepatch_339.call(this, A, B) }; } catch (e) {};
try { let fnprepatch_340 = KismetMathLibrary.prototype.Divide_Vector2DFloat;KismetMathLibrary.prototype.Divide_Vector2DFloat = function (A, B = 1) { return fnprepatch_340.call(this, A, B) }; } catch (e) {};
try { let fnprepatch_341 = KismetMathLibrary.prototype.Divide_IntInt;KismetMathLibrary.prototype.Divide_IntInt = function (A, B = 1) { return fnprepatch_341.call(this, A, B) }; } catch (e) {};
try { let fnprepatch_342 = KismetMathLibrary.prototype.Divide_FloatFloat;KismetMathLibrary.prototype.Divide_FloatFloat = function (A, B = 1) { return fnprepatch_342.call(this, A, B) }; } catch (e) {};
try { let fnprepatch_343 = KismetMathLibrary.prototype.Divide_ByteByte;KismetMathLibrary.prototype.Divide_ByteByte = function (A, B = 1) { return fnprepatch_343.call(this, A, B) }; } catch (e) {};
try { let fnprepatch_344 = KismetMathLibrary.prototype.CreateVectorFromYawPitch;KismetMathLibrary.prototype.CreateVectorFromYawPitch = function (Yaw, Pitch, Length = 1) { return fnprepatch_344.call(this, Yaw, Pitch, Length) }; } catch (e) {};
try { let fnprepatch_345 = KismetMathLibrary.prototype.Conv_Vector2DToVector;KismetMathLibrary.prototype.Conv_Vector2DToVector = function (InVector2D, Z = 0) { return fnprepatch_345.call(this, InVector2D, Z) }; } catch (e) {};
try { let fnprepatch_346 = KismetMathLibrary.prototype.Add_IntInt;KismetMathLibrary.prototype.Add_IntInt = function (A, B = 1) { return fnprepatch_346.call(this, A, B) }; } catch (e) {};
try { let fnprepatch_347 = KismetMathLibrary.prototype.Add_FloatFloat;KismetMathLibrary.prototype.Add_FloatFloat = function (A, B = 1) { return fnprepatch_347.call(this, A, B) }; } catch (e) {};
try { let fnprepatch_348 = KismetMathLibrary.prototype.Add_ByteByte;KismetMathLibrary.prototype.Add_ByteByte = function (A, B = 1) { return fnprepatch_348.call(this, A, B) }; } catch (e) {};
try { KismetMathLibrary.prototype.BitwiseXOR = KismetMathLibrary.prototype.Xor_IntInt; } catch (e) {};
try { KismetMathLibrary.BitwiseXOR = KismetMathLibrary.Xor_IntInt; } catch (e) {};
try { KismetMathLibrary.prototype.VectorLengthSquared = KismetMathLibrary.prototype.VSizeSquared; } catch (e) {};
try { KismetMathLibrary.VectorLengthSquared = KismetMathLibrary.VSizeSquared; } catch (e) {};
try { KismetMathLibrary.prototype.Vector2dLengthSquared = KismetMathLibrary.prototype.VSize2DSquared; } catch (e) {};
try { KismetMathLibrary.Vector2dLengthSquared = KismetMathLibrary.VSize2DSquared; } catch (e) {};
try { KismetMathLibrary.prototype.Vector2dLength = KismetMathLibrary.prototype.VSize2D; } catch (e) {};
try { KismetMathLibrary.Vector2dLength = KismetMathLibrary.VSize2D; } catch (e) {};
try { KismetMathLibrary.prototype.VectorLength = KismetMathLibrary.prototype.VSize; } catch (e) {};
try { KismetMathLibrary.VectorLength = KismetMathLibrary.VSize; } catch (e) {};
try { KismetMathLibrary.prototype.Lerp = KismetMathLibrary.prototype.VLerp; } catch (e) {};
try { KismetMathLibrary.Lerp = KismetMathLibrary.VLerp; } catch (e) {};
try { KismetMathLibrary.prototype.Ease = KismetMathLibrary.prototype.VEase; } catch (e) {};
try { KismetMathLibrary.Ease = KismetMathLibrary.VEase; } catch (e) {};
try { KismetMathLibrary.prototype.Lerp = KismetMathLibrary.prototype.TLerp; } catch (e) {};
try { KismetMathLibrary.Lerp = KismetMathLibrary.TLerp; } catch (e) {};
try { KismetMathLibrary.prototype.ZeroValue = KismetMathLibrary.prototype.TimespanZeroValue; } catch (e) {};
try { KismetMathLibrary.ZeroValue = KismetMathLibrary.TimespanZeroValue; } catch (e) {};
try { KismetMathLibrary.prototype.MinValue = KismetMathLibrary.prototype.TimespanMinValue; } catch (e) {};
try { KismetMathLibrary.MinValue = KismetMathLibrary.TimespanMinValue; } catch (e) {};
try { KismetMathLibrary.prototype.MaxValue = KismetMathLibrary.prototype.TimespanMaxValue; } catch (e) {};
try { KismetMathLibrary.MaxValue = KismetMathLibrary.TimespanMaxValue; } catch (e) {};
try { KismetMathLibrary.prototype.Ease = KismetMathLibrary.prototype.TEase; } catch (e) {};
try { KismetMathLibrary.Ease = KismetMathLibrary.TEase; } catch (e) {};
try { KismetMathLibrary.prototype.Sign = KismetMathLibrary.prototype.SignOfInteger; } catch (e) {};
try { KismetMathLibrary.Sign = KismetMathLibrary.SignOfInteger; } catch (e) {};
try { KismetMathLibrary.prototype.Sign = KismetMathLibrary.prototype.SignOfFloat; } catch (e) {};
try { KismetMathLibrary.Sign = KismetMathLibrary.SignOfFloat; } catch (e) {};
try { KismetMathLibrary.prototype.RotateVectorAroundAxis = KismetMathLibrary.prototype.RotateAngleAxis; } catch (e) {};
try { KismetMathLibrary.RotateVectorAroundAxis = KismetMathLibrary.RotateAngleAxis; } catch (e) {};
try { KismetMathLibrary.prototype.Lerp = KismetMathLibrary.prototype.RLerp; } catch (e) {};
try { KismetMathLibrary.Lerp = KismetMathLibrary.RLerp; } catch (e) {};
try { KismetMathLibrary.prototype.RGBtoHSV = KismetMathLibrary.prototype.RGBToHSV_Vector; } catch (e) {};
try { KismetMathLibrary.RGBtoHSV = KismetMathLibrary.RGBToHSV_Vector; } catch (e) {};
try { KismetMathLibrary.prototype.Ease = KismetMathLibrary.prototype.REase; } catch (e) {};
try { KismetMathLibrary.Ease = KismetMathLibrary.REase; } catch (e) {};
try { KismetMathLibrary.prototype.BitwiseOR = KismetMathLibrary.prototype.Or_IntInt; } catch (e) {};
try { KismetMathLibrary.BitwiseOR = KismetMathLibrary.Or_IntInt; } catch (e) {};
try { KismetMathLibrary.prototype.NotEqual = KismetMathLibrary.prototype.NotEqual_VectorVector; } catch (e) {};
try { KismetMathLibrary.NotEqual = KismetMathLibrary.NotEqual_VectorVector; } catch (e) {};
try { KismetMathLibrary.prototype.NotEqual = KismetMathLibrary.prototype.NotEqual_Vector2DVector2D; } catch (e) {};
try { KismetMathLibrary.NotEqual = KismetMathLibrary.NotEqual_Vector2DVector2D; } catch (e) {};
try { KismetMathLibrary.prototype.NotEqual = KismetMathLibrary.prototype.NotEqual_TimespanTimespan; } catch (e) {};
try { KismetMathLibrary.NotEqual = KismetMathLibrary.NotEqual_TimespanTimespan; } catch (e) {};
try { KismetMathLibrary.prototype.NotEqual = KismetMathLibrary.prototype.NotEqual_RotatorRotator; } catch (e) {};
try { KismetMathLibrary.NotEqual = KismetMathLibrary.NotEqual_RotatorRotator; } catch (e) {};
try { KismetMathLibrary.prototype.NotEqual = KismetMathLibrary.prototype.NotEqual_ObjectObject; } catch (e) {};
try { KismetMathLibrary.NotEqual = KismetMathLibrary.NotEqual_ObjectObject; } catch (e) {};
try { KismetMathLibrary.prototype.NotEqual = KismetMathLibrary.prototype.NotEqual_NameName; } catch (e) {};
try { KismetMathLibrary.NotEqual = KismetMathLibrary.NotEqual_NameName; } catch (e) {};
try { KismetMathLibrary.prototype.NotEqual = KismetMathLibrary.prototype.NotEqual_IntInt; } catch (e) {};
try { KismetMathLibrary.NotEqual = KismetMathLibrary.NotEqual_IntInt; } catch (e) {};
try { KismetMathLibrary.prototype.NotEqual = KismetMathLibrary.prototype.NotEqual_FloatFloat; } catch (e) {};
try { KismetMathLibrary.NotEqual = KismetMathLibrary.NotEqual_FloatFloat; } catch (e) {};
try { KismetMathLibrary.prototype.NotEqual = KismetMathLibrary.prototype.NotEqual_DateTimeDateTime; } catch (e) {};
try { KismetMathLibrary.NotEqual = KismetMathLibrary.NotEqual_DateTimeDateTime; } catch (e) {};
try { KismetMathLibrary.prototype.NotEqual = KismetMathLibrary.prototype.NotEqual_ClassClass; } catch (e) {};
try { KismetMathLibrary.NotEqual = KismetMathLibrary.NotEqual_ClassClass; } catch (e) {};
try { KismetMathLibrary.prototype.NotEqual = KismetMathLibrary.prototype.NotEqual_ByteByte; } catch (e) {};
try { KismetMathLibrary.NotEqual = KismetMathLibrary.NotEqual_ByteByte; } catch (e) {};
try { KismetMathLibrary.prototype.NotEqualBoolean = KismetMathLibrary.prototype.NotEqual_BoolBool; } catch (e) {};
try { KismetMathLibrary.NotEqualBoolean = KismetMathLibrary.NotEqual_BoolBool; } catch (e) {};
try { KismetMathLibrary.prototype.NOTBoolean = KismetMathLibrary.prototype.Not_PreBool; } catch (e) {};
try { KismetMathLibrary.NOTBoolean = KismetMathLibrary.Not_PreBool; } catch (e) {};
try { KismetMathLibrary.prototype.BitwiseNOT = KismetMathLibrary.prototype.Not_Int; } catch (e) {};
try { KismetMathLibrary.BitwiseNOT = KismetMathLibrary.Not_Int; } catch (e) {};
try { KismetMathLibrary.prototype.Delta = KismetMathLibrary.prototype.NormalizedDeltaRotator; } catch (e) {};
try { KismetMathLibrary.Delta = KismetMathLibrary.NormalizedDeltaRotator; } catch (e) {};
try { KismetMathLibrary.prototype.Normalize2D = KismetMathLibrary.prototype.Normal2D; } catch (e) {};
try { KismetMathLibrary.Normalize2D = KismetMathLibrary.Normal2D; } catch (e) {};
try { KismetMathLibrary.prototype.Normalize = KismetMathLibrary.prototype.Normal; } catch (e) {};
try { KismetMathLibrary.Normalize = KismetMathLibrary.Normal; } catch (e) {};
try { KismetMathLibrary.prototype.InvertRotator = KismetMathLibrary.prototype.NegateRotator; } catch (e) {};
try { KismetMathLibrary.InvertRotator = KismetMathLibrary.NegateRotator; } catch (e) {};
try { KismetMathLibrary.prototype.NearlyEqual = KismetMathLibrary.prototype.NearlyEqual_TransformTransform; } catch (e) {};
try { KismetMathLibrary.NearlyEqual = KismetMathLibrary.NearlyEqual_TransformTransform; } catch (e) {};
try { KismetMathLibrary.prototype.NearlyEqual = KismetMathLibrary.prototype.NearlyEqual_FloatFloat; } catch (e) {};
try { KismetMathLibrary.NearlyEqual = KismetMathLibrary.NearlyEqual_FloatFloat; } catch (e) {};
try { KismetMathLibrary.prototype.Power = KismetMathLibrary.prototype.MultiplyMultiply_FloatFloat; } catch (e) {};
try { KismetMathLibrary.Power = KismetMathLibrary.MultiplyMultiply_FloatFloat; } catch (e) {};
try { KismetMathLibrary.prototype.ScaleRotator = KismetMathLibrary.prototype.Multiply_RotatorInt; } catch (e) {};
try { KismetMathLibrary.ScaleRotator = KismetMathLibrary.Multiply_RotatorInt; } catch (e) {};
try { KismetMathLibrary.prototype.ScaleRotator = KismetMathLibrary.prototype.Multiply_RotatorFloat; } catch (e) {};
try { KismetMathLibrary.ScaleRotator = KismetMathLibrary.Multiply_RotatorFloat; } catch (e) {};
try { KismetMathLibrary.prototype.LinePlaneIntersection = KismetMathLibrary.prototype.LinePlaneIntersection_OriginNormal; } catch (e) {};
try { KismetMathLibrary.LinePlaneIntersection = KismetMathLibrary.LinePlaneIntersection_OriginNormal; } catch (e) {};
try { KismetMathLibrary.prototype.LerpUsingHSV = KismetMathLibrary.prototype.LinearColorLerpUsingHSV; } catch (e) {};
try { KismetMathLibrary.LerpUsingHSV = KismetMathLibrary.LinearColorLerpUsingHSV; } catch (e) {};
try { KismetMathLibrary.prototype.Lerp = KismetMathLibrary.prototype.LinearColorLerp; } catch (e) {};
try { KismetMathLibrary.Lerp = KismetMathLibrary.LinearColorLerp; } catch (e) {};
try { KismetMathLibrary.prototype.UnrotateVector = KismetMathLibrary.prototype.LessLess_VectorRotator; } catch (e) {};
try { KismetMathLibrary.UnrotateVector = KismetMathLibrary.LessLess_VectorRotator; } catch (e) {};
try { KismetMathLibrary.prototype.InRange = KismetMathLibrary.prototype.InRange_FloatFloat; } catch (e) {};
try { KismetMathLibrary.InRange = KismetMathLibrary.InRange_FloatFloat; } catch (e) {};
try { KismetMathLibrary.prototype.HSVtoRGB = KismetMathLibrary.prototype.HSVToRGB_Vector; } catch (e) {};
try { KismetMathLibrary.HSVtoRGB = KismetMathLibrary.HSVToRGB_Vector; } catch (e) {};
try { KismetMathLibrary.prototype.Snaptogrid = KismetMathLibrary.prototype.GridSnap_Float; } catch (e) {};
try { KismetMathLibrary.Snaptogrid = KismetMathLibrary.GridSnap_Float; } catch (e) {};
try { KismetMathLibrary.prototype.RotateVector = KismetMathLibrary.prototype.GreaterGreater_VectorRotator; } catch (e) {};
try { KismetMathLibrary.RotateVector = KismetMathLibrary.GreaterGreater_VectorRotator; } catch (e) {};
try { KismetMathLibrary.prototype.GetUnitDirectionVector = KismetMathLibrary.prototype.GetDirectionUnitVector; } catch (e) {};
try { KismetMathLibrary.GetUnitDirectionVector = KismetMathLibrary.GetDirectionUnitVector; } catch (e) {};
try { KismetMathLibrary.prototype.TruncateVector = KismetMathLibrary.prototype.FTruncVector; } catch (e) {};
try { KismetMathLibrary.TruncateVector = KismetMathLibrary.FTruncVector; } catch (e) {};
try { KismetMathLibrary.prototype.Truncate = KismetMathLibrary.prototype.FTrunc; } catch (e) {};
try { KismetMathLibrary.Truncate = KismetMathLibrary.FTrunc; } catch (e) {};
try { KismetMathLibrary.prototype.Division = KismetMathLibrary.prototype.FMod; } catch (e) {};
try { KismetMathLibrary.Division = KismetMathLibrary.FMod; } catch (e) {};
try { KismetMathLibrary.prototype.Min = KismetMathLibrary.prototype.FMin; } catch (e) {};
try { KismetMathLibrary.Min = KismetMathLibrary.FMin; } catch (e) {};
try { KismetMathLibrary.prototype.Max = KismetMathLibrary.prototype.FMax; } catch (e) {};
try { KismetMathLibrary.Max = KismetMathLibrary.FMax; } catch (e) {};
try { KismetMathLibrary.prototype.Floor = KismetMathLibrary.prototype.FFloor; } catch (e) {};
try { KismetMathLibrary.Floor = KismetMathLibrary.FFloor; } catch (e) {};
try { KismetMathLibrary.prototype.Clamp = KismetMathLibrary.prototype.FClamp; } catch (e) {};
try { KismetMathLibrary.Clamp = KismetMathLibrary.FClamp; } catch (e) {};
try { KismetMathLibrary.prototype.Equal = KismetMathLibrary.prototype.EqualEqual_VectorVector; } catch (e) {};
try { KismetMathLibrary.Equal = KismetMathLibrary.EqualEqual_VectorVector; } catch (e) {};
try { KismetMathLibrary.prototype.Equal = KismetMathLibrary.prototype.EqualEqual_Vector2DVector2D; } catch (e) {};
try { KismetMathLibrary.Equal = KismetMathLibrary.EqualEqual_Vector2DVector2D; } catch (e) {};
try { KismetMathLibrary.prototype.EqualTransform = KismetMathLibrary.prototype.EqualEqual_TransformTransform; } catch (e) {};
try { KismetMathLibrary.EqualTransform = KismetMathLibrary.EqualEqual_TransformTransform; } catch (e) {};
try { KismetMathLibrary.prototype.Equal = KismetMathLibrary.prototype.EqualEqual_TimespanTimespan; } catch (e) {};
try { KismetMathLibrary.Equal = KismetMathLibrary.EqualEqual_TimespanTimespan; } catch (e) {};
try { KismetMathLibrary.prototype.Equal = KismetMathLibrary.prototype.EqualEqual_RotatorRotator; } catch (e) {};
try { KismetMathLibrary.Equal = KismetMathLibrary.EqualEqual_RotatorRotator; } catch (e) {};
try { KismetMathLibrary.prototype.Equal = KismetMathLibrary.prototype.EqualEqual_ObjectObject; } catch (e) {};
try { KismetMathLibrary.Equal = KismetMathLibrary.EqualEqual_ObjectObject; } catch (e) {};
try { KismetMathLibrary.prototype.Equal = KismetMathLibrary.prototype.EqualEqual_NameName; } catch (e) {};
try { KismetMathLibrary.Equal = KismetMathLibrary.EqualEqual_NameName; } catch (e) {};
try { KismetMathLibrary.prototype.Equal = KismetMathLibrary.prototype.EqualEqual_IntInt; } catch (e) {};
try { KismetMathLibrary.Equal = KismetMathLibrary.EqualEqual_IntInt; } catch (e) {};
try { KismetMathLibrary.prototype.Equal = KismetMathLibrary.prototype.EqualEqual_FloatFloat; } catch (e) {};
try { KismetMathLibrary.Equal = KismetMathLibrary.EqualEqual_FloatFloat; } catch (e) {};
try { KismetMathLibrary.prototype.Equal = KismetMathLibrary.prototype.EqualEqual_DateTimeDateTime; } catch (e) {};
try { KismetMathLibrary.Equal = KismetMathLibrary.EqualEqual_DateTimeDateTime; } catch (e) {};
try { KismetMathLibrary.prototype.Equal = KismetMathLibrary.prototype.EqualEqual_ClassClass; } catch (e) {};
try { KismetMathLibrary.Equal = KismetMathLibrary.EqualEqual_ClassClass; } catch (e) {};
try { KismetMathLibrary.prototype.Equal = KismetMathLibrary.prototype.EqualEqual_ByteByte; } catch (e) {};
try { KismetMathLibrary.Equal = KismetMathLibrary.EqualEqual_ByteByte; } catch (e) {};
try { KismetMathLibrary.prototype.EqualBoolean = KismetMathLibrary.prototype.EqualEqual_BoolBool; } catch (e) {};
try { KismetMathLibrary.EqualBoolean = KismetMathLibrary.EqualEqual_BoolBool; } catch (e) {};
try { KismetMathLibrary.prototype.DotProduct = KismetMathLibrary.prototype.DotProduct2D; } catch (e) {};
try { KismetMathLibrary.DotProduct = KismetMathLibrary.DotProduct2D; } catch (e) {};
try { KismetMathLibrary.prototype.DotProduct = KismetMathLibrary.prototype.Dot_VectorVector; } catch (e) {};
try { KismetMathLibrary.DotProduct = KismetMathLibrary.Dot_VectorVector; } catch (e) {};
try { KismetMathLibrary.prototype.Tan = KismetMathLibrary.prototype.DegTan; } catch (e) {};
try { KismetMathLibrary.Tan = KismetMathLibrary.DegTan; } catch (e) {};
try { KismetMathLibrary.prototype.Sin = KismetMathLibrary.prototype.DegSin; } catch (e) {};
try { KismetMathLibrary.Sin = KismetMathLibrary.DegSin; } catch (e) {};
try { KismetMathLibrary.prototype.Cos = KismetMathLibrary.prototype.DegCos; } catch (e) {};
try { KismetMathLibrary.Cos = KismetMathLibrary.DegCos; } catch (e) {};
try { KismetMathLibrary.prototype.Atan2 = KismetMathLibrary.prototype.DegAtan2; } catch (e) {};
try { KismetMathLibrary.Atan2 = KismetMathLibrary.DegAtan2; } catch (e) {};
try { KismetMathLibrary.prototype.Atan = KismetMathLibrary.prototype.DegAtan; } catch (e) {};
try { KismetMathLibrary.Atan = KismetMathLibrary.DegAtan; } catch (e) {};
try { KismetMathLibrary.prototype.Asin = KismetMathLibrary.prototype.DegAsin; } catch (e) {};
try { KismetMathLibrary.Asin = KismetMathLibrary.DegAsin; } catch (e) {};
try { KismetMathLibrary.prototype.Acos = KismetMathLibrary.prototype.DegAcos; } catch (e) {};
try { KismetMathLibrary.Acos = KismetMathLibrary.DegAcos; } catch (e) {};
try { KismetMathLibrary.prototype.MinValue = KismetMathLibrary.prototype.DateTimeMinValue; } catch (e) {};
try { KismetMathLibrary.MinValue = KismetMathLibrary.DateTimeMinValue; } catch (e) {};
try { KismetMathLibrary.prototype.MaxValue = KismetMathLibrary.prototype.DateTimeMaxValue; } catch (e) {};
try { KismetMathLibrary.MaxValue = KismetMathLibrary.DateTimeMaxValue; } catch (e) {};
try { KismetMathLibrary.prototype.CrossProduct = KismetMathLibrary.prototype.CrossProduct2D; } catch (e) {};
try { KismetMathLibrary.CrossProduct = KismetMathLibrary.CrossProduct2D; } catch (e) {};
try { KismetMathLibrary.prototype.CrossProduct = KismetMathLibrary.prototype.Cross_VectorVector; } catch (e) {};
try { KismetMathLibrary.CrossProduct = KismetMathLibrary.Cross_VectorVector; } catch (e) {};
try { KismetMathLibrary.prototype.ToVector2D = KismetMathLibrary.prototype.Conv_VectorToVector2D; } catch (e) {};
try { KismetMathLibrary.ToVector2D = KismetMathLibrary.Conv_VectorToVector2D; } catch (e) {};
try { KismetMathLibrary.prototype.ToTransform = KismetMathLibrary.prototype.Conv_VectorToTransform; } catch (e) {};
try { KismetMathLibrary.ToTransform = KismetMathLibrary.Conv_VectorToTransform; } catch (e) {};
try { KismetMathLibrary.prototype.RotationFromXVector = KismetMathLibrary.prototype.Conv_VectorToRotator; } catch (e) {};
try { KismetMathLibrary.RotationFromXVector = KismetMathLibrary.Conv_VectorToRotator; } catch (e) {};
try { KismetMathLibrary.prototype.ToLinearColor = KismetMathLibrary.prototype.Conv_VectorToLinearColor; } catch (e) {};
try { KismetMathLibrary.ToLinearColor = KismetMathLibrary.Conv_VectorToLinearColor; } catch (e) {};
try { KismetMathLibrary.prototype.ToVector = KismetMathLibrary.prototype.Conv_Vector2DToVector; } catch (e) {};
try { KismetMathLibrary.ToVector = KismetMathLibrary.Conv_Vector2DToVector; } catch (e) {};
try { KismetMathLibrary.prototype.GetRotationXVector = KismetMathLibrary.prototype.Conv_RotatorToVector; } catch (e) {};
try { KismetMathLibrary.GetRotationXVector = KismetMathLibrary.Conv_RotatorToVector; } catch (e) {};
try { KismetMathLibrary.prototype.ToVector = KismetMathLibrary.prototype.Conv_LinearColorToVector; } catch (e) {};
try { KismetMathLibrary.ToVector = KismetMathLibrary.Conv_LinearColorToVector; } catch (e) {};
try { KismetMathLibrary.prototype.ToColor = KismetMathLibrary.prototype.Conv_LinearColorToColor; } catch (e) {};
try { KismetMathLibrary.ToColor = KismetMathLibrary.Conv_LinearColorToColor; } catch (e) {};
try { KismetMathLibrary.prototype.ToVector = KismetMathLibrary.prototype.Conv_IntVectorToVector; } catch (e) {};
try { KismetMathLibrary.ToVector = KismetMathLibrary.Conv_IntVectorToVector; } catch (e) {};
try { KismetMathLibrary.prototype.ToIntVector = KismetMathLibrary.prototype.Conv_IntToIntVector; } catch (e) {};
try { KismetMathLibrary.ToIntVector = KismetMathLibrary.Conv_IntToIntVector; } catch (e) {};
try { KismetMathLibrary.prototype.ToFloat = KismetMathLibrary.prototype.Conv_IntToFloat; } catch (e) {};
try { KismetMathLibrary.ToFloat = KismetMathLibrary.Conv_IntToFloat; } catch (e) {};
try { KismetMathLibrary.prototype.ToByte = KismetMathLibrary.prototype.Conv_IntToByte; } catch (e) {};
try { KismetMathLibrary.ToByte = KismetMathLibrary.Conv_IntToByte; } catch (e) {};
try { KismetMathLibrary.prototype.ToBool = KismetMathLibrary.prototype.Conv_IntToBool; } catch (e) {};
try { KismetMathLibrary.ToBool = KismetMathLibrary.Conv_IntToBool; } catch (e) {};
try { KismetMathLibrary.prototype.ToVector = KismetMathLibrary.prototype.Conv_FloatToVector; } catch (e) {};
try { KismetMathLibrary.ToVector = KismetMathLibrary.Conv_FloatToVector; } catch (e) {};
try { KismetMathLibrary.prototype.ToLinearColor = KismetMathLibrary.prototype.Conv_FloatToLinearColor; } catch (e) {};
try { KismetMathLibrary.ToLinearColor = KismetMathLibrary.Conv_FloatToLinearColor; } catch (e) {};
try { KismetMathLibrary.prototype.ToLinearColor = KismetMathLibrary.prototype.Conv_ColorToLinearColor; } catch (e) {};
try { KismetMathLibrary.ToLinearColor = KismetMathLibrary.Conv_ColorToLinearColor; } catch (e) {};
try { KismetMathLibrary.prototype.ToInt = KismetMathLibrary.prototype.Conv_ByteToInt; } catch (e) {};
try { KismetMathLibrary.ToInt = KismetMathLibrary.Conv_ByteToInt; } catch (e) {};
try { KismetMathLibrary.prototype.ToFloat = KismetMathLibrary.prototype.Conv_ByteToFloat; } catch (e) {};
try { KismetMathLibrary.ToFloat = KismetMathLibrary.Conv_ByteToFloat; } catch (e) {};
try { KismetMathLibrary.prototype.ToInt = KismetMathLibrary.prototype.Conv_BoolToInt; } catch (e) {};
try { KismetMathLibrary.ToInt = KismetMathLibrary.Conv_BoolToInt; } catch (e) {};
try { KismetMathLibrary.prototype.ToFloat = KismetMathLibrary.prototype.Conv_BoolToFloat; } catch (e) {};
try { KismetMathLibrary.ToFloat = KismetMathLibrary.Conv_BoolToFloat; } catch (e) {};
try { KismetMathLibrary.prototype.ToByte = KismetMathLibrary.prototype.Conv_BoolToByte; } catch (e) {};
try { KismetMathLibrary.ToByte = KismetMathLibrary.Conv_BoolToByte; } catch (e) {};
try { KismetMathLibrary.prototype.CombineRotators = KismetMathLibrary.prototype.ComposeRotators; } catch (e) {};
try { KismetMathLibrary.CombineRotators = KismetMathLibrary.ComposeRotators; } catch (e) {};
try { KismetMathLibrary.prototype.XORBoolean = KismetMathLibrary.prototype.BooleanXOR; } catch (e) {};
try { KismetMathLibrary.XORBoolean = KismetMathLibrary.BooleanXOR; } catch (e) {};
try { KismetMathLibrary.prototype.ORBoolean = KismetMathLibrary.prototype.BooleanOR; } catch (e) {};
try { KismetMathLibrary.ORBoolean = KismetMathLibrary.BooleanOR; } catch (e) {};
try { KismetMathLibrary.prototype.NORBoolean = KismetMathLibrary.prototype.BooleanNOR; } catch (e) {};
try { KismetMathLibrary.NORBoolean = KismetMathLibrary.BooleanNOR; } catch (e) {};
try { KismetMathLibrary.prototype.NANDBoolean = KismetMathLibrary.prototype.BooleanNAND; } catch (e) {};
try { KismetMathLibrary.NANDBoolean = KismetMathLibrary.BooleanNAND; } catch (e) {};
try { KismetMathLibrary.prototype.ANDBoolean = KismetMathLibrary.prototype.BooleanAND; } catch (e) {};
try { KismetMathLibrary.ANDBoolean = KismetMathLibrary.BooleanAND; } catch (e) {};
try { KismetMathLibrary.prototype.Min = KismetMathLibrary.prototype.BMin; } catch (e) {};
try { KismetMathLibrary.Min = KismetMathLibrary.BMin; } catch (e) {};
try { KismetMathLibrary.prototype.Max = KismetMathLibrary.prototype.BMax; } catch (e) {};
try { KismetMathLibrary.Max = KismetMathLibrary.BMax; } catch (e) {};
try { KismetMathLibrary.prototype.BitwiseAND = KismetMathLibrary.prototype.And_IntInt; } catch (e) {};
try { KismetMathLibrary.BitwiseAND = KismetMathLibrary.And_IntInt; } catch (e) {};
try { KismetMathLibrary.prototype.Absolute = KismetMathLibrary.prototype.Abs_Int; } catch (e) {};
try { KismetMathLibrary.Absolute = KismetMathLibrary.Abs_Int; } catch (e) {};
try { KismetMathLibrary.prototype.Absolute = KismetMathLibrary.prototype.Abs; } catch (e) {};
try { KismetMathLibrary.Absolute = KismetMathLibrary.Abs; } catch (e) {};
try { let fnprepatch_349 = KismetRenderingLibrary.prototype.CreateRenderTarget2D;KismetRenderingLibrary.prototype.CreateRenderTarget2D = function (WorldContextObject, Width = 256, Height = 256) { return fnprepatch_349.call(this, WorldContextObject, Width, Height) }; } catch (e) {};
try { let fnprepatch_350 = KismetRenderingLibrary.prototype.ClearRenderTarget2D;KismetRenderingLibrary.prototype.ClearRenderTarget2D = function (WorldContextObject, TextureRenderTarget, ClearColor = {"R":0,"G":0,"B":0,"A":1}) { return fnprepatch_350.call(this, WorldContextObject, TextureRenderTarget, ClearColor) }; } catch (e) {};
try { let fnprepatch_351 = KismetStringLibrary.prototype.StartsWith;KismetStringLibrary.prototype.StartsWith = function (SourceString, InPrefix, SearchCase = "IgnoreCase") { return fnprepatch_351.call(this, SourceString, InPrefix, SearchCase) }; } catch (e) {};
try { let fnprepatch_352 = KismetStringLibrary.prototype.Split;KismetStringLibrary.prototype.Split = function (SourceString, InStr, LeftS, RightS, SearchCase = "IgnoreCase", SearchDir = "FromStart") { return fnprepatch_352.call(this, SourceString, InStr, LeftS, RightS, SearchCase, SearchDir) }; } catch (e) {};
try { let fnprepatch_353 = KismetStringLibrary.prototype.ReplaceInline;KismetStringLibrary.prototype.ReplaceInline = function (SourceString, SearchText, ReplacementText, SearchCase = "IgnoreCase") { return fnprepatch_353.call(this, SourceString, SearchText, ReplacementText, SearchCase) }; } catch (e) {};
try { let fnprepatch_354 = KismetStringLibrary.prototype.Replace;KismetStringLibrary.prototype.Replace = function (SourceString, From, To, SearchCase = "IgnoreCase") { return fnprepatch_354.call(this, SourceString, From, To, SearchCase) }; } catch (e) {};
try { let fnprepatch_355 = KismetStringLibrary.prototype.ParseIntoArray;KismetStringLibrary.prototype.ParseIntoArray = function (SourceString, Delimiter = " ", CullEmptyStrings = true) { return fnprepatch_355.call(this, SourceString, Delimiter, CullEmptyStrings) }; } catch (e) {};
try { let fnprepatch_356 = KismetStringLibrary.prototype.MatchesWildcard;KismetStringLibrary.prototype.MatchesWildcard = function (SourceString, Wildcard, SearchCase = "IgnoreCase") { return fnprepatch_356.call(this, SourceString, Wildcard, SearchCase) }; } catch (e) {};
try { let fnprepatch_357 = KismetStringLibrary.prototype.JoinStringArray;KismetStringLibrary.prototype.JoinStringArray = function (SourceArray, Separator = " ") { return fnprepatch_357.call(this, SourceArray, Separator) }; } catch (e) {};
try { let fnprepatch_358 = KismetStringLibrary.prototype.GetSubstring;KismetStringLibrary.prototype.GetSubstring = function (SourceString, StartIndex = 0, Length = 1) { return fnprepatch_358.call(this, SourceString, StartIndex, Length) }; } catch (e) {};
try { let fnprepatch_359 = KismetStringLibrary.prototype.GetCharacterAsNumber;KismetStringLibrary.prototype.GetCharacterAsNumber = function (SourceString, Index = 0) { return fnprepatch_359.call(this, SourceString, Index) }; } catch (e) {};
try { let fnprepatch_360 = KismetStringLibrary.prototype.FindSubstring;KismetStringLibrary.prototype.FindSubstring = function (SearchIn, Substring, bUseCase = false, bSearchFromEnd = false, StartPosition = -1) { return fnprepatch_360.call(this, SearchIn, Substring, bUseCase, bSearchFromEnd, StartPosition) }; } catch (e) {};
try { let fnprepatch_361 = KismetStringLibrary.prototype.EndsWith;KismetStringLibrary.prototype.EndsWith = function (SourceString, InSuffix, SearchCase = "IgnoreCase") { return fnprepatch_361.call(this, SourceString, InSuffix, SearchCase) }; } catch (e) {};
try { let fnprepatch_362 = KismetStringLibrary.prototype.Contains;KismetStringLibrary.prototype.Contains = function (SearchIn, Substring, bUseCase = false, bSearchFromEnd = false) { return fnprepatch_362.call(this, SearchIn, Substring, bUseCase, bSearchFromEnd) }; } catch (e) {};
try { KismetStringLibrary.prototype.NotEqual = KismetStringLibrary.prototype.NotEqual_StrStr; } catch (e) {};
try { KismetStringLibrary.NotEqual = KismetStringLibrary.NotEqual_StrStr; } catch (e) {};
try { KismetStringLibrary.prototype.Equal = KismetStringLibrary.prototype.EqualEqual_StrStr; } catch (e) {};
try { KismetStringLibrary.Equal = KismetStringLibrary.EqualEqual_StrStr; } catch (e) {};
try { KismetStringLibrary.prototype.ToString = KismetStringLibrary.prototype.Conv_VectorToString; } catch (e) {};
try { KismetStringLibrary.ToString = KismetStringLibrary.Conv_VectorToString; } catch (e) {};
try { KismetStringLibrary.prototype.ToString = KismetStringLibrary.prototype.Conv_Vector2dToString; } catch (e) {};
try { KismetStringLibrary.ToString = KismetStringLibrary.Conv_Vector2dToString; } catch (e) {};
try { KismetStringLibrary.prototype.ToString = KismetStringLibrary.prototype.Conv_TransformToString; } catch (e) {};
try { KismetStringLibrary.ToString = KismetStringLibrary.Conv_TransformToString; } catch (e) {};
try { KismetStringLibrary.prototype.StringtoVector2D = KismetStringLibrary.prototype.Conv_StringToVector2D; } catch (e) {};
try { KismetStringLibrary.StringtoVector2D = KismetStringLibrary.Conv_StringToVector2D; } catch (e) {};
try { KismetStringLibrary.prototype.StringtoVector = KismetStringLibrary.prototype.Conv_StringToVector; } catch (e) {};
try { KismetStringLibrary.StringtoVector = KismetStringLibrary.Conv_StringToVector; } catch (e) {};
try { KismetStringLibrary.prototype.StringtoRotator = KismetStringLibrary.prototype.Conv_StringToRotator; } catch (e) {};
try { KismetStringLibrary.StringtoRotator = KismetStringLibrary.Conv_StringToRotator; } catch (e) {};
try { KismetStringLibrary.prototype.StringToName = KismetStringLibrary.prototype.Conv_StringToName; } catch (e) {};
try { KismetStringLibrary.StringToName = KismetStringLibrary.Conv_StringToName; } catch (e) {};
try { KismetStringLibrary.prototype.StringToInt = KismetStringLibrary.prototype.Conv_StringToInt; } catch (e) {};
try { KismetStringLibrary.StringToInt = KismetStringLibrary.Conv_StringToInt; } catch (e) {};
try { KismetStringLibrary.prototype.StringToFloat = KismetStringLibrary.prototype.Conv_StringToFloat; } catch (e) {};
try { KismetStringLibrary.StringToFloat = KismetStringLibrary.Conv_StringToFloat; } catch (e) {};
try { KismetStringLibrary.prototype.StringtoColor = KismetStringLibrary.prototype.Conv_StringToColor; } catch (e) {};
try { KismetStringLibrary.StringtoColor = KismetStringLibrary.Conv_StringToColor; } catch (e) {};
try { KismetStringLibrary.prototype.ToString = KismetStringLibrary.prototype.Conv_RotatorToString; } catch (e) {};
try { KismetStringLibrary.ToString = KismetStringLibrary.Conv_RotatorToString; } catch (e) {};
try { KismetStringLibrary.prototype.ToString = KismetStringLibrary.prototype.Conv_ObjectToString; } catch (e) {};
try { KismetStringLibrary.ToString = KismetStringLibrary.Conv_ObjectToString; } catch (e) {};
try { KismetStringLibrary.prototype.ToString = KismetStringLibrary.prototype.Conv_NameToString; } catch (e) {};
try { KismetStringLibrary.ToString = KismetStringLibrary.Conv_NameToString; } catch (e) {};
try { KismetStringLibrary.prototype.ToString = KismetStringLibrary.prototype.Conv_IntVectorToString; } catch (e) {};
try { KismetStringLibrary.ToString = KismetStringLibrary.Conv_IntVectorToString; } catch (e) {};
try { KismetStringLibrary.prototype.ToString = KismetStringLibrary.prototype.Conv_IntToString; } catch (e) {};
try { KismetStringLibrary.ToString = KismetStringLibrary.Conv_IntToString; } catch (e) {};
try { KismetStringLibrary.prototype.ToString = KismetStringLibrary.prototype.Conv_FloatToString; } catch (e) {};
try { KismetStringLibrary.ToString = KismetStringLibrary.Conv_FloatToString; } catch (e) {};
try { KismetStringLibrary.prototype.ToString = KismetStringLibrary.prototype.Conv_ColorToString; } catch (e) {};
try { KismetStringLibrary.ToString = KismetStringLibrary.Conv_ColorToString; } catch (e) {};
try { KismetStringLibrary.prototype.ToString = KismetStringLibrary.prototype.Conv_ByteToString; } catch (e) {};
try { KismetStringLibrary.ToString = KismetStringLibrary.Conv_ByteToString; } catch (e) {};
try { KismetStringLibrary.prototype.ToString = KismetStringLibrary.prototype.Conv_BoolToString; } catch (e) {};
try { KismetStringLibrary.ToString = KismetStringLibrary.Conv_BoolToString; } catch (e) {};
try { KismetStringLibrary.prototype.Append = KismetStringLibrary.prototype.Concat_StrStr; } catch (e) {};
try { KismetStringLibrary.Append = KismetStringLibrary.Concat_StrStr; } catch (e) {};
try { KismetStringLibrary.prototype.BuildString = KismetStringLibrary.prototype.BuildString_Vector2d; } catch (e) {};
try { KismetStringLibrary.BuildString = KismetStringLibrary.BuildString_Vector2d; } catch (e) {};
try { KismetStringLibrary.prototype.BuildString = KismetStringLibrary.prototype.BuildString_Vector; } catch (e) {};
try { KismetStringLibrary.BuildString = KismetStringLibrary.BuildString_Vector; } catch (e) {};
try { KismetStringLibrary.prototype.BuildString = KismetStringLibrary.prototype.BuildString_Rotator; } catch (e) {};
try { KismetStringLibrary.BuildString = KismetStringLibrary.BuildString_Rotator; } catch (e) {};
try { KismetStringLibrary.prototype.BuildString = KismetStringLibrary.prototype.BuildString_Object; } catch (e) {};
try { KismetStringLibrary.BuildString = KismetStringLibrary.BuildString_Object; } catch (e) {};
try { KismetStringLibrary.prototype.BuildString = KismetStringLibrary.prototype.BuildString_Name; } catch (e) {};
try { KismetStringLibrary.BuildString = KismetStringLibrary.BuildString_Name; } catch (e) {};
try { KismetStringLibrary.prototype.BuildString = KismetStringLibrary.prototype.BuildString_IntVector; } catch (e) {};
try { KismetStringLibrary.BuildString = KismetStringLibrary.BuildString_IntVector; } catch (e) {};
try { KismetStringLibrary.prototype.BuildString = KismetStringLibrary.prototype.BuildString_Int; } catch (e) {};
try { KismetStringLibrary.BuildString = KismetStringLibrary.BuildString_Int; } catch (e) {};
try { KismetStringLibrary.prototype.BuildString = KismetStringLibrary.prototype.BuildString_Float; } catch (e) {};
try { KismetStringLibrary.BuildString = KismetStringLibrary.BuildString_Float; } catch (e) {};
try { KismetStringLibrary.prototype.BuildString = KismetStringLibrary.prototype.BuildString_Color; } catch (e) {};
try { KismetStringLibrary.BuildString = KismetStringLibrary.BuildString_Color; } catch (e) {};
try { KismetStringLibrary.prototype.BuildString = KismetStringLibrary.prototype.BuildString_Bool; } catch (e) {};
try { KismetStringLibrary.BuildString = KismetStringLibrary.BuildString_Bool; } catch (e) {};
try { let fnprepatch_363 = KismetTextLibrary.prototype.Conv_IntToText;KismetTextLibrary.prototype.Conv_IntToText = function (Value, bUseGrouping = true, MinimumIntegralDigits = 1, MaximumIntegralDigits = 324) { return fnprepatch_363.call(this, Value, bUseGrouping, MinimumIntegralDigits, MaximumIntegralDigits) }; } catch (e) {};
try { let fnprepatch_364 = KismetTextLibrary.prototype.Conv_FloatToText;KismetTextLibrary.prototype.Conv_FloatToText = function (Value, RoundingMode, bUseGrouping = true, MinimumIntegralDigits = 1, MaximumIntegralDigits = 324, MinimumFractionalDigits = 0, MaximumFractionalDigits = 3) { return fnprepatch_364.call(this, Value, RoundingMode, bUseGrouping, MinimumIntegralDigits, MaximumIntegralDigits, MinimumFractionalDigits, MaximumFractionalDigits) }; } catch (e) {};
try { let fnprepatch_365 = KismetTextLibrary.prototype.AsPercent_Float;KismetTextLibrary.prototype.AsPercent_Float = function (Value, RoundingMode, bUseGrouping = true, MinimumIntegralDigits = 1, MaximumIntegralDigits = 324, MinimumFractionalDigits = 0, MaximumFractionalDigits = 3) { return fnprepatch_365.call(this, Value, RoundingMode, bUseGrouping, MinimumIntegralDigits, MaximumIntegralDigits, MinimumFractionalDigits, MaximumFractionalDigits) }; } catch (e) {};
try { let fnprepatch_366 = KismetTextLibrary.prototype.AsCurrency_Integer;KismetTextLibrary.prototype.AsCurrency_Integer = function (Value, RoundingMode, bUseGrouping = true, MinimumIntegralDigits = 1, MaximumIntegralDigits = 324, MinimumFractionalDigits = 0, MaximumFractionalDigits = 3, CurrencyCode) { return fnprepatch_366.call(this, Value, RoundingMode, bUseGrouping, MinimumIntegralDigits, MaximumIntegralDigits, MinimumFractionalDigits, MaximumFractionalDigits, CurrencyCode) }; } catch (e) {};
try { let fnprepatch_367 = KismetTextLibrary.prototype.AsCurrency_Float;KismetTextLibrary.prototype.AsCurrency_Float = function (Value, RoundingMode, bUseGrouping = true, MinimumIntegralDigits = 1, MaximumIntegralDigits = 324, MinimumFractionalDigits = 0, MaximumFractionalDigits = 3, CurrencyCode) { return fnprepatch_367.call(this, Value, RoundingMode, bUseGrouping, MinimumIntegralDigits, MaximumIntegralDigits, MinimumFractionalDigits, MaximumFractionalDigits, CurrencyCode) }; } catch (e) {};
try { KismetTextLibrary.prototype.NotEqual = KismetTextLibrary.prototype.NotEqual_TextText; } catch (e) {};
try { KismetTextLibrary.NotEqual = KismetTextLibrary.NotEqual_TextText; } catch (e) {};
try { KismetTextLibrary.prototype.Equal = KismetTextLibrary.prototype.EqualEqual_TextText; } catch (e) {};
try { KismetTextLibrary.Equal = KismetTextLibrary.EqualEqual_TextText; } catch (e) {};
try { KismetTextLibrary.prototype.ToText = KismetTextLibrary.prototype.Conv_VectorToText; } catch (e) {};
try { KismetTextLibrary.ToText = KismetTextLibrary.Conv_VectorToText; } catch (e) {};
try { KismetTextLibrary.prototype.ToText = KismetTextLibrary.prototype.Conv_Vector2dToText; } catch (e) {};
try { KismetTextLibrary.ToText = KismetTextLibrary.Conv_Vector2dToText; } catch (e) {};
try { KismetTextLibrary.prototype.ToText = KismetTextLibrary.prototype.Conv_TransformToText; } catch (e) {};
try { KismetTextLibrary.ToText = KismetTextLibrary.Conv_TransformToText; } catch (e) {};
try { KismetTextLibrary.prototype.ToString = KismetTextLibrary.prototype.Conv_TextToString; } catch (e) {};
try { KismetTextLibrary.ToString = KismetTextLibrary.Conv_TextToString; } catch (e) {};
try { KismetTextLibrary.prototype.ToText = KismetTextLibrary.prototype.Conv_StringToText; } catch (e) {};
try { KismetTextLibrary.ToText = KismetTextLibrary.Conv_StringToText; } catch (e) {};
try { KismetTextLibrary.prototype.ToText = KismetTextLibrary.prototype.Conv_RotatorToText; } catch (e) {};
try { KismetTextLibrary.ToText = KismetTextLibrary.Conv_RotatorToText; } catch (e) {};
try { KismetTextLibrary.prototype.ToText = KismetTextLibrary.prototype.Conv_ObjectToText; } catch (e) {};
try { KismetTextLibrary.ToText = KismetTextLibrary.Conv_ObjectToText; } catch (e) {};
try { KismetTextLibrary.prototype.ToText = KismetTextLibrary.prototype.Conv_NameToText; } catch (e) {};
try { KismetTextLibrary.ToText = KismetTextLibrary.Conv_NameToText; } catch (e) {};
try { KismetTextLibrary.prototype.ToText = KismetTextLibrary.prototype.Conv_IntToText; } catch (e) {};
try { KismetTextLibrary.ToText = KismetTextLibrary.Conv_IntToText; } catch (e) {};
try { KismetTextLibrary.prototype.ToText = KismetTextLibrary.prototype.Conv_FloatToText; } catch (e) {};
try { KismetTextLibrary.ToText = KismetTextLibrary.Conv_FloatToText; } catch (e) {};
try { KismetTextLibrary.prototype.ToText = KismetTextLibrary.prototype.Conv_ColorToText; } catch (e) {};
try { KismetTextLibrary.ToText = KismetTextLibrary.Conv_ColorToText; } catch (e) {};
try { KismetTextLibrary.prototype.ToText = KismetTextLibrary.prototype.Conv_ByteToText; } catch (e) {};
try { KismetTextLibrary.ToText = KismetTextLibrary.Conv_ByteToText; } catch (e) {};
try { KismetTextLibrary.prototype.ToText = KismetTextLibrary.prototype.Conv_BoolToText; } catch (e) {};
try { KismetTextLibrary.ToText = KismetTextLibrary.Conv_BoolToText; } catch (e) {};
try { KismetTextLibrary.prototype.AsTime = KismetTextLibrary.prototype.AsTimeZoneTime_DateTime; } catch (e) {};
try { KismetTextLibrary.AsTime = KismetTextLibrary.AsTimeZoneTime_DateTime; } catch (e) {};
try { KismetTextLibrary.prototype.AsDateTime = KismetTextLibrary.prototype.AsTimeZoneDateTime_DateTime; } catch (e) {};
try { KismetTextLibrary.AsDateTime = KismetTextLibrary.AsTimeZoneDateTime_DateTime; } catch (e) {};
try { KismetTextLibrary.prototype.AsDate = KismetTextLibrary.prototype.AsTimeZoneDate_DateTime; } catch (e) {};
try { KismetTextLibrary.AsDate = KismetTextLibrary.AsTimeZoneDate_DateTime; } catch (e) {};
try { KismetTextLibrary.prototype.AsTimespan = KismetTextLibrary.prototype.AsTimespan_Timespan; } catch (e) {};
try { KismetTextLibrary.AsTimespan = KismetTextLibrary.AsTimespan_Timespan; } catch (e) {};
try { KismetTextLibrary.prototype.AsTime = KismetTextLibrary.prototype.AsTime_DateTime; } catch (e) {};
try { KismetTextLibrary.AsTime = KismetTextLibrary.AsTime_DateTime; } catch (e) {};
try { KismetTextLibrary.prototype.AsPercent = KismetTextLibrary.prototype.AsPercent_Float; } catch (e) {};
try { KismetTextLibrary.AsPercent = KismetTextLibrary.AsPercent_Float; } catch (e) {};
try { KismetTextLibrary.prototype.AsDateTime = KismetTextLibrary.prototype.AsDateTime_DateTime; } catch (e) {};
try { KismetTextLibrary.AsDateTime = KismetTextLibrary.AsDateTime_DateTime; } catch (e) {};
try { KismetTextLibrary.prototype.AsDate = KismetTextLibrary.prototype.AsDate_DateTime; } catch (e) {};
try { KismetTextLibrary.AsDate = KismetTextLibrary.AsDate_DateTime; } catch (e) {};
try { KismetTextLibrary.prototype.AsCurrency = KismetTextLibrary.prototype.AsCurrencyBase; } catch (e) {};
try { KismetTextLibrary.AsCurrency = KismetTextLibrary.AsCurrencyBase; } catch (e) {};
try { KismetTextLibrary.prototype.AsCurrency = KismetTextLibrary.prototype.AsCurrency_Integer; } catch (e) {};
try { KismetTextLibrary.AsCurrency = KismetTextLibrary.AsCurrency_Integer; } catch (e) {};
try { KismetTextLibrary.prototype.AsCurrency = KismetTextLibrary.prototype.AsCurrency_Float; } catch (e) {};
try { KismetTextLibrary.AsCurrency = KismetTextLibrary.AsCurrency_Float; } catch (e) {};
try { let fnprepatch_368 = MeshVertexPainterKismetLibrary.prototype.PaintVerticesSingleColor;MeshVertexPainterKismetLibrary.prototype.PaintVerticesSingleColor = function (StaticMeshComponent, FillColor, bConvertToSRGB = true) { return fnprepatch_368.call(this, StaticMeshComponent, FillColor, bConvertToSRGB) }; } catch (e) {};
try { let fnprepatch_369 = MeshVertexPainterKismetLibrary.prototype.PaintVerticesLerpAlongAxis;MeshVertexPainterKismetLibrary.prototype.PaintVerticesLerpAlongAxis = function (StaticMeshComponent, StartColor, EndColor, Axis, bConvertToSRGB = true) { return fnprepatch_369.call(this, StaticMeshComponent, StartColor, EndColor, Axis, bConvertToSRGB) }; } catch (e) {};
try { World.prototype.GetNumNetworkPlayers = World.prototype.GetNumberOfNetworkPlayers; } catch (e) {};
try { World.prototype.LogBoxShape = World.prototype.LogBox; } catch (e) {};
try { World.prototype.PredictProjectilePath = World.prototype.Blueprint_PredictProjectilePath_Advanced; } catch (e) {};
try { World.prototype.PredictProjectilePathByObjectType = World.prototype.Blueprint_PredictProjectilePath_ByObjectType; } catch (e) {};
try { World.prototype.PredictProjectilePathByTraceChannel = World.prototype.Blueprint_PredictProjectilePath_ByTraceChannel; } catch (e) {};
try { World.prototype.SuggestProjectileVelocity = World.prototype.BlueprintSuggestProjectileVelocity; } catch (e) {};
try { World.prototype.SuggestProjectileVelocityCustomArc = World.prototype.SuggestProjectileVelocity_CustomArc; } catch (e) {};
try { World.prototype.MultiBoxTraceByChannel = World.prototype.BoxTraceMulti; } catch (e) {};
try { World.prototype.MultiBoxTraceForObjects = World.prototype.BoxTraceMultiForObjects; } catch (e) {};
try { World.prototype.BoxTraceByChannel = World.prototype.BoxTraceSingle; } catch (e) {};
try { World.prototype.BoxTraceForObjects = World.prototype.BoxTraceSingleForObjects; } catch (e) {};
try { World.prototype.MultiCapsuleTraceByChannel = World.prototype.CapsuleTraceMulti; } catch (e) {};
try { World.prototype.MultiCapsuleTraceForObjects = World.prototype.CapsuleTraceMultiForObjects; } catch (e) {};
try { World.prototype.CapsuleTraceByChannel = World.prototype.CapsuleTraceSingle; } catch (e) {};
try { World.prototype.CapsuleTraceForObjects = World.prototype.CapsuleTraceSingleForObjects; } catch (e) {};
try { World.prototype.DrawDebugCone = World.prototype.DrawDebugConeInDegrees; } catch (e) {};
try { World.prototype.ClearandInvalidateTimerbyHandle = World.prototype.K2_ClearAndInvalidateTimerHandle; } catch (e) {};
try { World.prototype.ClearTimerbyHandle = World.prototype.K2_ClearTimerHandle; } catch (e) {};
try { World.prototype.GetTimerElapsedTimebyHandle = World.prototype.K2_GetTimerElapsedTimeHandle; } catch (e) {};
try { World.prototype.GetTimerRemainingTimebyHandle = World.prototype.K2_GetTimerRemainingTimeHandle; } catch (e) {};
try { World.prototype.IsTimerActivebyHandle = World.prototype.K2_IsTimerActiveHandle; } catch (e) {};
try { World.prototype.IsTimerPausedbyHandle = World.prototype.K2_IsTimerPausedHandle; } catch (e) {};
try { World.prototype.PauseTimerbyHandle = World.prototype.K2_PauseTimerHandle; } catch (e) {};
try { World.prototype.DoesTimerExistbyHandle = World.prototype.K2_TimerExistsHandle; } catch (e) {};
try { World.prototype.UnpauseTimerbyHandle = World.prototype.K2_UnPauseTimerHandle; } catch (e) {};
try { World.prototype.MultiLineTraceByChannel = World.prototype.LineTraceMulti; } catch (e) {};
try { World.prototype.MultiLineTraceForObjects = World.prototype.LineTraceMultiForObjects; } catch (e) {};
try { World.prototype.LineTraceByChannel = World.prototype.LineTraceSingle; } catch (e) {};
try { World.prototype.LineTraceForObjects = World.prototype.LineTraceSingleForObjects; } catch (e) {};
try { World.prototype.MultiSphereTraceByChannel = World.prototype.SphereTraceMulti; } catch (e) {};
try { World.prototype.MultiSphereTraceForObjects = World.prototype.SphereTraceMultiForObjects; } catch (e) {};
try { World.prototype.SphereTraceByChannel = World.prototype.SphereTraceSingle; } catch (e) {};
try { World.prototype.SphereTraceForObjects = World.prototype.SphereTraceSingleForObjects; } catch (e) {};
try { World.prototype.CreateWidget = World.prototype.Create; } catch (e) {};
try { World.prototype.ScreenToAbsolute = World.prototype.ScreenToWidgetAbsolute; } catch (e) {};
try { World.prototype.ScreenToLocal = World.prototype.ScreenToWidgetLocal; } catch (e) {};
try { let fnprepatch_370 = NavigationSystem.prototype.RegisterNavigationInvoker;NavigationSystem.prototype.RegisterNavigationInvoker = function (Invoker, TileGenerationRadius = 3000, TileRemovalRadius = 5000) { return fnprepatch_370.call(this, Invoker, TileGenerationRadius, TileRemovalRadius) }; } catch (e) {};
try { let fnprepatch_371 = NavigationSystem.prototype.FindPathToActorSynchronously;NavigationSystem.prototype.FindPathToActorSynchronously = function (WorldContext, PathStart, GoalActor, TetherDistance = 50, PathfindingContext, FilterClass) { return fnprepatch_371.call(this, WorldContext, PathStart, GoalActor, TetherDistance, PathfindingContext, FilterClass) }; } catch (e) {};
try { let fnprepatch_372 = StereoLayerFunctionLibrary.prototype.SetSplashScreen;StereoLayerFunctionLibrary.prototype.SetSplashScreen = function (Texture, Scale = {"X":1,"Y":1}, Offset = {"X":0,"Y":0}, bShowLoadingMovie = false, bShowOnSet = false) { return fnprepatch_372.call(this, Texture, Scale, Offset, bShowLoadingMovie, bShowOnSet) }; } catch (e) {};
try { let fnprepatch_373 = VisualLoggerKismetLibrary.prototype.LogText;VisualLoggerKismetLibrary.prototype.LogText = function (WorldContextObject, Text, LogCategory = "Blueprint Log") { return fnprepatch_373.call(this, WorldContextObject, Text, LogCategory) }; } catch (e) {};
try { let fnprepatch_374 = VisualLoggerKismetLibrary.prototype.LogLocation;VisualLoggerKismetLibrary.prototype.LogLocation = function (WorldContextObject, Location, Text, ObjectColor = {"R":1,"G":1,"B":1,"A":1}, Radius = 10, LogCategory = "Blueprint Log") { return fnprepatch_374.call(this, WorldContextObject, Location, Text, ObjectColor, Radius, LogCategory) }; } catch (e) {};
try { let fnprepatch_375 = VisualLoggerKismetLibrary.prototype.LogBox;VisualLoggerKismetLibrary.prototype.LogBox = function (WorldContextObject, BoxShape, Text, ObjectColor = {"R":1,"G":1,"B":1,"A":1}, LogCategory = "Blueprint Log") { return fnprepatch_375.call(this, WorldContextObject, BoxShape, Text, ObjectColor, LogCategory) }; } catch (e) {};
try { VisualLoggerKismetLibrary.prototype.LogBoxShape = VisualLoggerKismetLibrary.prototype.LogBox; } catch (e) {};
try { VisualLoggerKismetLibrary.LogBoxShape = VisualLoggerKismetLibrary.LogBox; } catch (e) {};
try { let fnprepatch_376 = CameraAnimInst.prototype.Stop;CameraAnimInst.prototype.Stop = function (bImmediate = false) { return fnprepatch_376.call(this, bImmediate) }; } catch (e) {};
try { let fnprepatch_377 = CameraModifier.prototype.DisableModifier;CameraModifier.prototype.DisableModifier = function (bImmediate = false) { return fnprepatch_377.call(this, bImmediate) }; } catch (e) {};
try { let fnprepatch_378 = Canvas.prototype.K2_TextSize;Canvas.prototype.K2_TextSize = function (RenderFont, RenderText, Scale = {"X":1,"Y":1}) { return fnprepatch_378.call(this, RenderFont, RenderText, Scale) }; } catch (e) {};
try { let fnprepatch_379 = Canvas.prototype.K2_DrawTexture;Canvas.prototype.K2_DrawTexture = function (RenderTexture, ScreenPosition, ScreenSize, CoordinatePosition, CoordinateSize = {"X":1,"Y":1}, RenderColor = {"R":1,"G":1,"B":1,"A":1}, BlendMode = "BLEND_Translucent", Rotation = 0, PivotPoint = {"X":0.5,"Y":0.5}) { return fnprepatch_379.call(this, RenderTexture, ScreenPosition, ScreenSize, CoordinatePosition, CoordinateSize, RenderColor, BlendMode, Rotation, PivotPoint) }; } catch (e) {};
try { let fnprepatch_380 = Canvas.prototype.K2_DrawText;Canvas.prototype.K2_DrawText = function (RenderFont, RenderText, ScreenPosition, RenderColor = {"R":1,"G":1,"B":1,"A":1}, Kerning = 0, ShadowColor = {"R":0,"G":0,"B":0,"A":1}, ShadowOffset = {"X":1,"Y":1}, bCentreX = false, bCentreY = false, bOutlined = false, OutlineColor = {"R":0,"G":0,"B":0,"A":1}) { return fnprepatch_380.call(this, RenderFont, RenderText, ScreenPosition, RenderColor, Kerning, ShadowColor, ShadowOffset, bCentreX, bCentreY, bOutlined, OutlineColor) }; } catch (e) {};
try { let fnprepatch_381 = Canvas.prototype.K2_DrawPolygon;Canvas.prototype.K2_DrawPolygon = function (RenderTexture, ScreenPosition, Radius = {"X":1,"Y":1}, NumberOfSides = 3, RenderColor = {"R":1,"G":1,"B":1,"A":1}) { return fnprepatch_381.call(this, RenderTexture, ScreenPosition, Radius, NumberOfSides, RenderColor) }; } catch (e) {};
try { let fnprepatch_382 = Canvas.prototype.K2_DrawMaterial;Canvas.prototype.K2_DrawMaterial = function (RenderMaterial, ScreenPosition, ScreenSize, CoordinatePosition, CoordinateSize = {"X":1,"Y":1}, Rotation = 0, PivotPoint = {"X":0.5,"Y":0.5}) { return fnprepatch_382.call(this, RenderMaterial, ScreenPosition, ScreenSize, CoordinatePosition, CoordinateSize, Rotation, PivotPoint) }; } catch (e) {};
try { let fnprepatch_383 = Canvas.prototype.K2_DrawLine;Canvas.prototype.K2_DrawLine = function (ScreenPositionA, ScreenPositionB, Thickness = 1, RenderColor = {"R":1,"G":1,"B":1,"A":1}) { return fnprepatch_383.call(this, ScreenPositionA, ScreenPositionB, Thickness, RenderColor) }; } catch (e) {};
try { let fnprepatch_384 = Canvas.prototype.K2_DrawBox;Canvas.prototype.K2_DrawBox = function (ScreenPosition, ScreenSize, Thickness = 1) { return fnprepatch_384.call(this, ScreenPosition, ScreenSize, Thickness) }; } catch (e) {};
try { let fnprepatch_385 = Canvas.prototype.K2_DrawBorder;Canvas.prototype.K2_DrawBorder = function (BorderTexture, BackgroundTexture, LeftBorderTexture, RightBorderTexture, TopBorderTexture, BottomBorderTexture, ScreenPosition, ScreenSize, CoordinatePosition, CoordinateSize = {"X":1,"Y":1}, RenderColor = {"R":1,"G":1,"B":1,"A":1}, BorderScale = {"X":0.10000000149011612,"Y":0.10000000149011612}, BackgroundScale = {"X":0.10000000149011612,"Y":0.10000000149011612}, Rotation = 0, PivotPoint = {"X":0.5,"Y":0.5}, CornerSize) { return fnprepatch_385.call(this, BorderTexture, BackgroundTexture, LeftBorderTexture, RightBorderTexture, TopBorderTexture, BottomBorderTexture, ScreenPosition, ScreenSize, CoordinatePosition, CoordinateSize, RenderColor, BorderScale, BackgroundScale, Rotation, PivotPoint, CornerSize) }; } catch (e) {};
try { Canvas.prototype.ClippedTextSize = Canvas.prototype.K2_TextSize; } catch (e) {};
try { Canvas.prototype.WrappedTextSize = Canvas.prototype.K2_StrLen; } catch (e) {};
try { Canvas.prototype.Project = Canvas.prototype.K2_Project; } catch (e) {};
try { Canvas.prototype.DrawTriangles = Canvas.prototype.K2_DrawTriangle; } catch (e) {};
try { Canvas.prototype.DrawTexture = Canvas.prototype.K2_DrawTexture; } catch (e) {};
try { Canvas.prototype.DrawText = Canvas.prototype.K2_DrawText; } catch (e) {};
try { Canvas.prototype.DrawPolygon = Canvas.prototype.K2_DrawPolygon; } catch (e) {};
try { Canvas.prototype.DrawMaterialTriangles = Canvas.prototype.K2_DrawMaterialTriangle; } catch (e) {};
try { Canvas.prototype.DrawMaterial = Canvas.prototype.K2_DrawMaterial; } catch (e) {};
try { Canvas.prototype.DrawLine = Canvas.prototype.K2_DrawLine; } catch (e) {};
try { Canvas.prototype.DrawBox = Canvas.prototype.K2_DrawBox; } catch (e) {};
try { Canvas.prototype.DrawBorder = Canvas.prototype.K2_DrawBorder; } catch (e) {};
try { Canvas.prototype.Deproject = Canvas.prototype.K2_Deproject; } catch (e) {};
try { CheatManager.prototype.InitCheatManager = CheatManager.prototype.ReceiveInitCheatManager; } catch (e) {};
try { CheatManager.prototype.Shutdown = CheatManager.prototype.ReceiveEndPlay; } catch (e) {};
try { let fnprepatch_386 = GameUserSettings.prototype.RunHardwareBenchmark;GameUserSettings.prototype.RunHardwareBenchmark = function (WorkScale = 10, CPUMultiplier = 1, GPUMultiplier = 1) { return fnprepatch_386.call(this, WorkScale, CPUMultiplier, GPUMultiplier) }; } catch (e) {};
try { let fnprepatch_387 = GameUserSettings.prototype.LoadSettings;GameUserSettings.prototype.LoadSettings = function (bForceReload = false) { return fnprepatch_387.call(this, bForceReload) }; } catch (e) {};
try { let fnprepatch_388 = GameUserSettings.prototype.EnableHDRDisplayOutput;GameUserSettings.prototype.EnableHDRDisplayOutput = function (bEnable, DisplayNits = 1000) { return fnprepatch_388.call(this, bEnable, DisplayNits) }; } catch (e) {};
try { GameUserSettings.prototype.SetResolutionScaleValue = GameUserSettings.prototype.SetResolutionScaleValueEx; } catch (e) {};
try { GameUserSettings.prototype.SetResolutionScaleValue_Deprecated = GameUserSettings.prototype.SetResolutionScaleValue; } catch (e) {};
try { GameUserSettings.prototype.GetResolutionScaleInformation = GameUserSettings.prototype.GetResolutionScaleInformationEx; } catch (e) {};
try { GameUserSettings.prototype.GetResolutionScaleInformation_Deprecated = GameUserSettings.prototype.GetResolutionScaleInformation; } catch (e) {};
try { MaterialInstanceDynamic.prototype.InterpolateMaterialInstanceParameters = MaterialInstanceDynamic.prototype.K2_InterpolateMaterialInstanceParams; } catch (e) {};
try { MaterialInstanceDynamic.prototype.GetVectorParameterValue = MaterialInstanceDynamic.prototype.K2_GetVectorParameterValue; } catch (e) {};
try { MaterialInstanceDynamic.prototype.GetTextureParameterValue = MaterialInstanceDynamic.prototype.K2_GetTextureParameterValue; } catch (e) {};
try { MaterialInstanceDynamic.prototype.GetScalarParameterValue = MaterialInstanceDynamic.prototype.K2_GetScalarParameterValue; } catch (e) {};
try { MaterialInstanceDynamic.prototype.CopyMaterialInstanceParameters = MaterialInstanceDynamic.prototype.K2_CopyMaterialInstanceParameters; } catch (e) {};
try { let fnprepatch_389 = NavigationPath.prototype.EnableDebugDrawing;NavigationPath.prototype.EnableDebugDrawing = function (bShouldDrawDebugData, PathColor = {"R":1,"G":1,"B":1,"A":1}) { return fnprepatch_389.call(this, bShouldDrawDebugData, PathColor) }; } catch (e) {};
try { Texture2D.prototype.GetSizeY = Texture2D.prototype.Blueprint_GetSizeY; } catch (e) {};
try { Texture2D.prototype.GetSizeX = Texture2D.prototype.Blueprint_GetSizeX; } catch (e) {};
try { let fnprepatch_390 = CanvasRenderTarget2D.prototype.CreateCanvasRenderTarget2D;CanvasRenderTarget2D.prototype.CreateCanvasRenderTarget2D = function (WorldContextObject, CanvasRenderTarget2DClass, Width = 1024, Height = 1024) { return fnprepatch_390.call(this, WorldContextObject, CanvasRenderTarget2DClass, Width, Height) }; } catch (e) {};
try { let fnprepatch_391 = AchievementWriteCallbackProxy.prototype.WriteAchievementProgress;AchievementWriteCallbackProxy.prototype.WriteAchievementProgress = function (WorldContextObject, PlayerController, AchievementName, Progress = 100, UserTag = 0) { return fnprepatch_391.call(this, WorldContextObject, PlayerController, AchievementName, Progress, UserTag) }; } catch (e) {};
try { InAppPurchaseQueryCallbackProxy.prototype.ReadInAppPurchaseInformation = InAppPurchaseQueryCallbackProxy.prototype.CreateProxyObjectForInAppPurchaseQuery; } catch (e) {};
try { InAppPurchaseQueryCallbackProxy.ReadInAppPurchaseInformation = InAppPurchaseQueryCallbackProxy.CreateProxyObjectForInAppPurchaseQuery; } catch (e) {};
try { LeaderboardQueryCallbackProxy.prototype.ReadLeaderboardInteger = LeaderboardQueryCallbackProxy.prototype.CreateProxyObjectForIntQuery; } catch (e) {};
try { LeaderboardQueryCallbackProxy.ReadLeaderboardInteger = LeaderboardQueryCallbackProxy.CreateProxyObjectForIntQuery; } catch (e) {};
try { let fnprepatch_392 = AnimBone.prototype.SetEnabled;AnimBone.prototype.SetEnabled = function (Enable = true) { return fnprepatch_392.call(this, Enable) }; } catch (e) {};
try { let fnprepatch_393 = AnimBone.prototype.ChangeBasis;AnimBone.prototype.ChangeBasis = function (PreBase, PostBase, AdjustVectors = true) { return fnprepatch_393.call(this, PreBase, PostBase, AdjustVectors) }; } catch (e) {};
try { let fnprepatch_394 = AnimFinger.prototype.SetEnabled;AnimFinger.prototype.SetEnabled = function (Enable = true) { return fnprepatch_394.call(this, Enable) }; } catch (e) {};
try { let fnprepatch_395 = AnimFinger.prototype.ChangeBasis;AnimFinger.prototype.ChangeBasis = function (PreBase, PostBase, AdjustVectors = true) { return fnprepatch_395.call(this, PreBase, PostBase, AdjustVectors) }; } catch (e) {};
try { let fnprepatch_396 = AnimHand.prototype.SetEnabled;AnimHand.prototype.SetEnabled = function (Enable = true) { return fnprepatch_396.call(this, Enable) }; } catch (e) {};
try { let fnprepatch_397 = AnimHand.prototype.ChangeBasis;AnimHand.prototype.ChangeBasis = function (PreBase, PostBase, AdjustVectors = true) { return fnprepatch_397.call(this, PreBase, PostBase, AdjustVectors) }; } catch (e) {};
try { let fnprepatch_398 = AnimBody.prototype.SetEnabled;AnimBody.prototype.SetEnabled = function (Enable = true) { return fnprepatch_398.call(this, Enable) }; } catch (e) {};
try { let fnprepatch_399 = AnimBody.prototype.ChangeBasis;AnimBody.prototype.ChangeBasis = function (PreBase, PostBase, AdjustVectors = true) { return fnprepatch_399.call(this, PreBase, PostBase, AdjustVectors) }; } catch (e) {};
try { let fnprepatch_400 = LeapController.prototype.OptimizeForHMD;LeapController.prototype.OptimizeForHMD = function (UseTopdown = false, AutoRotate = true, AutoShift = true) { return fnprepatch_400.call(this, UseTopdown, AutoRotate, AutoShift) }; } catch (e) {};
try { let fnprepatch_401 = LeapController.prototype.EnableImageSupport;LeapController.prototype.EnableImageSupport = function (AllowImages = true, EmitImageEvents = true, UseGammaCorrection = false) { return fnprepatch_401.call(this, AllowImages, EmitImageEvents, UseGammaCorrection) }; } catch (e) {};
try { let fnprepatch_402 = LeapController.prototype.EnableGesture;LeapController.prototype.EnableGesture = function (GestureType, Enable = true) { return fnprepatch_402.call(this, GestureType, Enable) }; } catch (e) {};
try { let fnprepatch_403 = LeapController.prototype.EnableBackgroundTracking;LeapController.prototype.EnableBackgroundTracking = function (TrackInBackground = false) { return fnprepatch_403.call(this, TrackInBackground) }; } catch (e) {};
try { LeapController.prototype.GetFrame = LeapController.prototype.Frame; } catch (e) {};
try { LeapEventInterface.prototype.LeftFingerMoved = LeapEventInterface.prototype.LeapRightMostFingerMoved; } catch (e) {};
try { LeapEventInterface.prototype.RightHandMoved = LeapEventInterface.prototype.LeapRightHandMoved; } catch (e) {};
try { LeapEventInterface.prototype.RightFingerMoved = LeapEventInterface.prototype.LeapLeftMostFingerMoved; } catch (e) {};
try { LeapEventInterface.prototype.LeftHandMoved = LeapEventInterface.prototype.LeapLeftHandMoved; } catch (e) {};
try { LeapEventInterface.prototype.HandUnpinched = LeapEventInterface.prototype.LeapHandUnpinched; } catch (e) {};
try { LeapEventInterface.prototype.HandReleased = LeapEventInterface.prototype.LeapHandReleased; } catch (e) {};
try { LeapEventInterface.prototype.HandPinching = LeapEventInterface.prototype.LeapHandPinching; } catch (e) {};
try { LeapEventInterface.prototype.HandPinched = LeapEventInterface.prototype.LeapHandPinched; } catch (e) {};
try { LeapEventInterface.prototype.HandMoved = LeapEventInterface.prototype.LeapHandMoved; } catch (e) {};
try { LeapEventInterface.prototype.HandGrabbing = LeapEventInterface.prototype.LeapHandGrabbing; } catch (e) {};
try { LeapEventInterface.prototype.HandGrabbed = LeapEventInterface.prototype.LeapHandGrabbed; } catch (e) {};
try { LeapEventInterface.prototype.FrontFingerMoved = LeapEventInterface.prototype.LeapFrontMostFingerMoved; } catch (e) {};
try { LeapEventInterface.prototype.FingerMoved = LeapEventInterface.prototype.LeapFingerMoved; } catch (e) {};
try { LeapFrame.prototype.pointables = LeapFrame.prototype.Tools; } catch (e) {};
try { LeapFrame.prototype.getHands = LeapFrame.prototype.Hands; } catch (e) {};
try { LeapFrame.prototype.gestures = LeapFrame.prototype.GesturesSinceFrame; } catch (e) {};
try { LeapHandList.prototype.getRightmost = LeapHandList.prototype.Rightmost; } catch (e) {};
try { LeapHandList.prototype.getLeftmost = LeapHandList.prototype.Leftmost; } catch (e) {};
try { LeapHandList.prototype.getFrontmost = LeapHandList.prototype.Frontmost; } catch (e) {};
try { let fnprepatch_404 = LeapInteractionBox.prototype.NormalizePoint;LeapInteractionBox.prototype.NormalizePoint = function (Position, Clamp = true) { return fnprepatch_404.call(this, Position, Clamp) }; } catch (e) {};
try { LeapToolList.prototype.getPointableById = LeapToolList.prototype.GetPointableByIndex; } catch (e) {};
try { let fnprepatch_405 = AutomationBlueprintFunctionLibrary.prototype.GetDefaultScreenshotOptionsForRendering;AutomationBlueprintFunctionLibrary.prototype.GetDefaultScreenshotOptionsForRendering = function (Tolerance = "Low") { return fnprepatch_405.call(this, Tolerance) }; } catch (e) {};
try { let fnprepatch_406 = AutomationBlueprintFunctionLibrary.prototype.GetDefaultScreenshotOptionsForGameplay;AutomationBlueprintFunctionLibrary.prototype.GetDefaultScreenshotOptionsForGameplay = function (Tolerance = "Low") { return fnprepatch_406.call(this, Tolerance) }; } catch (e) {};
try { let fnprepatch_407 = FunctionalTest.prototype.AssertEqual_Vector;FunctionalTest.prototype.AssertEqual_Vector = function (Actual, Expected, What, Tolerance = 0.00009999999747378752, ContextObject) { return fnprepatch_407.call(this, Actual, Expected, What, Tolerance, ContextObject) }; } catch (e) {};
try { let fnprepatch_408 = FunctionalTest.prototype.AssertEqual_Float;FunctionalTest.prototype.AssertEqual_Float = function (Actual, Expected, What, Tolerance = 0.00009999999747378752, ContextObject) { return fnprepatch_408.call(this, Actual, Expected, What, Tolerance, ContextObject) }; } catch (e) {};
try { FunctionalTest.prototype.StartTest = FunctionalTest.prototype.ReceiveStartTest; } catch (e) {};
try { FunctionalTest.prototype.PrepareTest = FunctionalTest.prototype.ReceivePrepareTest; } catch (e) {};
try { FunctionalTest.prototype.AssertValue = FunctionalTest.prototype.AssertValue_Int; } catch (e) {};
try { FunctionalTest.prototype.AssertValue = FunctionalTest.prototype.AssertValue_Float; } catch (e) {};
try { FunctionalTest.prototype.AssertValue = FunctionalTest.prototype.AssertValue_DateTime; } catch (e) {};
try { FunctionalTest.prototype.AssertNotEqual = FunctionalTest.prototype.AssertNotEqual_Vector; } catch (e) {};
try { FunctionalTest.prototype.AssertNotEqual = FunctionalTest.prototype.AssertNotEqual_Transform; } catch (e) {};
try { FunctionalTest.prototype.AssertNotEqual = FunctionalTest.prototype.AssertNotEqual_String; } catch (e) {};
try { FunctionalTest.prototype.AssertNotEqual = FunctionalTest.prototype.AssertNotEqual_Rotator; } catch (e) {};
try { FunctionalTest.prototype.AssertEqual = FunctionalTest.prototype.AssertEqual_Vector; } catch (e) {};
try { FunctionalTest.prototype.AssertEqual = FunctionalTest.prototype.AssertEqual_Transform; } catch (e) {};
try { FunctionalTest.prototype.AssertEqual = FunctionalTest.prototype.AssertEqual_String; } catch (e) {};
try { FunctionalTest.prototype.AssertEqual = FunctionalTest.prototype.AssertEqual_Rotator; } catch (e) {};
try { FunctionalTest.prototype.AssertEqual = FunctionalTest.prototype.AssertEqual_Float; } catch (e) {};
try { let fnprepatch_409 = FunctionalTestingManager.prototype.RunAllFunctionalTests;FunctionalTestingManager.prototype.RunAllFunctionalTests = function (WorldContext, bNewLog = true, bRunLooped = false, bWaitForNavigationBuildFinish = true, FailedTestsReproString) { return fnprepatch_409.call(this, WorldContext, bNewLog, bRunLooped, bWaitForNavigationBuildFinish, FailedTestsReproString) }; } catch (e) {};
try { let fnprepatch_410 = GameLiveStreamingFunctionLibrary.prototype.StartWebCam;GameLiveStreamingFunctionLibrary.prototype.StartWebCam = function (DesiredWebCamWidth = 320, DesiredWebCamHeight = 240, bMirrorWebCamImage = false, bDrawSimpleWebCamVideo = true) { return fnprepatch_410.call(this, DesiredWebCamWidth, DesiredWebCamHeight, bMirrorWebCamImage, bDrawSimpleWebCamVideo) }; } catch (e) {};
try { let fnprepatch_411 = GameLiveStreamingFunctionLibrary.prototype.StartBroadcastingGame;GameLiveStreamingFunctionLibrary.prototype.StartBroadcastingGame = function (LoginUserName, LoginPassword, FrameRate = 30, ScreenScaling = 1, bStartWebCam = true, DesiredWebCamWidth = 320, DesiredWebCamHeight = 240, bMirrorWebCamImage = false, bDrawSimpleWebCamVideo = true, bCaptureAudioFromComputer = true, bCaptureAudioFromMicrophone = true, CoverUpImage) { return fnprepatch_411.call(this, LoginUserName, LoginPassword, FrameRate, ScreenScaling, bStartWebCam, DesiredWebCamWidth, DesiredWebCamHeight, bMirrorWebCamImage, bDrawSimpleWebCamVideo, bCaptureAudioFromComputer, bCaptureAudioFromMicrophone, CoverUpImage) }; } catch (e) {};
try { let fnprepatch_412 = MediaPlayer.prototype.GetReverseRates;MediaPlayer.prototype.GetReverseRates = function (Unthinned = true) { return fnprepatch_412.call(this, Unthinned) }; } catch (e) {};
try { let fnprepatch_413 = MediaPlayer.prototype.GetForwardRates;MediaPlayer.prototype.GetForwardRates = function (Unthinned = true) { return fnprepatch_413.call(this, Unthinned) }; } catch (e) {};
try { let fnprepatch_414 = PaperFlipbook.prototype.GetSpriteAtTime;PaperFlipbook.prototype.GetSpriteAtTime = function (Time, bClampToEnds = false) { return fnprepatch_414.call(this, Time, bClampToEnds) }; } catch (e) {};
try { let fnprepatch_415 = PaperFlipbook.prototype.GetKeyFrameIndexAtTime;PaperFlipbook.prototype.GetKeyFrameIndexAtTime = function (Time, bClampToEnds = false) { return fnprepatch_415.call(this, Time, bClampToEnds) }; } catch (e) {};
try { let fnprepatch_416 = PaperGroupedSpriteComponent.prototype.UpdateInstanceTransform;PaperGroupedSpriteComponent.prototype.UpdateInstanceTransform = function (InstanceIndex, NewInstanceTransform, bWorldSpace = false, bMarkRenderStateDirty = true, bTeleport = false) { return fnprepatch_416.call(this, InstanceIndex, NewInstanceTransform, bWorldSpace, bMarkRenderStateDirty, bTeleport) }; } catch (e) {};
try { let fnprepatch_417 = PaperGroupedSpriteComponent.prototype.UpdateInstanceColor;PaperGroupedSpriteComponent.prototype.UpdateInstanceColor = function (InstanceIndex, NewInstanceColor, bMarkRenderStateDirty = true) { return fnprepatch_417.call(this, InstanceIndex, NewInstanceColor, bMarkRenderStateDirty) }; } catch (e) {};
try { let fnprepatch_418 = PaperGroupedSpriteComponent.prototype.GetInstanceTransform;PaperGroupedSpriteComponent.prototype.GetInstanceTransform = function (InstanceIndex, OutInstanceTransform, bWorldSpace = false) { return fnprepatch_418.call(this, InstanceIndex, OutInstanceTransform, bWorldSpace) }; } catch (e) {};
try { let fnprepatch_419 = PaperGroupedSpriteComponent.prototype.AddInstance;PaperGroupedSpriteComponent.prototype.AddInstance = function (Transform, Sprite, bWorldSpace = false, Color = {"R":1,"G":1,"B":1,"A":1}) { return fnprepatch_419.call(this, Transform, Sprite, bWorldSpace, Color) }; } catch (e) {};
try { let fnprepatch_420 = PaperTileMapComponent.prototype.SetLayerColor;PaperTileMapComponent.prototype.SetLayerColor = function (NewColor, Layer = 0) { return fnprepatch_420.call(this, NewColor, Layer) }; } catch (e) {};
try { let fnprepatch_421 = PaperTileMapComponent.prototype.SetLayerCollision;PaperTileMapComponent.prototype.SetLayerCollision = function (Layer = 0, bHasCollision = true, bOverrideThickness = true, CustomThickness = 50, bOverrideOffset = false, CustomOffset = 0, bRebuildCollision = true) { return fnprepatch_421.call(this, Layer, bHasCollision, bOverrideThickness, CustomThickness, bOverrideOffset, CustomOffset, bRebuildCollision) }; } catch (e) {};
try { let fnprepatch_422 = PaperTileMapComponent.prototype.SetDefaultCollisionThickness;PaperTileMapComponent.prototype.SetDefaultCollisionThickness = function (Thickness, bRebuildCollision = true) { return fnprepatch_422.call(this, Thickness, bRebuildCollision) }; } catch (e) {};
try { let fnprepatch_423 = PaperTileMapComponent.prototype.GetTilePolygon;PaperTileMapComponent.prototype.GetTilePolygon = function (TileX, TileY, Points, LayerIndex = 0, bWorldSpace = false) { return fnprepatch_423.call(this, TileX, TileY, Points, LayerIndex, bWorldSpace) }; } catch (e) {};
try { let fnprepatch_424 = PaperTileMapComponent.prototype.GetTileCornerPosition;PaperTileMapComponent.prototype.GetTileCornerPosition = function (TileX, TileY, LayerIndex = 0, bWorldSpace = false) { return fnprepatch_424.call(this, TileX, TileY, LayerIndex, bWorldSpace) }; } catch (e) {};
try { let fnprepatch_425 = PaperTileMapComponent.prototype.GetTileCenterPosition;PaperTileMapComponent.prototype.GetTileCenterPosition = function (TileX, TileY, LayerIndex = 0, bWorldSpace = false) { return fnprepatch_425.call(this, TileX, TileY, LayerIndex, bWorldSpace) }; } catch (e) {};
try { let fnprepatch_426 = PaperTileMapComponent.prototype.GetLayerColor;PaperTileMapComponent.prototype.GetLayerColor = function (Layer = 0) { return fnprepatch_426.call(this, Layer) }; } catch (e) {};
try { let fnprepatch_427 = PaperTileMapComponent.prototype.CreateNewTileMap;PaperTileMapComponent.prototype.CreateNewTileMap = function (MapWidth = 4, MapHeight = 4, TileWidth = 32, TileHeight = 32, PixelsPerUnrealUnit = 1, bCreateLayer = true) { return fnprepatch_427.call(this, MapWidth, MapHeight, TileWidth, TileHeight, PixelsPerUnrealUnit, bCreateLayer) }; } catch (e) {};
try { SubstanceGraphInstance.prototype.SetGraphInstanceOutputSize = SubstanceGraphInstance.prototype.SetGraphInstanceOutputSizeInt; } catch (e) {};
try { SubstanceUtility.prototype.SetGraphInstanceOutputSize = SubstanceUtility.prototype.SetGraphInstanceOutputSizeInt; } catch (e) {};
try { SubstanceUtility.SetGraphInstanceOutputSize = SubstanceUtility.SetGraphInstanceOutputSizeInt; } catch (e) {};
try { let fnprepatch_428 = JavascriptContext.prototype.SetAsDebugContext;JavascriptContext.prototype.SetAsDebugContext = function (InPort = 5858) { return fnprepatch_428.call(this, InPort) }; } catch (e) {};
try { let fnprepatch_429 = JavascriptContext.prototype.RunScript;JavascriptContext.prototype.RunScript = function (Script, bOutput = true) { return fnprepatch_429.call(this, Script, bOutput) }; } catch (e) {};
try { let fnprepatch_430 = JavascriptContext.prototype.CreateInspector;JavascriptContext.prototype.CreateInspector = function (Port = 9229) { return fnprepatch_430.call(this, Port) }; } catch (e) {};
try { let fnprepatch_431 = JavascriptComponent.prototype.ResolveAsset;JavascriptComponent.prototype.ResolveAsset = function (Name, bTryLoad = true) { return fnprepatch_431.call(this, Name, bTryLoad) }; } catch (e) {};
try { let fnprepatch_432 = JavascriptLibrary.prototype.DeleteFile;JavascriptLibrary.prototype.DeleteFile = function (Filename, ReadOnly = false) { return fnprepatch_432.call(this, Filename, ReadOnly) }; } catch (e) {};
try { let fnprepatch_433 = JavascriptLibrary.prototype.CreateSocket;JavascriptLibrary.prototype.CreateSocket = function (SocketType, Description, bForceUDP = false) { return fnprepatch_433.call(this, SocketType, Description, bForceUDP) }; } catch (e) {};
try { let fnprepatch_434 = JavascriptProcess.prototype.Terminate;JavascriptProcess.prototype.Terminate = function (KillTree = false) { return fnprepatch_434.call(this, KillTree) }; } catch (e) {};
try { VaRestJsonValue.prototype.ConstructJsonStringValue = VaRestJsonValue.prototype.ConstructJsonValueString; } catch (e) {};
try { VaRestJsonValue.ConstructJsonStringValue = VaRestJsonValue.ConstructJsonValueString; } catch (e) {};
try { VaRestJsonValue.prototype.ConstructJsonObjectValue = VaRestJsonValue.prototype.ConstructJsonValueObject; } catch (e) {};
try { VaRestJsonValue.ConstructJsonObjectValue = VaRestJsonValue.ConstructJsonValueObject; } catch (e) {};
try { VaRestJsonValue.prototype.ConstructJsonNumberValue = VaRestJsonValue.prototype.ConstructJsonValueNumber; } catch (e) {};
try { VaRestJsonValue.ConstructJsonNumberValue = VaRestJsonValue.ConstructJsonValueNumber; } catch (e) {};
try { VaRestJsonValue.prototype.ConstructJsonBoolValue = VaRestJsonValue.prototype.ConstructJsonValueBool; } catch (e) {};
try { VaRestJsonValue.ConstructJsonBoolValue = VaRestJsonValue.ConstructJsonValueBool; } catch (e) {};
try { VaRestJsonValue.prototype.ConstructJsonArrayValue = VaRestJsonValue.prototype.ConstructJsonValueArray; } catch (e) {};
try { VaRestJsonValue.ConstructJsonArrayValue = VaRestJsonValue.ConstructJsonValueArray; } catch (e) {};
try { let fnprepatch_435 = VaRestRequestJSON.prototype.ProcessURL;VaRestRequestJSON.prototype.ProcessURL = function (Url = "http://alyamkin.com") { return fnprepatch_435.call(this, Url) }; } catch (e) {};
try { VaRestRequestJSON.prototype.ConstructJsonRequest = VaRestRequestJSON.prototype.ConstructRequestExt; } catch (e) {};
try { VaRestRequestJSON.ConstructJsonRequest = VaRestRequestJSON.ConstructRequestExt; } catch (e) {};
try { VaRestRequestJSON.prototype.ConstructJsonRequest = VaRestRequestJSON.prototype.ConstructRequest; } catch (e) {};
try { VaRestRequestJSON.ConstructJsonRequest = VaRestRequestJSON.ConstructRequest; } catch (e) {};
try { let fnprepatch_436 = VaRestParseManager.prototype.ProcessParseURL;VaRestParseManager.prototype.ProcessParseURL = function (ParseModule = "classes", ParseClass = "GameScore", ParseObjectId, ParseSessionToken) { return fnprepatch_436.call(this, ParseModule, ParseClass, ParseObjectId, ParseSessionToken) }; } catch (e) {};
try { let fnprepatch_437 = AdvancedExternalUILibrary.prototype.ShowWebURLUI;AdvancedExternalUILibrary.prototype.ShowWebURLUI = function (URLToShow, Result, AllowedDomains, bEmbedded = false, bShowBackground = false, bShowCloseButton = false, OffsetX = 0, OffsetY = 0, SizeX = 0, SizeY = 0) { return fnprepatch_437.call(this, URLToShow, Result, AllowedDomains, bEmbedded, bShowBackground, bShowCloseButton, OffsetX, OffsetY, SizeX, SizeY) }; } catch (e) {};
try { let fnprepatch_438 = AdvancedFriendsLibrary.prototype.GetSteamFriendAvatar;AdvancedFriendsLibrary.prototype.GetSteamFriendAvatar = function (UniqueNetId, Result, AvatarSize = "SteamAvatar_Small") { return fnprepatch_438.call(this, UniqueNetId, Result, AvatarSize) }; } catch (e) {};
try { AdvancedSessionsLibrary.prototype.GetNumNetworkPlayers = AdvancedSessionsLibrary.prototype.GetNumberOfNetworkPlayers; } catch (e) {};
try { AdvancedSessionsLibrary.GetNumNetworkPlayers = AdvancedSessionsLibrary.GetNumberOfNetworkPlayers; } catch (e) {};
try { AdvancedSessionsLibrary.prototype.EqualUniqueNetID = AdvancedSessionsLibrary.prototype.EqualEqual_UNetIDUnetID; } catch (e) {};
try { AdvancedSessionsLibrary.EqualUniqueNetID = AdvancedSessionsLibrary.EqualEqual_UNetIDUnetID; } catch (e) {};
try { let fnprepatch_439 = AdvancedVoiceLibrary.prototype.UnRegisterLocalTalker;AdvancedVoiceLibrary.prototype.UnRegisterLocalTalker = function (LocalPlayerNum = 0) { return fnprepatch_439.call(this, LocalPlayerNum) }; } catch (e) {};
try { let fnprepatch_440 = AdvancedVoiceLibrary.prototype.UnMuteRemoteTalker;AdvancedVoiceLibrary.prototype.UnMuteRemoteTalker = function (LocalUserNum, UniqueNetId, bIsSystemWide = false) { return fnprepatch_440.call(this, LocalUserNum, UniqueNetId, bIsSystemWide) }; } catch (e) {};
try { let fnprepatch_441 = AdvancedVoiceLibrary.prototype.StopNetworkedVoice;AdvancedVoiceLibrary.prototype.StopNetworkedVoice = function (LocalPlayerNum = 0) { return fnprepatch_441.call(this, LocalPlayerNum) }; } catch (e) {};
try { let fnprepatch_442 = AdvancedVoiceLibrary.prototype.StartNetworkedVoice;AdvancedVoiceLibrary.prototype.StartNetworkedVoice = function (LocalPlayerNum = 0) { return fnprepatch_442.call(this, LocalPlayerNum) }; } catch (e) {};
try { let fnprepatch_443 = AdvancedVoiceLibrary.prototype.RegisterLocalTalker;AdvancedVoiceLibrary.prototype.RegisterLocalTalker = function (LocalPlayerNum = 0) { return fnprepatch_443.call(this, LocalPlayerNum) }; } catch (e) {};
try { let fnprepatch_444 = AdvancedVoiceLibrary.prototype.MuteRemoteTalker;AdvancedVoiceLibrary.prototype.MuteRemoteTalker = function (LocalUserNum, UniqueNetId, bIsSystemWide = false) { return fnprepatch_444.call(this, LocalUserNum, UniqueNetId, bIsSystemWide) }; } catch (e) {};
try { let fnprepatch_445 = AdvancedVoiceLibrary.prototype.IsHeadsetPresent;AdvancedVoiceLibrary.prototype.IsHeadsetPresent = function (bHasHeadset, LocalPlayerNum = 0) { return fnprepatch_445.call(this, bHasHeadset, LocalPlayerNum) }; } catch (e) {};
try { let fnprepatch_446 = CreateSessionCallbackProxyAdvanced.prototype.CreateAdvancedSession;CreateSessionCallbackProxyAdvanced.prototype.CreateAdvancedSession = function (WorldContextObject, ExtraSettings, PlayerController, PublicConnections = 100, PrivateConnections = 0, bUseLAN = false, bAllowInvites = true, bIsDedicatedServer = false, bUsePresence = true, bAllowJoinViaPresence = true, bAllowJoinViaPresenceFriendsOnly = false, bAntiCheatProtected = false, bUsesStats = false, bShouldAdvertise = true) { return fnprepatch_446.call(this, WorldContextObject, ExtraSettings, PlayerController, PublicConnections, PrivateConnections, bUseLAN, bAllowInvites, bIsDedicatedServer, bUsePresence, bAllowJoinViaPresence, bAllowJoinViaPresenceFriendsOnly, bAntiCheatProtected, bUsesStats, bShouldAdvertise) }; } catch (e) {};
try { let fnprepatch_447 = FindSessionsCallbackProxyAdvanced.prototype.FindSessionsAdvanced;FindSessionsCallbackProxyAdvanced.prototype.FindSessionsAdvanced = function (WorldContextObject, PlayerController, MaxResults, bUseLAN, ServerTypeToSearch, Filters, bEmptyServersOnly = false, bNonEmptyServersOnly = false, bSecureServersOnly = false, MinSlotsAvailable = 0) { return fnprepatch_447.call(this, WorldContextObject, PlayerController, MaxResults, bUseLAN, ServerTypeToSearch, Filters, bEmptyServersOnly, bNonEmptyServersOnly, bSecureServersOnly, MinSlotsAvailable) }; } catch (e) {};
try { let fnprepatch_448 = UpdateSessionCallbackProxyAdvanced.prototype.UpdateSession;UpdateSessionCallbackProxyAdvanced.prototype.UpdateSession = function (WorldContextObject, ExtraSettings, PublicConnections = 100, PrivateConnections = 0, bUseLAN = false, bAllowInvites = false, bAllowJoinInProgress = false, bRefreshOnlineData = true, bIsDedicatedServer = false) { return fnprepatch_448.call(this, WorldContextObject, ExtraSettings, PublicConnections, PrivateConnections, bUseLAN, bAllowInvites, bAllowJoinInProgress, bRefreshOnlineData, bIsDedicatedServer) }; } catch (e) {};
try { let fnprepatch_449 = MidiInterface.prototype.OpenMidiOutput;MidiInterface.prototype.OpenMidiOutput = function (port = 0) { return fnprepatch_449.call(this, port) }; } catch (e) {};
try { MidiInterface.prototype.IsMidiOutputOpen = MidiInterface.prototype.isOutputOpen; } catch (e) {};
try { MidiInterface.IsMidiOutputOpen = MidiInterface.isOutputOpen; } catch (e) {};
try { let fnprepatch_450 = MidiInterfaceComponent.prototype.OpenOutput;MidiInterfaceComponent.prototype.OpenOutput = function (port = 0) { return fnprepatch_450.call(this, port) }; } catch (e) {};
try { let fnprepatch_451 = MidiInterfaceComponent.prototype.OpenInput;MidiInterfaceComponent.prototype.OpenInput = function (port = 0) { return fnprepatch_451.call(this, port) }; } catch (e) {};
try { let fnprepatch_452 = SoundUtils.prototype.ConstantNote;SoundUtils.prototype.ConstantNote = function (amplitude = 8192, frequency = 440) { return fnprepatch_452.call(this, amplitude, frequency) }; } catch (e) {};
try { let fnprepatch_453 = SoundUtils.prototype.AudioNote;SoundUtils.prototype.AudioNote = function (amplitude = 8192, frequency = 440, seconds = 1) { return fnprepatch_453.call(this, amplitude, frequency, seconds) }; } catch (e) {};
try { let fnprepatch_454 = RunebergVR_Gestures.prototype.StopRecordingGesture;RunebergVR_Gestures.prototype.StopRecordingGesture = function (SaveToDB = false) { return fnprepatch_454.call(this, SaveToDB) }; } catch (e) {};
try { let fnprepatch_455 = RunebergVR_Gestures.prototype.StartRecordingGesture;RunebergVR_Gestures.prototype.StartRecordingGesture = function (GestureName, RecordingInterval = 0.05000000074505806) { return fnprepatch_455.call(this, GestureName, RecordingInterval) }; } catch (e) {};
try { let fnprepatch_456 = RunebergVR_Gestures.prototype.DrawVRGesture;RunebergVR_Gestures.prototype.DrawVRGesture = function (VR_Gesture, LineColor, OriginLocation, OriginRotation, OffSetDistance = 100, Lifetime = 3, LineThickness = 3) { return fnprepatch_456.call(this, VR_Gesture, LineColor, OriginLocation, OriginRotation, OffSetDistance, Lifetime, LineThickness) }; } catch (e) {};
try { let fnprepatch_457 = RunebergVR_Grabber.prototype.PushGrabbedObject;RunebergVR_Grabber.prototype.PushGrabbedObject = function (PushSpeed = 1, MinDistance = 1, MaxDistance = 20) { return fnprepatch_457.call(this, PushSpeed, MinDistance, MaxDistance) }; } catch (e) {};
try { let fnprepatch_458 = RunebergVR_Grabber.prototype.PullGrabbedObject;RunebergVR_Grabber.prototype.PullGrabbedObject = function (PullSpeed = 1, MinDistance = 1, MaxDistance = 20) { return fnprepatch_458.call(this, PullSpeed, MinDistance, MaxDistance) }; } catch (e) {};
try { let fnprepatch_459 = RunebergVR_Grabber.prototype.GrabSun;RunebergVR_Grabber.prototype.GrabSun = function (Sky_Sphere, SunCycleRate = 2) { return fnprepatch_459.call(this, Sky_Sphere, SunCycleRate) }; } catch (e) {};
try { let fnprepatch_460 = RunebergVR_Grabber.prototype.Grab;RunebergVR_Grabber.prototype.Grab = function (Reach = 5, ScanOnlyWillManuallyAttach = false, GrabMode = "PRECISION_GRAB", TagName, Rotation_Offset, RetainObjectRotation = true, RetainDistance = false, ShowDebugLine = false) { return fnprepatch_460.call(this, Reach, ScanOnlyWillManuallyAttach, GrabMode, TagName, Rotation_Offset, RetainObjectRotation, RetainDistance, ShowDebugLine) }; } catch (e) {};
try { let fnprepatch_461 = RunebergVR_Movement.prototype.TimedMovement;RunebergVR_Movement.prototype.TimedMovement = function (MovementDuration = 5, MovementSpeed = 3, MovementDirectionReference, LockPitchY = false, LockYawZ = false, LockRollX = false, CustomDirection, ObeyNavMesh = false) { return fnprepatch_461.call(this, MovementDuration, MovementSpeed, MovementDirectionReference, LockPitchY, LockYawZ, LockRollX, CustomDirection, ObeyNavMesh) }; } catch (e) {};
try { let fnprepatch_462 = RunebergVR_Movement.prototype.TimedDashMove;RunebergVR_Movement.prototype.TimedDashMove = function (MovementDuration = 5, MovementSpeed = 3, MovementDirection, ObeyNavMesh = false) { return fnprepatch_462.call(this, MovementDuration, MovementSpeed, MovementDirection, ObeyNavMesh) }; } catch (e) {};
try { let fnprepatch_463 = RunebergVR_Movement.prototype.EnableVRMovement;RunebergVR_Movement.prototype.EnableVRMovement = function (MovementSpeed = 3, MovementDirectionReference, ObeyNavMesh = false, LockPitch = false, LockYaw = false, LockRoll = false, CustomDirection) { return fnprepatch_463.call(this, MovementSpeed, MovementDirectionReference, ObeyNavMesh, LockPitch, LockYaw, LockRoll, CustomDirection) }; } catch (e) {};
try { let fnprepatch_464 = RunebergVR_Movement.prototype.BounceBackFromVRBounds;RunebergVR_Movement.prototype.BounceBackFromVRBounds = function (MovementSpeed = 3, MovementDuration = 0.5, ResetMovementStateAfterBounce = false) { return fnprepatch_464.call(this, MovementSpeed, MovementDuration, ResetMovementStateAfterBounce) }; } catch (e) {};
try { let fnprepatch_465 = RunebergVR_Movement.prototype.ApplySpeedMultiplier;RunebergVR_Movement.prototype.ApplySpeedMultiplier = function (SpeedMultiplier = 2, BaseSpeed = 3, UseCurrentSpeedAsBase = false) { return fnprepatch_465.call(this, SpeedMultiplier, BaseSpeed, UseCurrentSpeedAsBase) }; } catch (e) {};
try { let fnprepatch_466 = RunebergVR_Pawn.prototype.OverridePawnValues;RunebergVR_Pawn.prototype.OverridePawnValues = function (PawnBaseEyeHeight = 0, CapsuleHalfHeight = 96, CapsuleRadius = 22, CapsuleRelativeLocation, SceneLocation, LeftControllerLocation, RightControllerLocation) { return fnprepatch_466.call(this, PawnBaseEyeHeight, CapsuleHalfHeight, CapsuleRadius, CapsuleRelativeLocation, SceneLocation, LeftControllerLocation, RightControllerLocation) }; } catch (e) {};
try { let fnprepatch_467 = RunebergVR_ScalableMesh.prototype.ScaleMeshUp;RunebergVR_ScalableMesh.prototype.ScaleMeshUp = function (DistanceToScaleUpXYZ, RateXYZ, NewVisibility = true) { return fnprepatch_467.call(this, DistanceToScaleUpXYZ, RateXYZ, NewVisibility) }; } catch (e) {};
try { let fnprepatch_468 = RunebergVR_ScalableMesh.prototype.ScaleMeshToLocation;RunebergVR_ScalableMesh.prototype.ScaleMeshToLocation = function (Target_Location, Scale_Direction = "SCALE_X", Rate = 1, NewVisibility = true) { return fnprepatch_468.call(this, Target_Location, Scale_Direction, Rate, NewVisibility) }; } catch (e) {};
try { let fnprepatch_469 = RunebergVR_ScalableMesh.prototype.ScaleMeshDown;RunebergVR_ScalableMesh.prototype.ScaleMeshDown = function (DistanceToScaleDownXYZ, RateXYZ, VisibilityAfterScale = false) { return fnprepatch_469.call(this, DistanceToScaleDownXYZ, RateXYZ, VisibilityAfterScale) }; } catch (e) {};
try { let fnprepatch_470 = RunebergVR_ScalableMesh.prototype.ScaleDownAndMove;RunebergVR_ScalableMesh.prototype.ScaleDownAndMove = function (Scale_Direction = "SCALE_X", Rate = 1, DistanceCorrection = 100, VisibilityAfterScale = false) { return fnprepatch_470.call(this, Scale_Direction, Rate, DistanceCorrection, VisibilityAfterScale) }; } catch (e) {};
try { let fnprepatch_471 = RunebergVR_SimpleGrabber.prototype.Release;RunebergVR_SimpleGrabber.prototype.Release = function (EnablePhysics = true) { return fnprepatch_471.call(this, EnablePhysics) }; } catch (e) {};
try { let fnprepatch_472 = RunebergVR_SimpleGrabber.prototype.Grab;RunebergVR_SimpleGrabber.prototype.Grab = function (_ObjectTypeID = 5) { return fnprepatch_472.call(this, _ObjectTypeID) }; } catch (e) {};
try { let fnprepatch_473 = RunebergVR_Teleporter.prototype.MoveMarker;RunebergVR_Teleporter.prototype.MoveMarker = function (MarkerDirection = "MOVE_FORWARD", Rate = 25, CustomDirection) { return fnprepatch_473.call(this, MarkerDirection, Rate, CustomDirection) }; } catch (e) {};
try { let fnprepatch_474 = JavascriptGraphEditorWidget.prototype.JumpToNode;JavascriptGraphEditorWidget.prototype.JumpToNode = function (JumpToMe, bRequestRename = false, bSelectNode = true) { return fnprepatch_474.call(this, JumpToMe, bRequestRename, bSelectNode) }; } catch (e) {};
try { let fnprepatch_475 = JavascriptEditorLibrary.prototype.SetAlphamapDataFromMemory;JavascriptEditorLibrary.prototype.SetAlphamapDataFromMemory = function (LandscapeInfo, LayerInfo, MinX, MinY, MaxX, MaxY, PaintingRestriction = "None") { return fnprepatch_475.call(this, LandscapeInfo, LayerInfo, MinX, MinY, MaxX, MaxY, PaintingRestriction) }; } catch (e) {};
try { let fnprepatch_476 = JavascriptEditorLibrary.prototype.ModifyObject;JavascriptEditorLibrary.prototype.ModifyObject = function (Object, bAlwaysMarkDirty = false) { return fnprepatch_476.call(this, Object, bAlwaysMarkDirty) }; } catch (e) {};
try { let fnprepatch_477 = JavascriptEditorEngineLibrary.prototype.SelectNone;JavascriptEditorEngineLibrary.prototype.SelectNone = function (Engine, bNoteSelectionChange, bDeselectBSPSurfs, WarnAboutManyActors = true) { return fnprepatch_477.call(this, Engine, bNoteSelectionChange, bDeselectBSPSurfs, WarnAboutManyActors) }; } catch (e) {};
try { let fnprepatch_478 = JavascriptEditorEngineLibrary.prototype.SelectGroup;JavascriptEditorEngineLibrary.prototype.SelectGroup = function (Engine, InGroupActor, bForceSelection = false, bInSelected = true, bNotify = true) { return fnprepatch_478.call(this, Engine, InGroupActor, bForceSelection, bInSelected, bNotify) }; } catch (e) {};
try { let fnprepatch_479 = JavascriptEditorEngineLibrary.prototype.SelectComponent;JavascriptEditorEngineLibrary.prototype.SelectComponent = function (Engine, Component, bInSelected, bNotify, bSelectEvenIfHidden = false) { return fnprepatch_479.call(this, Engine, Component, bInSelected, bNotify, bSelectEvenIfHidden) }; } catch (e) {};
try { let fnprepatch_480 = JavascriptEditorEngineLibrary.prototype.SelectActor;JavascriptEditorEngineLibrary.prototype.SelectActor = function (Engine, Actor, bInSelected, bNotify, bSelectEvenIfHidden = false, bForceRefresh = false) { return fnprepatch_480.call(this, Engine, Actor, bInSelected, bNotify, bSelectEvenIfHidden, bForceRefresh) }; } catch (e) {};
try { let fnprepatch_481 = JavascriptEditorEngineLibrary.prototype.CanSelectActor;JavascriptEditorEngineLibrary.prototype.CanSelectActor = function (Engine, Actor, bInSelected, bSelectEvenIfHidden = false, bWarnIfLevelLocked = false) { return fnprepatch_481.call(this, Engine, Actor, bInSelected, bSelectEvenIfHidden, bWarnIfLevelLocked) }; } catch (e) {};
try { let fnprepatch_482 = JavascriptEditorEngineLibrary.prototype.bspBrushCSG;JavascriptEditorEngineLibrary.prototype.bspBrushCSG = function (Engine, Actor, Model, PolyFlags, BrushType, CSGOper, bBuildBounds, bMergePolys, bReplaceNULLMaterialRefs, bShowProgressBar = true) { return fnprepatch_482.call(this, Engine, Actor, Model, PolyFlags, BrushType, CSGOper, bBuildBounds, bMergePolys, bReplaceNULLMaterialRefs, bShowProgressBar) }; } catch (e) {};
try { Guid.prototype.ToString = Guid.prototype.Conv_GuidToString; } catch (e) {};
try { Guid.prototype.Equal = Guid.prototype.EqualEqual_GuidGuid; } catch (e) {};
try { Guid.prototype.IsValid = Guid.prototype.IsValid_Guid; } catch (e) {};
try { Guid.prototype.NotEqual = Guid.prototype.NotEqual_GuidGuid; } catch (e) {};
try { Vector.prototype.ToText = Vector.prototype.Conv_VectorToText; } catch (e) {};
try { Vector.prototype.ToString = Vector.prototype.Conv_VectorToString; } catch (e) {};
try { Vector.prototype.ToLinearColor = Vector.prototype.Conv_VectorToLinearColor; } catch (e) {};
try { Vector.prototype.RotationFromXVector = Vector.prototype.Conv_VectorToRotator; } catch (e) {};
try { Vector.prototype.ToTransform = Vector.prototype.Conv_VectorToTransform; } catch (e) {};
try { Vector.prototype.ToVector2D = Vector.prototype.Conv_VectorToVector2D; } catch (e) {};
try { Vector.prototype.CrossProduct = Vector.prototype.Cross_VectorVector; } catch (e) {};
try { Vector.prototype.DotProduct = Vector.prototype.Dot_VectorVector; } catch (e) {};
try { Vector.prototype.Equal = Vector.prototype.EqualEqual_VectorVector; } catch (e) {};
try { Vector.prototype.TruncateVector = Vector.prototype.FTruncVector; } catch (e) {};
try { Vector.prototype.GetUnitDirectionVector = Vector.prototype.GetDirectionUnitVector; } catch (e) {};
try { Vector.prototype.RotateVector = Vector.prototype.GreaterGreater_VectorRotator; } catch (e) {};
try { Vector.prototype.UnrotateVector = Vector.prototype.LessLess_VectorRotator; } catch (e) {};
try { Vector.prototype.LinePlaneIntersection = Vector.prototype.LinePlaneIntersection_OriginNormal; } catch (e) {};
try { Vector.prototype.Normalize = Vector.prototype.Normal; } catch (e) {};
try { Vector.prototype.NotEqual = Vector.prototype.NotEqual_VectorVector; } catch (e) {};
try { Vector.prototype.RotateVectorAroundAxis = Vector.prototype.RotateAngleAxis; } catch (e) {};
try { Vector.prototype.Ease = Vector.prototype.VEase; } catch (e) {};
try { Vector.prototype.Lerp = Vector.prototype.VLerp; } catch (e) {};
try { Vector.prototype.VectorLength = Vector.prototype.VSize; } catch (e) {};
try { Vector.prototype.VectorLengthSquared = Vector.prototype.VSizeSquared; } catch (e) {};
try { Vector2D.prototype.ToText = Vector2D.prototype.Conv_Vector2dToText; } catch (e) {};
try { Vector2D.prototype.ToString = Vector2D.prototype.Conv_Vector2dToString; } catch (e) {};
try { Vector2D.prototype.ToVector = Vector2D.prototype.Conv_Vector2DToVector; } catch (e) {};
try { Vector2D.prototype.CrossProduct = Vector2D.prototype.CrossProduct2D; } catch (e) {};
try { Vector2D.prototype.DotProduct = Vector2D.prototype.DotProduct2D; } catch (e) {};
try { Vector2D.prototype.Equal = Vector2D.prototype.EqualEqual_Vector2DVector2D; } catch (e) {};
try { Vector2D.prototype.Normalize2D = Vector2D.prototype.Normal2D; } catch (e) {};
try { Vector2D.prototype.NotEqual = Vector2D.prototype.NotEqual_Vector2DVector2D; } catch (e) {};
try { Vector2D.prototype.Vector2dLength = Vector2D.prototype.VSize2D; } catch (e) {};
try { Vector2D.prototype.Vector2dLengthSquared = Vector2D.prototype.VSize2DSquared; } catch (e) {};
try { Rotator.prototype.ToText = Rotator.prototype.Conv_RotatorToText; } catch (e) {};
try { Rotator.prototype.ToString = Rotator.prototype.Conv_RotatorToString; } catch (e) {};
try { Rotator.prototype.CombineRotators = Rotator.prototype.ComposeRotators; } catch (e) {};
try { Rotator.prototype.GetRotationXVector = Rotator.prototype.Conv_RotatorToVector; } catch (e) {};
try { Rotator.prototype.Equal = Rotator.prototype.EqualEqual_RotatorRotator; } catch (e) {};
try { Rotator.prototype.ScaleRotator = Rotator.prototype.Multiply_RotatorFloat; } catch (e) {};
try { Rotator.prototype.ScaleRotator = Rotator.prototype.Multiply_RotatorInt; } catch (e) {};
try { Rotator.prototype.InvertRotator = Rotator.prototype.NegateRotator; } catch (e) {};
try { Rotator.prototype.Delta = Rotator.prototype.NormalizedDeltaRotator; } catch (e) {};
try { Rotator.prototype.NotEqual = Rotator.prototype.NotEqual_RotatorRotator; } catch (e) {};
try { Rotator.prototype.Ease = Rotator.prototype.REase; } catch (e) {};
try { Rotator.prototype.Lerp = Rotator.prototype.RLerp; } catch (e) {};
try { IntVector.prototype.ToString = IntVector.prototype.Conv_IntVectorToString; } catch (e) {};
try { IntVector.prototype.ToVector = IntVector.prototype.Conv_IntVectorToVector; } catch (e) {};
try { Color.prototype.ToLinearColor = Color.prototype.Conv_ColorToLinearColor; } catch (e) {};
try { LinearColor.prototype.ToText = LinearColor.prototype.Conv_ColorToText; } catch (e) {};
try { LinearColor.prototype.ToString = LinearColor.prototype.Conv_ColorToString; } catch (e) {};
try { LinearColor.prototype.ToColor = LinearColor.prototype.Conv_LinearColorToColor; } catch (e) {};
try { LinearColor.prototype.ToVector = LinearColor.prototype.Conv_LinearColorToVector; } catch (e) {};
try { LinearColor.prototype.HSVtoRGB = LinearColor.prototype.HSVToRGB_Vector; } catch (e) {};
try { LinearColor.prototype.Lerp = LinearColor.prototype.LinearColorLerp; } catch (e) {};
try { LinearColor.prototype.LerpUsingHSV = LinearColor.prototype.LinearColorLerpUsingHSV; } catch (e) {};
try { LinearColor.prototype.RGBtoHSV = LinearColor.prototype.RGBToHSV_Vector; } catch (e) {};
try { Transform.prototype.ToText = Transform.prototype.Conv_TransformToText; } catch (e) {};
try { Transform.prototype.ToString = Transform.prototype.Conv_TransformToString; } catch (e) {};
try { Transform.prototype.EqualTransform = Transform.prototype.EqualEqual_TransformTransform; } catch (e) {};
try { Transform.prototype.NearlyEqual = Transform.prototype.NearlyEqual_TransformTransform; } catch (e) {};
try { Transform.prototype.Ease = Transform.prototype.TEase; } catch (e) {};
try { Transform.prototype.Lerp = Transform.prototype.TLerp; } catch (e) {};
try { DateTime.prototype.AsDate = DateTime.prototype.AsDate_DateTime; } catch (e) {};
try { DateTime.prototype.AsDateTime = DateTime.prototype.AsDateTime_DateTime; } catch (e) {};
try { DateTime.prototype.AsTime = DateTime.prototype.AsTime_DateTime; } catch (e) {};
try { DateTime.prototype.AsDate = DateTime.prototype.AsTimeZoneDate_DateTime; } catch (e) {};
try { DateTime.prototype.AsDateTime = DateTime.prototype.AsTimeZoneDateTime_DateTime; } catch (e) {};
try { DateTime.prototype.AsTime = DateTime.prototype.AsTimeZoneTime_DateTime; } catch (e) {};
try { DateTime.prototype.Equal = DateTime.prototype.EqualEqual_DateTimeDateTime; } catch (e) {};
try { DateTime.prototype.NotEqual = DateTime.prototype.NotEqual_DateTimeDateTime; } catch (e) {};
try { Timespan.prototype.AsTimespan = Timespan.prototype.AsTimespan_Timespan; } catch (e) {};
try { Timespan.prototype.Equal = Timespan.prototype.EqualEqual_TimespanTimespan; } catch (e) {};
try { Timespan.prototype.NotEqual = Timespan.prototype.NotEqual_TimespanTimespan; } catch (e) {};
try { Key.prototype.Equal = Key.prototype.EqualEqual_KeyKey; } catch (e) {};
try { TimerHandle.prototype.Invalidate = TimerHandle.prototype.K2_InvalidateTimerHandle; } catch (e) {};
try { TimerHandle.prototype.IsValid = TimerHandle.prototype.K2_IsValidTimerHandle; } catch (e) {};
try { SlateBrush.prototype.Equal = SlateBrush.prototype.EqualEqual_SlateBrush; } catch (e) {};
try { InputEvent.prototype.IsAltDown = InputEvent.prototype.InputEvent_IsAltDown; } catch (e) {};
try { InputEvent.prototype.IsCommandDown = InputEvent.prototype.InputEvent_IsCommandDown; } catch (e) {};
try { InputEvent.prototype.IsControlDown = InputEvent.prototype.InputEvent_IsControlDown; } catch (e) {};
try { InputEvent.prototype.IsLeftAltDown = InputEvent.prototype.InputEvent_IsLeftAltDown; } catch (e) {};
try { InputEvent.prototype.IsLeftCommandDown = InputEvent.prototype.InputEvent_IsLeftCommandDown; } catch (e) {};
try { InputEvent.prototype.IsLeftControlDown = InputEvent.prototype.InputEvent_IsLeftControlDown; } catch (e) {};
try { InputEvent.prototype.IsLeftShiftDown = InputEvent.prototype.InputEvent_IsLeftShiftDown; } catch (e) {};
try { InputEvent.prototype.IsRepeat = InputEvent.prototype.InputEvent_IsRepeat; } catch (e) {};
try { InputEvent.prototype.IsRightAltDown = InputEvent.prototype.InputEvent_IsRightAltDown; } catch (e) {};
try { InputEvent.prototype.IsRightCommandDown = InputEvent.prototype.InputEvent_IsRightCommandDown; } catch (e) {};
try { InputEvent.prototype.IsRightControlDown = InputEvent.prototype.InputEvent_IsRightControlDown; } catch (e) {};
try { InputEvent.prototype.IsRightShiftDown = InputEvent.prototype.InputEvent_IsRightShiftDown; } catch (e) {};
try { InputEvent.prototype.IsShiftDown = InputEvent.prototype.InputEvent_IsShiftDown; } catch (e) {};
try { UPointerEvent.prototype.GetCursorDelta = UPointerEvent.prototype.PointerEvent_GetCursorDelta; } catch (e) {};
try { UPointerEvent.prototype.GetEffectingButton = UPointerEvent.prototype.PointerEvent_GetEffectingButton; } catch (e) {};
try { UPointerEvent.prototype.GetGestureDelta = UPointerEvent.prototype.PointerEvent_GetGestureDelta; } catch (e) {};
try { UPointerEvent.prototype.GetLastScreenSpacePosition = UPointerEvent.prototype.PointerEvent_GetLastScreenSpacePosition; } catch (e) {};
try { UPointerEvent.prototype.GetPointerIndex = UPointerEvent.prototype.PointerEvent_GetPointerIndex; } catch (e) {};
try { UPointerEvent.prototype.GetScreenSpacePosition = UPointerEvent.prototype.PointerEvent_GetScreenSpacePosition; } catch (e) {};
try { UPointerEvent.prototype.GetTouchpadIndex = UPointerEvent.prototype.PointerEvent_GetTouchpadIndex; } catch (e) {};
try { UPointerEvent.prototype.GetUserIndex = UPointerEvent.prototype.PointerEvent_GetUserIndex; } catch (e) {};
try { UPointerEvent.prototype.GetWheelDelta = UPointerEvent.prototype.PointerEvent_GetWheelDelta; } catch (e) {};
try { UPointerEvent.prototype.IsMouseButtonDown = UPointerEvent.prototype.PointerEvent_IsMouseButtonDown; } catch (e) {};
try { UPointerEvent.prototype.IsTouchEvent = UPointerEvent.prototype.PointerEvent_IsTouchEvent; } catch (e) {};
try { InputChord.prototype.Equal = InputChord.prototype.EqualEqual_InputChordInputChord; } catch (e) {};
try { ControllerEvent.prototype.GetEffectingButton = ControllerEvent.prototype.ControllerEvent_GetEffectingButton; } catch (e) {};
try { GameplayTag.prototype.Equal = GameplayTag.prototype.EqualEqual_GameplayTag; } catch (e) {};
try { GameplayTag.prototype.NotEqual = GameplayTag.prototype.NotEqual_GameplayTag; } catch (e) {};
try { GameplayTagContainer.prototype.Equal = GameplayTagContainer.prototype.EqualEqual_GameplayTagContainer; } catch (e) {};
try { GameplayTagContainer.prototype.NotEqual = GameplayTagContainer.prototype.NotEqual_GameplayTagContainer; } catch (e) {};
try { PaintContext.prototype.DrawString = PaintContext.prototype.DrawText; } catch (e) {};
try { PaintContext.prototype.DrawText = PaintContext.prototype.DrawTextFormatted; } catch (e) {};
try { BPUniqueNetId.prototype.EqualUniqueNetID = BPUniqueNetId.prototype.EqualEqual_UNetIDUnetID; } catch (e) {};
|
import React, { Component } from "react";
import LinearGradient from "react-native-linear-gradient";
export class GradientHelper extends Component {
render() {
const {
style,
color1,
color2,
start = { x: 0, y: 0 },
end = { x: 0, y: 1 },
children
} = this.props;
return (
<LinearGradient
colors={[color1, color2]}
start={start}
end={end}
style={style}
>
{children}
</LinearGradient>
);
}
} |
define(['altair/facades/declare',
'altair/cartridges/extension/extensions/_Base'],
function (declare,
_Base) {
return declare([_Base], {
name: 'render',
extend: function (Module) {
Module.extendOnce({
viewPath: 'views',
render: function (path, context, options) {
if(!path) {
throw new Error('you need to pass a path to render()');
}
var _p = this.resolvePath(path);
return this.nexus('liquidfire:Onyx').render(_p, context, options);
}
});
return this.inherited(arguments);
}
});
}); |
#!/usr/bin/env python
from ansible.module_utils.hashivault import hashivault_argspec
from ansible.module_utils.hashivault import hashivault_auth_client
from ansible.module_utils.hashivault import hashivault_init
from ansible.module_utils.hashivault import hashiwrapper
ANSIBLE_METADATA = {'status': ['stableinterface'], 'supported_by': 'community', 'version': '1.1'}
DOCUMENTATION = '''
---
module: hashivault_identity_entity
version_added: "3.13.0"
short_description: Hashicorp Vault entity create module
description:
- Module to manage identity entity in Hashicorp Vault.
options:
url:
description:
- url for vault
default: to environment variable VAULT_ADDR
ca_cert:
description:
- "path to a PEM-encoded CA cert file to use to verify the Vault server TLS certificate"
default: to environment variable VAULT_CACERT
ca_path:
description:
- "path to a directory of PEM-encoded CA cert files to verify the Vault server TLS certificate : if ca_cert
is specified, its value will take precedence"
default: to environment variable VAULT_CAPATH
client_cert:
description:
- "path to a PEM-encoded client certificate for TLS authentication to the Vault server"
default: to environment variable VAULT_CLIENT_CERT
client_key:
description:
- "path to an unencrypted PEM-encoded private key matching the client certificate"
default: to environment variable VAULT_CLIENT_KEY
verify:
description:
- "if set, do not verify presented TLS certificate before communicating with Vault server : setting this
variable is not recommended except during testing"
default: to environment variable VAULT_SKIP_VERIFY
authtype:
description:
- "authentication type to use: token, userpass, github, ldap, approle"
default: token
token:
description:
- token for vault
default: to environment variable VAULT_TOKEN
username:
description:
- username to login to vault.
default: to environment variable VAULT_USER
password:
description:
- password to login to vault.
default: to environment variable VAULT_PASSWORD
name:
description:
- entity name to create or update.
id:
description:
- entity id to update.
metadata:
description:
- metadata to be associated with entity
disabled:
description:
- whether the entity is disabled
policies:
description:
- entity policies.
state:
description:
- whether create/update or delete the entity
'''
EXAMPLES = '''
---
- hosts: localhost
tasks:
- hashivault_identity_entity:
name: 'bob'
policies: 'bob'
'''
def main():
argspec = hashivault_argspec()
argspec['name'] = dict(required=False, type='str', default=None)
argspec['id'] = dict(required=False, type='str', default=None)
argspec['metadata'] = dict(required=False, type='dict', default=None)
argspec['disabled'] = dict(required=False, type='bool', default=None)
argspec['policies'] = dict(required=False, type='list', default=None)
argspec['state'] = dict(required=False, choices=['present', 'absent'], default='present')
module = hashivault_init(argspec)
result = hashivault_identity_entity(module.params)
if result.get('failed'):
module.fail_json(**result)
else:
module.exit_json(**result)
def hashivault_identity_entity_update(entity_details, client, entity_id, entity_name, entity_metadata, entity_disabled,
entity_policies):
if entity_metadata is None:
entity_metadata = entity_details['metadata']
if entity_policies is None:
entity_policies = entity_details['policies']
if entity_disabled is None:
entity_disabled = entity_details['disabled']
if entity_details['name'] != entity_name or entity_details['disabled'] != entity_disabled or \
entity_details['metadata'] != entity_metadata or set(entity_details['policies']) != set(entity_policies):
try:
client.secrets.identity.update_entity(
entity_id=entity_id,
name=entity_name,
metadata=entity_metadata,
policies=entity_policies,
disabled=entity_disabled
)
except Exception as e:
return {'failed': True, 'msg': str(e)}
return {'changed': True}
return {'changed': False}
def hashivault_identity_entity_create_or_update(params):
client = hashivault_auth_client(params)
entity_name = params.get('name')
entity_id = params.get('id')
entity_metadata = params.get('metadata')
entity_disabled = params.get('disabled')
entity_policies = params.get('policies')
if entity_id is not None:
try:
entity_details = client.secrets.identity.read_entity(entity_id=entity_id)
except Exception as e:
return {'failed': True, 'msg': str(e)}
return hashivault_identity_entity_update(entity_details['data'], client, entity_name, entity_id,
entity_metadata, entity_disabled, entity_policies)
elif entity_name is not None:
try:
entity_details = client.secrets.identity.read_entity_by_name(name=entity_name)
except Exception:
response = client.secrets.identity.create_or_update_entity_by_name(
name=entity_name,
metadata=entity_metadata,
policies=entity_policies,
disabled=entity_disabled
)
return {'changed': True, 'data': response['data']}
return hashivault_identity_entity_update(entity_details['data'], client, entity_name=entity_name,
entity_id=entity_details['data']['id'],
entity_metadata=entity_metadata,
entity_disabled=entity_disabled, entity_policies=entity_policies)
return {'failed': True, 'msg': "Either name or id must be provided"}
def hashivault_identity_entity_delete(params):
client = hashivault_auth_client(params)
entity_id = params.get('id')
entity_name = params.get('name')
if entity_id is not None:
try:
client.secrets.identity.read_entity(entity_id=entity_id)
except Exception:
return {'changed': False}
client.secrets.identity.delete_entity(entity_id=entity_id)
return {'changed': True}
elif entity_name is not None:
try:
client.secrets.identity.read_entity_by_name(name=entity_name)
except Exception:
return {'changed': False}
client.secrets.identity.delete_entity_by_name(name=entity_name)
return {'changed': True}
return {'failed': True, 'msg': "Either name or id must be provided"}
@hashiwrapper
def hashivault_identity_entity(params):
state = params.get('state')
if state == 'present':
return hashivault_identity_entity_create_or_update(params)
elif state == 'absent':
return hashivault_identity_entity_delete(params)
else:
return {'failed': True, 'msg': 'Unknown state'}
if __name__ == '__main__':
main()
|
# Copyright 2018 The TensorFlow Authors. All Rights Reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
# =============================================================================
"""Python front-end supports for functions.
NOTE: At this time, functions are experimental and subject to change!. Proceed
with caution.
"""
from __future__ import absolute_import
from __future__ import division
from __future__ import print_function
import collections
import hashlib
from tensorflow.core.framework import attr_value_pb2
from tensorflow.core.framework import function_pb2
from tensorflow.python import pywrap_tensorflow as c_api
from tensorflow.python.eager import context
from tensorflow.python.framework import c_api_util
from tensorflow.python.framework import dtypes
from tensorflow.python.framework import graph_to_function_def
from tensorflow.python.framework import ops
from tensorflow.python.ops import array_ops
from tensorflow.python.ops import resource_variable_ops
from tensorflow.python.ops import variable_scope as vs
from tensorflow.python.util import compat
from tensorflow.python.util import function_utils
from tensorflow.python.util import tf_contextlib
from tensorflow.python.util import tf_inspect
class Defun(object):
"""Decorator used to define TensorFlow functions.
Use this decorator to make a Python function usable directly as a TensorFlow
function.
The decorated function must add ops to the default graph and return zero or
more `Tensor` objects. Call the decorator with named arguments, one for each
argument of the function to decorate, with the expected type of the argument
as value.
For example if the function to decorate accepts two `tf.float32` arguments
named `x` and `y`, call the decorator with:
@Defun(tf.float32, tf.float32)
def foo(x, y):
...
When you call the decorated function, it adds the `call` ops to the
default graph. In addition, it adds the definition of the function into the
default graph. Because the addition of the function into the graph
is deferred, the decorator can be used anywhere in the program.
Any variables created inside of the function are hoisted into the outer graph.
Note that the variables are created in the variable scope that was active
during the first call to the function. Subsequent function calls will refer to
the same set of variables.
Definitions of functions in a graph are frozen as soon as the graph is used to
create a session. However, new functions and new calls to existing functions
may be added to the graph, with the new functions themselves becoming
immediately frozen.
Example, but also see the [How To on functions](link_needed).
```python
# Defining the function.
@tf.Defun(tf.float32, tf.float32)
def MyFunc(x, y):
return x + y, x - y
# Building the graph.
a = tf.constant([1.0])
b = tf.constant([2.0])
c, d = MyFunc(a, b, name='mycall')
```
"""
def __init__(self, *input_types, **kwargs):
"""Create a `Defun` decorator.
Args:
*input_types: A list of `tf.DType`
**kwargs: Optional keyword arguments, including
func_name - (optional). A python string, the name to use to
declare this `Function` in the graph.
grad_func - (optional). A function implementing the gradient
of the function-to-register. This is must be a
`_DefinedFunction` object. The gradient
function must satisfy the criterion defined in
function.proto:GradientDef.
python_grad_func - (optional). A function implementing the
gradient of the function python-side. This function must
take the current op and the gradients w.r.t. its outputs,
and return the gradients w.r.t. the inputs. That is it must
implement the interface expected by `tf.RegisterGradient`).
This will be called by tf.gradients to add the gradient ops
to the graph. At most one of grad_func and python_grad_func
can be specified.
out_names = (optional). A list of strings, one per output
tensor.
shape_func - (optional). A function taking the op and returning a list
of static shapes to set for the function's outputs.
"""
self._input_types = input_types
self._func_name = kwargs.pop("func_name", None)
self._grad_func = kwargs.pop("grad_func", None)
self._python_grad_func = kwargs.pop("python_grad_func", None)
self._out_names = kwargs.pop("out_names", None)
self._extra_kwargs = kwargs
def __call__(self, func):
# Various sanity checks on the callable func.
if not callable(func):
raise ValueError("function %s must be callable" % func)
# Func should not use kwargs and defaults.
argspec = tf_inspect.getargspec(func)
if argspec.keywords or argspec.defaults:
raise ValueError(
"function with argument defaults or keywords arguments are not"
" supported. {} has defaults {} and keywords {}.".format(
func, argspec.defaults, argspec.keywords))
# Computes how many arguments 'func' has.
min_args = len(argspec.args)
max_args = min_args
if argspec.varargs:
max_args = 1000000
argnames = argspec.args
if tf_inspect.ismethod(func):
# 1st argument is the "class" type.
min_args -= 1
argnames = argnames[1:]
if self._input_types:
# If Defun is given a list of types for the inputs, the number
# of input types should be compatible with 'func'.
num = len(self._input_types)
if num < min_args or num > max_args:
raise ValueError(
"The function has fewer arguments than the number of specified "
"input types.")
return _DefinedFunction(
func,
argnames,
self._input_types,
self._func_name,
self._grad_func,
self._python_grad_func,
out_names=self._out_names,
**self._extra_kwargs)
# 'func' expects no arguments and input types is an empty list.
if min_args == 0 and max_args == 0:
return _DefinedFunction(
func, [], [],
self._func_name,
self._grad_func,
self._python_grad_func,
out_names=self._out_names,
**self._extra_kwargs)
# Input types are unknown. It's an overloaded function and hence
# its definition needs to be deferred until it's called.
return _OverloadedFunction(
func,
argnames,
self._func_name,
self._grad_func,
self._python_grad_func,
out_names=self._out_names,
**self._extra_kwargs)
class _DefinedFunction(object):
"""_DefinedFunction encapsulates a function definition and its properties.
Attributes:
name: The function name.
definition: The definition of this function. A FunctionDef proto.
grad_func_name: If not None, the name of this function's gradient function.
python_grad_func: A python callable implementing the gradient of
the function python-side.
"""
def __init__(self,
func,
argnames,
input_types,
func_name=None,
grad_func=None,
python_grad_func=None,
out_names=None,
shape_func=None,
capture_by_value=False,
whitelisted_stateful_ops=None,
capture_resource_var_by_value=True,
**kwargs):
"""Creates _DefinedFunction.
Args:
func: A python callable which constructs a tf function body.
argnames: A list of strings for function argument names.
input_types: The function's argument types. Can be a tuple, list of
tf data types.
func_name: The function name. Defaults to None, in which derives from
'func'.
grad_func: This function's gradient function, if not None. Defaults
to None.
python_grad_func: A python callable implementing the gradient of
the function python-side.
out_names: An optional list of strings for the function return value
names.
shape_func: An optional function mapping an op to a list of static
output shapes.
capture_by_value: Boolean (defaults to False). If True, captured values
will be copied into the function body.
whitelisted_stateful_ops: A set of ops that if stateful we ignore and
copy into the function body, when `capture_by_value` is True.
capture_resource_var_by_value: Boolean (defaults to True). If False,
captured resource variable returns the handle instead of value.
**kwargs: The keyword arguments. **kwargs is passed to every call
site of this function.
Raises:
ValueError: The function definition is invalid.
"""
self._func = func
self._input_types = input_types
self._func_name = func_name
self._grad_func = grad_func
self._python_grad_func = python_grad_func
self._out_names = out_names
self._shape_func = shape_func
self._capture_by_value = capture_by_value
self._whitelisted_stateful_ops = whitelisted_stateful_ops
if self._whitelisted_stateful_ops is None:
self._whitelisted_stateful_ops = set()
self._capture_resource_var_by_value = capture_resource_var_by_value
self._extra_kwargs = kwargs
# Constructed only when C API is disabled, lazily
self._definition = None
# Constructed only when C API is enabled, lazily
self._c_func = None
self._sub_functions = {} # Constructed with _definition or _c_func
# pylint: disable=protected-access
device_funcs = ops.get_default_graph()._device_functions_outer_to_inner
# pylint: enable=protected-access
# Get the innermost device if possbile.
self._caller_device = device_funcs[-1] if device_funcs else None
# Cached OpDef for this function. When C API is enabled, this is
# the only part of FunctionDef that we cache in Python. When C API
# is disabled the whole _definition is available and this is simply
# another reference to _definition.signature
self._op_def = None
assert isinstance(input_types, (list, tuple))
self._arg_types = input_types
self._arg_names = [argnames[i] if i < len(argnames) else ("arg%d" % i)
for i in range(len(input_types))]
@property
def name(self):
"""Function name."""
self._create_definition_if_needed()
return self._func_name
@property
def definition(self):
"""Function definition proto."""
self._create_definition_if_needed()
if self._c_func:
with c_api_util.tf_buffer() as buf:
c_api.TF_FunctionToFunctionDef(self._c_func.func, buf)
fdef = function_pb2.FunctionDef()
proto_data = c_api.TF_GetBuffer(buf)
fdef.ParseFromString(compat.as_bytes(proto_data))
return fdef
return self._definition
@property
def _signature(self):
self._create_definition_if_needed()
return self._op_def
def set_grad_func(self, grad_func):
"""Specifies the gradient function of this function."""
assert not self._grad_func
assert isinstance(grad_func, _DefinedFunction)
self._grad_func = grad_func
@property
def grad_func_name(self):
"""Returns the name of the gradient function."""
return self._grad_func.name if self._grad_func else None
@property
def python_grad_func(self):
"""Python gradient function callable."""
return self._python_grad_func
@property
def declared_input_types(self):
"""Returns the list of data types of explicit declared inputs."""
return self._input_types
@property
def captured_inputs(self):
"""Returns the list of implicitly captured inputs."""
self._create_definition_if_needed()
return self._extra_inputs
@property
def stateful_ops(self):
"""Returns the list of stateful ops in function definition.
Returns:
A list of (op.name, op.type) pairs.
"""
self._create_definition_if_needed()
return self._stateful_ops
def _create_definition_if_needed(self):
"""Creates the function definition if it's not created yet."""
with context.graph_mode():
self._create_definition_if_needed_impl()
def _create_definition_if_needed_impl(self):
"""This is not what you want, see _create_definition_if_needed."""
if self._definition is not None or self._c_func is not None:
return
# Copy variable collections (by reference) from the parent graph such that
# name based variable sharing (e.g. via tf.make_template) works between the
# func graph and parent graph.
variable_keys = []
variable_keys.extend(ops.GraphKeys._VARIABLE_COLLECTIONS) # pylint: disable=protected-access
variable_keys.append(vs._VARSTORE_KEY) # pylint: disable=protected-access
collections_ref = {}
parent_collections_ref = ops.get_default_graph()._collections # pylint: disable=protected-access
for key in variable_keys:
if key not in parent_collections_ref:
parent_collections_ref[key] = collections_ref[key] = []
else:
collections_ref[key] = parent_collections_ref[key]
temp_graph = func_graph_from_py_func(
self._func,
self._arg_names,
self._arg_types,
self._func_name,
self._capture_by_value,
self._caller_device,
collections_ref=collections_ref,
whitelisted_stateful_ops=self._whitelisted_stateful_ops,
capture_resource_var_by_value=self._capture_resource_var_by_value)
self._extra_inputs = temp_graph.extra_inputs
# pylint: disable=protected-access
self._sub_functions = temp_graph._functions
# pylint: enable=protected-access
# Extra kwargs are treated as attrs on the function def.
if self._func_name:
base_func_name = self._func_name
else:
base_func_name = function_utils.get_func_name(self._func)
if self._grad_func:
base_func_name += ("_%s" % self._grad_func.name)
kwargs_attr = _parse_kwargs_as_attrs(base_func_name, **self._extra_kwargs)
if not temp_graph._c_graph: # pylint: disable=protected-access
# Build the FunctionDef
self._definition = graph_to_function_def.graph_to_function_def(
temp_graph,
temp_graph.get_operations(),
temp_graph.inputs,
temp_graph.outputs,
out_names=self._out_names)
for k in kwargs_attr:
self._definition.attr[k].CopyFrom(kwargs_attr[k])
# Hash the definition and its dependencies.
self._hash_str = self._create_hash_str(
self._definition.signature.input_arg,
self._definition.signature.output_arg, self._definition.node_def)
# Finally, we decide the function name to use. If not specified,
# make up something which is almost certainly unique (but deterministic).
if not self._func_name:
self._func_name = "_".join([base_func_name, self._hash_str])
self._definition.signature.name = self._func_name
if self._func.__doc__:
self._definition.signature.description = self._func.__doc__
self._op_def = self._definition.signature
else: # C API is enabled
output_names = ([compat.as_bytes(x) for x in self._out_names]
if self._out_names else [])
description = self._func.__doc__ or None
# pylint: disable=protected-access
c_func = c_api.TF_GraphToFunction_wrapper(
temp_graph._c_graph,
base_func_name,
self._func_name is None, # append_hash_to_fn_name
None, # opers
[t._as_tf_output() for t in temp_graph.inputs],
[t._as_tf_output() for t in temp_graph.outputs],
output_names,
[], # control_outputs
[], # control_output_names
None, # opts
description)
self._c_func = c_api_util.ScopedTFFunction(c_func)
# pylint: enable=protected-access
self._set_c_attrs(kwargs_attr)
# Set cached fields: _op_def and _func_name (if not already set)
self._op_def = self.definition.signature
if self._func_name:
assert self._func_name == self._op_def.name
else:
self._func_name = compat.as_str(self._op_def.name)
self._stateful_ops = [(op.name, op.type)
for op in temp_graph.get_operations()
if op.op_def.is_stateful]
def _set_c_attrs(self, attrs):
"""Sets `attrs` as attributes of self._c_func.
Requires that self._c_func is not None.
Args:
attrs: a dictionary from attribute name to attribute proto value
"""
for name, attr_value in attrs.items():
serialized = attr_value.SerializeToString()
# TODO(skyewm): this creates and deletes a new TF_Status for every attr.
# It might be worth creating a convenient way to re-use the same status.
c_api.TF_FunctionSetAttrValueProto(self._c_func.func, compat.as_str(name),
serialized)
def _create_hash_str(self, input_arg, output_arg, node_def):
"""Creates an 8-character string unique to this input.
Args:
input_arg: the input_arg field of an OpDef
(e.g. self._definition.signature.input_arg)
output_arg: the output_arg field of an OpDef
(e.g. self._definition.signature.output_arg)
node_def: the node_def field of a FunctionDef
(e.g. self._definition.node_def)
Returns:
The unique string for this input
"""
hasher = hashlib.sha1()
def update_num(n):
hasher.update(compat.as_bytes("%x" % n))
def update_str(s):
update_num(len(s))
hasher.update(compat.as_bytes(s))
def update_strs(slist):
update_num(len(slist))
for s in slist:
update_str(s)
for adef in input_arg:
update_str(adef.SerializeToString())
for adef in output_arg:
update_str(adef.SerializeToString())
for n in sorted(node_def, key=lambda n: n.name):
update_str(n.name)
update_str(n.op)
update_strs(n.input)
update_num(len(n.attr))
# NOTE: protobuf map serialization does not guarantee ordering.
for k in sorted(n.attr):
update_str(k)
update_str(n.attr[k].SerializeToString())
return hasher.hexdigest()[:8]
def add_to_graph(self, g):
"""Adds this function into the graph g."""
self._create_definition_if_needed()
# Adds this function into 'g'.
# pylint: disable=protected-access
if context.executing_eagerly():
context.context().add_function_def(self.definition)
else:
g._add_function(self)
# pylint: enable=protected-access
# Ensures related sub-routines are defined in 'g', too.
for f in self._sub_functions.values():
f.add_to_graph(g)
# Adds its gradient function, too.
if self._grad_func:
self._grad_func.add_to_graph(g)
def __call__(self, *args, **kwargs):
self.add_to_graph(ops.get_default_graph())
args = [ops.convert_to_tensor(_) for _ in args] + self._extra_inputs
ret, op = _call(self._signature, *args, **kwargs)
# Set a hidden attr in 'op' so that gradients_impl can refer back
# to this _DefinedFunction instance to access python_grad_func.
assert isinstance(op, ops.Operation)
setattr(op, "__defun", self)
if self._shape_func is not None:
shapes = self._shape_func(op)
if len(shapes) != len(op.outputs):
raise ValueError("shape_func produced %d shapes for %d outputs" %
(len(shapes), len(op.outputs)))
for (t, shape) in zip(op.outputs, shapes):
t.set_shape(shape)
return ret
class _OverloadedFunction(object):
"""_OverloadedFunction encapsulates an overloaded function.
_OverloadedFunction maintains a mapping from input types to
instantiated _DefinedFunction in self._overload.
"""
def __init__(self,
func,
argnames,
func_name=None,
grad_func=None,
python_grad_func=None,
out_names=None,
**kwargs):
"""Creates _DefinedFunction.
Args:
func: A python callable which constructs a tf function body.
argnames: A list of strings for function argument names.
func_name: The function name. Defaults to None, in which derives from
'func'.
grad_func: This function's gradient function, if not None. Defaults
to None.
python_grad_func: A python callable implementing the gradient of
the function python-side.
out_names: A list of strings for the function return value names.
**kwargs: The keyword arguments. **kwargs is passed to every call
site of this function.
Raises:
ValueError: The function definition is invalid.
"""
self._func = func
self._argnames = argnames
self._func_name = func_name
assert grad_func is None or isinstance(grad_func, _OverloadedFunction)
self._grad_func = grad_func
self._python_grad_func = python_grad_func
self._out_names = out_names
self._extra_kwargs = kwargs
self._overload = {}
def instantiate(self, input_types):
"""Instantiate this function given input argument types.
Args:
input_types: A list of data types for the inputs.
Returns:
_DefinedFunction for the given input types.
"""
# Stringify the type list.
key = _type_list_to_str(input_types)
defined = self._overload.get(key)
if not defined:
# If not defined yet, define the function given the input types.
name = self._func_name
if name is not None:
name = "_".join([name, key])
defined = _DefinedFunction(
self._func,
self._argnames,
input_types,
name,
None,
self._python_grad_func,
out_names=self._out_names,
**self._extra_kwargs)
_ = defined.name # Fully instantiate the function definition.
if self._grad_func:
# If _grad_func is given, it is another
# _OverloadedFunction. We need to instantiate it with the
# right input types.
output_types = [
dtypes.DType(_.type) for _ in defined._signature.output_arg # pylint: disable=protected-access
]
# pylint: disable=protected-access
defined._grad_func = self._grad_func.instantiate(input_types +
output_types)
# pylint: enable=protected-access
self._overload[key] = defined
return defined
def __call__(self, *args, **kwargs):
input_types = []
args = list(args)
for (i, x) in enumerate(args):
x = ops.convert_to_tensor(x)
if not isinstance(x, ops.Tensor):
raise ValueError("Expect a Tensor but get ", x)
input_types.append(x.dtype)
args[i] = x
return self.instantiate(input_types)(*args, **kwargs)
class _FuncGraph(ops.Graph):
"""A helper for constructing a function.
_FuncGraph overrides ops.Graph's create_op() so that we can keep
track of all inputs into every op created inside the function. If
any input is from other graphs, we keep track of it in self.capture
and substitute the input with a place holder.
Each captured input's corresponding place holder is converted into a
function argument and the caller passes in the captured tensor.
"""
def __init__(self, name, capture_by_value, whitelisted_stateful_ops,
capture_resource_var_by_value, *args, **kwargs):
super(_FuncGraph, self).__init__(*args, **kwargs)
self._capture_by_value = capture_by_value
self._whitelisted_stateful_ops = whitelisted_stateful_ops
self._capture_resource_var_by_value = capture_resource_var_by_value
self._building_function = True
self._outer_graph = ops.get_default_graph()
self._vscope = vs.get_variable_scope()
self._old_custom_getter = self._vscope.custom_getter
# The name of the function.
self.name = name
# Placeholder tensors representing the inputs to this function. The tensors
# are in this _FuncGraph.
self.inputs = []
# Tensors that will be returned this function. The tensors are in this
# _FuncGraph.
self.outputs = []
# Maps external tensor -> internal tensor (e.g. input placeholder).
self._captured = {}
# The external tensors that have been captured as inputs and must be passed
# to this function (empty if capturing by value, otherwise these are the
# keys of _captured).
self.extra_inputs = []
# Input placeholders that been added for captured values (empty if capturing
# by value).
self.extra_args = []
# Captured variables.
# TODO(skyewm): is this needed?
self.extra_vars = []
# pylint: disable=g-doc-return-or-yield
@tf_contextlib.contextmanager
def container(self, container_name):
"""Returns a context manager that specifies the resource container to use.
Overridden from `tf.Graph` to update both the init_scope container
and the present inner container. This is necessary to make sure setting
containers applies correctly both to created variables and to stateful
ops.
Args:
container_name: container name string.
Returns:
A context manager for defining resource containers for stateful ops,
yields the container name.
"""
original_container = self._container
# pylint: disable=protected-access
with ops.init_scope():
original_init_container = ops.get_default_graph()._container
try:
self._container = container_name
with ops.init_scope():
ops.get_default_graph()._container = container_name
yield self._container
finally:
self._container = original_container
with ops.init_scope():
ops.get_default_graph()._container = original_init_container
# pylint: enable=protected-access
# pylint: enable=g-doc-return-or-yield
def getvar(
self,
getter,
name,
shape=None,
dtype=None,
initializer=None,
reuse=None,
trainable=True,
collections=None, # pylint: disable=redefined-outer-name
use_resource=None,
**kwargs):
"""A custom variable getter."""
# Here, we switch the default graph to the outer graph and ask the
# variable scope in which the function is defined to give us the
# variable. The variable is stashed in extra_vars and returned to
# the caller.
#
# We capture these variables so that the variable definition is
# hoisted upward to the outer most graph.
with self._outer_graph.as_default():
# pylint: disable=protected-access
var = self._vscope.get_variable(
vs._get_default_variable_store(),
name,
shape=shape,
dtype=dtype,
initializer=initializer,
reuse=reuse,
trainable=trainable,
collections=collections,
use_resource=use_resource)
self.extra_vars.append(var)
if (isinstance(var, resource_variable_ops.ResourceVariable) and
self._capture_resource_var_by_value):
# For resource-based variables read the variable outside the function
# and pass in the value. This ensures that the function is pure and
# differentiable. TODO(apassos) this may have performance problems if
# the function will only do embedding lookups on the variable.
return var.value()
return var
def create_op(self, op_type, inputs, dtypes=None, **kwargs): # pylint: disable=redefined-outer-name
for i, x in enumerate(inputs):
if isinstance(x, ops.EagerTensor) or x.graph is not self:
inputs[i] = self.capture(x)
return super(_FuncGraph, self).create_op(op_type, inputs,
dtypes=dtypes, **kwargs)
def capture(self, tensor, name=None):
"""Adds the given tensor to this graph and returns the captured tensor."""
if tensor in self._captured:
# Captured already.
return self._captured[tensor]
elif self._capture_by_value:
return self._add_tensor_and_parents(tensor)
else:
return self._capture_tensor_as_extra_input(tensor, name)
def _capture_tensor_as_extra_input(self, tensor, name=None):
# Substitute with a placeholder.
self.extra_inputs.append(tensor)
# Hoist the new input placeholder out of any control flow context
# we're currently in.
with ops.control_dependencies(None):
ph = array_ops.placeholder(
tensor.dtype, shape=tensor.get_shape(), name=name)
# pylint: disable=protected-access
if isinstance(tensor, ops.EagerTensor):
handle_data = tensor._handle_data
if handle_data:
handle_data = handle_data.SerializeToString()
else:
handle_data = c_api.GetHandleShapeAndType(tensor.graph._c_graph,
tensor._as_tf_output())
if handle_data:
c_api.SetHandleShapeAndType(ph.graph._c_graph, ph._as_tf_output(),
compat.as_bytes(handle_data))
# pylint: enable=protected-access
self.inputs.append(ph)
self._captured[tensor] = ph
self.extra_args.append(ph)
if _is_guaranteed_const(tensor):
with ops.control_dependencies(None):
return array_ops.guarantee_const(ph)
else:
return ph
def _add_tensor_and_parents(self, tensor):
op = self._add_op_and_parents(tensor.op)
return op.outputs[tensor.value_index]
def _add_op_and_parents(self, op):
# pylint: disable=protected-access
op_def = graph_to_function_def._get_op_def(op)
# pylint: enable=protected-access
if op_def.is_stateful and op not in self._whitelisted_stateful_ops:
raise ValueError("Cannot capture a stateful node (name:%s, type:%s) "
"by value." % (op.name, op.type))
elif op.type in ("Placeholder", "PlaceholderV2"):
raise ValueError("Cannot capture a placeholder (name:%s, type:%s) "
"by value." % (op.name, op.type))
captured_inputs = [self._add_tensor_and_parents(x) for x in op.inputs]
captured_op = self.create_op(
op.type,
captured_inputs, [o.dtype for o in op.outputs],
name=op.name,
attrs=op.node_def.attr,
op_def=op_def)
for t, captured_t in zip(op.outputs, captured_op.outputs):
self._captured[t] = captured_t
return captured_op
def func_graph_from_py_func(func,
arg_names,
arg_types,
name=None,
capture_by_value=False,
device=None,
colocation_stack=None,
container=None,
collections_ref=None,
arg_shapes=None,
whitelisted_stateful_ops=None,
capture_resource_var_by_value=True):
"""Returns a _FuncGraph generated from `func`.
Args:
func: A Python callable which constructs a TF function body. The arguments
must correspond to `arg_types`. Returns a value or list/tuple of values.
No returned value can be None.
arg_names: A sequence of strings for the function argument names.
arg_types: A sequence of the function's argument types.
name: The function name. If None, the name is derived from `func`.
capture_by_value: boolean. If True, captured values will be copied into the
function body.
device: device name or function.
colocation_stack: A colocation stack (list) the _FuncGraph should use.
container: A container name the _FuncGraph should start with.
collections_ref: A reference to a collections dict the _FuncGraph should
use internally.
arg_shapes: A sequence of the function's argument shapes.
whitelisted_stateful_ops: A set of ops that if stateful we ignore and
re-create.
capture_resource_var_by_value: Boolean (defaults to True). If False,
captured resource variable returns the handle instead of value.
Returns:
A _FuncGraph.
Raises:
ValueError: if func returns None.
"""
if not name:
name = function_utils.get_func_name(func)
func_graph = _FuncGraph(name, capture_by_value, whitelisted_stateful_ops,
capture_resource_var_by_value)
with func_graph.as_default(), ops.device(device):
# pylint: disable=protected-access
if collections_ref is not None:
func_graph._collections = collections_ref
if container is not None:
func_graph._container = container
if colocation_stack is not None:
func_graph._colocation_stack = colocation_stack
# pylint: enable=protected-access
if arg_shapes is None:
arg_shapes = [None] * len(arg_types)
# Create placeholders for the function arguments.
for (argname, argtype, argshape) in zip(arg_names, arg_types, arg_shapes):
argholder = array_ops.placeholder(argtype, shape=argshape, name=argname)
func_graph.inputs.append(argholder)
# Call func and gather the output tensors.
with vs.variable_scope("", custom_getter=func_graph.getvar):
outputs = func(*func_graph.inputs)
# There is no way of distinguishing between a function not returning
# anything and a function returning None in Python.
# We need to allow the former and ideally want to forbid the latter as
# it is most likely user error.
# TODO(iga): Consider adding a @NoOutput decorator on top of @Defun to
# allow users to explicitly mark the function as not returning anything.
# For now, we allow a single None return and interpret it as a function
# with no output.
if outputs is None:
outputs = []
else:
# If func only returned one value, make it a tuple.
if not isinstance(outputs, (list, tuple)):
outputs = (outputs,)
if any(_ is None for _ in outputs):
raise ValueError("Function %s can not return None." % name)
# Ensures each output is a Tensor in the function graph.
outputs = [ops.convert_to_tensor(t) for t in outputs]
outputs = [func_graph.capture(t) if t.graph is not func_graph else t
for t in outputs]
func_graph.outputs = outputs
return func_graph
def _is_guaranteed_const(tensor):
"""Determines whether `tensor` is guaranteed to be a constant.
A tensor is guaranteed to be a constant if either it was produced by
a `GuaranteeConst` op or if all of its children are guaranteed to be
constants.
Args:
tensor: The tensor for which to determine const-ness.
Returns:
True if `tensor` is guaranteed to be a constant, False otherwise.
"""
if isinstance(tensor, ops.EagerTensor):
return False
class Work(object):
def __init__(self, op, leaving):
self.op = op
self.leaving = leaving
is_guaranteed_const = lambda op: op.node_def.op == "GuaranteeConst"
constants = set([])
def all_inputs_const(op):
# If all inputs of an op are guaranteed constants, then we can infer that
# the op produces a constant as well.
return op.inputs and all(inp.op in constants for inp in op.inputs)
visited = set([])
stack = [Work(tensor.op, leaving=False)]
while stack:
work = stack.pop()
if work.leaving:
if all_inputs_const(work.op):
constants.add(work.op)
continue
visited.add(work.op)
if is_guaranteed_const(work.op):
constants.add(work.op)
continue
# This op will be revisited after all its inputs are checked for const-ness.
stack.append(Work(work.op, leaving=True))
for inp in work.op.inputs:
if inp.op not in visited:
stack.append(Work(inp.op, leaving=False))
return tensor.op in constants
def _call(sig, *inputs, **kwargs):
"""Adds a node calling a function.
This adds a `call` op to the default graph that calls the function
of signature `sig`, passing the tensors in `inputs` as arguments.
It returns the outputs of the call, which are one or more tensors.
`sig` is OpDefArg.a `_DefinedFunction` object.
You can pass an optional keyword parameter `name=string` to name the
added operation.
You can pass an optional keyword parameter `noinline=True|False` to
instruct the runtime not to inline the function body into the call
site.
Args:
sig: OpDefArg. The signature of the function.
*inputs: arguments to the function.
**kwargs: Optional keyword arguments. Can only contain 'name' or
'noinline'.
Returns:
A 2-element tuple. First element: a Tensor if the function returns a single
value; a list of Tensors if the function returns multiple value; the
Operation if the function returns no values. Second element: the Operation.
Raises:
ValueError: if the arguments are invalid.
"""
if len(inputs) != len(sig.input_arg):
raise ValueError("Expected number of arguments: %d, received: %d" % (len(
sig.input_arg), len(inputs)))
name = kwargs.pop("name", None)
g = ops.get_default_graph()
func_name = sig.name
if name is None:
name = func_name
attrs = _parse_kwargs_as_attrs(func_name, **kwargs)
output_types = [dtypes.DType(x.type) for x in sig.output_arg]
op = g.create_op(
func_name, list(inputs), output_types, name=name, attrs=attrs, op_def=sig)
if op.outputs:
if len(op.outputs) == 1:
ret = op.outputs[0]
else:
ret = tuple(op.outputs)
else:
ret = op
return ret, op
def _from_definition(fdef, grad_func=None):
"""Creates a _DefinedFunction initialized from a FunctionDef proto.
Args:
fdef: a FunctionDef
grad_func: a _DefinedFunction or None
Returns:
A _DefinedFunction representing fdef
"""
# TODO(iga): This method does major surgery on _DefinedFunction.
# Make it a named constructor using @classmethod of _DefinedFunction.
# The Python callable is only needed to create a FunctionDef. Since we have
# the FunctionDef here, we don't need to set _DefinedFunction._func (nor do we
# have access to such a callable here).
func = None
argnames = [arg.name for arg in fdef.signature.input_arg]
input_types = tuple(
dtypes.as_dtype(arg.type) for arg in fdef.signature.input_arg)
func_name = fdef.signature.name
# Note: FunctionDefs do not include python gradient functions, so if the
# original _DefinedFunction included one it will not be reflected here.
python_grad_func = None
out_names = [arg.name for arg in fdef.signature.output_arg]
result = _DefinedFunction(func, argnames, input_types, func_name, grad_func,
python_grad_func, out_names)
# pylint: disable=protected-access
serialized = fdef.SerializeToString()
c_func = c_api.TF_FunctionImportFunctionDef(serialized)
result._c_func = c_api_util.ScopedTFFunction(c_func)
result._extra_inputs = []
result._op_def = fdef.signature
# pylint: enable=protected-access
return result
def from_library(lib):
"""Creates _DefinedFunctions initialized from a FunctionDefLibrary proto.
This method handles assigning the correct gradient functions to each
function.
Args:
lib: a FunctionDefLibrary
Returns:
A list of _DefinedFunctions
Raises:
ValueError: `lib` is invalid
"""
if not lib.function and not lib.gradient:
return []
# function name -> FunctionDef proto
funcs = {fdef.signature.name: fdef for fdef in lib.function}
# Validate that all references function names have function defs
for g in lib.gradient:
if g.function_name not in funcs:
raise ValueError("FunctionDefLibrary missing '%s' FunctionDef\n%s" %
(g.function_name, str(lib)))
if g.gradient_func not in funcs:
raise ValueError("FunctionDefLibrary missing '%s' FunctionDef\n%s" %
(g.gradient_func, str(lib)))
# function name -> gradient function name
func_to_grad = collections.defaultdict(lambda: None)
# gradient function name -> names of functions having that grad function
grad_to_funcs = collections.defaultdict(list)
for gdef in lib.gradient:
func_to_grad[gdef.function_name] = gdef.gradient_func
grad_to_funcs[gdef.gradient_func].append(gdef.function_name)
# Start with functions without gradients
ready = [
fdef for fdef in lib.function if func_to_grad[fdef.signature.name] is None
]
if not ready:
raise ValueError(
"FunctionDefLibrary contains cyclic gradient functions!\n" + str(lib))
# function name -> _DefinedFunction
initialized = {}
while ready:
fdef = ready.pop()
name = fdef.signature.name
grad = initialized.get(func_to_grad[name])
if func_to_grad[name]:
assert grad
defined_func = _from_definition(fdef, grad_func=grad)
initialized[name] = defined_func
ready.extend(funcs[f] for f in grad_to_funcs[name])
return initialized.values()
def _get_experimental_kwarg_as_attr(attr_name, value):
"""Creates an AttrValue for a python object."""
if isinstance(value, bool):
return attr_value_pb2.AttrValue(b=value)
elif isinstance(value, int):
return attr_value_pb2.AttrValue(i=value)
elif isinstance(value, float):
return attr_value_pb2.AttrValue(f=value)
elif isinstance(value, str):
return attr_value_pb2.AttrValue(s=compat.as_bytes(value))
else:
raise ValueError("Unsupported attribute type for %s with type %s" %
(attr_name, type(value)))
def _parse_kwargs_as_attrs(func_name, **kwargs):
"""Parses **kwargs into a node's attributes."""
attrs = {}
noinline = kwargs.pop("noinline", None)
if noinline is not None:
attrs["_noinline"] = attr_value_pb2.AttrValue(b=bool(noinline))
# For compatibility with previous behavior, Defun does not perform shape
# inference through its function call operations.
attrs["_disable_call_shape_inference"] = attr_value_pb2.AttrValue(b=True)
compiled = kwargs.pop("compiled", None)
separate_compiled_gradients = kwargs.pop("separate_compiled_gradients", None)
if compiled is not None:
attrs["_XlaCompile"] = attr_value_pb2.AttrValue(b=bool(compiled))
attrs["_XlaSeparateCompiledGradients"] = attr_value_pb2.AttrValue(
b=bool(separate_compiled_gradients))
# Forward _XlaScope from enclosing context (if set), otherwise create new.
# pylint: disable=protected-access
if "_XlaScope" in ops.get_default_graph()._attr_scope_map:
attrs["_XlaScope"] = ops.get_default_graph()._attr_scope_map["_XlaScope"]
else:
attrs["_XlaScope"] = attr_value_pb2.AttrValue(
s=("function_%s" % func_name).encode())
# pylint: enable=protected-access
kwargs_keys = list(kwargs.keys())
for key in kwargs_keys:
if key.startswith("experimental_"):
attrs[key] = _get_experimental_kwarg_as_attr(key, kwargs[key])
del kwargs[key]
if kwargs:
raise ValueError("Unknown keyword arguments: %s" % kwargs.keys())
return attrs
def get_extra_vars():
"""Returns the captured variables by the function.
Returns:
If the default graph is being used to define a function, the
returned list of variables are those created inside the function
body so far. Otherwise, returns an empty list.
"""
g = ops.get_default_graph()
if isinstance(g, _FuncGraph):
return g.extra_vars
else:
return []
def get_extra_inputs():
"""Returns the captured input tensors by the function.
Returns:
If the default graph is being used to define a function, the
returned list of tensors are those accessed inside the function body
but defined outside the function body so far. Otherwise, returns an
empty list.
"""
g = ops.get_default_graph()
if isinstance(g, _FuncGraph):
return g.extra_inputs
else:
return []
def get_extra_args():
"""Returns the corresponding function arguments for the captured inputs.
Returns:
If the default graph is being used to define a function, the
returned list of place holders are those used inside the function
body corresponding those returned by get_extra_inputs(). Otherwise,
returns an empty list.
"""
g = ops.get_default_graph()
if isinstance(g, _FuncGraph):
return g.extra_args
else:
return []
def _type_list_to_str(types):
if any(_ not in _DTYPE_TO_STR for _ in types):
raise ValueError("Unsupported dtypes: %s" % types)
return "".join([_DTYPE_TO_STR[_] for _ in types])
# NOTE: The list needs to be extended when more data types are added.
_DTYPE_TO_STR = {
dtypes.float16: "f16",
dtypes.float32: "f32",
dtypes.float64: "f64",
dtypes.int32: "i32",
dtypes.uint8: "i8",
dtypes.uint16: "u16",
dtypes.uint32: "u32",
dtypes.uint64: "u64",
dtypes.int16: "i16",
dtypes.int8: "i8",
dtypes.string: "s",
dtypes.complex64: "c64",
dtypes.complex128: "c128",
dtypes.int64: "i64",
dtypes.bool: "b",
dtypes.qint8: "qi8",
dtypes.quint8: "qu8",
dtypes.qint16: "qi16",
dtypes.quint16: "qu16",
dtypes.qint32: "qi32",
dtypes.bfloat16: "b16"
}
def function_def_from_tf_function(c_func):
"""Converts a SWIG-wrapped TF_Function* to a FunctionDef proto."""
with c_api_util.tf_buffer() as buf:
c_api.TF_FunctionToFunctionDef(c_func, buf)
data = c_api.TF_GetBuffer(buf)
fdef = function_pb2.FunctionDef()
fdef.ParseFromString(compat.as_bytes(data))
return fdef
|
/**
* Google Speech API 実行
* Auther: Kuyuri Iroha
*/
'use strict';
// 環境変数ロード
const dotenv = require('dotenv');
dotenv.config();
const fs = require('fs');
let chokidar = require('chokidar');
let requestWiki = require('superagent');
// Imports the Google Cloud client library
const speech = require('@google-cloud/speech');
// Creates a client
const client = new speech.SpeechClient();
let appendResult = (data)=> {
fs.appendFile('effects/data/ts', `${data}\n`, 'utf-8', (er)=> {if(er) {throw er;}});
}
let appendWikiResult = (desc)=> {
fs.appendFile('effects/data/wikiResult.res', `0\n${desc}`, 'utf-8', (er)=> {if(er) {throw er;}});
}
let notifyEndedRecord = ()=> {
fs.writeFile('dest/request.rq', 'ENDED', 'utf-8', (er)=> {if(er) {throw er;}});
}
let watcher = chokidar.watch('dest/voice.raw', {
ignored: /[\/\\]\./,
persistent: true
});
watcher.on('ready', function() {
console.log("Start watcing the voice file");
});
const encoding = 'LINEAR16';
const sampleRateHertz = 16000;
const languageCode = 'ja-JP';
watcher.on('change', function(path) {
let stats = fs.statSync(path);
let fileSizeInBytes = stats["size"];
if (0 < fileSizeInBytes)
{
console.log(`Changed the voice file -> ${path}`);
notifyEndedRecord();
let audioByte = fs.readFileSync(path).toString('base64');
let audio = {
content: audioByte
};
let request = {
audio: audio,
config: {
encoding: encoding,
sampleRateHertz: sampleRateHertz,
languageCode: languageCode,
},
interimResults: false,
}
client
.recognize(request)
.then(data => {
const response = data[0];
const transcription = response.results
.map(result => result.alternatives[0].transcript)
.join('\n');
if(transcription == "")
{
console.log(`\n\n!============================!\nError: Failed transcription!!\n!============================!\n\n`);
}
else
{
console.log(`Transcription: ${transcription}`);
}
// 参考: https://kuroeveryday.blogspot.com/2016/05/slackbot-with-wikipedia-api.html
requestWiki
.get('https://ja.wikipedia.org/w/api.php')
.query({
format : 'json',
action : 'query',
prop : 'extracts',
exintro: '',
explaintext: '',
titles : transcription
})
.end(function (err, res) {
var query = res.body.query;
if (query && query.pages)
{
for (var p in query.pages)
{
var content = query.pages[p].extract;
if (content)
{
content = content.replace(/\n/g, ' ');
let desc = content.slice(0, 150);
if(content.length !== desc.length)
{
desc = desc + '...';
}
appendWikiResult(desc);
console.log("RES: " + desc);
}
appendResult(query.pages[p].title);
return;
}
}
});
})
.catch(err => {
console.error('ERROR:', err);
});
}
}); |
(function ($) {
$.fn.numberRock = function (options) {
var defaults = {speed: 1000, count: 100};
var opts = $.extend({}, defaults, options);
var div_by = 100, count = opts["count"], speed = Math.floor(count / div_by), sum = 0, $display = this,
run_count = 1, int_speed = opts["speed"];
var int = setInterval(function () {
if (run_count <= div_by && speed != 0) {
$display.text(sum = speed * run_count);
run_count++;
} else if (sum < count) {
$display.text(++sum);
} else {
clearInterval(int);
}
}, int_speed);
}
})(jQuery);
var target=true;
var target1=true;
$(window).scroll(function(){
if((($('.join-section1').offset().top - $(document).scrollTop())<$(window).height())&&target){
target=false;
$(".timer1").numberRock({
speed:30,
count:3000
})
$(".timer2").numberRock({
speed:100,
count:30
})
}
if((($('.join-section6').offset().top - $(document).scrollTop())<$(window).height())&&target1){
target1=false;
$(".timer3").numberRock({
speed:30,
count:30000000
})
$(".timer4").numberRock({
speed:30,
count:29200000
})
$(".timer5").numberRock({
speed:30,
count:57000000
})
$(".timer6").numberRock({
speed:30,
count:50000000
})
}
}) |
const Path = require('path')
const express = require('express')
const Settings = require('settings-sharelatex')
const logger = require('logger-sharelatex')
const metrics = require('metrics-sharelatex')
const expressLocals = require('./ExpressLocals')
const Validation = require('./Validation')
const Router = require('../router')
const helmet = require('helmet')
const UserSessionsRedis = require('../Features/User/UserSessionsRedis')
const Csrf = require('./Csrf')
const sessionsRedisClient = UserSessionsRedis.client()
const SessionAutostartMiddleware = require('./SessionAutostartMiddleware')
const SessionStoreManager = require('./SessionStoreManager')
const session = require('express-session')
const RedisStore = require('connect-redis')(session)
const bodyParser = require('body-parser')
const methodOverride = require('method-override')
const cookieParser = require('cookie-parser')
const bearerToken = require('express-bearer-token')
const passport = require('passport')
const LocalStrategy = require('passport-local').Strategy
const oneDayInMilliseconds = 86400000
const ReferalConnect = require('../Features/Referal/ReferalConnect')
const RedirectManager = require('./RedirectManager')
const ProxyManager = require('./ProxyManager')
const translations = require('translations-sharelatex').setup(Settings.i18n)
const Modules = require('./Modules')
const Views = require('./Views')
const ErrorController = require('../Features/Errors/ErrorController')
const HttpErrorController = require('../Features/Errors/HttpErrorController')
const UserSessionsManager = require('../Features/User/UserSessionsManager')
const AuthenticationController = require('../Features/Authentication/AuthenticationController')
const STATIC_CACHE_AGE = Settings.cacheStaticAssets
? oneDayInMilliseconds * 365
: 0
// Init the session store
const sessionStore = new RedisStore({ client: sessionsRedisClient })
const app = express()
const webRouter = express.Router()
const privateApiRouter = express.Router()
const publicApiRouter = express.Router()
if (Settings.behindProxy) {
app.set('trust proxy', Settings.trustedProxyIps || true)
/**
* Handle the X-Original-Forwarded-For header.
*
* The nginx ingress sends us the contents of X-Forwarded-For it received in
* X-Original-Forwarded-For. Express expects all proxy IPs to be in a comma
* separated list in X-Forwarded-For.
*/
app.use((req, res, next) => {
if (
req.headers['x-original-forwarded-for'] &&
req.headers['x-forwarded-for']
) {
req.headers['x-forwarded-for'] =
req.headers['x-original-forwarded-for'] +
', ' +
req.headers['x-forwarded-for']
}
next()
})
}
webRouter.use(
express.static(Path.join(__dirname, '/../../../public'), {
maxAge: STATIC_CACHE_AGE
})
)
app.set('views', Path.join(__dirname, '/../../views'))
app.set('view engine', 'pug')
Modules.loadViewIncludes(app)
app.use(bodyParser.urlencoded({ extended: true, limit: '2mb' }))
// Make sure we can process twice the max doc length, to allow for
// - the doc content
// - text ranges spanning the whole doc
// Also allow some overhead for JSON encoding
app.use(bodyParser.json({ limit: 2 * Settings.max_doc_length + 64 * 1024 })) // 64kb overhead
app.use(methodOverride())
app.use(bearerToken())
app.use(metrics.http.monitor(logger))
RedirectManager.apply(webRouter)
ProxyManager.apply(publicApiRouter)
webRouter.use(cookieParser(Settings.security.sessionSecret))
SessionAutostartMiddleware.applyInitialMiddleware(webRouter)
webRouter.use(
session({
// zevin:
// resave: false,
resave: true,
saveUninitialized: false,
secret: Settings.security.sessionSecret,
proxy: Settings.behindProxy,
cookie: {
domain: Settings.cookieDomain,
maxAge: Settings.cookieSessionLength, // in milliseconds, see https://github.com/expressjs/session#cookiemaxage
secure: Settings.secureCookie,
sameSite: Settings.sameSiteCookie
},
store: sessionStore,
key: Settings.cookieName,
rolling: true
})
)
// patch the session store to generate a validation token for every new session
SessionStoreManager.enableValidationToken(sessionStore)
// use middleware to reject all requests with invalid tokens
webRouter.use(SessionStoreManager.validationMiddleware)
// passport
webRouter.use(passport.initialize())
webRouter.use(passport.session())
passport.use(
new LocalStrategy(
{
passReqToCallback: true,
usernameField: 'email',
passwordField: 'password'
},
AuthenticationController.doPassportLogin
)
)
passport.serializeUser(AuthenticationController.serializeUser)
passport.deserializeUser(AuthenticationController.deserializeUser)
Modules.hooks.fire('passportSetup', passport, function(err) {
if (err != null) {
logger.err({ err }, 'error setting up passport in modules')
}
})
Modules.applyNonCsrfRouter(webRouter, privateApiRouter, publicApiRouter)
webRouter.csrf = new Csrf()
webRouter.use(webRouter.csrf.middleware)
webRouter.use(translations.expressMiddlewear)
webRouter.use(translations.setLangBasedOnDomainMiddlewear)
// Measure expiry from last request, not last login
webRouter.use(function(req, res, next) {
if (!req.session.noSessionCallback) {
req.session.touch()
if (AuthenticationController.isUserLoggedIn(req)) {
UserSessionsManager.touch(
AuthenticationController.getSessionUser(req),
err => {
if (err) {
logger.err({ err }, 'error extending user session')
}
}
)
}
}
next()
})
webRouter.use(ReferalConnect.use)
expressLocals(webRouter, privateApiRouter, publicApiRouter)
webRouter.use(SessionAutostartMiddleware.invokeCallbackMiddleware)
if (app.get('env') === 'production') {
logger.info('Production Enviroment')
app.enable('view cache')
Views.precompileViews(app)
}
webRouter.use(function(req, res, next) {
if (Settings.siteIsOpen) {
next()
} else {
res.status(503)
res.render('general/closed', { title: 'maintenance' })
}
})
webRouter.use(function(req, res, next) {
if (Settings.editorIsOpen) {
next()
} else if (req.url.indexOf('/admin') === 0) {
next()
} else {
res.status(503)
res.render('general/closed', { title: 'maintenance' })
}
})
// add security headers using Helmet
webRouter.use(function(req, res, next) {
const isLoggedIn = AuthenticationController.isUserLoggedIn(req)
const isProjectPage = !!req.path.match('^/project/[a-f0-9]{24}$')
helmet({
// note that more headers are added by default
dnsPrefetchControl: false,
referrerPolicy: { policy: 'origin-when-cross-origin' },
noCache: isLoggedIn || isProjectPage,
hsts: false
})(req, res, next)
})
logger.info('creating HTTP server'.yellow)
const server = require('http').createServer(app)
// provide settings for separate web and api processes
// if enableApiRouter and enableWebRouter are not defined they default
// to true.
const notDefined = x => x == null
const enableApiRouter =
Settings.web != null ? Settings.web.enableApiRouter : undefined
if (enableApiRouter || notDefined(enableApiRouter)) {
logger.info('providing api router')
app.use(privateApiRouter)
app.use(Validation.errorMiddleware)
app.use(HttpErrorController.handleError)
app.use(ErrorController.handleApiError)
}
const enableWebRouter =
Settings.web != null ? Settings.web.enableWebRouter : undefined
if (enableWebRouter || notDefined(enableWebRouter)) {
logger.info('providing web router')
app.use(publicApiRouter) // public API goes with web router for public access
app.use(Validation.errorMiddleware)
app.use(HttpErrorController.handleError)
app.use(ErrorController.handleApiError)
app.use(webRouter)
app.use(Validation.errorMiddleware)
app.use(HttpErrorController.handleError)
app.use(ErrorController.handleError)
}
metrics.injectMetricsRoute(webRouter)
Router.initialize(webRouter, privateApiRouter, publicApiRouter)
module.exports = {
app,
server
}
|
import React, { Component } from 'react';
import { Link, BrowserRouter as Router, Route } from 'react-router-dom';
import { connect } from 'react-redux';
import { bindActionCreators } from 'redux';
import { simpleAction, displayInfo, isLogged } from '../actions/simpleActions';
import '../static/stylesheets/main.scss';
//Component
import Header from '../components/Header';
import Home from '../components/Home';
import RegisterForm from '../components/RegisterForm';
import LoginForm from '../components/LoginForm';
import ForgetPassword from '../components/ForgetPassword';
import Warning from '../components/Warning';
import UserConnected from './UserConnected';
const mapStateToProps = state => ({
info: state.mainReducer.info,
isLogin: true
})
const mapDispatchToProps = dispatch => ({
actions: bindActionCreators({simpleAction, displayInfo, isLogged}, dispatch),
})
class App extends Component {
displayInfo = () => {
this.props.actions.displayInfo('Info urgente');
}
simpleAction = () => {
this.props.actions.simpleAction('test');
}
isLogged = () => {
this.props.actions.isLogged();
}
render() {
return (
<div className="c">
<Router>
<Header/>
<div>
{this.props.isLogin ? (
<div>
<Route path="/" component={UserConnected}/>
</div>
) : (
<div>
<Route exact path="/" component={Home}/>
<Route exact path="/pass" component={ForgetPassword}/>
<Route exact path="/register" component={RegisterForm}/>
<Route exact path="/login" component={LoginForm}/>
</div>
)}
</div>
<h3>Test Route</h3>
<Link to="/profil">
<button>/profil</button>
</Link>
<Link to="/pass">
<button>/pass</button>
</Link>
<Link to="/register">
<button>/register</button>
</Link>
<Link to="/login">
<button>/login</button>
</Link>
<Link to="/dumb_url">
<button>/dumb_url should render Error404</button>
</Link>
</Router>
<Warning/>
<button onClick={this.simpleAction}>Test redux</button>
<button onClick={this.displayInfo}>Test info</button>
<button onClick={this.isLogged}>Test login success</button>
<pre>
{
JSON.stringify(this.props)
}
</pre>
</div>
)
}
}
export default connect(mapStateToProps, mapDispatchToProps)(App); |
# Licensed to the Apache Software Foundation (ASF) under one
# or more contributor license agreements. See the NOTICE file
# distributed with this work for additional information
# regarding copyright ownership. The ASF licenses this file
# to you under the Apache License, Version 2.0 (the
# "License"); you may not use this file except in compliance
# with the License. You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
# =============================================================================
'''Train a Char-RNN model using plain text files.
The model is created following https://github.com/karpathy/char-rnn
The train file could be any text file,
e.g., http://cs.stanford.edu/people/karpathy/char-rnn/
'''
import cPickle as pickle
import numpy as np
import argparse
# sys.path.append(os.path.join(os.path.dirname(__file__), '../../build/python'))
from singa import layer
from singa import loss
from singa import device
from singa import tensor
from singa import optimizer
from singa import initializer
from singa.proto import model_pb2
from singa import utils
class Data(object):
def __init__(self, fpath, batch_size=32, seq_length=100, train_ratio=0.8):
'''Data object for loading a plain text file.
Args:
fpath, path to the text file.
train_ratio, split the text file into train and test sets, where
train_ratio of the characters are in the train set.
'''
self.raw_data = open(fpath, 'r').read() # read text file
chars = list(set(self.raw_data))
self.vocab_size = len(chars)
self.char_to_idx = {ch: i for i, ch in enumerate(chars)}
self.idx_to_char = {i: ch for i, ch in enumerate(chars)}
data = [self.char_to_idx[c] for c in self.raw_data]
# seq_length + 1 for the data + label
nsamples = len(data) / (1 + seq_length)
data = data[0:nsamples * (1 + seq_length)]
data = np.asarray(data, dtype=np.int32)
data = np.reshape(data, (-1, seq_length + 1))
# shuffle all sequences
np.random.shuffle(data)
self.train_dat = data[0:int(data.shape[0]*train_ratio)]
self.num_train_batch = self.train_dat.shape[0] / batch_size
self.val_dat = data[self.train_dat.shape[0]:]
self.num_test_batch = self.val_dat.shape[0] / batch_size
print 'train dat', self.train_dat.shape
print 'val dat', self.val_dat.shape
def numpy2tensors(npx, npy, dev):
'''batch, seq, dim -- > seq, batch, dim'''
tmpx = np.swapaxes(npx, 0, 1)
tmpy = np.swapaxes(npy, 0, 1)
inputs = []
labels = []
for t in range(tmpx.shape[0]):
x = tensor.from_numpy(tmpx[t])
y = tensor.from_numpy(tmpy[t])
x.to_device(dev)
y.to_device(dev)
inputs.append(x)
labels.append(y)
return inputs, labels
def convert(batch, batch_size, seq_length, vocab_size, dev):
'''convert a batch of data into a sequence of input tensors'''
y = batch[:, 1:]
x1 = batch[:, :seq_length]
x = np.zeros((batch_size, seq_length, vocab_size), dtype=np.float32)
for b in range(batch_size):
for t in range(seq_length):
c = x1[b, t]
x[b, t, c] = 1
return numpy2tensors(x, y, dev)
def get_lr(epoch):
return 0.001 / float(1 << (epoch / 50))
def train(data, max_epoch, hidden_size=100, seq_length=100, batch_size=16,
num_stacks=1, dropout=0.5, model_path='model'):
# SGD with L2 gradient normalization
opt = optimizer.RMSProp(constraint=optimizer.L2Constraint(5))
cuda = device.create_cuda_gpu()
rnn = layer.LSTM(
name='lstm',
hidden_size=hidden_size,
num_stacks=num_stacks,
dropout=dropout,
input_sample_shape=(
data.vocab_size,
))
rnn.to_device(cuda)
print 'created rnn'
rnn_w = rnn.param_values()[0]
rnn_w.uniform(-0.08, 0.08) # init all rnn parameters
print 'rnn weight l1 = %f' % (rnn_w.l1())
dense = layer.Dense(
'dense',
data.vocab_size,
input_sample_shape=(
hidden_size,
))
dense.to_device(cuda)
dense_w = dense.param_values()[0]
dense_b = dense.param_values()[1]
print 'dense w ', dense_w.shape
print 'dense b ', dense_b.shape
initializer.uniform(dense_w, dense_w.shape[0], 0)
print 'dense weight l1 = %f' % (dense_w.l1())
dense_b.set_value(0)
print 'dense b l1 = %f' % (dense_b.l1())
g_dense_w = tensor.Tensor(dense_w.shape, cuda)
g_dense_b = tensor.Tensor(dense_b.shape, cuda)
lossfun = loss.SoftmaxCrossEntropy()
for epoch in range(max_epoch):
train_loss = 0
for b in range(data.num_train_batch):
batch = data.train_dat[b * batch_size: (b + 1) * batch_size]
inputs, labels = convert(batch, batch_size, seq_length,
data.vocab_size, cuda)
inputs.append(tensor.Tensor())
inputs.append(tensor.Tensor())
outputs = rnn.forward(model_pb2.kTrain, inputs)[0:-2]
grads = []
batch_loss = 0
g_dense_w.set_value(0.0)
g_dense_b.set_value(0.0)
for output, label in zip(outputs, labels):
act = dense.forward(model_pb2.kTrain, output)
lvalue = lossfun.forward(model_pb2.kTrain, act, label)
batch_loss += lvalue.l1()
grad = lossfun.backward()
grad /= batch_size
grad, gwb = dense.backward(model_pb2.kTrain, grad)
grads.append(grad)
g_dense_w += gwb[0]
g_dense_b += gwb[1]
# print output.l1(), act.l1()
utils.update_progress(
b * 1.0 / data.num_train_batch, 'training loss = %f' %
(batch_loss / seq_length))
train_loss += batch_loss
grads.append(tensor.Tensor())
grads.append(tensor.Tensor())
g_rnn_w = rnn.backward(model_pb2.kTrain, grads)[1][0]
dense_w, dense_b = dense.param_values()
opt.apply_with_lr(epoch, get_lr(epoch), g_rnn_w, rnn_w, 'rnnw')
opt.apply_with_lr(
epoch, get_lr(epoch),
g_dense_w, dense_w, 'dense_w')
opt.apply_with_lr(
epoch, get_lr(epoch),
g_dense_b, dense_b, 'dense_b')
print '\nEpoch %d, train loss is %f' % \
(epoch, train_loss / data.num_train_batch / seq_length)
eval_loss = 0
for b in range(data.num_test_batch):
batch = data.val_dat[b * batch_size: (b + 1) * batch_size]
inputs, labels = convert(batch, batch_size, seq_length,
data.vocab_size, cuda)
inputs.append(tensor.Tensor())
inputs.append(tensor.Tensor())
outputs = rnn.forward(model_pb2.kEval, inputs)[0:-2]
for output, label in zip(outputs, labels):
output = dense.forward(model_pb2.kEval, output)
eval_loss += lossfun.forward(model_pb2.kEval,
output, label).l1()
print 'Epoch %d, evaluation loss is %f' % \
(epoch, eval_loss / data.num_test_batch / seq_length)
if (epoch + 1) % 30 == 0:
# checkpoint the file model
with open('%s_%d.bin' % (model_path, epoch), 'wb') as fd:
print 'saving model to %s' % model_path
d = {}
for name, w in zip(
['rnn_w', 'dense_w', 'dense_b'],
[rnn_w, dense_w, dense_b]):
w.to_host()
d[name] = tensor.to_numpy(w)
w.to_device(cuda)
d['idx_to_char'] = data.idx_to_char
d['char_to_idx'] = data.char_to_idx
d['hidden_size'] = hidden_size
d['num_stacks'] = num_stacks
d['dropout'] = dropout
pickle.dump(d, fd)
if __name__ == '__main__':
parser = argparse.ArgumentParser(
description='Train multi-stack LSTM for '
'modeling character sequence from plain text files')
parser.add_argument('data', type=str, help='training file')
parser.add_argument('-b', type=int, default=32, help='batch_size')
parser.add_argument('-l', type=int, default=64, help='sequence length')
parser.add_argument('-d', type=int, default=128, help='hidden size')
parser.add_argument('-s', type=int, default=2, help='num of stacks')
parser.add_argument('-m', type=int, default=50, help='max num of epoch')
args = parser.parse_args()
data = Data(args.data, batch_size=args.b, seq_length=args.l)
train(data, args.m, hidden_size=args.d, num_stacks=args.s,
seq_length=args.l, batch_size=args.b)
|
import { nearlyEqual as bigNearlyEqual } from '../../utils/bignumber/nearlyEqual'
import { nearlyEqual } from '../../utils/number'
import { factory } from '../../utils/factory'
import { createAlgorithm03 } from '../../type/matrix/utils/algorithm03'
import { createAlgorithm07 } from '../../type/matrix/utils/algorithm07'
import { createAlgorithm12 } from '../../type/matrix/utils/algorithm12'
import { createAlgorithm14 } from '../../type/matrix/utils/algorithm14'
import { createAlgorithm13 } from '../../type/matrix/utils/algorithm13'
const name = 'largerEq'
const dependencies = [
'typed',
'config',
'matrix',
'DenseMatrix'
]
export const createLargerEq = /* #__PURE__ */ factory(name, dependencies, ({ typed, config, matrix, DenseMatrix }) => {
const algorithm03 = createAlgorithm03({ typed })
const algorithm07 = createAlgorithm07({ typed, DenseMatrix })
const algorithm12 = createAlgorithm12({ typed, DenseMatrix })
const algorithm13 = createAlgorithm13({ typed })
const algorithm14 = createAlgorithm14({ typed })
/**
* Test whether value x is larger or equal to y.
*
* The function returns true when x is larger than y or the relative
* difference between x and y is smaller than the configured epsilon. The
* function cannot be used to compare values smaller than approximately 2.22e-16.
*
* For matrices, the function is evaluated element wise.
* Strings are compared by their numerical value.
*
* Syntax:
*
* math.largerEq(x, y)
*
* Examples:
*
* math.larger(2, 1 + 1) // returns false
* math.largerEq(2, 1 + 1) // returns true
*
* See also:
*
* equal, unequal, smaller, smallerEq, larger, compare
*
* @param {number | BigNumber | Fraction | boolean | Unit | string | Array | Matrix} x First value to compare
* @param {number | BigNumber | Fraction | boolean | Unit | string | Array | Matrix} y Second value to compare
* @return {boolean | Array | Matrix} Returns true when the x is larger or equal to y, else returns false
*/
return typed(name, {
'boolean, boolean': function (x, y) {
return x >= y
},
'number, number': function (x, y) {
return x >= y || nearlyEqual(x, y, config.epsilon)
},
'BigNumber, BigNumber': function (x, y) {
return x.gte(y) || bigNearlyEqual(x, y, config.epsilon)
},
'Fraction, Fraction': function (x, y) {
return x.compare(y) !== -1
},
'Complex, Complex': function () {
throw new TypeError('No ordering relation is defined for complex numbers')
},
'Unit, Unit': function (x, y) {
if (!x.equalBase(y)) {
throw new Error('Cannot compare units with different base')
}
return this(x.value, y.value)
},
'SparseMatrix, SparseMatrix': function (x, y) {
return algorithm07(x, y, this)
},
'SparseMatrix, DenseMatrix': function (x, y) {
return algorithm03(y, x, this, true)
},
'DenseMatrix, SparseMatrix': function (x, y) {
return algorithm03(x, y, this, false)
},
'DenseMatrix, DenseMatrix': function (x, y) {
return algorithm13(x, y, this)
},
'Array, Array': function (x, y) {
// use matrix implementation
return this(matrix(x), matrix(y)).valueOf()
},
'Array, Matrix': function (x, y) {
// use matrix implementation
return this(matrix(x), y)
},
'Matrix, Array': function (x, y) {
// use matrix implementation
return this(x, matrix(y))
},
'SparseMatrix, any': function (x, y) {
return algorithm12(x, y, this, false)
},
'DenseMatrix, any': function (x, y) {
return algorithm14(x, y, this, false)
},
'any, SparseMatrix': function (x, y) {
return algorithm12(y, x, this, true)
},
'any, DenseMatrix': function (x, y) {
return algorithm14(y, x, this, true)
},
'Array, any': function (x, y) {
// use matrix implementation
return algorithm14(matrix(x), y, this, false).valueOf()
},
'any, Array': function (x, y) {
// use matrix implementation
return algorithm14(matrix(y), x, this, true).valueOf()
}
})
})
export const createLargerEqNumber = /* #__PURE__ */ factory(name, ['typed', 'config'], ({ typed, config }) => {
return typed(name, {
'number, number': function (x, y) {
return x >= y || nearlyEqual(x, y, config.epsilon)
}
})
})
|
from .QAgent import QAgent
from .DQNAgent import DQNAgent
from .ActorCriticAgent import ActorCriticAgent |
import { mixJumbotron } from '@freshes/robot'
export default mixJumbotron()
|
// Copyright 2011 The Closure Library Authors. All Rights Reserved.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS-IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
/**
* @fileOverview Utility methods to deal with CSS3 transitions
* programmatically.
*/
goog.provide('goog.style.transition');
goog.provide('goog.style.transition.Css3Property');
goog.require('goog.array');
goog.require('goog.asserts');
goog.require('goog.dom');
goog.require('goog.dom.TagName');
goog.require('goog.dom.safe');
goog.require('goog.dom.vendor');
goog.require('goog.functions');
goog.require('goog.html.SafeHtml');
goog.require('goog.style');
goog.require('goog.userAgent');
/**
* A typedef to represent a CSS3 transition property. Duration and delay
* are both in seconds. Timing is CSS3 timing function string, such as
* 'easein', 'linear'.
*
* Alternatively, specifying string in the form of '[property] [duration]
* [timing] [delay]' as specified in CSS3 transition is fine too.
*
* @typedef { {
* property: string,
* duration: number,
* timing: string,
* delay: number
* } | string }
*/
goog.style.transition.Css3Property;
/**
* Sets the element CSS3 transition to properties.
* @param {Element} element The element to set transition on.
* @param {goog.style.transition.Css3Property|
* Array<goog.style.transition.Css3Property>} properties A single CSS3
* transition property or array of properties.
* @suppress {strictMissingProperties} Part of the go/strict_warnings_migration
*/
goog.style.transition.set = function(element, properties) {
if (!goog.isArray(properties)) {
properties = [properties];
}
goog.asserts.assert(
properties.length > 0, 'At least one Css3Property should be specified.');
var values = goog.array.map(properties, function(p) {
if (typeof p === 'string') {
return p;
} else {
goog.asserts.assertObject(p, 'Expected css3 property to be an object.');
var propString =
p.property + ' ' + p.duration + 's ' + p.timing + ' ' + p.delay + 's';
goog.asserts.assert(
p.property && typeof p.duration === 'number' && p.timing &&
typeof p.delay === 'number',
'Unexpected css3 property value: %s', propString);
return propString;
}
});
goog.style.transition.setPropertyValue_(element, values.join(','));
};
/**
* Removes any programmatically-added CSS3 transition in the given element.
* @param {Element} element The element to remove transition from.
*/
goog.style.transition.removeAll = function(element) {
goog.style.transition.setPropertyValue_(element, '');
};
/**
* @return {boolean} Whether CSS3 transition is supported.
*/
goog.style.transition.isSupported = goog.functions.cacheReturnValue(function() {
// Since IE would allow any attribute, we need to explicitly check the
// browser version here instead.
if (goog.userAgent.IE) {
return goog.userAgent.isVersionOrHigher('10.0');
}
// We create a test element with style=-vendor-transition
// We then detect whether those style properties are recognized and
// available from js.
var el = goog.dom.createElement(goog.dom.TagName.DIV);
var transition = 'opacity 1s linear';
var vendorPrefix = goog.dom.vendor.getVendorPrefix();
var style = {'transition': transition};
if (vendorPrefix) {
style[vendorPrefix + '-transition'] = transition;
}
goog.dom.safe.setInnerHtml(
el, goog.html.SafeHtml.create('div', {'style': style}));
var testElement = /** @type {Element} */ (el.firstChild);
goog.asserts.assert(testElement.nodeType == Node.ELEMENT_NODE);
return goog.style.getStyle(testElement, 'transition') != '';
});
/**
* Sets CSS3 transition property value to the given value.
* @param {Element} element The element to set transition on.
* @param {string} transitionValue The CSS3 transition property value.
* @private
*/
goog.style.transition.setPropertyValue_ = function(element, transitionValue) {
goog.style.setStyle(element, 'transition', transitionValue);
};
|
CKEDITOR.plugins.setLang("print", "fr-ca", { toolbar: "Imprimer" });
|
import fuzz_lightyear
from fuzz_lightyear.main import run_user_defined_setup
def test_setup():
count = 40
def setup_function():
nonlocal count
count = 50
fuzz_lightyear.setup(setup_function)
run_user_defined_setup()
assert count == 50
|
import numpy as np
from pymoo.dm.decision_making import DecisionMaking
class PseudoWeights(DecisionMaking):
def __init__(self, weights) -> None:
super().__init__()
self.weights = weights
self.pseudo_weights = None
def do(self, F, **kwargs):
# get minimum and maximum for each objective
F_min = np.min(F, axis=0)
F_max = np.max(F, axis=0)
# calculate the norm for each objective
norm = F_max - F_min
# normalized distance to the worst solution
self.pseudo_weights = ((F_max - F) / norm)
# normalize weights to sum up to one
self.pseudo_weights = self.pseudo_weights / np.sum(self.pseudo_weights, axis=1)[:, None]
# normalize the provided weights as well
weights_norm = self.weights / np.sum(self.weights)
# search for the closest individual having this pseudo weights
I = np.argmin(np.sum(np.abs(self.pseudo_weights - weights_norm), axis=1))
return I
if __name__ == '__main__':
pw = PseudoWeights(np.array([0.1, 0.4]))
pw.do(np.random.rand(100, 2))
|
var Module=typeof pyodide._module!=="undefined"?pyodide._module:{};Module.checkABI(1);if(!Module.expectedDataFileDownloads){Module.expectedDataFileDownloads=0;Module.finishedDataFileDownloads=0}Module.expectedDataFileDownloads++;(function(){var loadPackage=function(metadata){var PACKAGE_PATH;if(typeof window==="object"){PACKAGE_PATH=window["encodeURIComponent"](window.location.pathname.toString().substring(0,window.location.pathname.toString().lastIndexOf("/"))+"/")}else if(typeof location!=="undefined"){PACKAGE_PATH=encodeURIComponent(location.pathname.toString().substring(0,location.pathname.toString().lastIndexOf("/"))+"/")}else{throw"using preloaded data can only be done on a web page or in a web worker"}var PACKAGE_NAME="networkx.data";var REMOTE_PACKAGE_BASE="networkx.data";if(typeof Module["locateFilePackage"]==="function"&&!Module["locateFile"]){Module["locateFile"]=Module["locateFilePackage"];err("warning: you defined Module.locateFilePackage, that has been renamed to Module.locateFile (using your locateFilePackage for now)")}var REMOTE_PACKAGE_NAME=Module["locateFile"]?Module["locateFile"](REMOTE_PACKAGE_BASE,""):REMOTE_PACKAGE_BASE;var REMOTE_PACKAGE_SIZE=metadata.remote_package_size;var PACKAGE_UUID=metadata.package_uuid;function fetchRemotePackage(packageName,packageSize,callback,errback){var xhr=new XMLHttpRequest;xhr.open("GET",packageName,true);xhr.responseType="arraybuffer";xhr.onprogress=function(event){var url=packageName;var size=packageSize;if(event.total)size=event.total;if(event.loaded){if(!xhr.addedTotal){xhr.addedTotal=true;if(!Module.dataFileDownloads)Module.dataFileDownloads={};Module.dataFileDownloads[url]={loaded:event.loaded,total:size}}else{Module.dataFileDownloads[url].loaded=event.loaded}var total=0;var loaded=0;var num=0;for(var download in Module.dataFileDownloads){var data=Module.dataFileDownloads[download];total+=data.total;loaded+=data.loaded;num++}total=Math.ceil(total*Module.expectedDataFileDownloads/num);if(Module["setStatus"])Module["setStatus"]("Downloading data... ("+loaded+"/"+total+")")}else if(!Module.dataFileDownloads){if(Module["setStatus"])Module["setStatus"]("Downloading data...")}};xhr.onerror=function(event){throw new Error("NetworkError for: "+packageName)};xhr.onload=function(event){if(xhr.status==200||xhr.status==304||xhr.status==206||xhr.status==0&&xhr.response){var packageData=xhr.response;callback(packageData)}else{throw new Error(xhr.statusText+" : "+xhr.responseURL)}};xhr.send(null)}function handleError(error){console.error("package error:",error)}var fetchedCallback=null;var fetched=Module["getPreloadedPackage"]?Module["getPreloadedPackage"](REMOTE_PACKAGE_NAME,REMOTE_PACKAGE_SIZE):null;if(!fetched)fetchRemotePackage(REMOTE_PACKAGE_NAME,REMOTE_PACKAGE_SIZE,function(data){if(fetchedCallback){fetchedCallback(data);fetchedCallback=null}else{fetched=data}},handleError);function runWithFS(){function assert(check,msg){if(!check)throw msg+(new Error).stack}Module["FS_createPath"]("/","lib",true,true);Module["FS_createPath"]("/lib","python3.7",true,true);Module["FS_createPath"]("/lib/python3.7","site-packages",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages","networkx",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx","algorithms",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms","components",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms/components","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms","approximation",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms/approximation","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms","centrality",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms/centrality","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms","assortativity",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms/assortativity","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms","shortest_paths",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms/shortest_paths","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms","link_analysis",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms/link_analysis","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms","node_classification",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms/node_classification","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms","community",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms/community","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms","operators",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms/operators","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms","flow",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms/flow","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms","traversal",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms/traversal","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms","bipartite",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms/bipartite","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms","connectivity",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms/connectivity","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms","coloring",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms/coloring","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms","tree",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms/tree","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms","isomorphism",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/algorithms/isomorphism","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx","linalg",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/linalg","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx","readwrite",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/readwrite","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/readwrite","json_graph",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/readwrite/json_graph","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx","generators",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/generators","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx","utils",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/utils","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx","testing",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/testing","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx","classes",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/classes","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx","drawing",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages/networkx/drawing","tests",true,true);Module["FS_createPath"]("/lib/python3.7/site-packages","networkx-2.2-py3.7.egg-info",true,true);Module["FS_createPath"]("/","share",true,true);Module["FS_createPath"]("/share","doc",true,true);Module["FS_createPath"]("/share/doc","networkx-2.2",true,true);Module["FS_createPath"]("/share/doc/networkx-2.2","examples",true,true);Module["FS_createPath"]("/share/doc/networkx-2.2/examples","algorithms",true,true);Module["FS_createPath"]("/share/doc/networkx-2.2/examples","advanced",true,true);Module["FS_createPath"]("/share/doc/networkx-2.2/examples","subclass",true,true);Module["FS_createPath"]("/share/doc/networkx-2.2/examples","javascript",true,true);Module["FS_createPath"]("/share/doc/networkx-2.2/examples/javascript","force",true,true);Module["FS_createPath"]("/share/doc/networkx-2.2/examples","basic",true,true);Module["FS_createPath"]("/share/doc/networkx-2.2/examples","3d_drawing",true,true);Module["FS_createPath"]("/share/doc/networkx-2.2/examples","graph",true,true);Module["FS_createPath"]("/share/doc/networkx-2.2/examples","jit",true,true);Module["FS_createPath"]("/share/doc/networkx-2.2/examples","pygraphviz",true,true);Module["FS_createPath"]("/share/doc/networkx-2.2/examples","drawing",true,true);function DataRequest(start,end,audio){this.start=start;this.end=end;this.audio=audio}DataRequest.prototype={requests:{},open:function(mode,name){this.name=name;this.requests[name]=this;Module["addRunDependency"]("fp "+this.name)},send:function(){},onload:function(){var byteArray=this.byteArray.subarray(this.start,this.end);this.finish(byteArray)},finish:function(byteArray){var that=this;Module["FS_createPreloadedFile"](this.name,null,byteArray,true,true,function(){Module["removeRunDependency"]("fp "+that.name)},function(){if(that.audio){Module["removeRunDependency"]("fp "+that.name)}else{err("Preloading file "+that.name+" failed")}},false,true);this.requests[this.name]=null}};function processPackageData(arrayBuffer){Module.finishedDataFileDownloads++;assert(arrayBuffer,"Loading data file failed.");assert(arrayBuffer instanceof ArrayBuffer,"bad input to processPackageData");var byteArray=new Uint8Array(arrayBuffer);var curr;var compressedData={data:null,cachedOffset:2678697,cachedIndexes:[-1,-1],cachedChunks:[null,null],offsets:[0,1202,2486,3874,5195,6509,7766,9043,10369,11665,12980,14285,15453,16782,18133,19581,20964,22210,23233,24404,25770,27107,28553,29990,31298,32443,33913,35312,36303,37481,38852,39872,40702,41891,43087,43847,45138,46591,47877,49340,50578,51393,52167,52849,53647,54454,55089,55870,56566,57121,58154,59137,59896,60629,61536,62644,63505,64213,65158,66324,67124,67926,68835,70036,71111,72137,73092,74347,75038,75762,76531,77447,78920,80328,81564,82759,84148,85586,86904,88215,89601,90812,92200,93460,94484,95687,96830,97828,98982,99827,100916,101960,102871,103844,105029,106423,107640,108699,109419,110437,111517,112882,114140,115465,116688,118088,119553,120876,122021,123197,124574,125527,126850,127911,128795,130006,131044,132294,133407,134300,135626,136616,137625,138736,139665,140518,141444,142330,143179,144330,145753,147141,148530,149542,150627,151971,153177,154346,155283,156622,157576,158812,159658,160858,161968,163218,164195,164867,165560,166632,167995,169484,170932,172251,173273,174247,175429,176728,177855,179198,180681,181973,183401,184662,185924,187127,188489,189928,191284,192542,193921,195418,196709,198031,199462,200702,201843,203235,204734,206123,207473,208891,210235,211620,212835,214114,215386,216493,217971,219297,220736,222036,223278,224646,225910,227144,228363,229703,231115,232330,233560,234758,235979,237316,238717,239868,241200,242572,243586,244536,245675,246888,248294,249487,250526,251270,252691,254050,255086,256423,257650,259162,260554,261959,263306,264728,266054,267394,268809,270084,271462,272866,274156,275558,276725,278084,279479,280895,282367,283734,285259,286752,288047,289565,290891,292168,293238,294047,295335,296455,297891,299138,300198,301594,303014,304143,305450,306608,307619,308640,309639,310746,311794,312928,314180,315060,316035,316954,318221,319632,320762,321686,322876,323577,324995,326387,327357,328671,329908,331132,332595,333798,335170,336390,337813,339195,340558,342031,343237,344628,345594,346738,348187,349544,350842,351908,353250,354266,355617,356912,357935,359119,360364,361609,362874,363965,365219,366430,367715,368962,370325,371337,372643,373958,375218,376479,377815,379137,380297,381410,382491,383764,385139,386472,387746,389009,390305,391293,392259,393438,394479,395752,396982,397972,399136,400207,401385,402603,403461,404367,405485,406460,407274,408191,409053,409936,410840,411465,412400,413099,414012,415226,416632,418186,419269,420526,421784,422899,424279,425810,426988,428314,429297,430506,431825,433265,434579,435814,437133,438530,439693,440971,442361,443626,444985,446441,447782,449083,450564,451348,452236,453334,454172,455211,456064,457229,457973,458823,459912,460797,461780,462863,463795,464836,465526,466549,467519,468720,470029,471346,472668,474040,475404,476810,478342,479701,481191,482554,483996,485380,486738,487988,489369,490555,491947,493207,494572,495880,497247,498506,499507,500484,501317,502699,504084,505574,506990,508411,509665,511045,512269,513713,514990,516345,517697,518713,519638,521089,522446,523790,525216,526512,527923,529277,530713,532162,533630,535108,536503,537683,539225,540777,542063,542994,544366,545896,546805,547590,548529,549373,550463,551352,552026,553270,554094,554873,555438,556215,556885,557420,558190,558930,559509,560202,561248,562061,562919,563996,564396,564771,565533,566241,566887,567531,568155,569082,570002,570913,571735,572315,573156,574134,575160,575959,576908,577838,578657,579546,580523,581614,582258,583204,584081,584851,585667,586657,587299,588076,588835,589504,590652,591684,592679,593874,594409,595299,596116,597212,598290,599068,600054,600930,602182,602913,603863,604613,605377,606217,607188,608228,609102,609938,611097,612161,612924,613725,614646,615773,616656,617264,617943,618637,619449,620418,621519,622660,623430,624290,625176,626144,626725,627716,628780,629707,630608,631421,632438,633305,634100,634967,635802,636689,637546,638641,639529,640386,641674,642566,643512,644730,645576,646516,647210,648035,648869,649657,650568,651580,652629,653251,653971,654663,655228,656023,656616,657447,658052,658950,659727,660576,661712,662617,663605,664217,664854,665676,666572,667443,668171,668917,669617,670430,671021,671964,672799,673605,674144,675134,675665,676668,677375,678206,678902,679690,680610,681547,682573,683469,684352,685364,686244,686862,687703,688434,688940,689593,690035,690501,691605,692941,694261,695326,696491,697831,698979,700119,701113,702139,703498,704756,706040,707325,708255,708792,709519,710282,710876,711681,712164,712699,713497,714176,714792,715802,716838,718192,719443,720846,722168,723495,724846,726216,727535,728904,730264,731444,732700,734067,735371,736709,738004,739331,740680,742012,743278,744347,745387,746666,747886,749229,750602,751687,753017,754400,755716,756911,758264,759535,760582,761288,762349,763454,764252,765550,766766,768053,769513,770765,772222,773650,774877,776154,777459,778660,779872,781092,782375,783575,784747,785558,786233,786935,787536,788097,788764,789391,790497,791317,792035,793038,793949,795001,796140,797129,797680,798328,798981,799654,800537,801305,802221,803006,804030,805080,806192,807331,807973,808970,810016,811379,812876,814128,815526,816819,818301,819701,821064,822443,823813,825138,826477,827932,828898,829999,830890,831687,832853,834091,835094,836457,837475,838638,839823,840477,841378,842628,844046,845149,846116,847327,848382,849667,851105,852478,853885,854959,856126,857354,858500,859488,860805,862173,863515,864568,865996,867438,868850,869898,871151,872517,874012,875367,876649,877932,878943,880180,881600,882741,883826,884648,885547,886360,887377,888120,889086,889893,890930,891789,892933,894129,895037,896434,897619,898549,899498,900707,901231,902104,903193,904118,905289,906615,907925,909210,910146,911130,912001,912675,913422,914311,915053,915884,916707,917410,918330,918978,919555,920781,922094,923380,924751,926076,927387,928640,929948,930940,931933,933326,934544,935866,936965,938063,939201,940366,941397,942594,943720,944818,946044,947350,948605,949887,951208,952355,953636,954892,956212,957439,958662,960010,961367,962615,963929,965226,966350,967577,968650,969857,970914,972187,973439,974545,975818,977130,978370,979629,980873,982065,983312,984583,985734,986778,987882,989156,990464,991626,992783,993961,995226,996445,997626,998861,1000011,1001382,1002752,1003859,1004920,1005681,1007609,1009657,1011709,1013757,1015805,1017859,1019907,1021955,1024003,1026051,1028099,1030147,1032195,1034243,1036299,1038355,1040410,1042076,1044124,1046179,1047974,1048548,1049382,1050263,1051331,1052154,1053011,1054006,1054622,1055513,1057558,1059606,1061654,1063702,1065663,1067711,1069759,1071759,1073807,1075823,1077867,1079915,1081903,1083951,1085999,1088047,1090095,1092143,1094191,1096239,1098287,1100335,1102383,1104431,1106479,1108527,1110575,1112623,1114671,1116728,1118776,1120831,1122812,1124853,1126827,1128618,1130657,1132699,1134747,1136795,1138843,1140891,1142896,1144953,1147010,1149064,1151116,1153171,1155228,1157279,1159327,1161375,1163423,1165471,1167519,1169574,1171627,1173682,1175730,1177667,1179694,1181292,1183319,1185312,1187299,1189347,1191380,1193428,1195476,1197524,1199581,1201629,1203677,1205709,1206687,1207746,1208571,1209467,1210178,1211081,1211948,1212822,1213728,1214948,1215846,1216944,1218041,1219245,1220617,1221953,1223221,1224323,1225661,1227038,1228487,1229798,1230897,1231992,1233035,1234349,1235597,1236801,1237945,1239223,1240466,1241341,1242142,1242925,1243773,1244663,1245686,1246351,1247232,1248639,1249923,1251294,1252770,1253917,1255210,1256631,1257963,1259348,1260704,1262129,1263517,1264904,1266239,1267707,1268827,1270104,1271174,1272420,1273633,1274927,1276253,1277475,1278724,1279982,1281328,1282603,1284021,1285358,1286605,1287773,1288957,1290337,1291638,1292845,1294133,1295422,1296782,1298058,1299302,1300675,1302149,1303450,1304745,1306166,1307331,1308487,1309748,1311062,1312559,1313711,1315176,1316524,1317307,1318304,1319175,1320014,1320675,1321493,1322295,1323225,1323948,1324835,1325941,1326828,1327627,1328598,1329356,1330008,1330595,1331202,1331759,1332606,1333556,1334671,1335600,1336655,1337428,1337925,1338473,1339163,1339737,1340287,1341047,1342029,1343314,1344603,1345878,1347174,1348483,1349767,1350936,1352352,1353648,1354862,1356151,1357406,1358725,1360112,1361299,1362595,1363991,1365175,1366459,1367671,1368947,1370393,1371837,1373075,1374419,1375621,1376913,1378159,1379422,1380675,1382024,1383206,1384544,1385807,1387071,1388289,1389529,1390839,1392132,1393167,1394554,1396049,1397266,1398286,1399278,1400489,1401924,1402949,1404326,1405610,1406704,1407907,1409207,1410384,1411697,1413041,1414347,1415665,1417155,1418510,1419966,1421236,1422719,1423985,1425437,1426629,1427984,1429255,1430557,1431909,1433165,1434360,1435716,1436835,1438089,1439173,1440343,1441692,1443077,1444133,1444684,1445099,1445703,1446629,1447535,1448589,1449358,1449808,1450248,1450866,1451783,1452537,1453559,1454397,1455211,1456353,1457481,1458498,1459594,1460577,1461940,1462714,1463848,1465084,1466122,1467287,1468030,1468704,1469488,1470124,1471317,1472493,1473462,1474590,1475650,1476716,1477759,1478842,1480150,1481180,1482198,1483019,1483914,1485154,1486174,1487276,1488626,1489876,1490754,1491878,1493173,1494521,1495628,1496588,1497362,1497828,1498616,1499867,1501103,1502446,1503855,1505225,1506575,1508011,1509361,1510749,1512153,1513621,1514844,1516293,1517668,1518922,1520092,1521107,1521881,1523015,1524133,1524980,1526383,1527650,1528913,1530003,1530970,1532150,1533377,1534688,1535995,1537267,1538657,1539930,1540862,1542186,1543410,1544301,1545282,1546277,1547274,1548461,1549484,1550619,1551577,1552278,1553672,1554331,1555171,1556241,1557125,1558154,1559106,1560257,1561294,1562506,1563647,1564896,1566028,1566923,1568151,1569387,1570915,1572185,1573370,1574656,1575779,1577073,1578050,1579207,1580222,1581525,1582349,1582936,1583513,1584700,1585758,1586813,1587781,1589254,1590421,1591576,1592430,1593565,1594538,1595593,1596602,1597546,1598233,1598900,1599493,1600413,1601183,1601892,1603528,1605356,1606084,1607311,1608467,1609394,1610386,1611371,1613046,1614385,1615630,1617065,1618496,1619647,1620926,1622171,1623563,1624885,1626192,1627324,1628615,1629892,1631186,1632444,1633659,1634976,1636150,1637439,1638791,1640145,1641552,1642978,1644395,1645475,1646789,1648080,1649445,1650273,1651307,1652383,1653205,1654197,1654966,1655328,1655860,1656551,1657410,1658144,1659031,1660076,1660821,1662096,1663479,1664895,1666070,1667398,1668848,1670262,1671364,1672649,1673544,1675049,1676510,1677776,1679220,1680583,1681652,1682628,1683711,1684984,1685877,1687268,1688200,1689303,1690807,1692301,1693579,1694911,1696243,1697379,1698908,1699894,1701321,1702586,1703694,1705062,1706380,1707776,1709210,1710535,1711671,1712795,1713861,1714682,1715584,1716437,1717312,1718084,1719057,1720135,1721123,1722131,1722927,1723985,1725122,1726294,1727671,1728879,1730073,1731160,1732451,1733700,1734979,1736399,1737688,1738783,1740089,1741387,1742695,1743918,1744994,1746080,1747069,1748259,1749243,1750119,1751320,1752422,1753555,1754589,1755878,1757048,1758455,1759735,1760960,1762200,1763528,1765058,1766407,1767768,1768413,1769561,1770791,1771895,1773079,1774030,1774984,1776028,1777037,1777972,1778542,1779442,1780424,1781199,1782028,1782902,1783655,1784408,1785295,1786385,1787287,1788153,1788998,1790119,1791134,1792263,1793362,1794213,1795092,1796125,1796986,1797601,1798627,1799666,1800516,1801597,1802413,1803238,1804114,1804954,1806198,1807331,1808131,1808802,1809433,1810259,1811263,1812104,1813150,1814481,1815482,1816699,1817816,1818819,1819705,1820790,1821789,1822848,1823670,1824731,1825420,1826173,1826899,1827865,1828797,1830107,1831371,1832740,1834102,1835449,1836705,1838013,1839288,1840539,1841446,1842179,1843122,1844118,1845005,1846492,1847999,1849368,1850753,1852161,1853564,1854941,1856339,1857795,1859196,1860671,1862063,1863451,1864838,1866265,1867689,1869115,1870296,1871541,1872598,1873805,1875220,1876672,1877936,1878945,1880219,1881488,1882851,1884310,1885499,1886951,1888285,1889475,1890816,1892176,1893348,1894271,1895621,1896999,1897943,1899053,1900488,1901146,1902295,1902752,1903207,1904269,1905607,1906964,1908441,1909794,1911145,1912464,1913956,1915423,1916757,1917997,1919317,1920745,1922052,1923533,1924903,1926324,1927719,1928933,1930236,1931390,1932850,1934043,1935080,1936249,1937361,1938759,1939578,1940613,1941607,1942694,1944140,1945378,1946735,1948159,1949387,1950696,1951994,1953371,1954683,1955933,1957190,1958500,1959591,1960918,1962147,1963397,1964648,1965859,1967070,1968278,1969657,1971092,1972513,1973805,1975324,1976444,1977850,1979169,1980456,1981448,1982709,1984094,1985345,1986607,1987652,1989100,1990534,1991595,1992954,1994312,1995615,1997025,1998197,1999560,2000821,2001924,2003208,2004632,2005871,2007676,2009724,2011772,2013820,2015876,2017251,2018652,2020064,2021411,2022742,2023881,2025274,2026492,2027645,2028893,2029956,2030816,2031520,2032466,2033230,2034057,2034880,2035689,2036711,2037616,2038669,2039621,2040626,2041385,2041877,2042419,2043091,2043700,2044562,2045485,2046076,2046693,2047763,2048406,2049401,2050185,2050971,2051613,2052790,2053713,2054537,2055457,2056423,2057469,2058261,2059172,2060292,2061162,2062075,2062867,2063870,2064814,2065898,2066596,2067286,2068589,2069518,2070450,2071594,2072540,2073420,2074857,2076187,2077574,2078847,2080356,2081288,2082401,2083375,2084465,2085489,2086748,2088112,2089359,2090695,2091919,2093053,2094277,2095635,2096624,2097868,2099187,2100535,2101774,2103156,2104402,2105632,2106836,2107887,2109142,2110192,2110904,2111740,2112342,2113337,2113854,2114619,2115486,2116435,2117479,2118299,2119127,2120217,2121336,2121990,2122580,2123920,2125291,2126679,2127895,2129042,2130353,2131535,2132790,2133864,2135132,2136289,2137468,2138535,2139744,2140989,2142236,2143646,2145081,2146439,2147374,2148565,2149961,2151286,2152378,2153586,2154689,2155855,2157066,2158217,2159416,2160690,2161976,2163175,2164294,2165288,2166383,2167265,2168415,2169365,2170143,2171078,2172037,2173195,2174518,2175525,2176799,2178085,2179310,2180444,2181740,2182866,2184082,2185205,2186290,2187442,2188471,2189726,2190410,2191734,2193150,2194544,2195700,2197003,2198150,2198970,2200155,2201207,2202194,2203432,2204589,2205641,2206740,2207962,2209158,2210363,2211324,2212466,2213806,2215040,2215885,2217277,2218629,2220057,2221116,2222197,2223429,2224589,2225709,2226896,2227929,2229167,2230182,2231032,2232061,2233271,2234426,2235574,2236846,2237939,2239033,2240244,2241466,2242588,2243734,2245016,2246220,2247426,2248677,2249858,2251045,2252141,2253213,2254170,2255599,2256946,2258100,2259216,2260309,2261391,2262704,2263276,2263996,2264632,2265650,2266927,2267848,2268643,2269654,2270923,2272189,2273105,2274271,2275669,2276719,2277475,2278442,2279282,228e4,2281027,2281837,2282378,2283258,2283992,2284829,2285657,2286428,2287240,2287983,2288698,2289386,2290147,2290981,2291920,2292875,2293726,2294700,2295561,2296392,2297219,2298073,2299007,2299907,2300968,2301679,2302512,2302991,2303530,2304263,2304908,2305825,2306496,2306987,2307715,2308442,2309265,2310084,2310844,2311741,2312380,2313136,2314168,2315046,2315862,2316645,2317585,2318443,2319099,2319909,2320969,2321863,2322818,2323785,2324486,2325185,2325944,2326615,2327580,2328388,2329260,2330134,2331234,2332069,2332940,2333637,2334440,2335198,2336017,2336792,2337563,2338599,2339557,2340272,2341110,2342036,2343063,2344083,2344901,2345655,2346263,2347019,2347677,2348580,2349239,2349870,2350780,2351402,2352026,2353034,2353810,2355116,2356457,2357753,2359196,2360480,2361671,2363014,2364252,2365516,2366828,2368156,2369530,2370823,2372240,2373494,2374758,2376006,2377065,2378175,2379494,2380442,2381692,2383018,2384108,2385234,2386252,2387470,2388567,2389886,2390868,2391518,2392905,2394316,2395705,2396797,2397867,2399321,2400730,2401983,2403225,2404240,2405354,2406778,2408e3,2409375,2410513,2411380,2412674,2413748,2414705,2415486,2416332,2416896,2417880,2418961,2419948,2420738,2421377,2422289,2423173,2423837,2424338,2424770,2425284,2425905,2426456,2427024,2427598,2428183,2428766,2429907,2431263,2432734,2434175,2435824,2437466,2438871,2440302,2441712,2443060,2444663,2445742,2447250,2448478,2449363,2450744,2451853,2452975,2454458,2455835,2457195,2459057,2461105,2463153,2465201,2467249,2469297,2471345,2473393,2475441,2477489,2479537,2481585,2483633,2485681,2487729,2489777,2491781,2493186,2494678,2496057,2497517,2499565,2501613,2503661,2505709,2507757,2509805,2511853,2513760,2515109,2516685,2518122,2519216,2520412,2521794,2523230,2524420,2525742,2526674,2528713,2530761,2532809,2534857,2536905,2538953,2541001,2543049,2545097,2547145,2548915,2550634,2552385,2554160,2555938,2557728,2559523,2561180,2562806,2564461,2565779,2567299,2568779,2570009,2571471,2572877,2574200,2575404,2576774,2578287,2580308,2582356,2584404,2586452,2588500,2590548,2592596,2594644,2596692,2598740,2600788,2602836,2604884,2606932,2608980,2611028,2613076,2615124,2617172,2619220,2621268,2623316,2625364,2627412,2629460,2631508,2633556,2635604,2637652,2639700,2641748,2643796,2645844,2647892,2649940,2651988,2654036,2656084,2658132,2660180,2662228,2664276,2666324,2668372,2670420,2672468,2674516,2676564,2678476],
sizes:[1202,1284,1388,1321,1314,1257,1277,1326,1296,1315,1305,1168,1329,1351,1448,1383,1246,1023,1171,1366,1337,1446,1437,1308,1145,1470,1399,991,1178,1371,1020,830,1189,1196,760,1291,1453,1286,1463,1238,815,774,682,798,807,635,781,696,555,1033,983,759,733,907,1108,861,708,945,1166,800,802,909,1201,1075,1026,955,1255,691,724,769,916,1473,1408,1236,1195,1389,1438,1318,1311,1386,1211,1388,1260,1024,1203,1143,998,1154,845,1089,1044,911,973,1185,1394,1217,1059,720,1018,1080,1365,1258,1325,1223,1400,1465,1323,1145,1176,1377,953,1323,1061,884,1211,1038,1250,1113,893,1326,990,1009,1111,929,853,926,886,849,1151,1423,1388,1389,1012,1085,1344,1206,1169,937,1339,954,1236,846,1200,1110,1250,977,672,693,1072,1363,1489,1448,1319,1022,974,1182,1299,1127,1343,1483,1292,1428,1261,1262,1203,1362,1439,1356,1258,1379,1497,1291,1322,1431,1240,1141,1392,1499,1389,1350,1418,1344,1385,1215,1279,1272,1107,1478,1326,1439,1300,1242,1368,1264,1234,1219,1340,1412,1215,1230,1198,1221,1337,1401,1151,1332,1372,1014,950,1139,1213,1406,1193,1039,744,1421,1359,1036,1337,1227,1512,1392,1405,1347,1422,1326,1340,1415,1275,1378,1404,1290,1402,1167,1359,1395,1416,1472,1367,1525,1493,1295,1518,1326,1277,1070,809,1288,1120,1436,1247,1060,1396,1420,1129,1307,1158,1011,1021,999,1107,1048,1134,1252,880,975,919,1267,1411,1130,924,1190,701,1418,1392,970,1314,1237,1224,1463,1203,1372,1220,1423,1382,1363,1473,1206,1391,966,1144,1449,1357,1298,1066,1342,1016,1351,1295,1023,1184,1245,1245,1265,1091,1254,1211,1285,1247,1363,1012,1306,1315,1260,1261,1336,1322,1160,1113,1081,1273,1375,1333,1274,1263,1296,988,966,1179,1041,1273,1230,990,1164,1071,1178,1218,858,906,1118,975,814,917,862,883,904,625,935,699,913,1214,1406,1554,1083,1257,1258,1115,1380,1531,1178,1326,983,1209,1319,1440,1314,1235,1319,1397,1163,1278,1390,1265,1359,1456,1341,1301,1481,784,888,1098,838,1039,853,1165,744,850,1089,885,983,1083,932,1041,690,1023,970,1201,1309,1317,1322,1372,1364,1406,1532,1359,1490,1363,1442,1384,1358,1250,1381,1186,1392,1260,1365,1308,1367,1259,1001,977,833,1382,1385,1490,1416,1421,1254,1380,1224,1444,1277,1355,1352,1016,925,1451,1357,1344,1426,1296,1411,1354,1436,1449,1468,1478,1395,1180,1542,1552,1286,931,1372,1530,909,785,939,844,1090,889,674,1244,824,779,565,777,670,535,770,740,579,693,1046,813,858,1077,400,375,762,708,646,644,624,927,920,911,822,580,841,978,1026,799,949,930,819,889,977,1091,644,946,877,770,816,990,642,777,759,669,1148,1032,995,1195,535,890,817,1096,1078,778,986,876,1252,731,950,750,764,840,971,1040,874,836,1159,1064,763,801,921,1127,883,608,679,694,812,969,1101,1141,770,860,886,968,581,991,1064,927,901,813,1017,867,795,867,835,887,857,1095,888,857,1288,892,946,1218,846,940,694,825,834,788,911,1012,1049,622,720,692,565,795,593,831,605,898,777,849,1136,905,988,612,637,822,896,871,728,746,700,813,591,943,835,806,539,990,531,1003,707,831,696,788,920,937,1026,896,883,1012,880,618,841,731,506,653,442,466,1104,1336,1320,1065,1165,1340,1148,1140,994,1026,1359,1258,1284,1285,930,537,727,763,594,805,483,535,798,679,616,1010,1036,1354,1251,1403,1322,1327,1351,1370,1319,1369,1360,1180,1256,1367,1304,1338,1295,1327,1349,1332,1266,1069,1040,1279,1220,1343,1373,1085,1330,1383,1316,1195,1353,1271,1047,706,1061,1105,798,1298,1216,1287,1460,1252,1457,1428,1227,1277,1305,1201,1212,1220,1283,1200,1172,811,675,702,601,561,667,627,1106,820,718,1003,911,1052,1139,989,551,648,653,673,883,768,916,785,1024,1050,1112,1139,642,997,1046,1363,1497,1252,1398,1293,1482,1400,1363,1379,1370,1325,1339,1455,966,1101,891,797,1166,1238,1003,1363,1018,1163,1185,654,901,1250,1418,1103,967,1211,1055,1285,1438,1373,1407,1074,1167,1228,1146,988,1317,1368,1342,1053,1428,1442,1412,1048,1253,1366,1495,1355,1282,1283,1011,1237,1420,1141,1085,822,899,813,1017,743,966,807,1037,859,1144,1196,908,1397,1185,930,949,1209,524,873,1089,925,1171,1326,1310,1285,936,984,871,674,747,889,742,831,823,703,920,648,577,1226,1313,1286,1371,1325,1311,1253,1308,992,993,1393,1218,1322,1099,1098,1138,1165,1031,1197,1126,1098,1226,1306,1255,1282,1321,1147,1281,1256,1320,1227,1223,1348,1357,1248,1314,1297,1124,1227,1073,1207,1057,1273,1252,1106,1273,1312,1240,1259,1244,1192,1247,1271,1151,1044,1104,1274,1308,1162,1157,1178,1265,1219,1181,1235,1150,1371,1370,1107,1061,761,1928,2048,2052,2048,2048,2054,2048,2048,2048,2048,2048,2048,2048,2048,2056,2056,2055,1666,2048,2055,1795,574,834,881,1068,823,857,995,616,891,2045,2048,2048,2048,1961,2048,2048,2e3,2048,2016,2044,2048,1988,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2057,2048,2055,1981,2041,1974,1791,2039,2042,2048,2048,2048,2048,2005,2057,2057,2054,2052,2055,2057,2051,2048,2048,2048,2048,2048,2055,2053,2055,2048,1937,2027,1598,2027,1993,1987,2048,2033,2048,2048,2048,2057,2048,2048,2032,978,1059,825,896,711,903,867,874,906,1220,898,1098,1097,1204,1372,1336,1268,1102,1338,1377,1449,1311,1099,1095,1043,1314,1248,1204,1144,1278,1243,875,801,783,848,890,1023,665,881,1407,1284,1371,1476,1147,1293,1421,1332,1385,1356,1425,1388,1387,1335,1468,1120,1277,1070,1246,1213,1294,1326,1222,1249,1258,1346,1275,1418,1337,1247,1168,1184,1380,1301,1207,1288,1289,1360,1276,1244,1373,1474,1301,1295,1421,1165,1156,1261,1314,1497,1152,1465,1348,783,997,871,839,661,818,802,930,723,887,1106,887,799,971,758,652,587,607,557,847,950,1115,929,1055,773,497,548,690,574,550,760,982,1285,1289,1275,1296,1309,1284,1169,1416,1296,1214,1289,1255,1319,1387,1187,1296,1396,1184,1284,1212,1276,1446,1444,1238,1344,1202,1292,1246,1263,1253,1349,1182,1338,1263,1264,1218,1240,1310,1293,1035,1387,1495,1217,1020,992,1211,1435,1025,1377,1284,1094,1203,1300,1177,1313,1344,1306,1318,1490,1355,1456,1270,1483,1266,1452,1192,1355,1271,1302,1352,1256,1195,1356,1119,1254,1084,1170,1349,1385,1056,551,415,604,926,906,1054,769,450,440,618,917,754,1022,838,814,1142,1128,1017,1096,983,1363,774,1134,1236,1038,1165,743,674,784,636,1193,1176,969,1128,1060,1066,1043,1083,1308,1030,1018,821,895,1240,1020,1102,1350,1250,878,1124,1295,1348,1107,960,774,466,788,1251,1236,1343,1409,1370,1350,1436,1350,1388,1404,1468,1223,1449,1375,1254,1170,1015,774,1134,1118,847,1403,1267,1263,1090,967,1180,1227,1311,1307,1272,1390,1273,932,1324,1224,891,981,995,997,1187,1023,1135,958,701,1394,659,840,1070,884,1029,952,1151,1037,1212,1141,1249,1132,895,1228,1236,1528,1270,1185,1286,1123,1294,977,1157,1015,1303,824,587,577,1187,1058,1055,968,1473,1167,1155,854,1135,973,1055,1009,944,687,667,593,920,770,709,1636,1828,728,1227,1156,927,992,985,1675,1339,1245,1435,1431,1151,1279,1245,1392,1322,1307,1132,1291,1277,1294,1258,1215,1317,1174,1289,1352,1354,1407,1426,1417,1080,1314,1291,1365,828,1034,1076,822,992,769,362,532,691,859,734,887,1045,745,1275,1383,1416,1175,1328,1450,1414,1102,1285,895,1505,1461,1266,1444,1363,1069,976,1083,1273,893,1391,932,1103,1504,1494,1278,1332,1332,1136,1529,986,1427,1265,1108,1368,1318,1396,1434,1325,1136,1124,1066,821,902,853,875,772,973,1078,988,1008,796,1058,1137,1172,1377,1208,1194,1087,1291,1249,1279,1420,1289,1095,1306,1298,1308,1223,1076,1086,989,1190,984,876,1201,1102,1133,1034,1289,1170,1407,1280,1225,1240,1328,1530,1349,1361,645,1148,1230,1104,1184,951,954,1044,1009,935,570,900,982,775,829,874,753,753,887,1090,902,866,845,1121,1015,1129,1099,851,879,1033,861,615,1026,1039,850,1081,816,825,876,840,1244,1133,800,671,631,826,1004,841,1046,1331,1001,1217,1117,1003,886,1085,999,1059,822,1061,689,753,726,966,932,1310,1264,1369,1362,1347,1256,1308,1275,1251,907,733,943,996,887,1487,1507,1369,1385,1408,1403,1377,1398,1456,1401,1475,1392,1388,1387,1427,1424,1426,1181,1245,1057,1207,1415,1452,1264,1009,1274,1269,1363,1459,1189,1452,1334,1190,1341,1360,1172,923,1350,1378,944,1110,1435,658,1149,457,455,1062,1338,1357,1477,1353,1351,1319,1492,1467,1334,1240,1320,1428,1307,1481,1370,1421,1395,1214,1303,1154,1460,1193,1037,1169,1112,1398,819,1035,994,1087,1446,1238,1357,1424,1228,1309,1298,1377,1312,1250,1257,1310,1091,1327,1229,1250,1251,1211,1211,1208,1379,1435,1421,1292,1519,1120,1406,1319,1287,992,1261,1385,1251,1262,1045,1448,1434,1061,1359,1358,1303,1410,1172,1363,1261,1103,1284,1424,1239,1805,2048,2048,2048,2056,1375,1401,1412,1347,1331,1139,1393,1218,1153,1248,1063,860,704,946,764,827,823,809,1022,905,1053,952,1005,759,492,542,672,609,862,923,591,617,1070,643,995,784,786,642,1177,923,824,920,966,1046,792,911,1120,870,913,792,1003,944,1084,698,690,1303,929,932,1144,946,880,1437,1330,1387,1273,1509,932,1113,974,1090,1024,1259,1364,1247,1336,1224,1134,1224,1358,989,1244,1319,1348,1239,1382,1246,1230,1204,1051,1255,1050,712,836,602,995,517,765,867,949,1044,820,828,1090,1119,654,590,1340,1371,1388,1216,1147,1311,1182,1255,1074,1268,1157,1179,1067,1209,1245,1247,1410,1435,1358,935,1191,1396,1325,1092,1208,1103,1166,1211,1151,1199,1274,1286,1199,1119,994,1095,882,1150,950,778,935,959,1158,1323,1007,1274,1286,1225,1134,1296,1126,1216,1123,1085,1152,1029,1255,684,1324,1416,1394,1156,1303,1147,820,1185,1052,987,1238,1157,1052,1099,1222,1196,1205,961,1142,1340,1234,845,1392,1352,1428,1059,1081,1232,1160,1120,1187,1033,1238,1015,850,1029,1210,1155,1148,1272,1093,1094,1211,1222,1122,1146,1282,1204,1206,1251,1181,1187,1096,1072,957,1429,1347,1154,1116,1093,1082,1313,572,720,636,1018,1277,921,795,1011,1269,1266,916,1166,1398,1050,756,967,840,718,1027,810,541,880,734,837,828,771,812,743,715,688,761,834,939,955,851,974,861,831,827,854,934,900,1061,711,833,479,539,733,645,917,671,491,728,727,823,819,760,897,639,756,1032,878,816,783,940,858,656,810,1060,894,955,967,701,699,759,671,965,808,872,874,1100,835,871,697,803,758,819,775,771,1036,958,715,838,926,1027,1020,818,754,608,756,658,903,659,631,910,622,624,1008,776,1306,1341,1296,1443,1284,1191,1343,1238,1264,1312,1328,1374,1293,1417,1254,1264,1248,1059,1110,1319,948,1250,1326,1090,1126,1018,1218,1097,1319,982,650,1387,1411,1389,1092,1070,1454,1409,1253,1242,1015,1114,1424,1222,1375,1138,867,1294,1074,957,781,846,564,984,1081,987,790,639,912,884,664,501,432,514,621,551,568,574,585,583,1141,1356,1471,1441,1649,1642,1405,1431,1410,1348,1603,1079,1508,1228,885,1381,1109,1122,1483,1377,1360,1862,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2004,1405,1492,1379,1460,2048,2048,2048,2048,2048,2048,2048,1907,1349,1576,1437,1094,1196,1382,1436,1190,1322,932,2039,2048,2048,2048,2048,2048,2048,2048,2048,2048,1770,1719,1751,1775,1778,1790,1795,1657,1626,1655,1318,1520,1480,1230,1462,1406,1323,1204,1370,1513,2021,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048,1912,221],successes:[1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,0,1,0,0,1,0,0,0,0,0,0,0,0,1,1,1,1,0,1,1,1,1,1,1,1,1,1,1,1,1,0,0,0,1,0,0,1,0,1,1,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,1,1,1,1,1,1,1,0,0,0,0,1,1,1,1,1,1,1,1,0,0,0,0,0,1,1,1,0,1,1,1,1,1,1,0,1,0,0,0,1,0,0,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,0,0,0,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,1,1,1,1,0,0,0,0,0,0,0,1,1,1,1,1,1,1,1,1,1,1,1,0,0,0,0,0,0,0,0,0,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,1]};compressedData.data=byteArray;assert(typeof Module.LZ4==="object","LZ4 not present - was your app build with -s LZ4=1 ?");Module.LZ4.loadPackage({metadata:metadata,compressedData:compressedData});Module["removeRunDependency"]("datafile_networkx.data")}Module["addRunDependency"]("datafile_networkx.data");if(!Module.preloadResults)Module.preloadResults={};Module.preloadResults[PACKAGE_NAME]={fromCache:false};if(fetched){processPackageData(fetched);fetched=null}else{fetchedCallback=processPackageData}}if(Module["calledRun"]){runWithFS()}else{if(!Module["preRun"])Module["preRun"]=[];Module["preRun"].push(runWithFS)}};loadPackage({files:[{filename:"/lib/python3.7/site-packages/networkx/exception.py",start:0,end:3960,audio:0},{filename:"/lib/python3.7/site-packages/networkx/__init__.py",start:3960,end:7138,audio:0},{filename:"/lib/python3.7/site-packages/networkx/convert_matrix.py",start:7138,end:51394,audio:0},{filename:"/lib/python3.7/site-packages/networkx/version.py",start:51394,end:51986,audio:0},{filename:"/lib/python3.7/site-packages/networkx/relabel.py",start:51986,end:59878,audio:0},{filename:"/lib/python3.7/site-packages/networkx/convert.py",start:59878,end:72979,audio:0},{filename:"/lib/python3.7/site-packages/networkx/release.py",start:72979,end:80707,audio:0},{filename:"/lib/python3.7/site-packages/networkx/tests/test.py",start:80707,end:81966,audio:0},{filename:"/lib/python3.7/site-packages/networkx/tests/test_relabel.py",start:81966,end:89625,audio:0},{filename:"/lib/python3.7/site-packages/networkx/tests/__init__.py",start:89625,end:89625,audio:0},{filename:"/lib/python3.7/site-packages/networkx/tests/test_convert.py",start:89625,end:101127,audio:0},{filename:"/lib/python3.7/site-packages/networkx/tests/test_exceptions.py",start:101127,end:101929,audio:0},{filename:"/lib/python3.7/site-packages/networkx/tests/test_convert_numpy.py",start:101929,end:119700,audio:0},{filename:"/lib/python3.7/site-packages/networkx/tests/test_convert_pandas.py",start:119700,end:127866,audio:0},{filename:"/lib/python3.7/site-packages/networkx/tests/test_all_random_functions.py",start:127866,end:135904,audio:0},{filename:"/lib/python3.7/site-packages/networkx/tests/test_convert_scipy.py",start:135904,end:145480,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/core.py",start:145480,end:155685,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bridges.py",start:155685,end:161195,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/hybrid.py",start:161195,end:167631,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/planarity.py",start:167631,end:205224,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/boundary.py",start:205224,end:210275,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/graphical.py",start:210275,end:223284,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/similarity.py",start:223284,end:263432,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/swap.py",start:263432,end:273795,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/simple_paths.py",start:273795,end:298360,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/__init__.py",start:298360,end:304033,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/wiener.py",start:304033,end:306619,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/triads.py",start:306619,end:310699,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/cuts.py",start:310699,end:320733,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/isolate.py",start:320733,end:323394,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/voronoi.py",start:323394,end:326793,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/dominance.py",start:326793,end:330424,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/link_prediction.py",start:330424,end:347029,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/lowest_common_ancestors.py",start:347029,end:361335,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/hierarchy.py",start:361335,end:363117,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/vitality.py",start:363117,end:365735,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/cycles.py",start:365735,end:387216,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/chains.py",start:387216,end:394035,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/distance_regular.py",start:394035,end:401193,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/mis.py",start:401193,end:403955,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/minors.py",start:403955,end:421519,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/sparsifiers.py",start:421519,end:431594,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/smetric.py",start:431594,end:432788,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/cluster.py",start:432788,end:451022,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/structuralholes.py",start:451022,end:460426,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/communicability_alg.py",start:460426,end:465596,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/covering.py",start:465596,end:469882,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/smallworld.py",start:469882,end:482915,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/richclub.py",start:482915,end:487439,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/clique.py",start:487439,end:505932,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/efficiency.py",start:505932,end:510295,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/matching.py",start:510295,end:548201,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/distance_measures.py",start:548201,end:559476,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/dominating.py",start:559476,end:562224,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/dag.py",start:562224,end:587022,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/reciprocity.py",start:587022,end:590110,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/euler.py",start:590110,end:597501,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/chordal.py",start:597501,end:608259,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/threshold.py",start:608259,end:638558,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tournament.py",start:638558,end:649215,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/components/semiconnected.py",start:649215,end:650877,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/components/__init__.py",start:650877,end:651050,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/components/weakly_connected.py",start:651050,end:655730,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/components/biconnected.py",start:655730,end:669170,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/components/attracting.py",start:669170,end:672640,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/components/connected.py",start:672640,end:677341,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/components/strongly_connected.py",start:677341,end:689226,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/components/tests/test_attracting.py",start:689226,end:691511,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/components/tests/test_biconnected.py",start:691511,end:697616,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/components/tests/test_connected.py",start:697616,end:701337,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/components/tests/test_strongly_connected.py",start:701337,end:708041,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/components/tests/test_subgraph_copies.py",start:708041,end:711584,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/components/tests/test_weakly_connected.py",start:711584,end:714410,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/components/tests/test_semiconnected.py",start:714410,end:716312,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/approximation/steinertree.py",start:716312,end:719135,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/approximation/clustering_coefficient.py",start:719135,end:721345,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/approximation/treewidth.py",start:721345,end:729355,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/approximation/__init__.py",start:729355,end:730553,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/approximation/kcomponents.py",start:730553,end:743911,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/approximation/connectivity.py",start:743911,end:756885,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/approximation/dominating_set.py",start:756885,end:761274,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/approximation/independent_set.py",start:761274,end:763304,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/approximation/clique.py",start:763304,end:768708,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/approximation/matching.py",start:768708,end:770066,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/approximation/vertex_cover.py",start:770066,end:772905,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/approximation/ramsey.py",start:772905,end:773963,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/approximation/tests/test_steinertree.py",start:773963,end:777211,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/approximation/tests/test_ramsey.py",start:777211,end:778218,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/approximation/tests/test_treewidth.py",start:778218,end:787582,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/approximation/tests/test_connectivity.py",start:787582,end:793454,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/approximation/tests/test_dominating_set.py",start:793454,end:795854,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/approximation/tests/test_approx_clust_coeff.py",start:795854,end:797195,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/approximation/tests/test_vertex_cover.py",start:797195,end:798912,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/approximation/tests/test_independent_set.py",start:798912,end:799126,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/approximation/tests/test_matching.py",start:799126,end:799342,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/approximation/tests/test_clique.py",start:799342,end:802766,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/approximation/tests/test_kcomponents.py",start:802766,end:812124,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/reaching.py",start:812124,end:819356,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/percolation.py",start:819356,end:823681,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/harmonic.py",start:823681,end:825728,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/katz.py",start:825728,end:836920,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/closeness.py",start:836920,end:841482,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/__init__.py",start:841482,end:841943,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/load.py",start:841943,end:849257,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/betweenness.py",start:849257,end:861511,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/degree_alg.py",start:861511,end:865115,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/eigenvector.py",start:865115,end:873726,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/current_flow_betweenness_subset.py",start:873726,end:883083,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/betweenness_subset.py",start:883083,end:891892,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/current_flow_betweenness.py",start:891892,end:905479,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/subgraph_alg.py",start:905479,end:915075,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/dispersion.py",start:915075,end:918670,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/second_order.py",start:918670,end:923773,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/flow_matrix.py",start:923773,end:928113,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/current_flow_closeness.py",start:928113,end:931809,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/tests/test_second_order_centrality.py",start:931809,end:933958,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/tests/test_current_flow_closeness.py",start:933958,end:935378,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/tests/test_eigenvector_centrality.py",start:935378,end:940213,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/tests/test_dispersion.py",start:940213,end:941669,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/tests/test_load_centrality.py",start:941669,end:950441,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/tests/test_betweenness_centrality.py",start:950441,end:969662,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/tests/test_closeness_centrality.py",start:969662,end:973412,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/tests/test_percolation_centrality.py",start:973412,end:976248,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/tests/test_current_flow_betweenness_centrality_subset.py",start:976248,end:983818,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/tests/test_betweenness_centrality_subset.py",start:983818,end:991278,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/tests/test_reaching.py",start:991278,end:995381,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/tests/test_current_flow_betweenness_centrality.py",start:995381,end:1003447,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/tests/test_subgraph.py",start:1003447,end:1006372,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/tests/test_degree_centrality.py",start:1006372,end:1009935,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/tests/test_katz_centrality.py",start:1009935,end:1021251,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/centrality/tests/test_harmonic_centrality.py",start:1021251,end:1024535,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_distance_measures.py",start:1024535,end:1027388,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_simple_paths.py",start:1027388,end:1042577,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_bridges.py",start:1042577,end:1045031,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_reciprocity.py",start:1045031,end:1046294,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_efficiency.py",start:1046294,end:1048522,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_structuralholes.py",
start:1048522,end:1053724,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_tournament.py",start:1053724,end:1058282,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_core.py",start:1058282,end:1063423,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_communicability.py",start:1063423,end:1066804,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_chains.py",start:1066804,end:1071093,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_vitality.py",start:1071093,end:1072549,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_boundary.py",start:1072549,end:1079408,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_mis.py",start:1079408,end:1083268,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_graphical.py",start:1083268,end:1087735,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_wiener.py",start:1087735,end:1090158,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_threshold.py",start:1090158,end:1100369,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_cluster.py",start:1100369,end:1111504,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_dominating.py",start:1111504,end:1112859,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_hybrid.py",start:1112859,end:1113702,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_sparsifiers.py",start:1113702,end:1117824,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_cycles.py",start:1117824,end:1129487,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_smallworld.py",start:1129487,end:1131580,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_richclub.py",start:1131580,end:1134097,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_distance_regular.py",start:1134097,end:1136649,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_lowest_common_ancestors.py",start:1136649,end:1148156,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_chordal.py",start:1148156,end:1150629,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_planarity.py",start:1150629,end:1162387,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_dag.py",start:1162387,end:1182257,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_smetric.py",start:1182257,end:1182697,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_link_prediction.py",start:1182697,end:1201732,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_cuts.py",start:1201732,end:1206967,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_hierarchy.py",start:1206967,end:1207966,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_minors.py",start:1207966,end:1220836,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_matching.py",start:1220836,end:1235136,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_swap.py",start:1235136,end:1236720,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_clique.py",start:1236720,end:1245674,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_voronoi.py",start:1245674,end:1249416,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_euler.py",start:1249416,end:1254243,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_dominance.py",start:1254243,end:1263927,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_covering.py",start:1263927,end:1266054,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_triads.py",start:1266054,end:1266959,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_isolate.py",start:1266959,end:1267861,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tests/test_similarity.py",start:1267861,end:1284733,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/assortativity/correlation.py",start:1284733,end:1293493,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/assortativity/__init__.py",start:1293493,end:1293787,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/assortativity/connectivity.py",start:1293787,end:1298351,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/assortativity/mixing.py",start:1298351,end:1305194,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/assortativity/pairs.py",start:1305194,end:1308882,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/assortativity/neighbor_degree.py",start:1308882,end:1313205,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/assortativity/tests/test_mixing.py",start:1313205,end:1319796,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/assortativity/tests/test_connectivity.py",start:1319796,end:1324941,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/assortativity/tests/test_pairs.py",start:1324941,end:1328963,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/assortativity/tests/base_test.py",start:1328963,end:1330511,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/assortativity/tests/test_neighbor_degree.py",start:1330511,end:1333032,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/assortativity/tests/test_correlation.py",start:1333032,end:1336434,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/shortest_paths/__init__.py",start:1336434,end:1336719,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/shortest_paths/weighted.py",start:1336719,end:1405145,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/shortest_paths/generic.py",start:1405145,end:1422703,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/shortest_paths/astar.py",start:1422703,end:1427956,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/shortest_paths/dense.py",start:1427956,end:1434706,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/shortest_paths/unweighted.py",start:1434706,end:1449301,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/shortest_paths/tests/test_generic.py",start:1449301,end:1464608,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/shortest_paths/tests/test_weighted.py",start:1464608,end:1492871,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/shortest_paths/tests/test_dense.py",start:1492871,end:1498535,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/shortest_paths/tests/test_astar.py",start:1498535,end:1503558,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/shortest_paths/tests/test_unweighted.py",start:1503558,end:1508409,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/shortest_paths/tests/test_dense_numpy.py",start:1508409,end:1510939,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/link_analysis/__init__.py",start:1510939,end:1511057,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/link_analysis/pagerank_alg.py",start:1511057,end:1528281,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/link_analysis/hits_alg.py",start:1528281,end:1538149,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/link_analysis/tests/test_hits.py",start:1538149,end:1540941,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/link_analysis/tests/test_pagerank.py",start:1540941,end:1547466,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/node_classification/__init__.py",start:1547466,end:1548246,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/node_classification/hmn.py",start:1548246,end:1552679,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/node_classification/lgc.py",start:1552679,end:1557499,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/node_classification/utils.py",start:1557499,end:1560148,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/node_classification/tests/test_harmonic_function.py",start:1560148,end:1563012,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/node_classification/tests/test_local_and_global_consistency.py",start:1563012,end:1565458,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/community/modularity_max.py",start:1565458,end:1575979,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/community/__init__.py",start:1575979,end:1577217,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/community/label_propagation.py",start:1577217,end:1584280,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/community/centrality.py",start:1584280,end:1591082,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/community/quality.py",start:1591082,end:1600942,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/community/kernighan_lin.py",start:1600942,end:1606508,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/community/asyn_fluid.py",start:1606508,end:1612520,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/community/kclique.py",start:1612520,end:1615308,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/community/community_utils.py",start:1615308,end:1616415,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/community/community_generators.py",start:1616415,end:1632366,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/community/tests/test_kernighan_lin.py",start:1632366,end:1633958,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/community/tests/test_asyn_fluid.py",start:1633958,end:1637290,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/community/tests/test_label_propagation.py",start:1637290,end:1641950,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/community/tests/test_quality.py",start:1641950,end:1644557,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/community/tests/test_modularity_max.py",start:1644557,end:1645929,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/community/tests/test_centrality.py",start:1645929,end:1649266,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/community/tests/test_utils.py",start:1649266,end:1650022,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/community/tests/test_generators.py",start:1650022,end:1652106,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/community/tests/test_kclique.py",start:1652106,end:1654253,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/operators/all.py",start:1654253,end:1658901,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/operators/binary.py",start:1658901,end:1668356,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/operators/__init__.py",start:1668356,end:1668557,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/operators/product.py",start:1668557,end:1682812,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/operators/unary.py",start:1682812,end:1684457,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/operators/tests/test_all.py",start:1684457,end:1690285,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/operators/tests/test_binary.py",start:1690285,end:1699201,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/operators/tests/test_unary.py",start:1699201,end:1700577,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/operators/tests/test_product.py",start:1700577,end:1713890,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/flow/gomory_hu.py",start:1713890,end:1720288,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/flow/__init__.py",start:1720288,end:1720629,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/flow/boykovkolmogorov.py",start:1720629,end:1734224,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/flow/networksimplex.py",start:1734224,end:1755366,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/flow/maxflow.py",start:1755366,end:1778393,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/flow/utils.py",start:1778393,end:1784267,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/flow/capacityscaling.py",start:1784267,end:1798849,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/flow/shortestaugmentingpath.py",start:1798849,end:1809420,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/flow/dinitz_alg.py",start:1809420,end:1816866,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/flow/preflowpush.py",start:1816866,end:1832863,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/flow/edmondskarp.py",start:1832863,end:1841061,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/flow/mincost.py",start:1841061,end:1853526,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/flow/tests/test_gomory_hu.py",start:1853526,end:1857720,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/flow/tests/gw1.gpickle.bz2",start:1857720,end:1899968,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/flow/tests/test_mincost.py",start:1899968,end:1918549,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/flow/tests/wlm3.gpickle.bz2",start:1918549,end:2006681,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/flow/tests/gl1.gpickle.bz2",start:2006681,end:2051304,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/flow/tests/netgen-2.gpickle.bz2",start:2051304,end:2070276,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/flow/tests/test_maxflow.py",start:2070276,end:2089087,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/flow/tests/test_maxflow_large_graph.py",start:2089087,end:2094229,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/traversal/edgebfs.py",start:2094229,end:2099868,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/traversal/breadth_first_search.py",start:2099868,end:2108966,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/traversal/__init__.py",start:2108966,end:2109108,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/traversal/beamsearch.py",start:2109108,end:2112651,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/traversal/depth_first_search.py",start:2112651,end:2125369,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/traversal/edgedfs.py",start:2125369,end:2131267,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/traversal/tests/test_beamsearch.py",start:2131267,end:2132480,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/traversal/tests/test_edgedfs.py",start:2132480,end:2137316,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/traversal/tests/test_dfs.py",start:2137316,end:2142806,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/traversal/tests/test_bfs.py",start:2142806,end:2145672,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/traversal/tests/test_edgebfs.py",start:2145672,end:2150215,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bipartite/matrix.py",start:2150215,end:2156957,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bipartite/__init__.py",start:2156957,end:2160751,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bipartite/generators.py",start:2160751,end:2179493,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bipartite/edgelist.py",start:2179493,end:2190908,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bipartite/centrality.py",start:2190908,end:2199581,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bipartite/cluster.py",start:2199581,end:2206746,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bipartite/covering.py",start:2206746,end:2208998,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bipartite/basic.py",start:2208998,end:2217032,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bipartite/projection.py",start:2217032,end:2233826,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bipartite/matching.py",start:2233826,end:2251732,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bipartite/redundancy.py",start:2251732,end:2255652,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bipartite/spectral.py",start:2255652,end:2258183,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bipartite/tests/test_matrix.py",start:2258183,end:2261462,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bipartite/tests/test_spectral_bipartivity.py",start:2261462,end:2264063,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bipartite/tests/test_cluster.py",start:2264063,end:2266904,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bipartite/tests/test_centrality.py",start:2266904,end:2273333,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bipartite/tests/test_edgelist.py",start:2273333,end:2280559,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bipartite/tests/test_redundancy.py",start:2280559,end:2281782,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bipartite/tests/test_basic.py",start:2281782,end:2286497,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bipartite/tests/test_generators.py",start:2286497,end:2299373,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bipartite/tests/test_matching.py",start:2299373,end:2306871,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bipartite/tests/test_covering.py",start:2306871,end:2308460,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/bipartite/tests/test_project.py",start:2308460,end:2323304,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/connectivity/__init__.py",start:2323304,end:2323931,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/connectivity/disjoint_paths.py",start:2323931,end:2339332,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/connectivity/cuts.py",start:2339332,end:2362326,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/connectivity/stoerwagner.py",start:2362326,end:2367895,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/connectivity/kcomponents.py",start:2367895,end:2376265,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/connectivity/connectivity.py",start:2376265,end:2406563,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/connectivity/kcutsets.py",start:2406563,end:2416321,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/connectivity/utils.py",start:2416321,end:2419621,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/connectivity/edge_augmentation.py",start:2419621,end:2464723,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/connectivity/edge_kcomponents.py",start:2464723,end:2485861,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/connectivity/tests/test_disjoint_paths.py",start:2485861,end:2494841,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/connectivity/tests/test_stoer_wagner.py",start:2494841,end:2497967,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/connectivity/tests/test_connectivity.py",start:2497967,end:2513937,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/connectivity/tests/test_edge_augmentation.py",start:2513937,end:2530192,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/connectivity/tests/test_kcutsets.py",start:2530192,end:2538986,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/connectivity/tests/test_cuts.py",start:2538986,end:2549872,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/connectivity/tests/test_edge_kcomponents.py",start:2549872,end:2566987,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/connectivity/tests/test_kcomponents.py",start:2566987,end:2575046,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/coloring/__init__.py",start:2575046,end:2575132,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/coloring/greedy_coloring_with_interchange.py",start:2575132,end:2581791,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/coloring/greedy_coloring.py",start:2581791,end:2594977,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/coloring/tests/test_coloring.py",start:2594977,end:2605796,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tree/coding.py",start:2605796,end:2619057,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tree/operations.py",start:2619057,end:2622781,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tree/__init__.py",start:2622781,end:2622901,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tree/branchings.py",start:2622901,end:2648102,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tree/mst.py",start:2648102,end:2669264,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tree/recognition.py",start:2669264,end:2675821,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tree/tests/test_branchings.py",start:2675821,end:2687727,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tree/tests/test_coding.py",start:2687727,end:2691982,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tree/tests/test_operations.py",start:2691982,end:2693473,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tree/tests/test_recognition.py",start:2693473,end:2697587,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/tree/tests/test_mst.py",start:2697587,end:2706913,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/isomorphism/__init__.py",start:2706913,end:2707151,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/isomorphism/matchhelpers.py",start:2707151,end:2719885,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/isomorphism/vf2userfunc.py",start:2719885,end:2727407,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/isomorphism/isomorphvf2.py",start:2727407,end:2764507,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/isomorphism/temporalisomorphvf2.py",start:2764507,end:2774981,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/isomorphism/isomorph.py",start:2774981,end:2781738,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/isomorphism/tests/test_temporalisomorphvf2.py",start:2781738,end:2789225,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/isomorphism/tests/test_vf2userfunc.py",start:2789225,end:2795999,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/isomorphism/tests/si2_b06_m200.A99",start:2795999,end:2796309,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/isomorphism/tests/iso_r01_s80.A99",start:2796309,end:2797751,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/isomorphism/tests/si2_b06_m200.B99",start:2797751,end:2799353,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/isomorphism/tests/test_match_helpers.py",start:2799353,end:2801702,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/isomorphism/tests/test_isomorphvf2.py",start:2801702,end:2810424,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/isomorphism/tests/test_isomorphism.py",start:2810424,end:2811648,audio:0},{filename:"/lib/python3.7/site-packages/networkx/algorithms/isomorphism/tests/iso_r01_s80.B99",start:2811648,end:2813090,audio:0},{filename:"/lib/python3.7/site-packages/networkx/linalg/algebraicconnectivity.py",start:2813090,end:2832602,audio:0},{filename:"/lib/python3.7/site-packages/networkx/linalg/attrmatrix.py",start:2832602,end:2848800,audio:0},{filename:"/lib/python3.7/site-packages/networkx/linalg/__init__.py",start:2848800,end:2849247,audio:0},{filename:"/lib/python3.7/site-packages/networkx/linalg/laplacianmatrix.py",start:2849247,end:2857007,audio:0},{filename:"/lib/python3.7/site-packages/networkx/linalg/modularitymatrix.py",start:2857007,end:2862190,audio:0},{filename:"/lib/python3.7/site-packages/networkx/linalg/spectrum.py",start:2862190,end:2864989,audio:0},{filename:"/lib/python3.7/site-packages/networkx/linalg/graphmatrix.py",start:2864989,end:2870575,audio:0},{filename:"/lib/python3.7/site-packages/networkx/linalg/tests/test_modularity.py",start:2870575,end:2873800,audio:0},{filename:"/lib/python3.7/site-packages/networkx/linalg/tests/test_spectrum.py",start:2873800,end:2875830,audio:0},{filename:"/lib/python3.7/site-packages/networkx/linalg/tests/test_laplacian.py",start:2875830,end:2881285,audio:0},{filename:"/lib/python3.7/site-packages/networkx/linalg/tests/test_graphmatrix.py",start:2881285,end:2889487,audio:0},{filename:"/lib/python3.7/site-packages/networkx/linalg/tests/test_algebraic_connectivity.py",start:2889487,end:2901116,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/graph6.py",start:2901116,end:2912684,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/pajek.py",start:2912684,end:2921521,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/gml.py",start:2921521,end:2949252,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/sparse6.py",start:2949252,end:2959927,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/gpickle.py",start:2959927,end:2962747,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/__init__.py",start:2962747,end:2963391,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/nx_shp.py",start:2963391,end:2974938,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/gexf.py",start:2974938,end:3013287,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/edgelist.py",start:3013287,end:3027393,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/graphml.py",start:3027393,end:3063142,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/leda.py",start:3063142,end:3066040,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/adjlist.py",start:3066040,end:3074464,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/nx_yaml.py",start:3074464,end:3077040,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/p2g.py",start:3077040,end:3080386,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/multiline_adjlist.py",start:3080386,end:3092167,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/tests/test_gml.py",start:3092167,end:3106001,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/tests/test_gpickle.py",start:3106001,end:3108121,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/tests/test_graphml.py",start:3108121,end:3154565,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/tests/test_gexf.py",start:3154565,end:3166383,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/tests/test_adjlist.py",start:3166383,end:3175767,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/tests/test_sparse6.py",start:3175767,end:3181212,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/tests/test_leda.py",start:3181212,end:3182772,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/tests/test_pajek.py",start:3182772,end:3187517,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/tests/test_yaml.py",start:3187517,end:3188903,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/tests/test_shp.py",start:3188903,end:3198856,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/tests/test_p2g.py",start:3198856,end:3200250,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/tests/test_graph6.py",start:3200250,end:3204756,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/tests/test_edgelist.py",start:3204756,end:3212223,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/json_graph/__init__.py",start:3212223,end:3212947,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/json_graph/cytoscape.py",start:3212947,end:3216043,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/json_graph/tree.py",start:3216043,end:3220380,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/json_graph/jit.py",start:3220380,end:3223138,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/json_graph/adjacency.py",start:3223138,end:3228120,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/json_graph/node_link.py",start:3228120,end:3234076,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/json_graph/tests/test_adjacency.py",start:3234076,end:3235884,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/json_graph/tests/test_jit.py",start:3235884,end:3237855,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/json_graph/tests/test_node_link.py",start:3237855,end:3241229,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/json_graph/tests/test_tree.py",start:3241229,end:3242272,audio:0},{filename:"/lib/python3.7/site-packages/networkx/readwrite/json_graph/tests/test_cytoscape.py",start:3242272,end:3244332,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/geometric.py",start:3244332,end:3274522,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/directed.py",start:3274522,end:3289619,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/nonisomorphic_trees.py",start:3289619,end:3295173,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/lattice.py",start:3295173,end:3308670,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/joint_degree_seq.py",start:3308670,end:3319578,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/mycielski.py",start:3319578,end:3323019,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/ego.py",start:3323019,end:3325311,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/__init__.py",start:3325311,end:3326397,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/triads.py",start:3326397,end:3328914,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/social.py",start:3328914,end:3339879,
audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/atlas.py",start:3339879,end:3345696,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/duplication.py",start:3345696,end:3351030,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/spectral_graph_forge.py",start:3351030,end:3357514,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/degree_seq.py",start:3357514,end:3388152,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/small.py",start:3388152,end:3402128,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/trees.py",start:3402128,end:3409549,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/classic.py",start:3409549,end:3432488,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/intersection.py",start:3432488,end:3436727,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/random_graphs.py",start:3436727,end:3476734,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/community.py",start:3476734,end:3496608,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/stochastic.py",start:3496608,end:3498749,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/expanders.py",start:3498749,end:3503085,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/atlas.dat.gz",start:3503085,end:3511972,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/random_clustered.py",start:3511972,end:3516415,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/line.py",start:3516415,end:3533856,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/tests/test_classic.py",start:3533856,end:3550327,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/tests/test_lattice.py",start:3550327,end:3558913,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/tests/test_small.py",start:3558913,end:3565803,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/tests/test_community.py",start:3565803,end:3573439,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/tests/test_random_graphs.py",start:3573439,end:3582837,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/tests/test_line.py",start:3582837,end:3589907,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/tests/test_expanders.py",start:3589907,end:3592408,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/tests/test_degree_seq.py",start:3592408,end:3599663,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/tests/test_spectral_graph_forge.py",start:3599663,end:3601622,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/tests/test_mycielski.py",start:3601622,end:3602781,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/tests/test_nonisomorphic_trees.py",start:3602781,end:3605221,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/tests/test_joint_degree_seq.py",start:3605221,end:3607705,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/tests/test_duplication.py",start:3607705,end:3610004,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/tests/test_ego.py",start:3610004,end:3611387,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/tests/test_intersection.py",start:3611387,end:3612220,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/tests/test_trees.py",start:3612220,end:3615057,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/tests/test_stochastic.py",start:3615057,end:3617105,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/tests/test_random_clustered.py",start:3617105,end:3618078,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/tests/test_atlas.py",start:3618078,end:3620736,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/tests/test_directed.py",start:3620736,end:3625139,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/tests/test_triads.py",start:3625139,end:3625724,audio:0},{filename:"/lib/python3.7/site-packages/networkx/generators/tests/test_geometric.py",start:3625724,end:3637559,audio:0},{filename:"/lib/python3.7/site-packages/networkx/utils/random_sequence.py",start:3637559,end:3641975,audio:0},{filename:"/lib/python3.7/site-packages/networkx/utils/rcm.py",start:3641975,end:3646884,audio:0},{filename:"/lib/python3.7/site-packages/networkx/utils/heaps.py",start:3646884,end:3657996,audio:0},{filename:"/lib/python3.7/site-packages/networkx/utils/__init__.py",start:3657996,end:3658268,audio:0},{filename:"/lib/python3.7/site-packages/networkx/utils/contextmanagers.py",start:3658268,end:3658900,audio:0},{filename:"/lib/python3.7/site-packages/networkx/utils/misc.py",start:3658900,end:3671195,audio:0},{filename:"/lib/python3.7/site-packages/networkx/utils/mapped_queue.py",start:3671195,end:3677490,audio:0},{filename:"/lib/python3.7/site-packages/networkx/utils/union_find.py",start:3677490,end:3680933,audio:0},{filename:"/lib/python3.7/site-packages/networkx/utils/decorators.py",start:3680933,end:3695662,audio:0},{filename:"/lib/python3.7/site-packages/networkx/utils/tests/test_unionfind.py",start:3695662,end:3696086,audio:0},{filename:"/lib/python3.7/site-packages/networkx/utils/tests/test_contextmanager.py",start:3696086,end:3696474,audio:0},{filename:"/lib/python3.7/site-packages/networkx/utils/tests/test_random_sequence.py",start:3696474,end:3697463,audio:0},{filename:"/lib/python3.7/site-packages/networkx/utils/tests/test_decorators.py",start:3697463,end:3706175,audio:0},{filename:"/lib/python3.7/site-packages/networkx/utils/tests/test_mapped_queue.py",start:3706175,end:3710867,audio:0},{filename:"/lib/python3.7/site-packages/networkx/utils/tests/test_heaps.py",start:3710867,end:3714632,audio:0},{filename:"/lib/python3.7/site-packages/networkx/utils/tests/test_misc.py",start:3714632,end:3721321,audio:0},{filename:"/lib/python3.7/site-packages/networkx/utils/tests/test_rcm.py",start:3721321,end:3722658,audio:0},{filename:"/lib/python3.7/site-packages/networkx/testing/__init__.py",start:3722658,end:3722695,audio:0},{filename:"/lib/python3.7/site-packages/networkx/testing/utils.py",start:3722695,end:3724424,audio:0},{filename:"/lib/python3.7/site-packages/networkx/testing/tests/test_utils.py",start:3724424,end:3729469,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/multidigraph.py",start:3729469,end:3761142,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/multigraph.py",start:3761142,end:3801101,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/__init__.py",start:3801101,end:3801416,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/coreviews.py",start:3801416,end:3815094,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/function.py",start:3815094,end:3848816,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/digraph.py",start:3848816,end:3890323,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/ordered.py",start:3890323,end:3893022,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/graph.py",start:3893022,end:3958740,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/filters.py",start:3958740,end:3960801,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/reportviews.py",start:3960801,end:3999234,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/graphviews.py",start:3999234,end:4005187,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/tests/test_reportviews.py",start:4005187,end:4040379,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/tests/test_graph_historical.py",start:4040379,end:4040676,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/tests/test_coreviews.py",start:4040676,end:4053448,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/tests/test_ordered.py",start:4053448,end:4054695,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/tests/test_graphviews.py",start:4054695,end:4066700,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/tests/test_filters.py",start:4066700,end:4072968,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/tests/test_digraph_historical.py",start:4072968,end:4076840,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/tests/test_function.py",start:4076840,end:4098438,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/tests/historical_tests.py",start:4098438,end:4115004,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/tests/test_graph.py",start:4115004,end:4142617,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/tests/test_special.py",start:4142617,end:4147627,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/tests/test_multigraph.py",start:4147627,end:4160761,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/tests/test_subgraphviews.py",start:4160761,end:4174048,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/tests/test_multidigraph.py",start:4174048,end:4188846,audio:0},{filename:"/lib/python3.7/site-packages/networkx/classes/tests/test_digraph.py",start:4188846,end:4199919,audio:0},{filename:"/lib/python3.7/site-packages/networkx/drawing/layout.py",start:4199919,end:4227882,audio:0},{filename:"/lib/python3.7/site-packages/networkx/drawing/__init__.py",start:4227882,end:4228018,audio:0},{filename:"/lib/python3.7/site-packages/networkx/drawing/nx_pylab.py",start:4228018,end:4265151,audio:0},{filename:"/lib/python3.7/site-packages/networkx/drawing/nx_pydot.py",start:4265151,end:4276206,audio:0},{filename:"/lib/python3.7/site-packages/networkx/drawing/nx_agraph.py",start:4276206,end:4290602,audio:0},{filename:"/lib/python3.7/site-packages/networkx/drawing/tests/test_pylab.py",start:4290602,end:4294601,audio:0},{filename:"/lib/python3.7/site-packages/networkx/drawing/tests/test_pydot.py",start:4294601,end:4298433,audio:0},{filename:"/lib/python3.7/site-packages/networkx/drawing/tests/test_layout.py",start:4298433,end:4309575,audio:0},{filename:"/lib/python3.7/site-packages/networkx/drawing/tests/test_agraph.py",start:4309575,end:4312837,audio:0},{filename:"/lib/python3.7/site-packages/networkx-2.2-py3.7.egg-info/SOURCES.txt",start:4312837,end:4342310,audio:0},{filename:"/lib/python3.7/site-packages/networkx-2.2-py3.7.egg-info/not-zip-safe",start:4342310,end:4342311,audio:0},{filename:"/lib/python3.7/site-packages/networkx-2.2-py3.7.egg-info/top_level.txt",start:4342311,end:4342320,audio:0},{filename:"/lib/python3.7/site-packages/networkx-2.2-py3.7.egg-info/dependency_links.txt",start:4342320,end:4342321,audio:0},{filename:"/lib/python3.7/site-packages/networkx-2.2-py3.7.egg-info/requires.txt",start:4342321,end:4342582,audio:0},{filename:"/lib/python3.7/site-packages/networkx-2.2-py3.7.egg-info/PKG-INFO",start:4342582,end:4344390,audio:0},{filename:"/share/doc/networkx-2.2/requirements.txt",start:4344390,end:4344443,audio:0},{filename:"/share/doc/networkx-2.2/LICENSE.txt",start:4344443,end:4346223,audio:0},{filename:"/share/doc/networkx-2.2/examples/README.txt",start:4346223,end:4346410,audio:0},{filename:"/share/doc/networkx-2.2/examples/algorithms/plot_krackhardt_centrality.py",start:4346410,end:4347309,audio:0},{filename:"/share/doc/networkx-2.2/examples/algorithms/rcm.py",start:4347309,end:4348278,audio:0},{filename:"/share/doc/networkx-2.2/examples/algorithms/plot_blockmodel.py",start:4348278,end:4351163,audio:0},{filename:"/share/doc/networkx-2.2/examples/algorithms/hartford_drug.edgelist",start:4351163,end:4353498,audio:0},{filename:"/share/doc/networkx-2.2/examples/algorithms/README.txt",start:4353498,end:4353520,audio:0},{filename:"/share/doc/networkx-2.2/examples/algorithms/beam_search.py",start:4353520,end:4357350,audio:0},{filename:"/share/doc/networkx-2.2/examples/algorithms/plot_davis_club.py",start:4357350,end:4358501,audio:0},{filename:"/share/doc/networkx-2.2/examples/advanced/plot_parallel_betweenness.py",start:4358501,end:4361373,audio:0},{filename:"/share/doc/networkx-2.2/examples/advanced/iterated_dynamical_systems.py",start:4361373,end:4367413,audio:0},{filename:"/share/doc/networkx-2.2/examples/advanced/plot_eigenvalues.py",start:4367413,end:4367918,audio:0},{filename:"/share/doc/networkx-2.2/examples/advanced/plot_heavy_metal_umlaut.py",start:4367918,end:4369902,audio:0},{filename:"/share/doc/networkx-2.2/examples/advanced/README.txt",start:4369902,end:4369920,audio:0},{filename:"/share/doc/networkx-2.2/examples/subclass/plot_printgraph.py",start:4369920,end:4372570,audio:0},{filename:"/share/doc/networkx-2.2/examples/subclass/README.txt",start:4372570,end:4372588,audio:0},{filename:"/share/doc/networkx-2.2/examples/subclass/plot_antigraph.py",start:4372588,end:4378652,audio:0},{filename:"/share/doc/networkx-2.2/examples/javascript/force.py",start:4378652,end:4379802,audio:0},{filename:"/share/doc/networkx-2.2/examples/javascript/README.txt",start:4379802,end:4379824,audio:0},{filename:"/share/doc/networkx-2.2/examples/javascript/force/force.css",start:4379824,end:4379933,audio:0},{filename:"/share/doc/networkx-2.2/examples/javascript/force/force.js",start:4379933,end:4381578,audio:0},{filename:"/share/doc/networkx-2.2/examples/javascript/force/force.html",start:4381578,end:4381947,audio:0},{filename:"/share/doc/networkx-2.2/examples/javascript/force/README.txt",start:4381947,end:4382194,audio:0},{filename:"/share/doc/networkx-2.2/examples/basic/plot_properties.py",start:4382194,end:4383424,audio:0},{filename:"/share/doc/networkx-2.2/examples/basic/plot_read_write.py",start:4383424,end:4384290,audio:0},{filename:"/share/doc/networkx-2.2/examples/basic/README.txt",start:4384290,end:4384302,audio:0},{filename:"/share/doc/networkx-2.2/examples/3d_drawing/mayavi2_spring.py",start:4384302,end:4385450,audio:0},{filename:"/share/doc/networkx-2.2/examples/3d_drawing/README.txt",start:4385450,end:4385472,audio:0},{filename:"/share/doc/networkx-2.2/examples/graph/words_dat.txt.gz",start:4385472,end:4419167,audio:0},{filename:"/share/doc/networkx-2.2/examples/graph/plot_erdos_renyi.py",start:4419167,end:4420186,audio:0},{filename:"/share/doc/networkx-2.2/examples/graph/words.py",start:4420186,end:4423002,audio:0},{filename:"/share/doc/networkx-2.2/examples/graph/plot_karate_club.py",start:4423002,end:4423531,audio:0},{filename:"/share/doc/networkx-2.2/examples/graph/plot_napoleon_russian_campaign.py",start:4423531,end:4426731,audio:0},{filename:"/share/doc/networkx-2.2/examples/graph/atlas2.py",start:4426731,end:4427627,audio:0},{filename:"/share/doc/networkx-2.2/examples/graph/roget_dat.txt.gz",start:4427627,end:4443385,audio:0},{filename:"/share/doc/networkx-2.2/examples/graph/plot_football.py",start:4443385,end:4444855,audio:0},{filename:"/share/doc/networkx-2.2/examples/graph/expected_degree_sequence.py",start:4444855,end:4445732,audio:0},{filename:"/share/doc/networkx-2.2/examples/graph/README.txt",start:4445732,end:4445744,audio:0},{filename:"/share/doc/networkx-2.2/examples/graph/plot_degree_sequence.py",start:4445744,end:4446703,audio:0},{filename:"/share/doc/networkx-2.2/examples/graph/plot_roget.py",start:4446703,end:4449378,audio:0},{filename:"/share/doc/networkx-2.2/examples/jit/plot_rgraph.py",start:4449378,end:4450213,audio:0},{filename:"/share/doc/networkx-2.2/examples/jit/README.txt",start:4450213,end:4450221,audio:0},{filename:"/share/doc/networkx-2.2/examples/pygraphviz/pygraphviz_draw.py",start:4450221,end:4450971,audio:0},{filename:"/share/doc/networkx-2.2/examples/pygraphviz/pygraphviz_attributes.py",start:4450971,end:4452066,audio:0},{filename:"/share/doc/networkx-2.2/examples/pygraphviz/write_dotfile.py",start:4452066,end:4453333,audio:0},{filename:"/share/doc/networkx-2.2/examples/pygraphviz/pygraphviz_simple.py",start:4453333,end:4454284,audio:0},{filename:"/share/doc/networkx-2.2/examples/pygraphviz/README.txt",start:4454284,end:4454306,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/plot_random_geometric_graph.py",start:4454306,end:4455234,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/plot_four_grids.py",start:4455234,end:4456072,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/plot_unix_email.py",start:4456072,end:4458493,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/plot_directed.py",start:4458493,end:4459670,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/plot_weighted_graph.py",start:4459670,end:4460686,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/plot_degree_rank.py",start:4460686,end:4461518,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/plot_sampson.py",start:4461518,end:4462969,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/plot_labels_and_colors.py",start:4462969,end:4464363,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/plot_edge_colormap.py",start:4464363,end:4464821,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/knuth_miles.txt.gz",start:4464821,end:4485138,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/plot_ego_graph.py",start:4485138,end:4486104,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/lanl_routes.edgelist",start:4486104,end:4505112,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/plot_giant_component.py",start:4505112,end:4507373,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/plot_node_colormap.py",start:4507373,end:4507782,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/plot_degree_histogram.py",start:4507782,end:4508730,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/plot_chess_masters.py",start:4508730,end:4513765,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/plot_house_with_colors.py",start:4513765,end:4514388,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/plot_knuth_miles.py",start:4514388,end:4517289,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/unix_email.mbox",start:4517289,end:4518998,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/plot_simple_path.py",start:4518998,end:4519193,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/README.txt",start:4519193,end:4519209,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/plot_spectral_grid.py",start:4519209,end:4520812,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/plot_atlas.py",start:4520812,end:4523572,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/plot_lanl_routes.py",start:4523572,end:4525777,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/chess_masters_WCC.pgn.bz2",start:4525777,end:4626001,audio:0},{filename:"/share/doc/networkx-2.2/examples/drawing/plot_circular_tree.py",start:4626001,end:4626662,audio:0}],remote_package_size:2682793,package_uuid:"801f74c3-5c05-45f6-ab62-0f54bb480bdf"})})(); |
import PropTypes from 'prop-types';
import classNames from 'classnames';
import Avatar from 'components/avatar';
import Markdown from 'components/markdown';
import Itch from 'svg/itch.svg';
import Twitter from 'svg/twitter.svg';
import Instagram from 'svg/insta.svg';
import Web from 'svg/web.svg';
import style from './style.module.css';
function Manita({
title,
subtitle,
avatar,
description,
itchio,
twitter,
web,
instagram,
className,
flipped,
}) {
const customClassName = classNames(style.manita, 'manita', className, {
[style['-flipped']]: flipped,
});
const links = [
{
label: `@${twitter}`,
url: `https://twitter.com/${twitter}`,
icon: <Twitter />,
},
{
label: instagram,
url: `https://instagram.com/${instagram}`,
icon: <Instagram />,
},
{
label: 'web',
url: web,
icon: <Web />,
},
{
label: 'itchio',
url: itchio,
icon: <Itch />,
},
];
return (
<article className={customClassName}>
<Avatar
className={style['manita-media']}
flipped={flipped}
src={avatar}
alt={title}
/>
<div className={style['manita-info']}>
<header className={style['manita-header']}>
<h2>{title}</h2>
<h3>{subtitle}</h3>
</header>
<Markdown className={style['manita-description']}>
{description}
</Markdown>
<ul className={style['manita-links']}>
{links.map((link) => {
return (
<li key={link.url}>
<a rel="noopener noreferrer" target="_blank" href={link.url}>
{link.icon ? link.icon : link.label}
</a>
</li>
);
})}
</ul>
</div>
</article>
);
}
Manita.propTypes = {
className: PropTypes.string,
title: PropTypes.string.isRequired,
subtitle: PropTypes.string.isRequired,
avatar: PropTypes.string.isRequired,
description: PropTypes.string.isRequired,
itchio: PropTypes.string.isRequired,
twitter: PropTypes.string.isRequired,
web: PropTypes.string.isRequired,
instagram: PropTypes.string.isRequired,
flipped: PropTypes.bool,
};
Manita.defaultProps = {
className: null,
flipped: false,
};
export default Manita;
|
/*! For license information please see index.js.LICENSE.txt */
!function(e,t){"object"==typeof exports&&"object"==typeof module?module.exports=t():"function"==typeof define&&define.amd?define([],t):"object"==typeof exports?exports.DiAnalytics=t():e.DiAnalytics=t()}(self,(function(){return(()=>{var __webpack_modules__={5078:(e,t,r)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=r(655),i=r(2403),o=function(){function e(){this._semaphore=new i.default(1)}return e.prototype.acquire=function(){return n.__awaiter(this,void 0,void 0,(function(){return n.__generator(this,(function(e){switch(e.label){case 0:return[4,this._semaphore.acquire()];case 1:return[2,e.sent()[1]]}}))}))},e.prototype.runExclusive=function(e){return this._semaphore.runExclusive((function(){return e()}))},e.prototype.isLocked=function(){return this._semaphore.isLocked()},e.prototype.release=function(){this._semaphore.release()},e}();t.default=o},2403:(e,t,r)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=r(655),i=function(){function e(e){if(this._maxConcurrency=e,this._queue=[],e<=0)throw new Error("semaphore must be initialized to a positive value");this._value=e}return e.prototype.acquire=function(){var e=this,t=this.isLocked(),r=new Promise((function(t){return e._queue.push(t)}));return t||this._dispatch(),r},e.prototype.runExclusive=function(e){return n.__awaiter(this,void 0,void 0,(function(){var t,r,i;return n.__generator(this,(function(n){switch(n.label){case 0:return[4,this.acquire()];case 1:t=n.sent(),r=t[0],i=t[1],n.label=2;case 2:return n.trys.push([2,,4,5]),[4,e(r)];case 3:return[2,n.sent()];case 4:return i(),[7];case 5:return[2]}}))}))},e.prototype.isLocked=function(){return this._value<=0},e.prototype.release=function(){if(this._maxConcurrency>1)throw new Error("this method is unavailabel on semaphores with concurrency > 1; use the scoped release returned by acquire instead");if(this._currentReleaser){var e=this._currentReleaser;this._currentReleaser=void 0,e()}},e.prototype._dispatch=function(){var e=this,t=this._queue.shift();if(t){var r=!1;this._currentReleaser=function(){r||(r=!0,e._value++,e._dispatch())},t([this._value--,this._currentReleaser])}},e}();t.default=i},8125:(e,t,r)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.withTimeout=t.Semaphore=t.Mutex=void 0;var n=r(5078);Object.defineProperty(t,"Mutex",{enumerable:!0,get:function(){return n.default}});var i=r(2403);Object.defineProperty(t,"Semaphore",{enumerable:!0,get:function(){return i.default}});var o=r(1960);Object.defineProperty(t,"withTimeout",{enumerable:!0,get:function(){return o.withTimeout}})},1960:(e,t,r)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.withTimeout=void 0;var n=r(655);t.withTimeout=function(e,t,r){var i=this;return void 0===r&&(r=new Error("timeout")),{acquire:function(){return new Promise((function(o,s){return n.__awaiter(i,void 0,void 0,(function(){var i,a;return n.__generator(this,(function(n){switch(n.label){case 0:return i=!1,setTimeout((function(){i=!0,s(r)}),t),[4,e.acquire()];case 1:return a=n.sent(),i?(Array.isArray(a)?a[1]:a)():o(a),[2]}}))}))}))},runExclusive:function(e){return n.__awaiter(this,void 0,void 0,(function(){var t,r;return n.__generator(this,(function(n){switch(n.label){case 0:t=function(){},n.label=1;case 1:return n.trys.push([1,,7,8]),[4,this.acquire()];case 2:return r=n.sent(),Array.isArray(r)?(t=r[1],[4,e(r[0])]):[3,4];case 3:return[2,n.sent()];case 4:return t=r,[4,e()];case 5:return[2,n.sent()];case 6:return[3,8];case 7:return t(),[7];case 8:return[2]}}))}))},release:function(){e.release()},isLocked:function(){return e.isLocked()}}}},9669:(e,t,r)=>{e.exports=r(1609)},5448:(e,t,r)=>{"use strict";var n=r(4867),i=r(6026),o=r(4372),s=r(5327),a=r(4097),u=r(4109),c=r(7985),l=r(5061);e.exports=function(e){return new Promise((function(t,r){var f=e.data,d=e.headers;n.isFormData(f)&&delete d["Content-Type"],(n.isBlob(f)||n.isFile(f))&&f.type&&delete d["Content-Type"];var p=new XMLHttpRequest;if(e.auth){var h=e.auth.username||"",v=unescape(encodeURIComponent(e.auth.password))||"";d.Authorization="Basic "+btoa(h+":"+v)}var g=a(e.baseURL,e.url);if(p.open(e.method.toUpperCase(),s(g,e.params,e.paramsSerializer),!0),p.timeout=e.timeout,p.onreadystatechange=function(){if(p&&4===p.readyState&&(0!==p.status||p.responseURL&&0===p.responseURL.indexOf("file:"))){var n="getAllResponseHeaders"in p?u(p.getAllResponseHeaders()):null,o={data:e.responseType&&"text"!==e.responseType?p.response:p.responseText,status:p.status,statusText:p.statusText,headers:n,config:e,request:p};i(t,r,o),p=null}},p.onabort=function(){p&&(r(l("Request aborted",e,"ECONNABORTED",p)),p=null)},p.onerror=function(){r(l("Network Error",e,null,p)),p=null},p.ontimeout=function(){var t="timeout of "+e.timeout+"ms exceeded";e.timeoutErrorMessage&&(t=e.timeoutErrorMessage),r(l(t,e,"ECONNABORTED",p)),p=null},n.isStandardBrowserEnv()){var y=(e.withCredentials||c(g))&&e.xsrfCookieName?o.read(e.xsrfCookieName):void 0;y&&(d[e.xsrfHeaderName]=y)}if("setRequestHeader"in p&&n.forEach(d,(function(e,t){void 0===f&&"content-type"===t.toLowerCase()?delete d[t]:p.setRequestHeader(t,e)})),n.isUndefined(e.withCredentials)||(p.withCredentials=!!e.withCredentials),e.responseType)try{p.responseType=e.responseType}catch(t){if("json"!==e.responseType)throw t}"function"==typeof e.onDownloadProgress&&p.addEventListener("progress",e.onDownloadProgress),"function"==typeof e.onUploadProgress&&p.upload&&p.upload.addEventListener("progress",e.onUploadProgress),e.cancelToken&&e.cancelToken.promise.then((function(e){p&&(p.abort(),r(e),p=null)})),f||(f=null),p.send(f)}))}},1609:(e,t,r)=>{"use strict";var n=r(4867),i=r(1849),o=r(321),s=r(7185);function a(e){var t=new o(e),r=i(o.prototype.request,t);return n.extend(r,o.prototype,t),n.extend(r,t),r}var u=a(r(5655));u.Axios=o,u.create=function(e){return a(s(u.defaults,e))},u.Cancel=r(5263),u.CancelToken=r(4972),u.isCancel=r(6502),u.all=function(e){return Promise.all(e)},u.spread=r(8713),e.exports=u,e.exports.default=u},5263:e=>{"use strict";function t(e){this.message=e}t.prototype.toString=function(){return"Cancel"+(this.message?": "+this.message:"")},t.prototype.__CANCEL__=!0,e.exports=t},4972:(e,t,r)=>{"use strict";var n=r(5263);function i(e){if("function"!=typeof e)throw new TypeError("executor must be a function.");var t;this.promise=new Promise((function(e){t=e}));var r=this;e((function(e){r.reason||(r.reason=new n(e),t(r.reason))}))}i.prototype.throwIfRequested=function(){if(this.reason)throw this.reason},i.source=function(){var e;return{token:new i((function(t){e=t})),cancel:e}},e.exports=i},6502:e=>{"use strict";e.exports=function(e){return!(!e||!e.__CANCEL__)}},321:(e,t,r)=>{"use strict";var n=r(4867),i=r(5327),o=r(782),s=r(3572),a=r(7185);function u(e){this.defaults=e,this.interceptors={request:new o,response:new o}}u.prototype.request=function(e){"string"==typeof e?(e=arguments[1]||{}).url=arguments[0]:e=e||{},(e=a(this.defaults,e)).method?e.method=e.method.toLowerCase():this.defaults.method?e.method=this.defaults.method.toLowerCase():e.method="get";var t=[s,void 0],r=Promise.resolve(e);for(this.interceptors.request.forEach((function(e){t.unshift(e.fulfilled,e.rejected)})),this.interceptors.response.forEach((function(e){t.push(e.fulfilled,e.rejected)}));t.length;)r=r.then(t.shift(),t.shift());return r},u.prototype.getUri=function(e){return e=a(this.defaults,e),i(e.url,e.params,e.paramsSerializer).replace(/^\?/,"")},n.forEach(["delete","get","head","options"],(function(e){u.prototype[e]=function(t,r){return this.request(a(r||{},{method:e,url:t}))}})),n.forEach(["post","put","patch"],(function(e){u.prototype[e]=function(t,r,n){return this.request(a(n||{},{method:e,url:t,data:r}))}})),e.exports=u},782:(e,t,r)=>{"use strict";var n=r(4867);function i(){this.handlers=[]}i.prototype.use=function(e,t){return this.handlers.push({fulfilled:e,rejected:t}),this.handlers.length-1},i.prototype.eject=function(e){this.handlers[e]&&(this.handlers[e]=null)},i.prototype.forEach=function(e){n.forEach(this.handlers,(function(t){null!==t&&e(t)}))},e.exports=i},4097:(e,t,r)=>{"use strict";var n=r(1793),i=r(7303);e.exports=function(e,t){return e&&!n(t)?i(e,t):t}},5061:(e,t,r)=>{"use strict";var n=r(481);e.exports=function(e,t,r,i,o){var s=new Error(e);return n(s,t,r,i,o)}},3572:(e,t,r)=>{"use strict";var n=r(4867),i=r(8527),o=r(6502),s=r(5655);function a(e){e.cancelToken&&e.cancelToken.throwIfRequested()}e.exports=function(e){return a(e),e.headers=e.headers||{},e.data=i(e.data,e.headers,e.transformRequest),e.headers=n.merge(e.headers.common||{},e.headers[e.method]||{},e.headers),n.forEach(["delete","get","head","post","put","patch","common"],(function(t){delete e.headers[t]})),(e.adapter||s.adapter)(e).then((function(t){return a(e),t.data=i(t.data,t.headers,e.transformResponse),t}),(function(t){return o(t)||(a(e),t&&t.response&&(t.response.data=i(t.response.data,t.response.headers,e.transformResponse))),Promise.reject(t)}))}},481:e=>{"use strict";e.exports=function(e,t,r,n,i){return e.config=t,r&&(e.code=r),e.request=n,e.response=i,e.isAxiosError=!0,e.toJSON=function(){return{message:this.message,name:this.name,description:this.description,number:this.number,fileName:this.fileName,lineNumber:this.lineNumber,columnNumber:this.columnNumber,stack:this.stack,config:this.config,code:this.code}},e}},7185:(e,t,r)=>{"use strict";var n=r(4867);e.exports=function(e,t){t=t||{};var r={},i=["url","method","data"],o=["headers","auth","proxy","params"],s=["baseURL","transformRequest","transformResponse","paramsSerializer","timeout","timeoutMessage","withCredentials","adapter","responseType","xsrfCookieName","xsrfHeaderName","onUploadProgress","onDownloadProgress","decompress","maxContentLength","maxBodyLength","maxRedirects","transport","httpAgent","httpsAgent","cancelToken","socketPath","responseEncoding"],a=["validateStatus"];function u(e,t){return n.isPlainObject(e)&&n.isPlainObject(t)?n.merge(e,t):n.isPlainObject(t)?n.merge({},t):n.isArray(t)?t.slice():t}function c(i){n.isUndefined(t[i])?n.isUndefined(e[i])||(r[i]=u(void 0,e[i])):r[i]=u(e[i],t[i])}n.forEach(i,(function(e){n.isUndefined(t[e])||(r[e]=u(void 0,t[e]))})),n.forEach(o,c),n.forEach(s,(function(i){n.isUndefined(t[i])?n.isUndefined(e[i])||(r[i]=u(void 0,e[i])):r[i]=u(void 0,t[i])})),n.forEach(a,(function(n){n in t?r[n]=u(e[n],t[n]):n in e&&(r[n]=u(void 0,e[n]))}));var l=i.concat(o).concat(s).concat(a),f=Object.keys(e).concat(Object.keys(t)).filter((function(e){return-1===l.indexOf(e)}));return n.forEach(f,c),r}},6026:(e,t,r)=>{"use strict";var n=r(5061);e.exports=function(e,t,r){var i=r.config.validateStatus;r.status&&i&&!i(r.status)?t(n("Request failed with status code "+r.status,r.config,null,r.request,r)):e(r)}},8527:(e,t,r)=>{"use strict";var n=r(4867);e.exports=function(e,t,r){return n.forEach(r,(function(r){e=r(e,t)})),e}},5655:(e,t,r)=>{"use strict";var n=r(4867),i=r(6016),o={"Content-Type":"application/x-www-form-urlencoded"};function s(e,t){!n.isUndefined(e)&&n.isUndefined(e["Content-Type"])&&(e["Content-Type"]=t)}var a,u={adapter:(("undefined"!=typeof XMLHttpRequest||"undefined"!=typeof process&&"[object process]"===Object.prototype.toString.call(process))&&(a=r(5448)),a),transformRequest:[function(e,t){return i(t,"Accept"),i(t,"Content-Type"),n.isFormData(e)||n.isArrayBuffer(e)||n.isBuffer(e)||n.isStream(e)||n.isFile(e)||n.isBlob(e)?e:n.isArrayBufferView(e)?e.buffer:n.isURLSearchParams(e)?(s(t,"application/x-www-form-urlencoded;charset=utf-8"),e.toString()):n.isObject(e)?(s(t,"application/json;charset=utf-8"),JSON.stringify(e)):e}],transformResponse:[function(e){if("string"==typeof e)try{e=JSON.parse(e)}catch(e){}return e}],timeout:0,xsrfCookieName:"XSRF-TOKEN",xsrfHeaderName:"X-XSRF-TOKEN",maxContentLength:-1,maxBodyLength:-1,validateStatus:function(e){return e>=200&&e<300},headers:{common:{Accept:"application/json, text/plain, */*"}}};n.forEach(["delete","get","head"],(function(e){u.headers[e]={}})),n.forEach(["post","put","patch"],(function(e){u.headers[e]=n.merge(o)})),e.exports=u},1849:e=>{"use strict";e.exports=function(e,t){return function(){for(var r=new Array(arguments.length),n=0;n<r.length;n++)r[n]=arguments[n];return e.apply(t,r)}}},5327:(e,t,r)=>{"use strict";var n=r(4867);function i(e){return encodeURIComponent(e).replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}e.exports=function(e,t,r){if(!t)return e;var o;if(r)o=r(t);else if(n.isURLSearchParams(t))o=t.toString();else{var s=[];n.forEach(t,(function(e,t){null!=e&&(n.isArray(e)?t+="[]":e=[e],n.forEach(e,(function(e){n.isDate(e)?e=e.toISOString():n.isObject(e)&&(e=JSON.stringify(e)),s.push(i(t)+"="+i(e))})))})),o=s.join("&")}if(o){var a=e.indexOf("#");-1!==a&&(e=e.slice(0,a)),e+=(-1===e.indexOf("?")?"?":"&")+o}return e}},7303:e=>{"use strict";e.exports=function(e,t){return t?e.replace(/\/+$/,"")+"/"+t.replace(/^\/+/,""):e}},4372:(e,t,r)=>{"use strict";var n=r(4867);e.exports=n.isStandardBrowserEnv()?{write:function(e,t,r,i,o,s){var a=[];a.push(e+"="+encodeURIComponent(t)),n.isNumber(r)&&a.push("expires="+new Date(r).toGMTString()),n.isString(i)&&a.push("path="+i),n.isString(o)&&a.push("domain="+o),!0===s&&a.push("secure"),document.cookie=a.join("; ")},read:function(e){var t=document.cookie.match(new RegExp("(^|;\\s*)("+e+")=([^;]*)"));return t?decodeURIComponent(t[3]):null},remove:function(e){this.write(e,"",Date.now()-864e5)}}:{write:function(){},read:function(){return null},remove:function(){}}},1793:e=>{"use strict";e.exports=function(e){return/^([a-z][a-z\d\+\-\.]*:)?\/\//i.test(e)}},7985:(e,t,r)=>{"use strict";var n=r(4867);e.exports=n.isStandardBrowserEnv()?function(){var e,t=/(msie|trident)/i.test(navigator.userAgent),r=document.createElement("a");function i(e){var n=e;return t&&(r.setAttribute("href",n),n=r.href),r.setAttribute("href",n),{href:r.href,protocol:r.protocol?r.protocol.replace(/:$/,""):"",host:r.host,search:r.search?r.search.replace(/^\?/,""):"",hash:r.hash?r.hash.replace(/^#/,""):"",hostname:r.hostname,port:r.port,pathname:"/"===r.pathname.charAt(0)?r.pathname:"/"+r.pathname}}return e=i(window.location.href),function(t){var r=n.isString(t)?i(t):t;return r.protocol===e.protocol&&r.host===e.host}}():function(){return!0}},6016:(e,t,r)=>{"use strict";var n=r(4867);e.exports=function(e,t){n.forEach(e,(function(r,n){n!==t&&n.toUpperCase()===t.toUpperCase()&&(e[t]=r,delete e[n])}))}},4109:(e,t,r)=>{"use strict";var n=r(4867),i=["age","authorization","content-length","content-type","etag","expires","from","host","if-modified-since","if-unmodified-since","last-modified","location","max-forwards","proxy-authorization","referer","retry-after","user-agent"];e.exports=function(e){var t,r,o,s={};return e?(n.forEach(e.split("\n"),(function(e){if(o=e.indexOf(":"),t=n.trim(e.substr(0,o)).toLowerCase(),r=n.trim(e.substr(o+1)),t){if(s[t]&&i.indexOf(t)>=0)return;s[t]="set-cookie"===t?(s[t]?s[t]:[]).concat([r]):s[t]?s[t]+", "+r:r}})),s):s}},8713:e=>{"use strict";e.exports=function(e){return function(t){return e.apply(null,t)}}},4867:(e,t,r)=>{"use strict";var n=r(1849),i=Object.prototype.toString;function o(e){return"[object Array]"===i.call(e)}function s(e){return void 0===e}function a(e){return null!==e&&"object"==typeof e}function u(e){if("[object Object]"!==i.call(e))return!1;var t=Object.getPrototypeOf(e);return null===t||t===Object.prototype}function c(e){return"[object Function]"===i.call(e)}function l(e,t){if(null!=e)if("object"!=typeof e&&(e=[e]),o(e))for(var r=0,n=e.length;r<n;r++)t.call(null,e[r],r,e);else for(var i in e)Object.prototype.hasOwnProperty.call(e,i)&&t.call(null,e[i],i,e)}e.exports={isArray:o,isArrayBuffer:function(e){return"[object ArrayBuffer]"===i.call(e)},isBuffer:function(e){return null!==e&&!s(e)&&null!==e.constructor&&!s(e.constructor)&&"function"==typeof e.constructor.isBuffer&&e.constructor.isBuffer(e)},isFormData:function(e){return"undefined"!=typeof FormData&&e instanceof FormData},isArrayBufferView:function(e){return"undefined"!=typeof ArrayBuffer&&ArrayBuffer.isView?ArrayBuffer.isView(e):e&&e.buffer&&e.buffer instanceof ArrayBuffer},isString:function(e){return"string"==typeof e},isNumber:function(e){return"number"==typeof e},isObject:a,isPlainObject:u,isUndefined:s,isDate:function(e){return"[object Date]"===i.call(e)},isFile:function(e){return"[object File]"===i.call(e)},isBlob:function(e){return"[object Blob]"===i.call(e)},isFunction:c,isStream:function(e){return a(e)&&c(e.pipe)},isURLSearchParams:function(e){return"undefined"!=typeof URLSearchParams&&e instanceof URLSearchParams},isStandardBrowserEnv:function(){return("undefined"==typeof navigator||"ReactNative"!==navigator.product&&"NativeScript"!==navigator.product&&"NS"!==navigator.product)&&"undefined"!=typeof window&&"undefined"!=typeof document},forEach:l,merge:function e(){var t={};function r(r,n){u(t[n])&&u(r)?t[n]=e(t[n],r):u(r)?t[n]=e({},r):o(r)?t[n]=r.slice():t[n]=r}for(var n=0,i=arguments.length;n<i;n++)l(arguments[n],r);return t},extend:function(e,t,r){return l(t,(function(t,i){e[i]=r&&"function"==typeof t?n(t,r):t})),e},trim:function(e){return e.replace(/^\s*/,"").replace(/\s*$/,"")},stripBOM:function(e){return 65279===e.charCodeAt(0)&&(e=e.slice(1)),e}}},1206:function(e){e.exports=function(e){var t={};function r(n){if(t[n])return t[n].exports;var i=t[n]={i:n,l:!1,exports:{}};return e[n].call(i.exports,i,i.exports,r),i.l=!0,i.exports}return r.m=e,r.c=t,r.d=function(e,t,n){r.o(e,t)||Object.defineProperty(e,t,{enumerable:!0,get:n})},r.r=function(e){"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},r.t=function(e,t){if(1&t&&(e=r(e)),8&t)return e;if(4&t&&"object"==typeof e&&e&&e.__esModule)return e;var n=Object.create(null);if(r.r(n),Object.defineProperty(n,"default",{enumerable:!0,value:e}),2&t&&"string"!=typeof e)for(var i in e)r.d(n,i,function(t){return e[t]}.bind(null,i));return n},r.n=function(e){var t=e&&e.__esModule?function(){return e.default}:function(){return e};return r.d(t,"a",t),t},r.o=function(e,t){return Object.prototype.hasOwnProperty.call(e,t)},r.p="",r(r.s=90)}({17:function(e,t,r){"use strict";t.__esModule=!0,t.default=void 0;var n=r(18),i=function(){function e(){}return e.getFirstMatch=function(e,t){var r=t.match(e);return r&&r.length>0&&r[1]||""},e.getSecondMatch=function(e,t){var r=t.match(e);return r&&r.length>1&&r[2]||""},e.matchAndReturnConst=function(e,t,r){if(e.test(t))return r},e.getWindowsVersionName=function(e){switch(e){case"NT":return"NT";case"XP":return"XP";case"NT 5.0":return"2000";case"NT 5.1":return"XP";case"NT 5.2":return"2003";case"NT 6.0":return"Vista";case"NT 6.1":return"7";case"NT 6.2":return"8";case"NT 6.3":return"8.1";case"NT 10.0":return"10";default:return}},e.getMacOSVersionName=function(e){var t=e.split(".").splice(0,2).map((function(e){return parseInt(e,10)||0}));if(t.push(0),10===t[0])switch(t[1]){case 5:return"Leopard";case 6:return"Snow Leopard";case 7:return"Lion";case 8:return"Mountain Lion";case 9:return"Mavericks";case 10:return"Yosemite";case 11:return"El Capitan";case 12:return"Sierra";case 13:return"High Sierra";case 14:return"Mojave";case 15:return"Catalina";default:return}},e.getAndroidVersionName=function(e){var t=e.split(".").splice(0,2).map((function(e){return parseInt(e,10)||0}));if(t.push(0),!(1===t[0]&&t[1]<5))return 1===t[0]&&t[1]<6?"Cupcake":1===t[0]&&t[1]>=6?"Donut":2===t[0]&&t[1]<2?"Eclair":2===t[0]&&2===t[1]?"Froyo":2===t[0]&&t[1]>2?"Gingerbread":3===t[0]?"Honeycomb":4===t[0]&&t[1]<1?"Ice Cream Sandwich":4===t[0]&&t[1]<4?"Jelly Bean":4===t[0]&&t[1]>=4?"KitKat":5===t[0]?"Lollipop":6===t[0]?"Marshmallow":7===t[0]?"Nougat":8===t[0]?"Oreo":9===t[0]?"Pie":void 0},e.getVersionPrecision=function(e){return e.split(".").length},e.compareVersions=function(t,r,n){void 0===n&&(n=!1);var i=e.getVersionPrecision(t),o=e.getVersionPrecision(r),s=Math.max(i,o),a=0,u=e.map([t,r],(function(t){var r=s-e.getVersionPrecision(t),n=t+new Array(r+1).join(".0");return e.map(n.split("."),(function(e){return new Array(20-e.length).join("0")+e})).reverse()}));for(n&&(a=s-Math.min(i,o)),s-=1;s>=a;){if(u[0][s]>u[1][s])return 1;if(u[0][s]===u[1][s]){if(s===a)return 0;s-=1}else if(u[0][s]<u[1][s])return-1}},e.map=function(e,t){var r,n=[];if(Array.prototype.map)return Array.prototype.map.call(e,t);for(r=0;r<e.length;r+=1)n.push(t(e[r]));return n},e.find=function(e,t){var r,n;if(Array.prototype.find)return Array.prototype.find.call(e,t);for(r=0,n=e.length;r<n;r+=1){var i=e[r];if(t(i,r))return i}},e.assign=function(e){for(var t,r,n=e,i=arguments.length,o=new Array(i>1?i-1:0),s=1;s<i;s++)o[s-1]=arguments[s];if(Object.assign)return Object.assign.apply(Object,[e].concat(o));var a=function(){var e=o[t];"object"==typeof e&&null!==e&&Object.keys(e).forEach((function(t){n[t]=e[t]}))};for(t=0,r=o.length;t<r;t+=1)a();return e},e.getBrowserAlias=function(e){return n.BROWSER_ALIASES_MAP[e]},e.getBrowserTypeByAlias=function(e){return n.BROWSER_MAP[e]||""},e}();t.default=i,e.exports=t.default},18:function(e,t,r){"use strict";t.__esModule=!0,t.ENGINE_MAP=t.OS_MAP=t.PLATFORMS_MAP=t.BROWSER_MAP=t.BROWSER_ALIASES_MAP=void 0,t.BROWSER_ALIASES_MAP={"Amazon Silk":"amazon_silk","Android Browser":"android",Bada:"bada",BlackBerry:"blackberry",Chrome:"chrome",Chromium:"chromium",Electron:"electron",Epiphany:"epiphany",Firefox:"firefox",Focus:"focus",Generic:"generic","Google Search":"google_search",Googlebot:"googlebot","Internet Explorer":"ie","K-Meleon":"k_meleon",Maxthon:"maxthon","Microsoft Edge":"edge","MZ Browser":"mz","NAVER Whale Browser":"naver",Opera:"opera","Opera Coast":"opera_coast",PhantomJS:"phantomjs",Puffin:"puffin",QupZilla:"qupzilla",QQ:"qq",QQLite:"qqlite",Safari:"safari",Sailfish:"sailfish","Samsung Internet for Android":"samsung_internet",SeaMonkey:"seamonkey",Sleipnir:"sleipnir",Swing:"swing",Tizen:"tizen","UC Browser":"uc",Vivaldi:"vivaldi","WebOS Browser":"webos",WeChat:"wechat","Yandex Browser":"yandex",Roku:"roku"},t.BROWSER_MAP={amazon_silk:"Amazon Silk",android:"Android Browser",bada:"Bada",blackberry:"BlackBerry",chrome:"Chrome",chromium:"Chromium",electron:"Electron",epiphany:"Epiphany",firefox:"Firefox",focus:"Focus",generic:"Generic",googlebot:"Googlebot",google_search:"Google Search",ie:"Internet Explorer",k_meleon:"K-Meleon",maxthon:"Maxthon",edge:"Microsoft Edge",mz:"MZ Browser",naver:"NAVER Whale Browser",opera:"Opera",opera_coast:"Opera Coast",phantomjs:"PhantomJS",puffin:"Puffin",qupzilla:"QupZilla",qq:"QQ Browser",qqlite:"QQ Browser Lite",safari:"Safari",sailfish:"Sailfish",samsung_internet:"Samsung Internet for Android",seamonkey:"SeaMonkey",sleipnir:"Sleipnir",swing:"Swing",tizen:"Tizen",uc:"UC Browser",vivaldi:"Vivaldi",webos:"WebOS Browser",wechat:"WeChat",yandex:"Yandex Browser"},t.PLATFORMS_MAP={tablet:"tablet",mobile:"mobile",desktop:"desktop",tv:"tv"},t.OS_MAP={WindowsPhone:"Windows Phone",Windows:"Windows",MacOS:"macOS",iOS:"iOS",Android:"Android",WebOS:"WebOS",BlackBerry:"BlackBerry",Bada:"Bada",Tizen:"Tizen",Linux:"Linux",ChromeOS:"Chrome OS",PlayStation4:"PlayStation 4",Roku:"Roku"},t.ENGINE_MAP={EdgeHTML:"EdgeHTML",Blink:"Blink",Trident:"Trident",Presto:"Presto",Gecko:"Gecko",WebKit:"WebKit"}},90:function(e,t,r){"use strict";t.__esModule=!0,t.default=void 0;var n,i=(n=r(91))&&n.__esModule?n:{default:n},o=r(18);function s(e,t){for(var r=0;r<t.length;r++){var n=t[r];n.enumerable=n.enumerable||!1,n.configurable=!0,"value"in n&&(n.writable=!0),Object.defineProperty(e,n.key,n)}}var a=function(){function e(){}var t,r;return e.getParser=function(e,t){if(void 0===t&&(t=!1),"string"!=typeof e)throw new Error("UserAgent should be a string");return new i.default(e,t)},e.parse=function(e){return new i.default(e).getResult()},t=e,r=[{key:"BROWSER_MAP",get:function(){return o.BROWSER_MAP}},{key:"ENGINE_MAP",get:function(){return o.ENGINE_MAP}},{key:"OS_MAP",get:function(){return o.OS_MAP}},{key:"PLATFORMS_MAP",get:function(){return o.PLATFORMS_MAP}}],null&&s(t.prototype,null),r&&s(t,r),e}();t.default=a,e.exports=t.default},91:function(e,t,r){"use strict";t.__esModule=!0,t.default=void 0;var n=u(r(92)),i=u(r(93)),o=u(r(94)),s=u(r(95)),a=u(r(17));function u(e){return e&&e.__esModule?e:{default:e}}var c=function(){function e(e,t){if(void 0===t&&(t=!1),null==e||""===e)throw new Error("UserAgent parameter can't be empty");this._ua=e,this.parsedResult={},!0!==t&&this.parse()}var t=e.prototype;return t.getUA=function(){return this._ua},t.test=function(e){return e.test(this._ua)},t.parseBrowser=function(){var e=this;this.parsedResult.browser={};var t=a.default.find(n.default,(function(t){if("function"==typeof t.test)return t.test(e);if(t.test instanceof Array)return t.test.some((function(t){return e.test(t)}));throw new Error("Browser's test function is not valid")}));return t&&(this.parsedResult.browser=t.describe(this.getUA())),this.parsedResult.browser},t.getBrowser=function(){return this.parsedResult.browser?this.parsedResult.browser:this.parseBrowser()},t.getBrowserName=function(e){return e?String(this.getBrowser().name).toLowerCase()||"":this.getBrowser().name||""},t.getBrowserVersion=function(){return this.getBrowser().version},t.getOS=function(){return this.parsedResult.os?this.parsedResult.os:this.parseOS()},t.parseOS=function(){var e=this;this.parsedResult.os={};var t=a.default.find(i.default,(function(t){if("function"==typeof t.test)return t.test(e);if(t.test instanceof Array)return t.test.some((function(t){return e.test(t)}));throw new Error("Browser's test function is not valid")}));return t&&(this.parsedResult.os=t.describe(this.getUA())),this.parsedResult.os},t.getOSName=function(e){var t=this.getOS().name;return e?String(t).toLowerCase()||"":t||""},t.getOSVersion=function(){return this.getOS().version},t.getPlatform=function(){return this.parsedResult.platform?this.parsedResult.platform:this.parsePlatform()},t.getPlatformType=function(e){void 0===e&&(e=!1);var t=this.getPlatform().type;return e?String(t).toLowerCase()||"":t||""},t.parsePlatform=function(){var e=this;this.parsedResult.platform={};var t=a.default.find(o.default,(function(t){if("function"==typeof t.test)return t.test(e);if(t.test instanceof Array)return t.test.some((function(t){return e.test(t)}));throw new Error("Browser's test function is not valid")}));return t&&(this.parsedResult.platform=t.describe(this.getUA())),this.parsedResult.platform},t.getEngine=function(){return this.parsedResult.engine?this.parsedResult.engine:this.parseEngine()},t.getEngineName=function(e){return e?String(this.getEngine().name).toLowerCase()||"":this.getEngine().name||""},t.parseEngine=function(){var e=this;this.parsedResult.engine={};var t=a.default.find(s.default,(function(t){if("function"==typeof t.test)return t.test(e);if(t.test instanceof Array)return t.test.some((function(t){return e.test(t)}));throw new Error("Browser's test function is not valid")}));return t&&(this.parsedResult.engine=t.describe(this.getUA())),this.parsedResult.engine},t.parse=function(){return this.parseBrowser(),this.parseOS(),this.parsePlatform(),this.parseEngine(),this},t.getResult=function(){return a.default.assign({},this.parsedResult)},t.satisfies=function(e){var t=this,r={},n=0,i={},o=0;if(Object.keys(e).forEach((function(t){var s=e[t];"string"==typeof s?(i[t]=s,o+=1):"object"==typeof s&&(r[t]=s,n+=1)})),n>0){var s=Object.keys(r),u=a.default.find(s,(function(e){return t.isOS(e)}));if(u){var c=this.satisfies(r[u]);if(void 0!==c)return c}var l=a.default.find(s,(function(e){return t.isPlatform(e)}));if(l){var f=this.satisfies(r[l]);if(void 0!==f)return f}}if(o>0){var d=Object.keys(i),p=a.default.find(d,(function(e){return t.isBrowser(e,!0)}));if(void 0!==p)return this.compareVersion(i[p])}},t.isBrowser=function(e,t){void 0===t&&(t=!1);var r=this.getBrowserName().toLowerCase(),n=e.toLowerCase(),i=a.default.getBrowserTypeByAlias(n);return t&&i&&(n=i.toLowerCase()),n===r},t.compareVersion=function(e){var t=[0],r=e,n=!1,i=this.getBrowserVersion();if("string"==typeof i)return">"===e[0]||"<"===e[0]?(r=e.substr(1),"="===e[1]?(n=!0,r=e.substr(2)):t=[],">"===e[0]?t.push(1):t.push(-1)):"="===e[0]?r=e.substr(1):"~"===e[0]&&(n=!0,r=e.substr(1)),t.indexOf(a.default.compareVersions(i,r,n))>-1},t.isOS=function(e){return this.getOSName(!0)===String(e).toLowerCase()},t.isPlatform=function(e){return this.getPlatformType(!0)===String(e).toLowerCase()},t.isEngine=function(e){return this.getEngineName(!0)===String(e).toLowerCase()},t.is=function(e,t){return void 0===t&&(t=!1),this.isBrowser(e,t)||this.isOS(e)||this.isPlatform(e)},t.some=function(e){var t=this;return void 0===e&&(e=[]),e.some((function(e){return t.is(e)}))},e}();t.default=c,e.exports=t.default},92:function(e,t,r){"use strict";t.__esModule=!0,t.default=void 0;var n,i=(n=r(17))&&n.__esModule?n:{default:n},o=/version\/(\d+(\.?_?\d+)+)/i,s=[{test:[/googlebot/i],describe:function(e){var t={name:"Googlebot"},r=i.default.getFirstMatch(/googlebot\/(\d+(\.\d+))/i,e)||i.default.getFirstMatch(o,e);return r&&(t.version=r),t}},{test:[/opera/i],describe:function(e){var t={name:"Opera"},r=i.default.getFirstMatch(o,e)||i.default.getFirstMatch(/(?:opera)[\s/](\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/opr\/|opios/i],describe:function(e){var t={name:"Opera"},r=i.default.getFirstMatch(/(?:opr|opios)[\s/](\S+)/i,e)||i.default.getFirstMatch(o,e);return r&&(t.version=r),t}},{test:[/SamsungBrowser/i],describe:function(e){var t={name:"Samsung Internet for Android"},r=i.default.getFirstMatch(o,e)||i.default.getFirstMatch(/(?:SamsungBrowser)[\s/](\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/Whale/i],describe:function(e){var t={name:"NAVER Whale Browser"},r=i.default.getFirstMatch(o,e)||i.default.getFirstMatch(/(?:whale)[\s/](\d+(?:\.\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/MZBrowser/i],describe:function(e){var t={name:"MZ Browser"},r=i.default.getFirstMatch(/(?:MZBrowser)[\s/](\d+(?:\.\d+)+)/i,e)||i.default.getFirstMatch(o,e);return r&&(t.version=r),t}},{test:[/focus/i],describe:function(e){var t={name:"Focus"},r=i.default.getFirstMatch(/(?:focus)[\s/](\d+(?:\.\d+)+)/i,e)||i.default.getFirstMatch(o,e);return r&&(t.version=r),t}},{test:[/swing/i],describe:function(e){var t={name:"Swing"},r=i.default.getFirstMatch(/(?:swing)[\s/](\d+(?:\.\d+)+)/i,e)||i.default.getFirstMatch(o,e);return r&&(t.version=r),t}},{test:[/coast/i],describe:function(e){var t={name:"Opera Coast"},r=i.default.getFirstMatch(o,e)||i.default.getFirstMatch(/(?:coast)[\s/](\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/opt\/\d+(?:.?_?\d+)+/i],describe:function(e){var t={name:"Opera Touch"},r=i.default.getFirstMatch(/(?:opt)[\s/](\d+(\.?_?\d+)+)/i,e)||i.default.getFirstMatch(o,e);return r&&(t.version=r),t}},{test:[/yabrowser/i],describe:function(e){var t={name:"Yandex Browser"},r=i.default.getFirstMatch(/(?:yabrowser)[\s/](\d+(\.?_?\d+)+)/i,e)||i.default.getFirstMatch(o,e);return r&&(t.version=r),t}},{test:[/ucbrowser/i],describe:function(e){var t={name:"UC Browser"},r=i.default.getFirstMatch(o,e)||i.default.getFirstMatch(/(?:ucbrowser)[\s/](\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/Maxthon|mxios/i],describe:function(e){var t={name:"Maxthon"},r=i.default.getFirstMatch(o,e)||i.default.getFirstMatch(/(?:Maxthon|mxios)[\s/](\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/epiphany/i],describe:function(e){var t={name:"Epiphany"},r=i.default.getFirstMatch(o,e)||i.default.getFirstMatch(/(?:epiphany)[\s/](\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/puffin/i],describe:function(e){var t={name:"Puffin"},r=i.default.getFirstMatch(o,e)||i.default.getFirstMatch(/(?:puffin)[\s/](\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/sleipnir/i],describe:function(e){var t={name:"Sleipnir"},r=i.default.getFirstMatch(o,e)||i.default.getFirstMatch(/(?:sleipnir)[\s/](\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/k-meleon/i],describe:function(e){var t={name:"K-Meleon"},r=i.default.getFirstMatch(o,e)||i.default.getFirstMatch(/(?:k-meleon)[\s/](\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/micromessenger/i],describe:function(e){var t={name:"WeChat"},r=i.default.getFirstMatch(/(?:micromessenger)[\s/](\d+(\.?_?\d+)+)/i,e)||i.default.getFirstMatch(o,e);return r&&(t.version=r),t}},{test:[/qqbrowser/i],describe:function(e){var t={name:/qqbrowserlite/i.test(e)?"QQ Browser Lite":"QQ Browser"},r=i.default.getFirstMatch(/(?:qqbrowserlite|qqbrowser)[/](\d+(\.?_?\d+)+)/i,e)||i.default.getFirstMatch(o,e);return r&&(t.version=r),t}},{test:[/msie|trident/i],describe:function(e){var t={name:"Internet Explorer"},r=i.default.getFirstMatch(/(?:msie |rv:)(\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/\sedg\//i],describe:function(e){var t={name:"Microsoft Edge"},r=i.default.getFirstMatch(/\sedg\/(\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/edg([ea]|ios)/i],describe:function(e){var t={name:"Microsoft Edge"},r=i.default.getSecondMatch(/edg([ea]|ios)\/(\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/vivaldi/i],describe:function(e){var t={name:"Vivaldi"},r=i.default.getFirstMatch(/vivaldi\/(\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/seamonkey/i],describe:function(e){var t={name:"SeaMonkey"},r=i.default.getFirstMatch(/seamonkey\/(\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/sailfish/i],describe:function(e){var t={name:"Sailfish"},r=i.default.getFirstMatch(/sailfish\s?browser\/(\d+(\.\d+)?)/i,e);return r&&(t.version=r),t}},{test:[/silk/i],describe:function(e){var t={name:"Amazon Silk"},r=i.default.getFirstMatch(/silk\/(\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/phantom/i],describe:function(e){var t={name:"PhantomJS"},r=i.default.getFirstMatch(/phantomjs\/(\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/slimerjs/i],describe:function(e){var t={name:"SlimerJS"},r=i.default.getFirstMatch(/slimerjs\/(\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/blackberry|\bbb\d+/i,/rim\stablet/i],describe:function(e){var t={name:"BlackBerry"},r=i.default.getFirstMatch(o,e)||i.default.getFirstMatch(/blackberry[\d]+\/(\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/(web|hpw)[o0]s/i],describe:function(e){var t={name:"WebOS Browser"},r=i.default.getFirstMatch(o,e)||i.default.getFirstMatch(/w(?:eb)?[o0]sbrowser\/(\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/bada/i],describe:function(e){var t={name:"Bada"},r=i.default.getFirstMatch(/dolfin\/(\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/tizen/i],describe:function(e){var t={name:"Tizen"},r=i.default.getFirstMatch(/(?:tizen\s?)?browser\/(\d+(\.?_?\d+)+)/i,e)||i.default.getFirstMatch(o,e);return r&&(t.version=r),t}},{test:[/qupzilla/i],describe:function(e){var t={name:"QupZilla"},r=i.default.getFirstMatch(/(?:qupzilla)[\s/](\d+(\.?_?\d+)+)/i,e)||i.default.getFirstMatch(o,e);return r&&(t.version=r),t}},{test:[/firefox|iceweasel|fxios/i],describe:function(e){var t={name:"Firefox"},r=i.default.getFirstMatch(/(?:firefox|iceweasel|fxios)[\s/](\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/electron/i],describe:function(e){var t={name:"Electron"},r=i.default.getFirstMatch(/(?:electron)\/(\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/MiuiBrowser/i],describe:function(e){var t={name:"Miui"},r=i.default.getFirstMatch(/(?:MiuiBrowser)[\s/](\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/chromium/i],describe:function(e){var t={name:"Chromium"},r=i.default.getFirstMatch(/(?:chromium)[\s/](\d+(\.?_?\d+)+)/i,e)||i.default.getFirstMatch(o,e);return r&&(t.version=r),t}},{test:[/chrome|crios|crmo/i],describe:function(e){var t={name:"Chrome"},r=i.default.getFirstMatch(/(?:chrome|crios|crmo)\/(\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/GSA/i],describe:function(e){var t={name:"Google Search"},r=i.default.getFirstMatch(/(?:GSA)\/(\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:function(e){var t=!e.test(/like android/i),r=e.test(/android/i);return t&&r},describe:function(e){var t={name:"Android Browser"},r=i.default.getFirstMatch(o,e);return r&&(t.version=r),t}},{test:[/playstation 4/i],describe:function(e){var t={name:"PlayStation 4"},r=i.default.getFirstMatch(o,e);return r&&(t.version=r),t}},{test:[/safari|applewebkit/i],describe:function(e){var t={name:"Safari"},r=i.default.getFirstMatch(o,e);return r&&(t.version=r),t}},{test:[/.*/i],describe:function(e){var t=-1!==e.search("\\(")?/^(.*)\/(.*)[ \t]\((.*)/:/^(.*)\/(.*) /;return{name:i.default.getFirstMatch(t,e),version:i.default.getSecondMatch(t,e)}}}];t.default=s,e.exports=t.default},93:function(e,t,r){"use strict";t.__esModule=!0,t.default=void 0;var n,i=(n=r(17))&&n.__esModule?n:{default:n},o=r(18),s=[{test:[/Roku\/DVP/],describe:function(e){var t=i.default.getFirstMatch(/Roku\/DVP-(\d+\.\d+)/i,e);return{name:o.OS_MAP.Roku,version:t}}},{test:[/windows phone/i],describe:function(e){var t=i.default.getFirstMatch(/windows phone (?:os)?\s?(\d+(\.\d+)*)/i,e);return{name:o.OS_MAP.WindowsPhone,version:t}}},{test:[/windows /i],describe:function(e){var t=i.default.getFirstMatch(/Windows ((NT|XP)( \d\d?.\d)?)/i,e),r=i.default.getWindowsVersionName(t);return{name:o.OS_MAP.Windows,version:t,versionName:r}}},{test:[/Macintosh(.*?) FxiOS(.*?)\//],describe:function(e){var t={name:o.OS_MAP.iOS},r=i.default.getSecondMatch(/(Version\/)(\d[\d.]+)/,e);return r&&(t.version=r),t}},{test:[/macintosh/i],describe:function(e){var t=i.default.getFirstMatch(/mac os x (\d+(\.?_?\d+)+)/i,e).replace(/[_\s]/g,"."),r=i.default.getMacOSVersionName(t),n={name:o.OS_MAP.MacOS,version:t};return r&&(n.versionName=r),n}},{test:[/(ipod|iphone|ipad)/i],describe:function(e){var t=i.default.getFirstMatch(/os (\d+([_\s]\d+)*) like mac os x/i,e).replace(/[_\s]/g,".");return{name:o.OS_MAP.iOS,version:t}}},{test:function(e){var t=!e.test(/like android/i),r=e.test(/android/i);return t&&r},describe:function(e){var t=i.default.getFirstMatch(/android[\s/-](\d+(\.\d+)*)/i,e),r=i.default.getAndroidVersionName(t),n={name:o.OS_MAP.Android,version:t};return r&&(n.versionName=r),n}},{test:[/(web|hpw)[o0]s/i],describe:function(e){var t=i.default.getFirstMatch(/(?:web|hpw)[o0]s\/(\d+(\.\d+)*)/i,e),r={name:o.OS_MAP.WebOS};return t&&t.length&&(r.version=t),r}},{test:[/blackberry|\bbb\d+/i,/rim\stablet/i],describe:function(e){var t=i.default.getFirstMatch(/rim\stablet\sos\s(\d+(\.\d+)*)/i,e)||i.default.getFirstMatch(/blackberry\d+\/(\d+([_\s]\d+)*)/i,e)||i.default.getFirstMatch(/\bbb(\d+)/i,e);return{name:o.OS_MAP.BlackBerry,version:t}}},{test:[/bada/i],describe:function(e){var t=i.default.getFirstMatch(/bada\/(\d+(\.\d+)*)/i,e);return{name:o.OS_MAP.Bada,version:t}}},{test:[/tizen/i],describe:function(e){var t=i.default.getFirstMatch(/tizen[/\s](\d+(\.\d+)*)/i,e);return{name:o.OS_MAP.Tizen,version:t}}},{test:[/linux/i],describe:function(){return{name:o.OS_MAP.Linux}}},{test:[/CrOS/],describe:function(){return{name:o.OS_MAP.ChromeOS}}},{test:[/PlayStation 4/],describe:function(e){var t=i.default.getFirstMatch(/PlayStation 4[/\s](\d+(\.\d+)*)/i,e);return{name:o.OS_MAP.PlayStation4,version:t}}}];t.default=s,e.exports=t.default},94:function(e,t,r){"use strict";t.__esModule=!0,t.default=void 0;var n,i=(n=r(17))&&n.__esModule?n:{default:n},o=r(18),s=[{test:[/googlebot/i],describe:function(){return{type:"bot",vendor:"Google"}}},{test:[/huawei/i],describe:function(e){var t=i.default.getFirstMatch(/(can-l01)/i,e)&&"Nova",r={type:o.PLATFORMS_MAP.mobile,vendor:"Huawei"};return t&&(r.model=t),r}},{test:[/nexus\s*(?:7|8|9|10).*/i],describe:function(){return{type:o.PLATFORMS_MAP.tablet,vendor:"Nexus"}}},{test:[/ipad/i],describe:function(){return{type:o.PLATFORMS_MAP.tablet,vendor:"Apple",model:"iPad"}}},{test:[/Macintosh(.*?) FxiOS(.*?)\//],describe:function(){return{type:o.PLATFORMS_MAP.tablet,vendor:"Apple",model:"iPad"}}},{test:[/kftt build/i],describe:function(){return{type:o.PLATFORMS_MAP.tablet,vendor:"Amazon",model:"Kindle Fire HD 7"}}},{test:[/silk/i],describe:function(){return{type:o.PLATFORMS_MAP.tablet,vendor:"Amazon"}}},{test:[/tablet(?! pc)/i],describe:function(){return{type:o.PLATFORMS_MAP.tablet}}},{test:function(e){var t=e.test(/ipod|iphone/i),r=e.test(/like (ipod|iphone)/i);return t&&!r},describe:function(e){var t=i.default.getFirstMatch(/(ipod|iphone)/i,e);return{type:o.PLATFORMS_MAP.mobile,vendor:"Apple",model:t}}},{test:[/nexus\s*[0-6].*/i,/galaxy nexus/i],describe:function(){return{type:o.PLATFORMS_MAP.mobile,vendor:"Nexus"}}},{test:[/[^-]mobi/i],describe:function(){return{type:o.PLATFORMS_MAP.mobile}}},{test:function(e){return"blackberry"===e.getBrowserName(!0)},describe:function(){return{type:o.PLATFORMS_MAP.mobile,vendor:"BlackBerry"}}},{test:function(e){return"bada"===e.getBrowserName(!0)},describe:function(){return{type:o.PLATFORMS_MAP.mobile}}},{test:function(e){return"windows phone"===e.getBrowserName()},describe:function(){return{type:o.PLATFORMS_MAP.mobile,vendor:"Microsoft"}}},{test:function(e){var t=Number(String(e.getOSVersion()).split(".")[0]);return"android"===e.getOSName(!0)&&t>=3},describe:function(){return{type:o.PLATFORMS_MAP.tablet}}},{test:function(e){return"android"===e.getOSName(!0)},describe:function(){return{type:o.PLATFORMS_MAP.mobile}}},{test:function(e){return"macos"===e.getOSName(!0)},describe:function(){return{type:o.PLATFORMS_MAP.desktop,vendor:"Apple"}}},{test:function(e){return"windows"===e.getOSName(!0)},describe:function(){return{type:o.PLATFORMS_MAP.desktop}}},{test:function(e){return"linux"===e.getOSName(!0)},describe:function(){return{type:o.PLATFORMS_MAP.desktop}}},{test:function(e){return"playstation 4"===e.getOSName(!0)},describe:function(){return{type:o.PLATFORMS_MAP.tv}}},{test:function(e){return"roku"===e.getOSName(!0)},describe:function(){return{type:o.PLATFORMS_MAP.tv}}}];t.default=s,e.exports=t.default},95:function(e,t,r){"use strict";t.__esModule=!0,t.default=void 0;var n,i=(n=r(17))&&n.__esModule?n:{default:n},o=r(18),s=[{test:function(e){return"microsoft edge"===e.getBrowserName(!0)},describe:function(e){if(/\sedg\//i.test(e))return{name:o.ENGINE_MAP.Blink};var t=i.default.getFirstMatch(/edge\/(\d+(\.?_?\d+)+)/i,e);return{name:o.ENGINE_MAP.EdgeHTML,version:t}}},{test:[/trident/i],describe:function(e){var t={name:o.ENGINE_MAP.Trident},r=i.default.getFirstMatch(/trident\/(\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:function(e){return e.test(/presto/i)},describe:function(e){var t={name:o.ENGINE_MAP.Presto},r=i.default.getFirstMatch(/presto\/(\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:function(e){var t=e.test(/gecko/i),r=e.test(/like gecko/i);return t&&!r},describe:function(e){var t={name:o.ENGINE_MAP.Gecko},r=i.default.getFirstMatch(/gecko\/(\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}},{test:[/(apple)?webkit\/537\.36/i],describe:function(){return{name:o.ENGINE_MAP.Blink}}},{test:[/(apple)?webkit/i],describe:function(e){var t={name:o.ENGINE_MAP.WebKit},r=i.default.getFirstMatch(/webkit\/(\d+(\.?_?\d+)+)/i,e);return r&&(t.version=r),t}}];t.default=s,e.exports=t.default}})},2238:e=>{var t=/\b(Array|Date|Object|Math|JSON)\b/g;e.exports=function(e,r){var n=function(e){for(var t=[],r=0;r<e.length;r++)~t.indexOf(e[r])||t.push(e[r]);return t}(function(e){return e.replace(/\.\w+|\w+ *\(|"[^"]*"|'[^']*'|\/([^/]+)\//g,"").replace(t,"").match(/[a-zA-Z_]\w*/g)||[]}(e));return r&&"string"==typeof r&&(r=function(e){return function(t){return e+t}}(r)),r?function(e,t,r){return e.replace(/\.\w+|\w+ *\(|"[^"]*"|'[^']*'|\/([^/]+)\/|[a-zA-Z_]\w*/g,(function(e){return"("==e[e.length-1]||~t.indexOf(e)?r(e):e}))}(e,n,r):n}},3854:(e,t,r)=>{"use strict";r.d(t,{Z:()=>o});var n=r(3645),i=r.n(n)()((function(e){return e[1]}));i.push([e.id,".di-notify {\n position: fixed;\n left: 0;\n bottom: 0;\n right: 0;\n background: #2e3e52;\n color: #fff;\n padding: 20px 40px;\n text-align: center;\n display: none;\n box-shadow: 0px -1px 6px 0px rgb(46 62 82 / 71%);\n opacity: 0;\n transition: opacity linear 300ms;\n}\n\n.di-notify.show {\n opacity: 1;\n display: block;\n}\n\n.di-notify.hide {\n opacity: 0;\n}\n\n.di-notify .di-notify-message {\n margin-top: 4px;\n font-size: 14px;\n line-height: 1.4;\n max-width: 900px;\n display: inline-block;\n}\n\n.di-notify .di-notify-message a {\n color: #4b81c5;\n}\n\n.di-notify .di-notify-action {\n margin-top: 20px;\n}\n\n.di-notify .di-notify-action button {\n padding: 10px 20px;\n background: #fff;\n opacity: 0.85;\n border: 1px solid #fff;\n margin: 0 6px;\n border-radius: 4px;\n color: #2e3e52;\n cursor: pointer;\n}\n\n\n.di-notify .di-notify-action button:hover {\n opacity: 1;\n}\n\n.di-notify .di-notify-action button.di-btn-accept {\n /* background-color: #4b81c5; */\n}",""]);const o=i},3645:e=>{"use strict";e.exports=function(e){var t=[];return t.toString=function(){return this.map((function(t){var r=e(t);return t[2]?"@media ".concat(t[2]," {").concat(r,"}"):r})).join("")},t.i=function(e,r,n){"string"==typeof e&&(e=[[null,e,""]]);var i={};if(n)for(var o=0;o<this.length;o++){var s=this[o][0];null!=s&&(i[s]=!0)}for(var a=0;a<e.length;a++){var u=[].concat(e[a]);n&&i[u[0]]||(r&&(u[2]?u[2]="".concat(r," and ").concat(u[2]):u[2]=r),t.push(u))}},t}},4918:(e,t,r)=>{var n=r(2816);e.exports=function(e,t){var r,i={};t=n(t);for(var o=0;o<e.length;++o)i[r=t(e[o],o)]=i[r]||[],i[r].push(e[o]);return i}},2832:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});class r{static serializeKeysTo(e){this.serializeKeyTransform=e}static deserializeKeysFrom(e){this.deserializeKeyTransform=e}static convertKeys(e,t){if(e instanceof Array)return e.map((e=>this.convertKeys(e,t)));if((r=e)&&"object"==typeof r){const r={};return Object.entries(e).forEach((([e,n])=>{const i=t(e);r[i]=this.convertKeys(n,t)})),r}var r;return e}static toJson(e,t){const r=t||this.serializeKeyTransform;return JSON.stringify(this.convertKeys(e,r))}static fromJson(e,t){const r=t||this.deserializeKeyTransform;if("string"==typeof e){const t=JSON.parse(e);return this.convertKeys(t,r)}return this.convertKeys(e,r)}}r.serializeKeyTransform=e=>e.replace(/[A-Z]/g,(e=>`_${e.toLowerCase()}`)),r.deserializeKeyTransform=e=>e.toLowerCase().replace(/([-_][a-z])/g,(e=>e.toUpperCase().replace("-","").replace("_",""))),t.default=r},1528:function(e,t){var r,n,i;!function(o,s){"use strict";"object"==typeof e.exports?e.exports=s():(n=[],void 0===(i="function"==typeof(r=s)?r.apply(t,n):r)||(e.exports=i))}(0,(function(){"use strict";var e=Object.prototype.toString;function t(e,t){return null!=e&&Object.prototype.hasOwnProperty.call(e,t)}function r(e){if(!e)return!0;if(i(e)&&0===e.length)return!0;if("string"!=typeof e){for(var r in e)if(t(e,r))return!1;return!0}return!1}function n(t){return e.call(t)}var i=Array.isArray||function(t){return"[object Array]"===e.call(t)};function o(e){var t=parseInt(e);return t.toString()===e?t:e}function s(e){var s,a=function(e){return Object.keys(a).reduce((function(t,r){return"create"===r||"function"==typeof a[r]&&(t[r]=a[r].bind(a,e)),t}),{})};function u(e,t){if(s(e,t))return e[t]}function c(t,r,n,i){if("number"==typeof r&&(r=[r]),!r||0===r.length)return t;if("string"==typeof r)return c(t,r.split(".").map(o),n,i);var s=r[0],a=u(t,s);if(e.includeInheritedProps&&("__proto__"===s||"constructor"===s&&"function"==typeof a))throw new Error("For security reasons, object's magic properties cannot be set");return 1===r.length?(void 0!==a&&i||(t[s]=n),a):(void 0===a&&("number"==typeof r[1]?t[s]=[]:t[s]={}),c(t[s],r.slice(1),n,i))}return s=(e=e||{}).includeInheritedProps?function(){return!0}:function(e,r){return"number"==typeof r&&Array.isArray(e)||t(e,r)},a.has=function(r,n){if("number"==typeof n?n=[n]:"string"==typeof n&&(n=n.split(".")),!n||0===n.length)return!!r;for(var s=0;s<n.length;s++){var a=o(n[s]);if(!("number"==typeof a&&i(r)&&a<r.length||(e.includeInheritedProps?a in Object(r):t(r,a))))return!1;r=r[a]}return!0},a.ensureExists=function(e,t,r){return c(e,t,r,!0)},a.set=function(e,t,r,n){return c(e,t,r,n)},a.insert=function(e,t,r,n){var o=a.get(e,t);n=~~n,i(o)||(o=[],a.set(e,t,o)),o.splice(n,0,r)},a.empty=function(e,t){var o,u;if(!r(t)&&null!=e&&(o=a.get(e,t))){if("string"==typeof o)return a.set(e,t,"");if(function(e){return"boolean"==typeof e||"[object Boolean]"===n(e)}(o))return a.set(e,t,!1);if("number"==typeof o)return a.set(e,t,0);if(i(o))o.length=0;else{if(!function(e){return"object"==typeof e&&"[object Object]"===n(e)}(o))return a.set(e,t,null);for(u in o)s(o,u)&&delete o[u]}}},a.push=function(e,t){var r=a.get(e,t);i(r)||(r=[],a.set(e,t,r)),r.push.apply(r,Array.prototype.slice.call(arguments,2))},a.coalesce=function(e,t,r){for(var n,i=0,o=t.length;i<o;i++)if(void 0!==(n=a.get(e,t[i])))return n;return r},a.get=function(e,t,r){if("number"==typeof t&&(t=[t]),!t||0===t.length)return e;if(null==e)return r;if("string"==typeof t)return a.get(e,t.split("."),r);var n=o(t[0]),i=u(e,n);return void 0===i?r:1===t.length?i:a.get(e[n],t.slice(1),r)},a.del=function(e,t){if("number"==typeof t&&(t=[t]),null==e)return e;if(r(t))return e;if("string"==typeof t)return a.del(e,t.split("."));var n=o(t[0]);return s(e,n)?1!==t.length?a.del(e[n],t.slice(1)):(i(e)?e.splice(n,1):delete e[n],e):e},a}var a=s();return a.create=s,a.withInheritedProps=s({includeInheritedProps:!0}),a}))},3197:(module,__unused_webpack_exports,__webpack_require__)=>{"use strict";function doEval(self,__pseudoworker_script){(function(){eval(__pseudoworker_script)}).call(__webpack_require__.g)}function PseudoWorker(e){var t,r,n=[],i=[],o=[],s=[],a=[],u=!1,c=this;function l(e,t){for(var r=-1;++r<e.length;)e[r]&&t(e[r])}function f(e){var t=function(e){return function(t){t({type:"error",error:e,message:e.message})}}(e);"function"==typeof c.onerror&&t(c.onerror),r&&"function"==typeof r.onerror&&t(r.onerror),l(i,t),l(s,t)}function d(e,t){function n(r){try{r({data:e,ports:t})}catch(e){f(e)}}r&&"function"==typeof r.onmessage&&n(r.onmessage),l(o,n)}function p(){u=!0}function h(e){function t(t){t({data:e})}u||("function"==typeof c.onmessage&&t(c.onmessage),l(n,t))}function v(e,t){"message"===e?o.push(t):"error"===e&&s.push(t)}var g=new XMLHttpRequest;return g.open("GET",e),g.onreadystatechange=function(){if(4===g.readyState)if(g.status>=200&&g.status<400){t=g.responseText,doEval(r={postMessage:h,addEventListener:v,close:p},t);var n=a;a=[];for(var i=0;i<n.length;i++)d(n[i].msg,n[i].transfer)}else f(new Error("cannot find script "+e))},g.send(),c.postMessage=function(e,r){if(void 0===e)throw new Error("postMessage() requires an argument");u||(t?d(e,r):a.push({msg:e,transfer:r||void 0}))},c.addEventListener=function(e,t){"message"===e?n.push(t):"error"===e&&i.push(t)},c.removeEventListener=function(e,t){var r;if("message"===e)r=n;else{if("error"!==e)return;r=i}for(var o=-1;++o<r.length;)if(r[o]===t){delete r[o];break}},c.terminate=p,c}module.exports=PseudoWorker},574:(e,t,r)=>{"use strict";var n=r(3197);"undefined"==typeof Worker&&(r.g.Worker=n),e.exports=n},6988:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>ve}),r(574);class n{constructor(){this.store={},this.verifierPattern=/^[a-z0-9-_]+:before$|after$|retry$|\*$/,this.wildcards=["*","error","completed"],this.emptyFunc=()=>{},this.store.before={},this.store.after={},this.store.retry={},this.store.wildcard={},this.store.error=this.emptyFunc,this.store.completed=this.emptyFunc,this.store["*"]=this.emptyFunc}on(e,t){if("function"!=typeof t)throw new Error("Event should be an function");this.isValid(e)&&this.add(e,t)}emit(e,t){if(this.wildcards.indexOf(e)>-1)this.wildcard(e,e,t);else{const r=this.getType(e),n=this.getName(e);this.store[r]&&(this.store[r][n]||this.emptyFunc).call(null,t)}this.wildcard("*",e,t)}wildcard(e,t,r){this.store.wildcard[e]&&this.store.wildcard[e].call(null,t,r)}add(e,t){if(this.wildcards.indexOf(e)>-1)this.store.wildcard[e]=t;else{const r=this.getType(e),n=this.getName(e);this.store[r][n]=t}}has(e){try{const t=e.split(":");return t.length>1?!!this.store[t[1]][t[0]]:!!this.store.wildcard[t[0]]}catch(e){return!1}}getName(e){return e.match(/(.*):.*/)[1]}getType(e){return e.match(/^[a-z0-9-_]+:(.*)/)[1]}isValid(e){return this.verifierPattern.test(e)||this.wildcards.indexOf(e)>-1}}var i=r(4918),o=r.n(i),s=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var r=arguments[t];for(var n in r)Object.prototype.hasOwnProperty.call(r,n)&&(e[n]=r[n])}return e};function a(e){return function(){var t=e.apply(this,arguments);return new Promise((function(e,r){return function n(i,o){try{var s=t[i](o),a=s.value}catch(e){return void r(e)}if(!s.done)return Promise.resolve(a).then((function(e){n("next",e)}),(function(e){n("throw",e)}));e(a)}("next")}))}}class u{constructor(e){this.store={},this.config=e,this.prefix=this.config.get("prefix")}get(e){var t=this;return a((function*(){const r=t.storageName(e);return[...t.getCollection(r)]}))()}set(e,t){var r=this;return a((function*(){return r.store[r.storageName(e)]=[...t],t}))()}has(e){var t=this;return a((function*(){return Object.prototype.hasOwnProperty.call(t.store,t.storageName(e))}))()}clear(e){var t=this;return a((function*(){const r=!!(yield t.has(e))&&delete t.store[t.storageName(e)];return t.store=s({},t.store),r}))()}storageName(e){return e.startsWith(this.getPrefix())?e:`${this.getPrefix()}_${e}`}getPrefix(){return this.config.get("prefix")}getCollection(e){return Object.prototype.hasOwnProperty.call(this.store,e)||(this.store[e]=[]),this.store[e]}}function c(e){return function(){var t=e.apply(this,arguments);return new Promise((function(e,r){return function n(i,o){try{var s=t[i](o),a=s.value}catch(e){return void r(e)}if(!s.done)return Promise.resolve(a).then((function(e){n("next",e)}),(function(e){n("throw",e)}));e(a)}("next")}))}}class l{constructor(e){this.config=e,this.prefix=this.config.get("prefix")}get(e){var t=this;return c((function*(){const r=localStorage.getItem(t.storageName(e));return JSON.parse(r)||[]}))()}set(e,t){var r=this;return c((function*(){return localStorage.setItem(r.storageName(e),JSON.stringify(t)),t}))()}has(e){var t=this;return c((function*(){return Object.prototype.hasOwnProperty.call(localStorage,t.storageName(e))}))()}clear(e){var t=this;return c((function*(){return!!(yield t.has(e))&&delete localStorage[t.storageName(e)]}))()}storageName(e){return e.startsWith(this.getPrefix())?e:`${this.getPrefix()}_${e}`}getPrefix(){return this.config.get("prefix")}}function f(e){const t=Array.isArray(this)?this:["freezed","locked"],r=[];return t.forEach((t=>{var n,i;r.push(!1===(n=e,i=t,Object.prototype.hasOwnProperty.call(n,i))||!1===e[t])})),!(r.indexOf(!1)>-1)}function d(e){return!!f.call(["locked"],e)&&e.tag===this}function p(e,t){return e.createdAt-t.createdAt}function h(e,t){return t.createdAt-e.createdAt}var v=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var r=arguments[t];for(var n in r)Object.prototype.hasOwnProperty.call(r,n)&&(e[n]=r[n])}return e};function g(e){return function(){var t=e.apply(this,arguments);return new Promise((function(e,r){return function n(i,o){try{var s=t[i](o),a=s.value}catch(e){return void r(e)}if(!s.done)return Promise.resolve(a).then((function(e){n("next",e)}),(function(e){n("throw",e)}));e(a)}("next")}))}}class y{constructor(e,t){this.config=e,this.storage=this.initialize(t)}initialize(e){return"object"==typeof e?e:"function"==typeof e?new e(this.config):"localstorage"===this.config.get("storage")?new l(this.config):new u(this.config)}channel(e){return this.storageChannel=e,this}fetch(){var e=this;return g((function*(){const t=(yield e.all()).filter(f),r=o()(t,"priority");return Object.keys(r).map((function(e){return parseInt(e,10)})).sort((function(e,t){return t-e})).reduce(e.reduceTasks(r),[])}))()}save(e){var t=this;return g((function*(){if("object"!=typeof e)return!1;const r=yield t.storage.get(t.storageChannel);if(yield t.isExceeded())return console.warn(`Task limit exceeded: The '${t.storageChannel}' channel limit is ${t.config.get("limit")}`),!1;const n=t.prepareTask(e);return r.push(n),yield t.storage.set(t.storageChannel,r),n._id}))()}update(e,t){var r=this;return g((function*(){const n=yield r.all(),i=n.findIndex((function(t){return t._id===e}));return!(i<0||(n[i]=Object.assign({},n[i],t),yield r.storage.set(r.storageChannel,n),0))}))()}delete(e){var t=this;return g((function*(){const r=yield t.all(),n=r.findIndex((function(t){return t._id===e}));return!(n<0||(delete r[n],yield t.storage.set(t.storageChannel,r.filter((function(e){return e}))),0))}))()}all(){var e=this;return g((function*(){return yield e.storage.get(e.storageChannel)}))()}generateId(){return(65536*(1+Math.random())).toString(16)}prepareTask(e){const t=v({},e);return t.createdAt=Date.now(),t._id=this.generateId(),t}reduceTasks(e){return((t,r)=>"lifo"===this.config.get("principle")?t.concat(e[r].sort(h)):t.concat(e[r].sort(p))).bind(this)}isExceeded(){var e=this;return g((function*(){const t=e.config.get("limit"),r=(yield e.all()).filter(f);return!(-1===t||t>r.length)}))()}clear(e){var t=this;return g((function*(){yield t.storage.clear(e)}))()}}var m=r(1528),_=r.n(m);const b={queue:{created:"New task created.",next:"Next task processing.",starting:"Queue listener starting.",stopping:"Queue listener stopping.",stopped:"Queue listener stopped.",empty:"channel is empty...","not-found":"worker not found",offline:"Disconnected",online:"Connected"},event:{created:"event created",fired:"Event fired.","wildcard-fired":"Wildcard event fired."}};function w(){console.log(...arguments)}function S(e){let[t]=e;w(`%c${String.fromCharCode(43)} (${t.handler}) -> ${_().get(b,"queue.created")}`,"color: green;font-weight: bold;")}function E(e){let[t]=e;w(`%c${String.fromCharCode(8211)} (${t}) -> ${_().get(b,"queue.starting")}`,"color: #3fa5f3;font-weight: bold;")}function O(e){let[t]=e;w(`%c${String.fromCharCode(187)} (${t}) -> ${_().get(b,"queue.next")}`,"color: #3fa5f3;font-weight: bold;")}function A(e){let[t]=e;w(`%c${String.fromCharCode(8226)} (${t}) -> ${_().get(b,"queue.stopping")}`,"color: #ff7f94;font-weight: bold;")}function M(e){let[t]=e;w(`%c${String.fromCharCode(8226)} (${t}) -> ${_().get(b,"queue.stopped")}`,"color: #ff7f94;font-weight: bold;")}function P(e){let[t]=e;w(`%c${t} ${_().get(b,"queue.empty")}`,"color: #ff7f94;font-weight: bold;")}function I(e){let[t,r]=e;w(`%c(${r}) -> ${t} ${_().get(b,"event.created")}`,"color: #66cee3;font-weight: bold;")}function R(e){let[t,r]=e;w(`%c(${t}) -> ${_().get(b,`event.${r}`)}`,"color: #a0dc3c;font-weight: bold;")}function x(e){let[t]=e;w(`%c${String.fromCharCode(215)} (${t}) -> ${_().get(b,"queue.not-found")}`,"color: #b92e2e;font-weight: bold;")}function k(e){let[t,r,n,i,o]=e;console.groupCollapsed(`${t.name||n.handler} - ${n.label}`),w(`%cchannel: ${i}`,"color: blue;"),w(`%clabel: ${n.label||""}`,"color: blue;"),w(`%chandler: ${n.handler}`,"color: blue;"),w(`%cpriority: ${n.priority}`,"color: blue;"),w(`%cunique: ${n.unique||"false"}`,"color: blue;"),w(`%cretry: ${r.retry||"1"}`,"color: blue;"),w(`%ctried: ${n.tried?n.tried+1:"1"}`,"color: blue;"),w(`%ctag: ${n.tag||""}`,"color: blue;"),w("%cargs:","color: blue;"),w(n.args||""),console.groupCollapsed("dependencies"),w(...o[t.name]||[]),console.groupEnd()}function T(e){let[t,r,n]=e;!0===t?w(`%c${String.fromCharCode(10003)} Task completed!`,"color: green;"):!t&&r.tried<n.retry?w("%cTask will be retried!","color: #d8410c;"):w(`%c${String.fromCharCode(10005)} Task failed and freezed!`,"color: #ef6363;"),console.groupEnd()}function C(){w(`%c${String.fromCharCode(10005)} Task failed!`,"color: red;"),console.groupEnd()}function N(e){return function(){var t=e.apply(this,arguments);return new Promise((function(e,r){return function n(i,o){try{var s=t[i](o),a=s.value}catch(e){return void r(e)}if(!s.done)return Promise.resolve(a).then((function(e){n("next",e)}),(function(e){n("throw",e)}));e(a)}("next")}))}}function j(){return this.storage.channel(this.name())}let F=(D=N((function*(){return(yield j.call(this).all()).filter(f.bind(["freezed"]))})),function(){return D.apply(this,arguments)});var D;function B(e){if(this.config.get("debug")&&"function"==typeof e){for(var t=arguments.length,r=Array(t>1?t-1:0),n=1;n<t;n++)r[n-1]=arguments[n];e(r)}}let L=(U=N((function*(e){return yield j.call(this).save(function(e){return e.priority=e.priority||0,"number"!=typeof e.priority&&(e.priority=0),e}(e))})),function(e){return U.apply(this,arguments)});var U;let q=(G=N((function*(e){return yield j.call(this).delete(e)})),function(e){return G.apply(this,arguments)});var G;function K(e,t){return"tag"in e&&([[`${e.tag}:${t}`,"fired"],[`${e.tag}:*`,"wildcard-fired"]].forEach((t=>{this.event.emit(t[0],e),B.call(this,R,...t)})),!0)}function W(){this.stop(),this.running=!1,clearTimeout(this.currentTimeout),B.call(this,M,"stop")}let V=($=N((function*(e){return t=N((function*(){q.call(this,e._id),this.event.emit("error",e),B.call(this,C),yield this.next()})),function(){return t.apply(this,arguments)};var t})),function(e){return $.apply(this,arguments)});var $;let z=(H=N((function*(e){return yield j.call(this).update(e._id,{locked:!0})})),function(e){return H.apply(this,arguments)});var H;function J(e,t,r){return(n=t)instanceof Object&&e in n&&t[e]instanceof Function&&(t[e].call(t,r),!0);var n}function Q(e){q.call(this,e._id)}function Y(e,t){return"retry"in t||(t.retry=1),"tried"in e||(e.tried=0,e.retry=t.retry),e.tried+=1,e.tried>=t.retry&&(e.freezed=!0),e}let X=(Z=N((function*(e,t){K.call(this,e,"retry");const r=Y.call(this,e,t);return r.locked=!1,yield j.call(this).update(e._id,r)})),function(e,t){return Z.apply(this,arguments)});var Z;let ee=(te=N((function*(e,t){const r=this;return n=N((function*(n){n?Q.call(r,e):yield X.call(r,e,t),J.call(r,"after",t,e.args),K.call(r,e,"after"),B.call(r,T,n,e,t),yield r.next()})),function(e){return n.apply(this,arguments)};var n})),function(e,t){return te.apply(this,arguments)});var te;function re(e,t,r){return n=N((function*(){let n;const i=this;yield z.call(i,e),J.call(this,"before",r,e.args),K.call(this,e,"before");const o=he.workerDeps[e.handler],s=Object.values(o||{});B.call(this,k,t,r,e,i.name(),he.workerDeps),r instanceof Worker?(r.postMessage({args:e.args,dependencies:s}),n=new Promise((function(e){r.onmessage=function(n){e(t.handler(n)),r.terminate()}}))):n=r.handle.call(r,e.args,...s),n.then((yield ee.call(i,e,r)).bind(i)).catch((yield V.call(i,e)).bind(i))})),function(){return n.apply(this,arguments)};var n}let ne=(ie=N((function*(){clearTimeout(this.currentTimeout);const e=(yield j.call(this).fetch()).shift();if(void 0===e)return B.call(this,P,this.name()),this.event.emit("completed",e),0;if(!he.worker.has(e.handler))return B.call(this,x,e.handler),yield(yield V.call(this,e)).call(this),0;const t=he.worker.get(e.handler),r="object"==typeof t?new Worker(t.uri):new t,n=this.config.get("timeout"),i=[e,t,r],o=(yield re.call(this,...i)).bind(this);return this.currentTimeout=setTimeout(o,n),this.currentTimeout})),function(){return ie.apply(this,arguments)});var ie;let oe=(se=N((function*(e){return"object"!=typeof e||!0!==e.unique||!1===(yield this.hasByTag(e.tag))})),function(e){return se.apply(this,arguments)});var se;function ae(e){return function(){var t=e.apply(this,arguments);return new Promise((function(e,r){return function n(i,o){try{var s=t[i](o),a=s.value}catch(e){return void r(e)}if(!s.done)return Promise.resolve(a).then((function(e){n("next",e)}),(function(e){n("throw",e)}));e(a)}("next")}))}}const ue=Symbol("channel-name");class ce{constructor(e,t){this.stopped=!0,this.running=!1,this.event=new n,this.config=t,this[ue]=e;const{drivers:r}=he,i=new y(t,r.storage);this.storage=i.channel(e)}name(){return this[ue]}add(e){var t=this;return ae((function*(){if(!(yield oe.call(t,e)))return!1;const r=yield L.call(t,e);return r&&!0===t.running&&(yield t.start()),B.call(t,S,e),r}))()}next(){var e=this;return ae((function*(){return e.stopped?W.call(e):(B.call(e,O,"next"),yield e.start(),!0)}))()}start(){var e=this;return ae((function*(){e.stopped=!1,e.running=!0,B.call(e,E,"start"),yield ne.call(e)}))()}stop(){B.call(this,A,"stop"),this.stopped=!0}forceStop(){W.call(this)}status(){return this.running}isEmpty(){var e=this;return ae((function*(){return(yield e.count())<1}))()}count(){var e=this;return ae((function*(){return(yield F.call(e)).length}))()}countByTag(e){var t=this;return ae((function*(){return(yield F.call(t)).filter((function(t){return t.tag===e})).length}))()}clear(){var e=this;return ae((function*(){return!!e.name()&&(yield e.storage.clear(e.name()),!0)}))()}clearByTag(e){var t=this;return ae((function*(){const r=t,n=(yield j.call(r).all()).filter(d.bind(e)).map((()=>{var e=ae((function*(e){return yield j.call(r).delete(e._id)}));return function(t){return e.apply(this,arguments)}})());yield Promise.all(n)}))()}has(e){var t=this;return ae((function*(){return(yield F.call(t)).findIndex((function(t){return t._id===e}))>-1}))()}hasByTag(e){var t=this;return ae((function*(){return(yield F.call(t)).findIndex((function(t){return t.tag===e}))>-1}))()}on(e,t){this.event.on(e,t),B.call(this,I,e,this.name())}}class le{constructor(){this.store={}}has(e){return Object.prototype.hasOwnProperty.call(this.store,e)}get(e){return this.store[e]}all(){return this.store}bind(e,t){this.store[e]=t}merge(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};this.store=Object.assign({},this.store,e)}remove(e){return!!this.has(e)&&delete this.store[e]}removeAll(){this.store={}}}const fe={defaultStorage:"localstorage",prefix:"sq_jobs",timeout:1e3,limit:-1,principle:"fifo",debug:!0};class de{constructor(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};this.config=fe,this.merge(e)}set(e,t){this.config[e]=t}get(e){return this.config[e]}has(e){return Object.prototype.hasOwnProperty.call(this.config,e)}merge(e){this.config=Object.assign({},this.config,e)}remove(e){return delete this.config[e]}all(){return this.config}}var pe=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var r=arguments[t];for(var n in r)Object.prototype.hasOwnProperty.call(r,n)&&(e[n]=r[n])}return e};function he(e){this.config=new de(e)}he.FIFO="fifo",he.LIFO="lifo",he.drivers={},he.workerDeps={},he.worker=new le,he.prototype.container=new le,he.prototype.create=function(e){return this.container.has(e)||this.container.bind(e,new ce(e,this.config)),this.container.get(e)},he.prototype.channel=function(e){if(!this.container.has(e))throw new Error(`"${e}" channel not found`);return this.container.get(e)},he.prototype.setTimeout=function(e){this.config.set("timeout",e)},he.prototype.setLimit=function(e){this.config.set("limit",e)},he.prototype.setPrefix=function(e){this.config.set("prefix",e)},he.prototype.setPrinciple=function(e){this.config.set("principle",e)},he.prototype.setDebug=function(e){this.config.set("debug",e)},he.prototype.setStorage=function(e){this.config.set("storage",e)},he.workers=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};if(!(e instanceof Object))throw new Error("The parameters should be object.");he.worker.merge(e)},he.deps=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};if(!(e instanceof Object))throw new Error("The parameters should be object.");he.workerDeps=e},he.use=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};he.drivers=pe({},he.drivers,e)},"undefined"!=typeof window&&(window.Queue=he);const ve=he},41:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>y});var n=r(3379),i=r.n(n),o=r(7795),s=r.n(o),a=r(569),u=r.n(a),c=r(3565),l=r.n(c),f=r(9216),d=r.n(f),p=r(4589),h=r.n(p),v=r(3854),g={};g.styleTagTransform=h(),g.setAttributes=l(),g.insert=u().bind(null,"head"),g.domAPI=s(),g.insertStyleElement=d(),i()(v.Z,g);const y=v.Z&&v.Z.locals?v.Z.locals:void 0},3379:e=>{"use strict";var t=[];function r(e){for(var r=-1,n=0;n<t.length;n++)if(t[n].identifier===e){r=n;break}return r}function n(e,n){for(var o={},s=[],a=0;a<e.length;a++){var u=e[a],c=n.base?u[0]+n.base:u[0],l=o[c]||0,f="".concat(c," ").concat(l);o[c]=l+1;var d=r(f),p={css:u[1],media:u[2],sourceMap:u[3]};-1!==d?(t[d].references++,t[d].updater(p)):t.push({identifier:f,updater:i(p,n),references:1}),s.push(f)}return s}function i(e,t){var r=t.domAPI(t);return r.update(e),function(t){if(t){if(t.css===e.css&&t.media===e.media&&t.sourceMap===e.sourceMap)return;r.update(e=t)}else r.remove()}}e.exports=function(e,i){var o=n(e=e||[],i=i||{});return function(e){e=e||[];for(var s=0;s<o.length;s++){var a=r(o[s]);t[a].references--}for(var u=n(e,i),c=0;c<o.length;c++){var l=r(o[c]);0===t[l].references&&(t[l].updater(),t.splice(l,1))}o=u}}},569:e=>{"use strict";var t={};e.exports=function(e,r){var n=function(e){if(void 0===t[e]){var r=document.querySelector(e);if(window.HTMLIFrameElement&&r instanceof window.HTMLIFrameElement)try{r=r.contentDocument.head}catch(e){r=null}t[e]=r}return t[e]}(e);if(!n)throw new Error("Couldn't find a style target. This probably means that the value for the 'insert' parameter is invalid.");n.appendChild(r)}},9216:e=>{"use strict";e.exports=function(e){var t=document.createElement("style");return e.setAttributes(t,e.attributes),e.insert(t),t}},3565:(e,t,r)=>{"use strict";e.exports=function(e){var t=r.nc;t&&e.setAttribute("nonce",t)}},7795:e=>{"use strict";e.exports=function(e){var t=e.insertStyleElement(e);return{update:function(r){!function(e,t,r){var n=r.css,i=r.media,o=r.sourceMap;i?e.setAttribute("media",i):e.removeAttribute("media"),o&&"undefined"!=typeof btoa&&(n+="\n/*# sourceMappingURL=data:application/json;base64,".concat(btoa(unescape(encodeURIComponent(JSON.stringify(o))))," */")),t.styleTagTransform(n,e)}(t,e,r)},remove:function(){!function(e){if(null===e.parentNode)return!1;e.parentNode.removeChild(e)}(t)}}}},4589:e=>{"use strict";e.exports=function(e,t){if(t.styleSheet)t.styleSheet.cssText=e;else{for(;t.firstChild;)t.removeChild(t.firstChild);t.appendChild(document.createTextNode(e))}}},2816:(e,t,r)=>{var n;try{n=r(2238)}catch(e){n=r(2238)}function i(e){return function(t){return e===t}}function o(e,t,r){return t.replace(new RegExp("(\\.)?"+e,"g"),(function(e,t){return t?e:r}))}e.exports=function e(t){switch({}.toString.call(t)){case"[object Object]":return function(t){var r={};for(var n in t)r[n]="string"==typeof t[n]?i(t[n]):e(t[n]);return function(e){if("object"!=typeof e)return!1;for(var t in r){if(!(t in e))return!1;if(!r[t](e[t]))return!1}return!0}}(t);case"[object Function]":return t;case"[object String]":return/^ *\W+/.test(s=t)?new Function("_","return _ "+s):new Function("_","return "+function(e){var t,r,i,s=n(e);if(!s.length)return"_."+e;for(r=0;r<s.length;r++)e=o(i=s[r],e,t="('function' == typeof "+(t="_."+i)+" ? "+t+"() : "+t+")");return e}(s));case"[object RegExp]":return r=t,function(e){return r.test(e)};default:return i(t)}var r,s}},7277:(e,t,r)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=r(4147),i=Object({timeout:45e3,baseHeaders:{"Content-Type":"application/json"},platform:"web",version:n.version||"0.0.1",sessionMaxInactiveDuration:108e5,trackingApiKey:"",host:"",setValue:function(e,t){return Object.assign(i,{key:t})}});t.default=i},1911:(e,t)=>{"use strict";var r;Object.defineProperty(t,"__esModule",{value:!0}),t.EventColumnIds=t.SystemEvents=void 0,(r=t.SystemEvents||(t.SystemEvents={})).SCREEN_ENTER="di_screen_enter",r.SCREEN_EXIT="di_screen_exit",r.PAGE_VIEW="di_pageview",r.SESSION_CREATED="di_session_created",r.SESSION_END="di_session_end",r.SET_USER="di_set_user";var n=function(){function e(){}return e.EVENT_ID="di_event_id",e.EVENT_NAME="di_event",e.EVENT_DISPLAY_NAME="di_event_display_name",e.IS_SYSTEM_EVENT="di_system_event",e.LIB_PLATFORM="di_lib_platform",e.LIB_VERSION="di_lib_version",e.TRACKING_ID="di_tracking_id",e.SESSION_ID="di_session_id",e.USER_ID="di_user_id",e.SCREEN_NAME="di_screen_name",e.CLIENT_IP="di_client_ip",e.URL="di_url",e.PATH="di_path",e.QUERY_PARAMS="di_url_params",e.REFERRER="di_referrer",e.REFERRER_HOST="di_referrer_host",e.REFERRER_QUERY_PARAMS="di_referrer_params",e.REFERRER_SEARCH_ENGINE="di_referrer_search_engine",e.SEARCH_ENGINE_KEYWORD="di_referrer_search_keyword",e.OS="di_os",e.OS_VERSION="di_os_version",e.OS_VERSION_NAME="di_os_version_name",e.BROWSER="di_browser",e.BROWSER_VERSION="di_browser_version",e.BROWSER_USER_AGENT="di_browser_ua",e.BROWSER_PREFERRED_LANG="di_browser_preffered_lang",e.BROWSER_LANGUAGES="di_browser_languages",e.PLATFORM="di_platform",e.PLATFORM_MODEL="di_platform_model",e.PLATFORM_VENDOR="di_platform_vendor",e.START_TIME="di_start_time",e.DURATION="di_duration",e.TIME="di_time",e.TIME_MS="di_time_ms",e}();t.EventColumnIds=n},5054:function(e,t,r){"use strict";var n=this&&this.__importDefault||function(e){return e&&e.__esModule?e:{default:e}};Object.defineProperty(t,"__esModule",{value:!0}),t.BrowserInfo=t.OSInfo=t.PlatformInfo=t.SearchEngine=void 0;var i,o=n(r(1206)),s=r(1911);!function(e){e.GOOGLE="google",e.BING="bing",e.YAHOO="yahoo",e.DUCKDUCKGO="duckduckgo",e.COCCOC="coccoc",e.YANINDEX="yandex",e.UNKNOWN=""}(i=t.SearchEngine||(t.SearchEngine={}));var a=function(){function e(e,t,r){this.type=e,this.model=t,this.vendor=r}return e.prototype.isValid=function(){return null!=this.type&&null!=this.type&&this.type.length>0},e}();t.PlatformInfo=a;var u=function(){function e(e,t,r){this.name=e,this.version=t,this.versionName=r}return e.prototype.isValid=function(){return null!=this.name&&null!=this.name&&this.name.length>0},e}();t.OSInfo=u;var c=function(){function e(e,t){this.name=e,this.version=t}return e.prototype.isValid=function(){return null!=this.name&&null!=this.name&&this.name.length>0},e}();t.BrowserInfo=c;var l=function(){function e(){}return e.buildPageAndReferrerInfo=function(t,r){var n=new URL(null!=t?t:window.document.URL),i={};if(i[s.EventColumnIds.URL]=n.href,i[s.EventColumnIds.PATH]=""+n.hostname+n.pathname,i[s.EventColumnIds.QUERY_PARAMS]=e.getQueryParamsAsJson(n.search),null!=r?r:window.document.referrer){var o=new URL(null!=r?r:window.document.referrer);i[s.EventColumnIds.REFERRER_HOST]=o.host,i[s.EventColumnIds.REFERRER]=o.href,i[s.EventColumnIds.REFERRER_SEARCH_ENGINE]=e.getSearchEngine(o.href),i[s.EventColumnIds.SEARCH_ENGINE_KEYWORD]=e.getSearchKeyword(o.href),i[s.EventColumnIds.REFERRER_QUERY_PARAMS]=e.getQueryParamsAsJson(o.search)}return i},e.buildClientSpecifications=function(){var t=e.getDevicePlatform(navigator.userAgent),r=e.getOS(navigator.userAgent),n=e.getBrowser(navigator.userAgent),i={};return i[s.EventColumnIds.OS]=r.name,i[s.EventColumnIds.OS_VERSION]=r.version,i[s.EventColumnIds.OS_VERSION_NAME]=r.versionName,i[s.EventColumnIds.BROWSER]=n.name,i[s.EventColumnIds.BROWSER_VERSION]=n.version,i[s.EventColumnIds.BROWSER_USER_AGENT]=navigator.userAgent||"",i[s.EventColumnIds.BROWSER_PREFERRED_LANG]=navigator.language||"",i[s.EventColumnIds.BROWSER_LANGUAGES]=navigator.languages||[],i[s.EventColumnIds.PLATFORM]=t.type,i[s.EventColumnIds.PLATFORM_MODEL]=t.model,i[s.EventColumnIds.PLATFORM_VENDOR]=t.vendor,i},e.getQueryParamsAsJson=function(e){return JSON.stringify(this.getQueryParams(e))},e.getQueryParams=function(t){for(var r,n={};r=e.QUERY_PARAM_REGEXP.exec(t);)r&&(n[r[1]]=r[2]);return n},e.getSearchEngine=function(e){return 0===e.search("https?://(.*)google.([^/?]*)")?i.GOOGLE:0===e.search("https?://(.*)bing.com")?i.BING:0===e.search("https?://(.*)yahoo.com")?i.YAHOO:0===e.search("https?://(.*)duckduckgo.com")?i.DUCKDUCKGO:0===e.search("https?://(.*)coccoc.com")?i.COCCOC:0===e.search("https?://(.*)yandex.com")?i.YANINDEX:i.UNKNOWN},e.getSearchKeyword=function(e){var t=this.getSearchEngine(e),r=this.getQueryParams(e);return t===i.YAHOO?r.p||"":t===i.COCCOC?r.query||"":t===i.YANINDEX?r.text||"":(i.UNKNOWN,r.q||"")},e.getOS=function(e){var t=o.default.getParser(e).getOS();return new u(t.name||"",t.version||"",t.versionName||"")},e.getBrowser=function(e){var t=o.default.getParser(e).getBrowser();return new c(t.name||"",t.version||"")},e.getDevicePlatform=function(e){var t=o.default.getParser(e).getPlatform();return new a(t.type||"",t.model||"",t.vendor||"")},e.QUERY_PARAM_REGEXP=new RegExp("[\\?&]?(\\w+)=([^&#]*)","g"),e}();t.default=l},3597:function(e,t,r){"use strict";var n,i=this&&this.__extends||(n=function(e,t){return(n=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&(e[r]=t[r])})(e,t)},function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Class extends value "+String(t)+" is not a constructor or null");function r(){this.constructor=e}n(e,t),e.prototype=null===t?Object.create(t):(r.prototype=t.prototype,new r)}),o=this&&this.__assign||function(){return(o=Object.assign||function(e){for(var t,r=1,n=arguments.length;r<n;r++)for(var i in t=arguments[r])Object.prototype.hasOwnProperty.call(t,i)&&(e[i]=t[i]);return e}).apply(this,arguments)},s=this&&this.__importDefault||function(e){return e&&e.__esModule?e:{default:e}};Object.defineProperty(t,"__esModule",{value:!0}),t.BASE_CLIENT=void 0;var a=s(r(9669)),u=s(r(2832)),c=s(r(7277)),l=function(){},f=function(e){function t(t){var r=e.call(this)||this;return r.client=t,r}return i(t,e),t.prototype.delete=function(e,r){return void 0===r&&(r={}),this.client.delete(e,o({},r)).then(t.getData).catch((function(r){return t.handleError(e,r)}))},t.prototype.get=function(e,r){return void 0===r&&(r={}),this.client.get(e,o({},r)).then(t.getData).catch((function(r){return t.handleError(e,r)}))},t.prototype.post=function(e,r,n){return void 0===n&&(n={}),this.client.post(e,r,o({},n)).then(t.getData).catch((function(r){return t.handleError(e,r)}))},t.prototype.put=function(e,r,n){return void 0===n&&(n={}),this.client.put(e,r,o({},n)).then(t.getData).catch((function(r){return t.handleError(e,r)}))},t.getData=function(e){return e.data},t.handleError=function(e,t){var r;if(t.toJSON&&console.warn("request error","path::",e,t.toJSON()),null===(r=t.response)||void 0===r?void 0:r.data){var n=u.default.fromJson(t.response.data);return Promise.reject(n)}var i={message:t.message};return Promise.reject(i)},t}(l);t.default=l,t.BASE_CLIENT=new f(a.default.create({baseURL:c.default.host,timeout:c.default.timeout,headers:c.default.baseHeaders,transformRequest:function(e){return JSON.stringify(o({tracking_api_key:c.default.trackingApiKey},e))}}))},8898:function(e,t,r){"use strict";var n=this&&this.__importDefault||function(e){return e&&e.__esModule?e:{default:e}};Object.defineProperty(t,"__esModule",{value:!0}),t.DataManager=void 0;var i=n(r(2832)),o=function(){function e(){}return e.reset=function(){this.deleteUserId(),this.deleteGlobalProperties()},e.setTrackingHost=function(t){localStorage.setItem(e.TRACKING_URL,t)},e.getTrackingHost=function(){return localStorage.getItem(e.TRACKING_URL)||void 0},e.deleteTrackingHost=function(){localStorage.removeItem(e.TRACKING_URL)},e.setTrackingApiKey=function(t){localStorage.setItem(e.TRACKING_API_KEY,t)},e.getTrackingApiKey=function(){return localStorage.getItem(e.TRACKING_API_KEY)||void 0},e.deleteTrackingApiKey=function(){localStorage.removeItem(e.TRACKING_API_KEY)},e.setGlobalProperties=function(t){var r=i.default.toJson(t);localStorage.setItem(e.GLOBAL_PROPERTIES,r)},e.getGlobalProperties=function(){var t=localStorage.getItem(e.GLOBAL_PROPERTIES);return t?i.default.fromJson(t):{}},e.deleteGlobalProperties=function(){localStorage.removeItem(e.GLOBAL_PROPERTIES)},e.getTrackingId=function(){return localStorage.getItem(e.TRACKING_ID)||void 0},e.setTrackingId=function(t){localStorage.setItem(e.TRACKING_ID,t)},e.deleteTrackingId=function(){localStorage.removeItem(e.TRACKING_ID)},e.setUserId=function(t){localStorage.setItem(e.USER_ID,t)},e.getUserId=function(){return localStorage.getItem(e.USER_ID)||void 0},e.deleteUserId=function(){localStorage.removeItem(e.USER_ID)},e.TRACKING_API_KEY="di_tracking_api_key",e.TRACKING_URL="di_tracking_url",e.TRACKING_ID="di_tracking_id",e.USER_ID="di_tracking_user_id",e.GLOBAL_PROPERTIES="di_tracking_global_properties",e}();t.DataManager=o},6739:function(e,t){"use strict";var r,n=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&(e[r]=t[r])})(e,t)},function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Class extends value "+String(t)+" is not a constructor or null");function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0}),t.StopwatchFactory=t.SessionStopwatch=t.InMemStopwatch=t.Stopwatch=t.ElapseDuration=void 0;var i=function(e,t){this.startTime=e,this.duration=t};t.ElapseDuration=i;var o=function(){};t.Stopwatch=o;var s=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t.stopWatch={},t}return n(t,e),t.prototype.start=function(e){this.stopWatch[e]=Date.now()},t.prototype.stop=function(e){var t=this.stopWatch[e]||0,r=t>0?Date.now()-t:0;return this.stopWatch[e]=0,delete this.stopWatch[e],new i(t,r>0?r:0)},t.prototype.clear=function(){this.stopWatch={}},t}(o);t.InMemStopwatch=s;var a=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n(t,e),t.prototype.start=function(e){sessionStorage.setItem(this.buildKey(e),Date.now().toString())},t.prototype.stop=function(e){var t=this.buildKey(e),r=parseInt(sessionStorage.getItem(t)||"0"),n=r>0?Date.now()-r:0;return sessionStorage.removeItem(t),new i(r,n>0?n:0)},t.prototype.clear=function(){this.getStopwatchIds().forEach((function(e){return sessionStorage.removeItem(e)}))},t.prototype.buildKey=function(e){return"di.tracking.stopwatch."+e},t.prototype.getStopwatchIds=function(){for(var e=[],t=0;t<sessionStorage.length;t++){var r=sessionStorage.key(t);r&&r.startsWith("di.tracking.stopwatch.")&&e.push(r)}return e},t}(o);t.SessionStopwatch=a;var u=function(){function e(){}return e.createStopwatch=function(){return new a},e}();t.StopwatchFactory=u},4243:(e,t,r)=>{"use strict";var n;Object.defineProperty(t,"__esModule",{value:!0}),r(41),function(e){e.Accept="Accept",e.Decline="Decline"}(n||(n={}));var i=function(){function e(){}return e.getStoredUsingCookieStage=function(){return localStorage.getItem("$UC$")===n.Accept?n.Accept:n.Decline},e.allowCookies=function(){e.banner&&e.banner.classList.add("hide")},e.declineCookies=function(){e.banner&&e.banner.classList.add("hide")},e.getBanner=function(t,r,n){e.banner&&e.banner.remove();var i=document.createElement("div");i.classList.add("di-notify");var o=document.createElement("div"),s=document.createElement("div"),a=document.createElement("button"),u=document.createElement("button");return o.innerHTML=t,o.classList.add("di-notify-message"),a.type="button",a.textContent=r,a.classList.add("di-btn-accept"),a.addEventListener("click",e.allowCookies),u.type="button",u.textContent=n,u.classList.add("di-btn-decline"),u.addEventListener("click",e.declineCookies),s.classList.add("di-notify-action"),s.appendChild(a),s.appendChild(u),i.appendChild(o),i.appendChild(s),document.body.appendChild(i),e.banner=i,i},e.showBanner=function(t,r,n){void 0===t&&(t='We use cookies to make website a better place. Cookies help to provide a more personalized experience and relavant advertising for you, and web analytics for us. To learn more about the different cookies we\'re using, check out our <a href="#">Cookie Policy</a> (baked goods not included).'),void 0===r&&(r="Allow cookies"),void 0===n&&(n="Decline"),e.getBanner(t,r,n).classList.add("show")},e.stage=e.getStoredUsingCookieStage(),e.banner=null,e}();t.default=i},2732:function(e,t,r){"use strict";var n=this&&this.__awaiter||function(e,t,r,n){return new(r||(r=Promise))((function(i,o){function s(e){try{u(n.next(e))}catch(e){o(e)}}function a(e){try{u(n.throw(e))}catch(e){o(e)}}function u(e){var t;e.done?i(e.value):(t=e.value,t instanceof r?t:new r((function(e){e(t)}))).then(s,a)}u((n=n.apply(e,t||[])).next())}))},i=this&&this.__generator||function(e,t){var r,n,i,o,s={label:0,sent:function(){if(1&i[0])throw i[1];return i[1]},trys:[],ops:[]};return o={next:a(0),throw:a(1),return:a(2)},"function"==typeof Symbol&&(o[Symbol.iterator]=function(){return this}),o;function a(o){return function(a){return function(o){if(r)throw new TypeError("Generator is already executing.");for(;s;)try{if(r=1,n&&(i=2&o[0]?n.return:o[0]?n.throw||((i=n.return)&&i.call(n),0):n.next)&&!(i=i.call(n,o[1])).done)return i;switch(n=0,i&&(o=[2&o[0],i.value]),o[0]){case 0:case 1:i=o;break;case 4:return s.label++,{value:o[1],done:!1};case 5:s.label++,n=o[1],o=[0];continue;case 7:o=s.ops.pop(),s.trys.pop();continue;default:if(!((i=(i=s.trys).length>0&&i[i.length-1])||6!==o[0]&&2!==o[0])){s=0;continue}if(3===o[0]&&(!i||o[1]>i[0]&&o[1]<i[3])){s.label=o[1];break}if(6===o[0]&&s.label<i[1]){s.label=i[1],i=o;break}if(i&&s.label<i[2]){s.label=i[2],s.ops.push(o);break}i[2]&&s.ops.pop(),s.trys.pop();continue}o=t.call(e,s)}catch(e){o=[6,e],n=0}finally{r=i=0}if(5&o[0])throw o[1];return{value:o[0]?o[1]:void 0,done:!0}}([o,a])}}},o=this&&this.__importDefault||function(e){return e&&e.__esModule?e:{default:e}};Object.defineProperty(t,"__esModule",{value:!0}),t.PersistentQueue=void 0;var s=o(r(6988)),a=r(744),u=r(8125);s.default.workers({SubmitEventWorker:a.SubmitEventWorker});var c=function(){function e(e,t){void 0===e&&(e=50),void 0===t&&(t=5e3),this.queue=new s.default({storage:"localstorage"}),this.eventChannel=this.queue.create("event-track-channel"),this.mutex=new u.Mutex,this.tempEvents=[],this.currentScheduleId=null,this.maxSize=e,this.timePersistent=t,this.start()}return e.prototype.start=function(){this.eventChannel.start()},e.prototype.stop=function(){this.eventChannel.stop()},e.prototype.add=function(e,t){return n(this,void 0,void 0,(function(){var r;return i(this,(function(n){switch(n.label){case 0:return[4,this.mutex.acquire()];case 1:r=n.sent(),n.label=2;case 2:return n.trys.push([2,,6,7]),this.tempEvents.push({eventName:e,properties:t}),this.maxSize>=this.tempEvents.length?[4,this.persist()]:[3,4];case 3:return n.sent(),[3,5];case 4:this.schedulePersist(),n.label=5;case 5:return[3,7];case 6:return r(),[7];case 7:return[2]}}))}))},e.prototype.persist=function(){return n(this,void 0,void 0,(function(){var e;return i(this,(function(t){switch(t.label){case 0:return t.trys.push([0,3,,4]),this.tempEvents.length>=0?[4,this.eventChannel.add({priority:1,label:"persist-event",createdAt:Date.now(),handler:"SubmitEventWorker",args:{events:this.tempEvents}})]:[3,2];case 1:t.sent(),this.tempEvents=[],t.label=2;case 2:return[3,4];case 3:return e=t.sent(),console.warn("persist error",e),[3,4];case 4:return[2]}}))}))},e.prototype.schedulePersist=function(){var e=this;this.currentScheduleId&&clearTimeout(this.currentScheduleId),this.currentScheduleId=setTimeout((function(){return n(e,void 0,void 0,(function(){var e;return i(this,(function(t){switch(t.label){case 0:return[4,this.mutex.acquire()];case 1:e=t.sent(),t.label=2;case 2:return t.trys.push([2,,4,5]),[4,this.persist()];case 3:return t.sent(),[3,5];case 4:return e(),[7];case 5:return[2]}}))}))}),this.timePersistent)},e}();t.PersistentQueue=c},1561:function(e,t,r){"use strict";var n=this&&this.__importDefault||function(e){return e&&e.__esModule?e:{default:e}};Object.defineProperty(t,"__esModule",{value:!0}),t.TrackingSessionManager=void 0;var i=r(1614),o=n(r(7277)),s=function(){function e(){}return e.buildSessionStorageKey=function(e){return"current_session_"+e},e.createSession=function(t){var r=i.v4(),n=Date.now(),s=n+o.default.sessionMaxInactiveDuration,a={sessionId:r,isExpired:!1,createdAt:n,expiredAt:s,lastActivityAt:Date.now(),properties:t||{}};return localStorage.setItem(e.SESSION_KEY,JSON.stringify(a)),sessionStorage.setItem(this.buildSessionStorageKey(r),"1"),[r,n,s]},e.updateSession=function(t){var r=Date.now(),n=localStorage.getItem(e.SESSION_KEY);if(n){var i=JSON.parse(n);i.lastActivityAt=r,i.expiredAt=r+o.default.sessionMaxInactiveDuration,localStorage.setItem(e.SESSION_KEY,JSON.stringify(i)),sessionStorage.setItem(this.buildSessionStorageKey(t),"1")}},e.deleteSession=function(){var t=this.getSession();t&&t.sessionId&&sessionStorage.removeItem(this.buildSessionStorageKey(t.sessionId)),localStorage.removeItem(e.SESSION_KEY)},e.getSession=function(){var t,r=localStorage.getItem(e.SESSION_KEY);return r&&(t=JSON.parse(r)),{sessionId:null==t?void 0:t.sessionId,isExpired:this.isExpired(t),createdAt:(null==t?void 0:t.createdAt)||0,expiredAt:(null==t?void 0:t.expiredAt)||0,lastActivityAt:(null==t?void 0:t.lastActivityAt)||0,properties:(null==t?void 0:t.properties)||{}}},e.isExpired=function(e){return!e||this.isSessionExpired(null==e?void 0:e.sessionId,(null==e?void 0:e.expiredAt)||0)},e.isSessionExpired=function(e,t){var r=!sessionStorage.getItem(this.buildSessionStorageKey(null!=e?e:""));return e&&t?r||Date.now()>=t:r||!e},e.SESSION_KEY="di.tracking_session",e}();t.TrackingSessionManager=s},744:function(e,t,r){"use strict";var n=this&&this.__awaiter||function(e,t,r,n){return new(r||(r=Promise))((function(i,o){function s(e){try{u(n.next(e))}catch(e){o(e)}}function a(e){try{u(n.throw(e))}catch(e){o(e)}}function u(e){var t;e.done?i(e.value):(t=e.value,t instanceof r?t:new r((function(e){e(t)}))).then(s,a)}u((n=n.apply(e,t||[])).next())}))},i=this&&this.__generator||function(e,t){var r,n,i,o,s={label:0,sent:function(){if(1&i[0])throw i[1];return i[1]},trys:[],ops:[]};return o={next:a(0),throw:a(1),return:a(2)},"function"==typeof Symbol&&(o[Symbol.iterator]=function(){return this}),o;function a(o){return function(a){return function(o){if(r)throw new TypeError("Generator is already executing.");for(;s;)try{if(r=1,n&&(i=2&o[0]?n.return:o[0]?n.throw||((i=n.return)&&i.call(n),0):n.next)&&!(i=i.call(n,o[1])).done)return i;switch(n=0,i&&(o=[2&o[0],i.value]),o[0]){case 0:case 1:i=o;break;case 4:return s.label++,{value:o[1],done:!1};case 5:s.label++,n=o[1],o=[0];continue;case 7:o=s.ops.pop(),s.trys.pop();continue;default:if(!((i=(i=s.trys).length>0&&i[i.length-1])||6!==o[0]&&2!==o[0])){s=0;continue}if(3===o[0]&&(!i||o[1]>i[0]&&o[1]<i[3])){s.label=o[1];break}if(6===o[0]&&s.label<i[1]){s.label=i[1],i=o;break}if(i&&s.label<i[2]){s.label=i[2],s.ops.push(o);break}i[2]&&s.ops.pop(),s.trys.pop();continue}o=t.call(e,s)}catch(e){o=[6,e],n=0}finally{r=i=0}if(5&o[0])throw o[1];return{value:o[0]?o[1]:void 0,done:!0}}([o,a])}}},o=this&&this.__importDefault||function(e){return e&&e.__esModule?e:{default:e}};Object.defineProperty(t,"__esModule",{value:!0}),t.SubmitEventWorker=void 0;var s=o(r(1244)),a=function(){function e(){}return e.prototype.handle=function(e){return n(this,void 0,void 0,(function(){var t,r;return i(this,(function(n){switch(n.label){case 0:t=e.events,n.label=1;case 1:return n.trys.push([1,3,,4]),[4,s.default.multiTrack(t)];case 2:return n.sent(),[3,4];case 3:return r=n.sent(),console.error("track event error cause",r),[3,4];case 4:return[2]}}))}))},e}();t.SubmitEventWorker=a},1363:function(e,t,r){"use strict";var n=this&&this.__createBinding||(Object.create?function(e,t,r,n){void 0===n&&(n=r),Object.defineProperty(e,n,{enumerable:!0,get:function(){return t[r]}})}:function(e,t,r,n){void 0===n&&(n=r),e[n]=t[r]}),i=this&&this.__exportStar||function(e,t){for(var r in e)"default"===r||Object.prototype.hasOwnProperty.call(t,r)||n(t,e,r)};Object.defineProperty(t,"__esModule",{value:!0}),i(r(7872),t)},7872:function(e,t){"use strict";var r,n=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&(e[r]=t[r])})(e,t)},function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Class extends value "+String(t)+" is not a constructor or null");function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0}),t.TrackingRepositoryImpl=t.TrackingRepository=void 0;var i=function(e){this.success=e},o=function(){};t.TrackingRepository=o;var s=function(e){function t(t){var r=e.call(this)||this;return r.client=t,r}return n(t,e),t.prototype.multiTrack=function(e){return this.client.post("/api/tracking/warehouse/track",{events:t.toJson(e)}).then((function(e){return t.getResult(e).success}))},t.prototype.track=function(e,t){return this.multiTrack([{eventName:e,properties:t}])},t.getResult=function(e){var t=JSON.parse(e);return new i(t.success)},t.toJson=function(e){var t=e.map((function(e){return{event_name:e.eventName,properties:e.properties}}));return JSON.stringify(t)},t}(o);t.TrackingRepositoryImpl=s},5819:function(e,t,r){"use strict";var n,i=this&&this.__extends||(n=function(e,t){return(n=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&(e[r]=t[r])})(e,t)},function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Class extends value "+String(t)+" is not a constructor or null");function r(){this.constructor=e}n(e,t),e.prototype=null===t?Object.create(t):(r.prototype=t.prototype,new r)}),o=this&&this.__assign||function(){return(o=Object.assign||function(e){for(var t,r=1,n=arguments.length;r<n;r++)for(var i in t=arguments[r])Object.prototype.hasOwnProperty.call(t,i)&&(e[i]=t[i]);return e}).apply(this,arguments)},s=this&&this.__awaiter||function(e,t,r,n){return new(r||(r=Promise))((function(i,o){function s(e){try{u(n.next(e))}catch(e){o(e)}}function a(e){try{u(n.throw(e))}catch(e){o(e)}}function u(e){var t;e.done?i(e.value):(t=e.value,t instanceof r?t:new r((function(e){e(t)}))).then(s,a)}u((n=n.apply(e,t||[])).next())}))},a=this&&this.__generator||function(e,t){var r,n,i,o,s={label:0,sent:function(){if(1&i[0])throw i[1];return i[1]},trys:[],ops:[]};return o={next:a(0),throw:a(1),return:a(2)},"function"==typeof Symbol&&(o[Symbol.iterator]=function(){return this}),o;function a(o){return function(a){return function(o){if(r)throw new TypeError("Generator is already executing.");for(;s;)try{if(r=1,n&&(i=2&o[0]?n.return:o[0]?n.throw||((i=n.return)&&i.call(n),0):n.next)&&!(i=i.call(n,o[1])).done)return i;switch(n=0,i&&(o=[2&o[0],i.value]),o[0]){case 0:case 1:i=o;break;case 4:return s.label++,{value:o[1],done:!1};case 5:s.label++,n=o[1],o=[0];continue;case 7:o=s.ops.pop(),s.trys.pop();continue;default:if(!((i=(i=s.trys).length>0&&i[i.length-1])||6!==o[0]&&2!==o[0])){s=0;continue}if(3===o[0]&&(!i||o[1]>i[0]&&o[1]<i[3])){s.label=o[1];break}if(6===o[0]&&s.label<i[1]){s.label=i[1],i=o;break}if(i&&s.label<i[2]){s.label=i[2],s.ops.push(o);break}i[2]&&s.ops.pop(),s.trys.pop();continue}o=t.call(e,s)}catch(e){o=[6,e],n=0}finally{r=i=0}if(5&o[0])throw o[1];return{value:o[0]?o[1]:void 0,done:!0}}([o,a])}}},u=this&&this.__importDefault||function(e){return e&&e.__esModule?e:{default:e}};Object.defineProperty(t,"__esModule",{value:!0}),t.AnalyticsCore=t.DisableAnalyticsCore=t.BaseAnalyticsCore=void 0;var c=r(8898),l=u(r(7277)),f=u(r(5054)),d=r(6739),p=r(2732),h=r(1911),v=r(1561),g=r(8125),y=function(){};t.BaseAnalyticsCore=y;var m=function(e){function t(){return e.call(this)||this}return i(t,e),t.prototype.enterScreen=function(e,t){},t.prototype.enterScreenStart=function(e){},t.prototype.exitScreen=function(e,t){},t.prototype.getTrackingId=function(){return s(this,void 0,void 0,(function(){return a(this,(function(e){return[2,Promise.resolve("")]}))}))},t.prototype.identify=function(e){},t.prototype.register=function(e){},t.prototype.reset=function(){},t.prototype.time=function(e){},t.prototype.touchSession=function(){return s(this,void 0,void 0,(function(){return a(this,(function(e){return[2,Promise.resolve(void 0)]}))}))},t.prototype.track=function(e,t){},t.prototype.setUserProfile=function(e,t){return Promise.resolve(void 0)},t}(y);t.DisableAnalyticsCore=m;var _=function(e){function t(t){var r=e.call(this)||this;r.mutex=new g.Mutex,r.stopwatch=d.StopwatchFactory.createStopwatch(),r.worker=new p.PersistentQueue;var n=o(o({},c.DataManager.getGlobalProperties()),t);return c.DataManager.setGlobalProperties(n),r.globalProperties=n,r.getTrackingId().then((function(){return r.touchSession()})),r.setupWorker(),r}return i(t,e),t.prototype.setupWorker=function(){var e=this;document.addEventListener("readystatechange",(function(t){"complete"===document.readyState&&window.addEventListener("unload",(function(t){e.worker.stop()}))}))},t.prototype.reset=function(){this.lastScreenName="",this.stopwatch.clear(),c.DataManager.reset()},t.prototype.getTrackingId=function(){return s(this,void 0,void 0,(function(){return a(this,(function(e){return[2,l.default.trackingApiKey]}))}))},t.prototype.register=function(e){var t=o(o({},this.globalProperties),e);c.DataManager.setGlobalProperties(t),this.globalProperties=t},t.prototype.enterScreenStart=function(e){this.time(h.SystemEvents.SCREEN_ENTER),this.lastScreenName=e||""},t.prototype.enterScreen=function(e,t){void 0===t&&(t={}),this.lastScreenName=e||"",this.time("di_pageview_"+e);var r=o({},t);r[h.EventColumnIds.SCREEN_NAME]=e,this.track(h.SystemEvents.SCREEN_ENTER,r)},t.prototype.exitScreen=function(e,t){void 0===t&&(t={});var r=this.stopwatch.stop("di_pageview_"+e),n=o({},t);n[h.EventColumnIds.SCREEN_NAME]=e,n[h.EventColumnIds.START_TIME]=r.startTime||0,n[h.EventColumnIds.DURATION]=r.duration||0,this.track(h.SystemEvents.PAGE_VIEW,n)},t.prototype.touchSession=function(){return s(this,void 0,void 0,(function(){var e,t;return a(this,(function(r){switch(r.label){case 0:return[4,this.mutex.acquire()];case 1:e=r.sent();try{(t=v.TrackingSessionManager.getSession()).isExpired?(t.sessionId&&this.endSession(t),v.TrackingSessionManager.deleteSession(),this.createSession()):v.TrackingSessionManager.updateSession(t.sessionId)}finally{e()}return[2]}}))}))},t.prototype.createSession=function(){var e=this.buildCreateSessionTrackingData();return this.enqueueEventData(h.SystemEvents.SESSION_CREATED,e)},t.prototype.endSession=function(e){var t=this.buildEndSessionTrackingData(e);return this.track(h.SystemEvents.SESSION_END,t)},t.prototype.time=function(e){this.stopwatch.start(e)},t.prototype.identify=function(e){var t=c.DataManager.getUserId();t&&0!==t.length&&t!==e&&c.DataManager.reset(),c.DataManager.setUserId(e)},t.prototype.setUserProfile=function(e,t){var r;return c.DataManager.setUserId(e),this.worker.add(h.SystemEvents.SET_USER,o(((r={})[h.EventColumnIds.USER_ID]=e,r),t))},t.prototype.track=function(e,t){var r=this.buildTrackingData(e,t);this.enqueueEventData(e,r)},t.prototype.enqueueEventData=function(e,t){this.worker.add(e,t)},t.prototype.buildCreateSessionTrackingData=function(){var e=this.buildTrackingData(h.SystemEvents.SESSION_CREATED,{}),t=v.TrackingSessionManager.createSession(e),r=t[0],n=t[1];return t[2],e[h.EventColumnIds.SESSION_ID]=r,e[h.EventColumnIds.START_TIME]=n,e[h.EventColumnIds.TIME]=n,e},t.prototype.buildEndSessionTrackingData=function(e){var t=e.properties||{};return t[h.EventColumnIds.SESSION_ID]=e.sessionId,t[h.EventColumnIds.START_TIME]=e.createdAt,t[h.EventColumnIds.DURATION]=Date.now()-e.createdAt,t[h.EventColumnIds.TIME]=Date.now(),t},t.prototype.buildTrackingData=function(e,t){var r=c.DataManager.getTrackingId(),n=v.TrackingSessionManager.getSession();this.enrichScreenName(t),this.enrichDuration(e,t);var i=o(o(o(o({},this.globalProperties),t),f.default.buildClientSpecifications()),f.default.buildPageAndReferrerInfo(t[h.EventColumnIds.URL],t[h.EventColumnIds.REFERRER]));return i[h.EventColumnIds.LIB_PLATFORM]=l.default.platform,i[h.EventColumnIds.LIB_VERSION]=l.default.version,i[h.EventColumnIds.SESSION_ID]=n.sessionId||t[h.EventColumnIds.SESSION_ID]||"",i[h.EventColumnIds.TRACKING_ID]=r||t[h.EventColumnIds.TRACKING_ID]||"",i[h.EventColumnIds.USER_ID]=c.DataManager.getUserId()||"",i[h.EventColumnIds.TIME]=t[h.EventColumnIds.TIME]||Date.now(),i},t.prototype.enrichScreenName=function(e){e[h.EventColumnIds.SCREEN_NAME]||(e[h.EventColumnIds.SCREEN_NAME]=this.lastScreenName||window.document.location.pathname)},t.prototype.enrichDuration=function(e,t){var r=this.stopwatch.stop(e);t[h.EventColumnIds.START_TIME]||(t[h.EventColumnIds.START_TIME]=r.startTime||0),t[h.EventColumnIds.DURATION]||(t[h.EventColumnIds.DURATION]=r.duration||0)},t}(y);t.AnalyticsCore=_},8115:function(e,t,r){"use strict";var n=this&&this.__awaiter||function(e,t,r,n){return new(r||(r=Promise))((function(i,o){function s(e){try{u(n.next(e))}catch(e){o(e)}}function a(e){try{u(n.throw(e))}catch(e){o(e)}}function u(e){var t;e.done?i(e.value):(t=e.value,t instanceof r?t:new r((function(e){e(t)}))).then(s,a)}u((n=n.apply(e,t||[])).next())}))},i=this&&this.__generator||function(e,t){var r,n,i,o,s={label:0,sent:function(){if(1&i[0])throw i[1];return i[1]},trys:[],ops:[]};return o={next:a(0),throw:a(1),return:a(2)},"function"==typeof Symbol&&(o[Symbol.iterator]=function(){return this}),o;function a(o){return function(a){return function(o){if(r)throw new TypeError("Generator is already executing.");for(;s;)try{if(r=1,n&&(i=2&o[0]?n.return:o[0]?n.throw||((i=n.return)&&i.call(n),0):n.next)&&!(i=i.call(n,o[1])).done)return i;switch(n=0,i&&(o=[2&o[0],i.value]),o[0]){case 0:case 1:i=o;break;case 4:return s.label++,{value:o[1],done:!1};case 5:s.label++,n=o[1],o=[0];continue;case 7:o=s.ops.pop(),s.trys.pop();continue;default:if(!((i=(i=s.trys).length>0&&i[i.length-1])||6!==o[0]&&2!==o[0])){s=0;continue}if(3===o[0]&&(!i||o[1]>i[0]&&o[1]<i[3])){s.label=o[1];break}if(6===o[0]&&s.label<i[1]){s.label=i[1],i=o;break}if(i&&s.label<i[2]){s.label=i[2],s.ops.push(o);break}i[2]&&s.ops.pop(),s.trys.pop();continue}o=t.call(e,s)}catch(e){o=[6,e],n=0}finally{r=i=0}if(5&o[0])throw o[1];return{value:o[0]?o[1]:void 0,done:!0}}([o,a])}}},o=this&&this.__importDefault||function(e){return e&&e.__esModule?e:{default:e}};Object.defineProperty(t,"__esModule",{value:!0}),t.DiAnalytics=void 0;var s=r(8898),a=r(5819),u=o(r(4243)),c=o(r(7277)),l=function(){function e(){}return e.getInstance=function(){if(!this.instance){var e=s.DataManager.getTrackingHost(),t=s.DataManager.getTrackingApiKey();if(!e||!t)throw new Error("DiAnalytics: You have to call DiAnalytics.getInstance first.");this.init(e,t)}return this.instance},e.init=function(e,t,r,n){null!=n&&n?this.instance=new a.DisableAnalyticsCore:(c.default.setValue("trackingApiKey",t).setValue("host",e),s.DataManager.setTrackingHost(e),s.DataManager.setTrackingApiKey(t),this.instance=new a.AnalyticsCore(r||{}))},e.autoTrackDom=function(e){},e.enterScreenStart=function(e){var t=this;return this.getInstance().touchSession().then((function(r){t.getInstance().enterScreenStart(e)}))},e.enterScreen=function(e,t){var r=this;return void 0===t&&(t={}),this.getInstance().touchSession().then((function(n){r.getInstance().enterScreen(e,t)}))},e.exitScreen=function(e,t){return void 0===t&&(t={}),n(this,void 0,void 0,(function(){var r=this;return i(this,(function(n){return[2,this.getInstance().touchSession().then((function(n){r.getInstance().exitScreen(e,t)}))]}))}))},e.register=function(e){var t=this;this.getInstance().touchSession().then((function(r){t.getInstance().register(e)}))},e.time=function(e){var t=this;return this.getInstance().touchSession().then((function(r){t.getInstance().time(e)})),this},e.track=function(e,t){return void 0===t&&(t={}),n(this,void 0,void 0,(function(){return i(this,(function(r){switch(r.label){case 0:return[4,this.getInstance().touchSession()];case 1:return r.sent(),[2,this.getInstance().track(e,t)]}}))}))},e.identify=function(e){return n(this,void 0,void 0,(function(){return i(this,(function(t){switch(t.label){case 0:return[4,this.getInstance().touchSession()];case 1:return t.sent(),[2,this.getInstance().identify(e)]}}))}))},e.setUserProfile=function(e,t){return void 0===t&&(t={}),n(this,void 0,void 0,(function(){return i(this,(function(r){switch(r.label){case 0:return[4,this.getInstance().touchSession()];case 1:return r.sent(),[2,this.getInstance().setUserProfile(e,t)]}}))}))},e.notifyUsingCookies=function(e,t,r,n){u.default.showBanner()},e.reset=function(){return this.getInstance().reset(),this},e}();t.DiAnalytics=l},1244:function(e,t,r){"use strict";var n,i=this&&this.__extends||(n=function(e,t){return(n=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&(e[r]=t[r])})(e,t)},function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Class extends value "+String(t)+" is not a constructor or null");function r(){this.constructor=e}n(e,t),e.prototype=null===t?Object.create(t):(r.prototype=t.prototype,new r)});Object.defineProperty(t,"__esModule",{value:!0}),t.TrackingServiceImpl=t.TrackingService=void 0;var o=r(1363),s=r(3597),a=function(){};t.TrackingService=a;var u=function(e){function t(t){var r=e.call(this)||this;return r.trackingRepository=t,r}return i(t,e),t.prototype.multiTrack=function(e){return this.trackingRepository.multiTrack(e)},t.prototype.track=function(e,t){return this.trackingRepository.track(e,t)},t}(a);t.TrackingServiceImpl=u;var c=new u(new o.TrackingRepositoryImpl(s.BASE_CLIENT));t.default=c},655:(e,t,r)=>{"use strict";r.r(t),r.d(t,{__extends:()=>i,__assign:()=>o,__rest:()=>s,__decorate:()=>a,__param:()=>u,__metadata:()=>c,__awaiter:()=>l,__generator:()=>f,__createBinding:()=>d,__exportStar:()=>p,__values:()=>h,__read:()=>v,__spread:()=>g,__spreadArrays:()=>y,__spreadArray:()=>m,__await:()=>_,__asyncGenerator:()=>b,__asyncDelegator:()=>w,__asyncValues:()=>S,__makeTemplateObject:()=>E,__importStar:()=>A,__importDefault:()=>M,__classPrivateFieldGet:()=>P,__classPrivateFieldSet:()=>I});var n=function(e,t){return(n=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&(e[r]=t[r])})(e,t)};function i(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Class extends value "+String(t)+" is not a constructor or null");function r(){this.constructor=e}n(e,t),e.prototype=null===t?Object.create(t):(r.prototype=t.prototype,new r)}var o=function(){return(o=Object.assign||function(e){for(var t,r=1,n=arguments.length;r<n;r++)for(var i in t=arguments[r])Object.prototype.hasOwnProperty.call(t,i)&&(e[i]=t[i]);return e}).apply(this,arguments)};function s(e,t){var r={};for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&t.indexOf(n)<0&&(r[n]=e[n]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols){var i=0;for(n=Object.getOwnPropertySymbols(e);i<n.length;i++)t.indexOf(n[i])<0&&Object.prototype.propertyIsEnumerable.call(e,n[i])&&(r[n[i]]=e[n[i]])}return r}function a(e,t,r,n){var i,o=arguments.length,s=o<3?t:null===n?n=Object.getOwnPropertyDescriptor(t,r):n;if("object"==typeof Reflect&&"function"==typeof Reflect.decorate)s=Reflect.decorate(e,t,r,n);else for(var a=e.length-1;a>=0;a--)(i=e[a])&&(s=(o<3?i(s):o>3?i(t,r,s):i(t,r))||s);return o>3&&s&&Object.defineProperty(t,r,s),s}function u(e,t){return function(r,n){t(r,n,e)}}function c(e,t){if("object"==typeof Reflect&&"function"==typeof Reflect.metadata)return Reflect.metadata(e,t)}function l(e,t,r,n){return new(r||(r=Promise))((function(i,o){function s(e){try{u(n.next(e))}catch(e){o(e)}}function a(e){try{u(n.throw(e))}catch(e){o(e)}}function u(e){var t;e.done?i(e.value):(t=e.value,t instanceof r?t:new r((function(e){e(t)}))).then(s,a)}u((n=n.apply(e,t||[])).next())}))}function f(e,t){var r,n,i,o,s={label:0,sent:function(){if(1&i[0])throw i[1];return i[1]},trys:[],ops:[]};return o={next:a(0),throw:a(1),return:a(2)},"function"==typeof Symbol&&(o[Symbol.iterator]=function(){return this}),o;function a(o){return function(a){return function(o){if(r)throw new TypeError("Generator is already executing.");for(;s;)try{if(r=1,n&&(i=2&o[0]?n.return:o[0]?n.throw||((i=n.return)&&i.call(n),0):n.next)&&!(i=i.call(n,o[1])).done)return i;switch(n=0,i&&(o=[2&o[0],i.value]),o[0]){case 0:case 1:i=o;break;case 4:return s.label++,{value:o[1],done:!1};case 5:s.label++,n=o[1],o=[0];continue;case 7:o=s.ops.pop(),s.trys.pop();continue;default:if(!((i=(i=s.trys).length>0&&i[i.length-1])||6!==o[0]&&2!==o[0])){s=0;continue}if(3===o[0]&&(!i||o[1]>i[0]&&o[1]<i[3])){s.label=o[1];break}if(6===o[0]&&s.label<i[1]){s.label=i[1],i=o;break}if(i&&s.label<i[2]){s.label=i[2],s.ops.push(o);break}i[2]&&s.ops.pop(),s.trys.pop();continue}o=t.call(e,s)}catch(e){o=[6,e],n=0}finally{r=i=0}if(5&o[0])throw o[1];return{value:o[0]?o[1]:void 0,done:!0}}([o,a])}}}var d=Object.create?function(e,t,r,n){void 0===n&&(n=r),Object.defineProperty(e,n,{enumerable:!0,get:function(){return t[r]}})}:function(e,t,r,n){void 0===n&&(n=r),e[n]=t[r]};function p(e,t){for(var r in e)"default"===r||Object.prototype.hasOwnProperty.call(t,r)||d(t,e,r)}function h(e){var t="function"==typeof Symbol&&Symbol.iterator,r=t&&e[t],n=0;if(r)return r.call(e);if(e&&"number"==typeof e.length)return{next:function(){return e&&n>=e.length&&(e=void 0),{value:e&&e[n++],done:!e}}};throw new TypeError(t?"Object is not iterable.":"Symbol.iterator is not defined.")}function v(e,t){var r="function"==typeof Symbol&&e[Symbol.iterator];if(!r)return e;var n,i,o=r.call(e),s=[];try{for(;(void 0===t||t-- >0)&&!(n=o.next()).done;)s.push(n.value)}catch(e){i={error:e}}finally{try{n&&!n.done&&(r=o.return)&&r.call(o)}finally{if(i)throw i.error}}return s}function g(){for(var e=[],t=0;t<arguments.length;t++)e=e.concat(v(arguments[t]));return e}function y(){for(var e=0,t=0,r=arguments.length;t<r;t++)e+=arguments[t].length;var n=Array(e),i=0;for(t=0;t<r;t++)for(var o=arguments[t],s=0,a=o.length;s<a;s++,i++)n[i]=o[s];return n}function m(e,t,r){if(r||2===arguments.length)for(var n,i=0,o=t.length;i<o;i++)!n&&i in t||(n||(n=Array.prototype.slice.call(t,0,i)),n[i]=t[i]);return e.concat(n||Array.prototype.slice.call(t))}function _(e){return this instanceof _?(this.v=e,this):new _(e)}function b(e,t,r){if(!Symbol.asyncIterator)throw new TypeError("Symbol.asyncIterator is not defined.");var n,i=r.apply(e,t||[]),o=[];return n={},s("next"),s("throw"),s("return"),n[Symbol.asyncIterator]=function(){return this},n;function s(e){i[e]&&(n[e]=function(t){return new Promise((function(r,n){o.push([e,t,r,n])>1||a(e,t)}))})}function a(e,t){try{(r=i[e](t)).value instanceof _?Promise.resolve(r.value.v).then(u,c):l(o[0][2],r)}catch(e){l(o[0][3],e)}var r}function u(e){a("next",e)}function c(e){a("throw",e)}function l(e,t){e(t),o.shift(),o.length&&a(o[0][0],o[0][1])}}function w(e){var t,r;return t={},n("next"),n("throw",(function(e){throw e})),n("return"),t[Symbol.iterator]=function(){return this},t;function n(n,i){t[n]=e[n]?function(t){return(r=!r)?{value:_(e[n](t)),done:"return"===n}:i?i(t):t}:i}}function S(e){if(!Symbol.asyncIterator)throw new TypeError("Symbol.asyncIterator is not defined.");var t,r=e[Symbol.asyncIterator];return r?r.call(e):(e=h(e),t={},n("next"),n("throw"),n("return"),t[Symbol.asyncIterator]=function(){return this},t);function n(r){t[r]=e[r]&&function(t){return new Promise((function(n,i){!function(e,t,r,n){Promise.resolve(n).then((function(t){e({value:t,done:r})}),t)}(n,i,(t=e[r](t)).done,t.value)}))}}}function E(e,t){return Object.defineProperty?Object.defineProperty(e,"raw",{value:t}):e.raw=t,e}var O=Object.create?function(e,t){Object.defineProperty(e,"default",{enumerable:!0,value:t})}:function(e,t){e.default=t};function A(e){if(e&&e.__esModule)return e;var t={};if(null!=e)for(var r in e)"default"!==r&&Object.prototype.hasOwnProperty.call(e,r)&&d(t,e,r);return O(t,e),t}function M(e){return e&&e.__esModule?e:{default:e}}function P(e,t,r,n){if("a"===r&&!n)throw new TypeError("Private accessor was defined without a getter");if("function"==typeof t?e!==t||!n:!t.has(e))throw new TypeError("Cannot read private member from an object whose class did not declare it");return"m"===r?n:"a"===r?n.call(e):n?n.value:t.get(e)}function I(e,t,r,n,i){if("m"===n)throw new TypeError("Private method is not writable");if("a"===n&&!i)throw new TypeError("Private accessor was defined without a setter");if("function"==typeof t?e!==t||!i:!t.has(e))throw new TypeError("Cannot write private member to an object whose class did not declare it");return"a"===n?i.call(e,r):i?i.value=r:t.set(e,r),r}},1614:(e,t,r)=>{"use strict";var n;r.r(t),r.d(t,{NIL:()=>x,parse:()=>g,stringify:()=>l,v1:()=>v,v3:()=>A,v4:()=>M,v5:()=>R,validate:()=>a,version:()=>k});var i=new Uint8Array(16);function o(){if(!n&&!(n="undefined"!=typeof crypto&&crypto.getRandomValues&&crypto.getRandomValues.bind(crypto)||"undefined"!=typeof msCrypto&&"function"==typeof msCrypto.getRandomValues&&msCrypto.getRandomValues.bind(msCrypto)))throw new Error("crypto.getRandomValues() not supported. See https://github.com/uuidjs/uuid#getrandomvalues-not-supported");return n(i)}const s=/^(?:[0-9a-f]{8}-[0-9a-f]{4}-[1-5][0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}|00000000-0000-0000-0000-000000000000)$/i,a=function(e){return"string"==typeof e&&s.test(e)};for(var u=[],c=0;c<256;++c)u.push((c+256).toString(16).substr(1));const l=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,r=(u[e[t+0]]+u[e[t+1]]+u[e[t+2]]+u[e[t+3]]+"-"+u[e[t+4]]+u[e[t+5]]+"-"+u[e[t+6]]+u[e[t+7]]+"-"+u[e[t+8]]+u[e[t+9]]+"-"+u[e[t+10]]+u[e[t+11]]+u[e[t+12]]+u[e[t+13]]+u[e[t+14]]+u[e[t+15]]).toLowerCase();if(!a(r))throw TypeError("Stringified UUID is invalid");return r};var f,d,p=0,h=0;const v=function(e,t,r){var n=t&&r||0,i=t||new Array(16),s=(e=e||{}).node||f,a=void 0!==e.clockseq?e.clockseq:d;if(null==s||null==a){var u=e.random||(e.rng||o)();null==s&&(s=f=[1|u[0],u[1],u[2],u[3],u[4],u[5]]),null==a&&(a=d=16383&(u[6]<<8|u[7]))}var c=void 0!==e.msecs?e.msecs:Date.now(),v=void 0!==e.nsecs?e.nsecs:h+1,g=c-p+(v-h)/1e4;if(g<0&&void 0===e.clockseq&&(a=a+1&16383),(g<0||c>p)&&void 0===e.nsecs&&(v=0),v>=1e4)throw new Error("uuid.v1(): Can't create more than 10M uuids/sec");p=c,h=v,d=a;var y=(1e4*(268435455&(c+=122192928e5))+v)%4294967296;i[n++]=y>>>24&255,i[n++]=y>>>16&255,i[n++]=y>>>8&255,i[n++]=255&y;var m=c/4294967296*1e4&268435455;i[n++]=m>>>8&255,i[n++]=255&m,i[n++]=m>>>24&15|16,i[n++]=m>>>16&255,i[n++]=a>>>8|128,i[n++]=255&a;for(var _=0;_<6;++_)i[n+_]=s[_];return t||l(i)},g=function(e){if(!a(e))throw TypeError("Invalid UUID");var t,r=new Uint8Array(16);return r[0]=(t=parseInt(e.slice(0,8),16))>>>24,r[1]=t>>>16&255,r[2]=t>>>8&255,r[3]=255&t,r[4]=(t=parseInt(e.slice(9,13),16))>>>8,r[5]=255&t,r[6]=(t=parseInt(e.slice(14,18),16))>>>8,r[7]=255&t,r[8]=(t=parseInt(e.slice(19,23),16))>>>8,r[9]=255&t,r[10]=(t=parseInt(e.slice(24,36),16))/1099511627776&255,r[11]=t/4294967296&255,r[12]=t>>>24&255,r[13]=t>>>16&255,r[14]=t>>>8&255,r[15]=255&t,r};function y(e,t,r){function n(e,n,i,o){if("string"==typeof e&&(e=function(e){e=unescape(encodeURIComponent(e));for(var t=[],r=0;r<e.length;++r)t.push(e.charCodeAt(r));return t}(e)),"string"==typeof n&&(n=g(n)),16!==n.length)throw TypeError("Namespace must be array-like (16 iterable integer values, 0-255)");var s=new Uint8Array(16+e.length);if(s.set(n),s.set(e,n.length),(s=r(s))[6]=15&s[6]|t,s[8]=63&s[8]|128,i){o=o||0;for(var a=0;a<16;++a)i[o+a]=s[a];return i}return l(s)}try{n.name=e}catch(e){}return n.DNS="6ba7b810-9dad-11d1-80b4-00c04fd430c8",n.URL="6ba7b811-9dad-11d1-80b4-00c04fd430c8",n}function m(e){return 14+(e+64>>>9<<4)+1}function _(e,t){var r=(65535&e)+(65535&t);return(e>>16)+(t>>16)+(r>>16)<<16|65535&r}function b(e,t,r,n,i,o){return _((s=_(_(t,e),_(n,o)))<<(a=i)|s>>>32-a,r);var s,a}function w(e,t,r,n,i,o,s){return b(t&r|~t&n,e,t,i,o,s)}function S(e,t,r,n,i,o,s){return b(t&n|r&~n,e,t,i,o,s)}function E(e,t,r,n,i,o,s){return b(t^r^n,e,t,i,o,s)}function O(e,t,r,n,i,o,s){return b(r^(t|~n),e,t,i,o,s)}const A=y("v3",48,(function(e){if("string"==typeof e){var t=unescape(encodeURIComponent(e));e=new Uint8Array(t.length);for(var r=0;r<t.length;++r)e[r]=t.charCodeAt(r)}return function(e){for(var t=[],r=32*e.length,n="0123456789abcdef",i=0;i<r;i+=8){var o=e[i>>5]>>>i%32&255,s=parseInt(n.charAt(o>>>4&15)+n.charAt(15&o),16);t.push(s)}return t}(function(e,t){e[t>>5]|=128<<t%32,e[m(t)-1]=t;for(var r=1732584193,n=-271733879,i=-1732584194,o=271733878,s=0;s<e.length;s+=16){var a=r,u=n,c=i,l=o;r=w(r,n,i,o,e[s],7,-680876936),o=w(o,r,n,i,e[s+1],12,-389564586),i=w(i,o,r,n,e[s+2],17,606105819),n=w(n,i,o,r,e[s+3],22,-1044525330),r=w(r,n,i,o,e[s+4],7,-176418897),o=w(o,r,n,i,e[s+5],12,1200080426),i=w(i,o,r,n,e[s+6],17,-1473231341),n=w(n,i,o,r,e[s+7],22,-45705983),r=w(r,n,i,o,e[s+8],7,1770035416),o=w(o,r,n,i,e[s+9],12,-1958414417),i=w(i,o,r,n,e[s+10],17,-42063),n=w(n,i,o,r,e[s+11],22,-1990404162),r=w(r,n,i,o,e[s+12],7,1804603682),o=w(o,r,n,i,e[s+13],12,-40341101),i=w(i,o,r,n,e[s+14],17,-1502002290),r=S(r,n=w(n,i,o,r,e[s+15],22,1236535329),i,o,e[s+1],5,-165796510),o=S(o,r,n,i,e[s+6],9,-1069501632),i=S(i,o,r,n,e[s+11],14,643717713),n=S(n,i,o,r,e[s],20,-373897302),r=S(r,n,i,o,e[s+5],5,-701558691),o=S(o,r,n,i,e[s+10],9,38016083),i=S(i,o,r,n,e[s+15],14,-660478335),n=S(n,i,o,r,e[s+4],20,-405537848),r=S(r,n,i,o,e[s+9],5,568446438),o=S(o,r,n,i,e[s+14],9,-1019803690),i=S(i,o,r,n,e[s+3],14,-187363961),n=S(n,i,o,r,e[s+8],20,1163531501),r=S(r,n,i,o,e[s+13],5,-1444681467),o=S(o,r,n,i,e[s+2],9,-51403784),i=S(i,o,r,n,e[s+7],14,1735328473),r=E(r,n=S(n,i,o,r,e[s+12],20,-1926607734),i,o,e[s+5],4,-378558),o=E(o,r,n,i,e[s+8],11,-2022574463),i=E(i,o,r,n,e[s+11],16,1839030562),n=E(n,i,o,r,e[s+14],23,-35309556),r=E(r,n,i,o,e[s+1],4,-1530992060),o=E(o,r,n,i,e[s+4],11,1272893353),i=E(i,o,r,n,e[s+7],16,-155497632),n=E(n,i,o,r,e[s+10],23,-1094730640),r=E(r,n,i,o,e[s+13],4,681279174),o=E(o,r,n,i,e[s],11,-358537222),i=E(i,o,r,n,e[s+3],16,-722521979),n=E(n,i,o,r,e[s+6],23,76029189),r=E(r,n,i,o,e[s+9],4,-640364487),o=E(o,r,n,i,e[s+12],11,-421815835),i=E(i,o,r,n,e[s+15],16,530742520),r=O(r,n=E(n,i,o,r,e[s+2],23,-995338651),i,o,e[s],6,-198630844),o=O(o,r,n,i,e[s+7],10,1126891415),i=O(i,o,r,n,e[s+14],15,-1416354905),n=O(n,i,o,r,e[s+5],21,-57434055),r=O(r,n,i,o,e[s+12],6,1700485571),o=O(o,r,n,i,e[s+3],10,-1894986606),i=O(i,o,r,n,e[s+10],15,-1051523),n=O(n,i,o,r,e[s+1],21,-2054922799),r=O(r,n,i,o,e[s+8],6,1873313359),o=O(o,r,n,i,e[s+15],10,-30611744),i=O(i,o,r,n,e[s+6],15,-1560198380),n=O(n,i,o,r,e[s+13],21,1309151649),r=O(r,n,i,o,e[s+4],6,-145523070),o=O(o,r,n,i,e[s+11],10,-1120210379),i=O(i,o,r,n,e[s+2],15,718787259),n=O(n,i,o,r,e[s+9],21,-343485551),r=_(r,a),n=_(n,u),i=_(i,c),o=_(o,l)}return[r,n,i,o]}(function(e){if(0===e.length)return[];for(var t=8*e.length,r=new Uint32Array(m(t)),n=0;n<t;n+=8)r[n>>5]|=(255&e[n/8])<<n%32;return r}(e),8*e.length))})),M=function(e,t,r){var n=(e=e||{}).random||(e.rng||o)();if(n[6]=15&n[6]|64,n[8]=63&n[8]|128,t){r=r||0;for(var i=0;i<16;++i)t[r+i]=n[i];return t}return l(n)};function P(e,t,r,n){switch(e){case 0:return t&r^~t&n;case 1:return t^r^n;case 2:return t&r^t&n^r&n;case 3:return t^r^n}}function I(e,t){return e<<t|e>>>32-t}const R=y("v5",80,(function(e){var t=[1518500249,1859775393,2400959708,3395469782],r=[1732584193,4023233417,2562383102,271733878,3285377520];if("string"==typeof e){var n=unescape(encodeURIComponent(e));e=[];for(var i=0;i<n.length;++i)e.push(n.charCodeAt(i))}else Array.isArray(e)||(e=Array.prototype.slice.call(e));e.push(128);for(var o=e.length/4+2,s=Math.ceil(o/16),a=new Array(s),u=0;u<s;++u){for(var c=new Uint32Array(16),l=0;l<16;++l)c[l]=e[64*u+4*l]<<24|e[64*u+4*l+1]<<16|e[64*u+4*l+2]<<8|e[64*u+4*l+3];a[u]=c}a[s-1][14]=8*(e.length-1)/Math.pow(2,32),a[s-1][14]=Math.floor(a[s-1][14]),a[s-1][15]=8*(e.length-1)&4294967295;for(var f=0;f<s;++f){for(var d=new Uint32Array(80),p=0;p<16;++p)d[p]=a[f][p];for(var h=16;h<80;++h)d[h]=I(d[h-3]^d[h-8]^d[h-14]^d[h-16],1);for(var v=r[0],g=r[1],y=r[2],m=r[3],_=r[4],b=0;b<80;++b){var w=Math.floor(b/20),S=I(v,5)+P(w,g,y,m)+_+t[w]+d[b]>>>0;_=m,m=y,y=I(g,30)>>>0,g=v,v=S}r[0]=r[0]+v>>>0,r[1]=r[1]+g>>>0,r[2]=r[2]+y>>>0,r[3]=r[3]+m>>>0,r[4]=r[4]+_>>>0}return[r[0]>>24&255,r[0]>>16&255,r[0]>>8&255,255&r[0],r[1]>>24&255,r[1]>>16&255,r[1]>>8&255,255&r[1],r[2]>>24&255,r[2]>>16&255,r[2]>>8&255,255&r[2],r[3]>>24&255,r[3]>>16&255,r[3]>>8&255,255&r[3],r[4]>>24&255,r[4]>>16&255,r[4]>>8&255,255&r[4]]})),x="00000000-0000-0000-0000-000000000000",k=function(e){if(!a(e))throw TypeError("Invalid UUID");return parseInt(e.substr(14,1),16)}},4147:e=>{"use strict";e.exports=JSON.parse('{"name":"di-web-analytics","version":"0.7.0","description":"Data insider web analytics","repository":{"type":"git","url":"git+https://github.com/datainsider-co/di-web-analytics"},"homepage":"https://github.com/datainsider-co/di-web-analytics/blob/main/README.md","main":"dist/index.js","types":"dist/index.d.ts","scripts":{"test":"mocha -r ts-node/register tests/**/*.spec.ts","build":"rm -rf dist && tsc","dev":"webpack --config webpack.config.js --watch"},"keywords":["di-web-analytics","di-web","analytics"],"author":"Data insider","license":"MIT","devDependencies":{"@types/chai":"^4.2.11","@types/lodash":"^4.14.157","@types/mocha":"^5.2.4","@types/uuid":"^8.3.0","chai":"^4.1.2","css-loader":"^6.2.0","deepmerge":"^4.2.2","eslint":"^6.7.2","eslint-plugin-prettier":"^3.1.3","eslint-plugin-vue":"^6.2.2","lodash":"^4.17.19","mocha":"^8.0.1","postcss":"^8.3.6","postcss-loader":"^6.1.1","prettier":"^1.19.1","style-loader":"^3.2.1","tcs":"^10.0.0","ts-loader":"^9.2.5","ts-node":"^8.10.2","typescript":"^4.3.5"},"dependencies":{"@types/node":"^16.6.1","@types/uuid":"^8.3.0","async-mutex":"^0.2.4","axios":"^0.20.0","bowser":"^2.11.0","js-cookies":"^1.0.4","mini-json":"^1.0.0","storage-based-queue":"^1.2.6","uuid":"^8.3.2","webpack":"^5.50.0","webpack-cli":"^4.8.0"}}')}},__webpack_module_cache__={};function __webpack_require__(e){var t=__webpack_module_cache__[e];if(void 0!==t)return t.exports;var r=__webpack_module_cache__[e]={id:e,exports:{}};return __webpack_modules__[e].call(r.exports,r,r.exports,__webpack_require__),r.exports}__webpack_require__.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return __webpack_require__.d(t,{a:t}),t},__webpack_require__.d=(e,t)=>{for(var r in t)__webpack_require__.o(t,r)&&!__webpack_require__.o(e,r)&&Object.defineProperty(e,r,{enumerable:!0,get:t[r]})},__webpack_require__.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(e){if("object"==typeof window)return window}}(),__webpack_require__.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),__webpack_require__.r=e=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})};var __webpack_exports__={};return(()=>{"use strict";var e=__webpack_exports__,t=__webpack_require__(8115);e.default=t.DiAnalytics})(),__webpack_exports__=__webpack_exports__.default,__webpack_exports__})()})); |
import React, { useState } from 'react';
import { showToast } from 'js/common';
import getCallback from 'js/pay/callback';
import Header from 'component/header';
import Content from 'component/content';
import Button from 'component/button';
import './index.scss';
export default () => {
const [data, setData] = useState({});
const isHasData = data && Object.keys(data).length > 0;
const handleGetCallback = async () => {
try {
const data = await getCallback();
setData(data);
} catch (err) {
showToast({
content: '获取失败',
});
}
};
const { biz_content: bizContent = {} } = data;
return (
<div className="callback">
<Header info="获取支付回调结果">获取支付回调结果</Header>
<div className="callback__container">
<Content title="支付信息">
{isHasData ? (
<div className="callback__content">
<p>
<span className="callback__label">订单id</span>
<span className="callback__value">{bizContent.trade_id}</span>
</p>
<p>
<span className="callback__label">订单标题</span>
<span className="callback__value">{bizContent.title}</span>
</p>
<p>
<span className="callback__label">订单状态</span>
<span className="callback__value">{bizContent.trade_status}</span>
</p>
<p>
<span className="callback__label">订单金额</span>
<span className="callback__value">{bizContent.total_amount / 100}元</span>
</p>
</div>
) : (
<div className="callback__empty">
<p>未获取</p>
<p>点击「获取」获取支付回调信息</p>
</div>
)}
</Content>
<Button type="primary" onClick={handleGetCallback}>获取</Button>
<div className="callback__tips">
<p>注意:</p>
<p>这里的回调信息仅是 Mock 数据,用于展示数据解析和获取流程</p>
</div>
</div>
</div>
);
};
|
# vim: tabstop=4 shiftwidth=4 softtabstop=4
#
# Copyright 2013 OpenStack Foundation
#
# Licensed under the Apache License, Version 2.0 (the "License"); you may
# not use this file except in compliance with the License. You may obtain
# a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
# License for the specific language governing permissions and limitations
# under the License.
#
"""inital port security
Revision ID: 1149d7de0cfa
Revises: 1b693c095aa3
Create Date: 2013-01-22 14:05:20.696502
"""
# revision identifiers, used by Alembic.
revision = '1149d7de0cfa'
down_revision = '1b693c095aa3'
# Change to ['*'] if this migration applies to all plugins
migration_for_plugins = [
'neutron.plugins.nicira.NeutronPlugin.NvpPluginV2'
]
from alembic import op
import sqlalchemy as sa
from neutron.db import migration
def upgrade(active_plugin=None, options=None):
if not migration.should_run(active_plugin, migration_for_plugins):
return
### commands auto generated by Alembic - please adjust! ###
op.create_table('networksecuritybindings',
sa.Column('network_id', sa.String(length=36),
nullable=False),
sa.Column('port_security_enabled', sa.Boolean(),
nullable=False),
sa.ForeignKeyConstraint(['network_id'], ['networks.id'],
ondelete='CASCADE'),
sa.PrimaryKeyConstraint('network_id'))
op.create_table('portsecuritybindings',
sa.Column('port_id', sa.String(length=36),
nullable=False),
sa.Column('port_security_enabled', sa.Boolean(),
nullable=False),
sa.ForeignKeyConstraint(['port_id'], ['ports.id'],
ondelete='CASCADE'),
sa.PrimaryKeyConstraint('port_id'))
### end Alembic commands ###
# Copy network and port ids over to network|port(securitybindings) table
# and set port_security_enabled to false as ip address pairs were not
# configured in NVP originally.
op.execute("INSERT INTO networksecuritybindings SELECT id as "
"network_id, False as port_security_enabled from networks")
op.execute("INSERT INTO portsecuritybindings SELECT id as port_id, "
"False as port_security_enabled from ports")
def downgrade(active_plugin=None, options=None):
if not migration.should_run(active_plugin, migration_for_plugins):
return
### commands auto generated by Alembic - please adjust! ###
op.drop_table('portsecuritybindings')
op.drop_table('networksecuritybindings')
### end Alembic commands ###
|
/**
* web-upload 工具类
*
* 约定:
* 上传按钮的id = 图片隐藏域id + 'BtnId'
* 图片预览框的id = 图片隐藏域id + 'PreId'
*
* @author paulo
*/
(function() {
var $WebUpload = function(pictureId) {
this.pictureId = pictureId;
this.uploadBtnId = pictureId + "BtnId";
this.uploadPreId = pictureId + "PreId";
this.uploadUrl = Feng.ctxPath + '/mgr/upload';
this.fileSizeLimit = 100 * 1024 * 1024;
this.picWidth = 800;
this.picHeight = 800;
this.uploadBarId = null;
};
$WebUpload.prototype = {
/**
* 初始化webUploader
*/
init : function() {
var uploader = this.create();
this.bindEvent(uploader);
return uploader;
},
/**
* 创建webuploader对象
*/
create : function() {
var webUploader = WebUploader.create({
auto : true,
pick : {
id : '#' + this.uploadBtnId,
multiple : false,// 只上传一个
},
accept : {
title : 'Images',
extensions : 'gif,jpg,jpeg,bmp,png',
mimeTypes : 'image/gif,image/jpg,image/jpeg,image/bmp,image/png'
},
swf : Feng.ctxPath
+ '/static/js/plugins/webuploader/Uploader.swf',
disableGlobalDnd : true,
duplicate : true,
server : this.uploadUrl,
fileSingleSizeLimit : this.fileSizeLimit
});
return webUploader;
},
/**
* 绑定事件
*/
bindEvent : function(bindedObj) {
var me = this;
bindedObj.on('fileQueued', function(file) {
var $li = $('<div><img width="100px" height="100px"></div>');
var $img = $li.find('img');
$("#" + me.uploadPreId).html($li);
// 生成缩略图
bindedObj.makeThumb(file, function(error, src) {
if (error) {
$img.replaceWith('<span>不能预览</span>');
return;
}
$img.attr('src', src);
}, me.picWidth, me.picHeight);
});
// 文件上传过程中创建进度条实时显示。
bindedObj.on('uploadProgress', function(file, percentage) {
$("#"+me.uploadBarId).css("width",percentage * 100 + "%");
});
// 文件上传成功,给item添加成功class, 用样式标记上传成功。
bindedObj.on('uploadSuccess', function(file,response) {
Feng.success("上传成功");
$("#" + me.pictureId).val(response);
});
// 文件上传失败,显示上传出错。
bindedObj.on('uploadError', function(file) {
Feng.error("上传失败");
});
// 其他错误
bindedObj.on('error', function(type) {
if ("Q_EXCEED_SIZE_LIMIT" == type) {
Feng.error("文件大小超出了限制");
} else if ("Q_TYPE_DENIED" == type) {
Feng.error("文件类型不满足");
} else if ("Q_EXCEED_NUM_LIMIT" == type) {
Feng.error("上传数量超过限制");
} else if ("F_DUPLICATE" == type) {
Feng.error("图片选择重复");
} else {
Feng.error("上传过程中出错");
}
});
// 完成上传完了,成功或者失败
bindedObj.on('uploadComplete', function(file) {
});
},
/**
* 设置图片上传的进度条的id
*/
setUploadBarId: function (id) {
this.uploadBarId = id;
}
};
window.$WebUpload = $WebUpload;
}()); |
import express from "express";
import request from "supertest";
import { CustomError, errorHandler } from "../errorUtils";
import { expect } from "chai";
const app = express();
app.get("/statusCodeError", (req, res, next) => {
const error = new CustomError(400, "Error");
return next(error);
});
app.get("/statusError", (req, res, next) => {
const error = new Error("Error");
error.status = 404;
return next(error);
});
app.get("/unknownError", (req, res, next) => {
try {
throw new Error("Unknown Error");
} catch (error) {
next(error);
}
});
// default error handler
app.use((err, req, res, next) => {
errorHandler(err, req, res, next);
});
describe("Unit test errorHandler", function () {
it("should return formatted response when statusCode is passed", async function () {
const response = await request(app).get("/statusCodeError");
expect(response.status).to.equal(400);
});
it("should return formatted response when status is passed", async function () {
const response = await request(app).get("/statusError");
expect(response.status).to.equal(404);
});
it("should return formatted response unknown error occurs", async function () {
const response = await request(app).get("/unknownError");
expect(response.status).to.equal(500);
});
});
|
const debug = require('debug')('test')
module.exports = async function () {
// setup your sandbox environment
debug('setup test environment')
await Promise.resolve()
}
|
#!/usr/bin/env python
# coding: utf-8
from xumm.resource import XummResource
from typing import Dict, Callable, Any
from ..xumm_api import XummGetPayloadResponse as XummPayload
class SubscriptionCallbackParams(XummResource):
"""
Attributes:
model_types (dict): The key is attribute name
and the value is attribute type.
attribute_map (dict): The key is attribute name
and the value is json key in definition.
"""
required = {
'uuid': True,
'data': True,
'payload': True,
'resolve': True,
}
model_types = {
'uuid': str,
'data': dict,
'payload': dict,
'resolve': Callable,
}
attribute_map = {
'uuid': 'uuid',
'data': 'data',
'payload': 'payload',
'resolve': 'resolve',
}
def refresh_from(cls, **kwargs):
"""Returns the dict as a model
:param kwargs: A dict.
:type: dict
:return: The PayloadSubscription of this PayloadSubscription. # noqa: E501
:rtype: PayloadSubscription
"""
cls.sanity_check(kwargs)
cls._uuid = None
cls._data = None
cls._payload = None
cls._resolve = None
cls.uuid = kwargs['uuid']
cls.data = kwargs['data']
cls.payload = XummPayload(**kwargs['payload'])
cls.resolve = kwargs['resolve']
@property
def uuid(cls) -> str:
"""Gets the uuid of this XummPostPayloadResponse.
:return: The uuid of this XummPostPayloadResponse.
:rtype: str
"""
return cls._uuid
@uuid.setter
def uuid(cls, uuid: str):
"""Sets the uuid of this XummPostPayloadResponse.
:param uuid: The uuid of this XummPostPayloadResponse.
:type uuid: str
"""
if uuid is None:
raise ValueError("Invalid value for `uuid`, must not be `None`") # noqa: E501
cls._uuid = uuid
@property
def data(cls) -> Dict[str, object]:
"""Gets the data of this XummCustomMeta.
:return: The data of this XummCustomMeta.
:rtype: Dict[str, object]
"""
return cls._blob
@data.setter
def data(cls, data: Dict[str, object]):
"""Sets the data of this XummCustomMeta.
:param data: The data of this XummCustomMeta.
:type data: Dict[str, object]
"""
if data is None:
raise ValueError("Invalid value for `data`, must not be `None`") # noqa: E501
cls._blob = data
@property
def payload(cls) -> XummPayload:
"""Gets the payload of this PayloadSubscription.
:return: The payload of this PayloadSubscription.
:rtype: XummPayload
"""
return cls._payload
@payload.setter
def payload(cls, payload: XummPayload):
"""Sets the payload of this PayloadSubscription.
:param payload: The payload of this PayloadSubscription.
:type meta: CreatedPayload
"""
if payload is None:
raise ValueError("Invalid value for `payload`, must not be `None`") # noqa: E501
cls._payload = payload
@property
def resolve(cls) -> Callable[[Any], Any]:
"""Gets the resolve of this PayloadSubscription.
:return: The resolve of this PayloadSubscription.
:rtype: Callable
"""
return cls._resolve
@resolve.setter
def resolve(cls, resolve: Callable[[Any], Any]):
"""Sets the resolve of this PayloadSubscription.
:param resolve: The resolve of this PayloadSubscription.
:type meta: Callable
"""
if resolve is None:
raise ValueError("Invalid value for `resolve`, must not be `None`") # noqa: E501
cls._resolve = resolve
|
import React from "react";
import PropTypes from "prop-types";
import Link from "next/link";
import { URL_EXTENTION_POSTS } from "../../../config/constants.js";
import { Grid, Typography } from "@material-ui/core";
import { makeStyles } from "@material-ui/styles";
import { Card } from "@courselit/components-library";
import Img from "../../Img.js";
const useStyles = (featuredImage) =>
makeStyles((theme) => ({
container: {
overflow: "hidden",
},
link: {
textDecoration: "none",
color: "inherit",
marginBottom: theme.spacing(4),
display: "block",
},
featuredImage: {
height: "auto",
width: "100%",
},
title: {
marginTop: theme.spacing(2),
marginBottom: theme.spacing(0.5),
},
}));
const Post = (props) => {
const classes = useStyles(props.featuredImage)();
return (
<Grid item xs={12} md={6}>
<Link
href={`/${URL_EXTENTION_POSTS}/[id]/[slug]`}
as={`/${URL_EXTENTION_POSTS}/${props.courseId}/${props.slug}`}
>
<a className={classes.link}>
<Card>
<Grid
item
container
direction="column"
component="article"
className={classes.container}
>
{props.featuredImage && (
<Grid item>
<Img
src={props.featuredImage}
classes={classes.featuredImage}
/>
</Grid>
)}
<Grid item className={classes.title}>
<Typography variant="h5">{props.title}</Typography>
</Grid>
<Grid item>
<Typography variant="body1">{props.description}</Typography>
</Grid>
</Grid>
</Card>
</a>
</Link>
</Grid>
);
};
Post.propTypes = {
id: PropTypes.string.isRequired,
title: PropTypes.string.isRequired,
description: PropTypes.string.isRequired,
updated: PropTypes.string.isRequired,
creatorName: PropTypes.string.isRequired,
slug: PropTypes.string.isRequired,
featuredImage: PropTypes.string,
courseId: PropTypes.number.isRequired,
};
export default Post;
|
(function(){const input=document.querySelector("#book-search-input");const results=document.querySelector("#book-search-results");input.addEventListener("focus",init);input.addEventListener("keyup",search);function init(){input.removeEventListener("focus",init);input.required=true;loadScript("/harbor-sync/lunr.min.js");loadScript("/harbor-sync/search-data.min.1e19ae723432fc4ea0c3387a1cc3d93fbfcdc1a542bf2f5f08f13bcd3d0e5b45.js",function(){input.readOnly=false;input.required=false;search();});}
function search(){while(results.firstChild){results.removeChild(results.firstChild);}
if(!input.value){return;}
const terms=lunr.tokenizer(input.value);const searchHits=window.bookSearch.idx.query(function(query){query.term(terms,{boost:100});query.term(terms,{boost:10,wildcard:lunr.Query.wildcard.LEADING|lunr.Query.wildcard.TRAILING});query.term(terms,{editDistance:2});});searchHits.slice(0,10).forEach(function(hit){const page=window.bookSearch.pages[hit.ref];const li=document.createElement("li"),a=li.appendChild(document.createElement("a"));a.href=page.href;a.textContent=page.title;results.appendChild(li);});}
function loadScript(src,callback){const script=document.createElement("script");script.defer=true;script.src=src;script.onload=callback;document.head.append(script);}})(); |
from uuid import UUID, uuid4
from .graph_node import NodeLabel, GraphNodeIdentifier, GraphNode, IsGoldenFlag
from basic_types import NanoType, NanoID
from .style import Style
from .dynamic_enum import DynamicEnum, DynamicEnumVector
class ProductID(GraphNodeIdentifier):
LABEL = NodeLabel('PRODUCT')
def __init__(self, _id: UUID):
super().__init__(self.LABEL, _id)
class ProductStyleEnum(DynamicEnum[Style]):
@property
def style(self):
return self.defn
class ProductStyleVector(DynamicEnumVector[ProductStyleEnum]):
@property
def style(self):
return self.as_np_array()
class ProductStyle(NanoType[ProductStyleEnum]):
pass
class Product(GraphNode[ProductID]):
def __init__(self,
product_id: ProductID,
is_golden: IsGoldenFlag,
style: ProductStyle
):
super(Product, self).__init__(product_id, is_golden)
self.style = style
|
from __future__ import print_function
import numpy as np
import math
from scipy.special import logsumexp
import torch
import torch.utils.data
import torch.nn as nn
from torch.autograd import Variable
from utils.distributions import log_Bernoulli, log_Normal_diag, log_Normal_standard, log_Logistic_256
from utils.visual_evaluation import plot_histogram
from utils.nn import he_init, GatedDense, NonLinear, \
Conv2d, GatedConv2d, GatedResUnit, ResizeGatedConv2d, MaskedConv2d, ResUnitBN, ResizeConv2d, GatedResUnit, GatedConvTranspose2d
from .Model import Model
# -=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=
#=======================================================================================================================
class VAE(Model):
def __init__(self, args):
super(VAE, self).__init__(args)
if self.args.dataset_name == 'freyfaces':
h_size = 210
elif self.args.dataset_name == 'cifar10':
h_size = 384
else:
h_size = 294
# encoder: q(z2 | x)
self.q_z2_layers = nn.Sequential(
GatedConv2d(self.args.input_size[0], 32, 7, 1, 3),
GatedConv2d(32, 32, 3, 2, 1),
GatedConv2d(32, 64, 5, 1, 2),
GatedConv2d(64, 64, 3, 2, 1),
GatedConv2d(64, 6, 3, 1, 1)
)
# linear layers
self.q_z2_mean = NonLinear(h_size, self.args.z2_size, activation=None)
self.q_z2_logvar = NonLinear(h_size, self.args.z2_size, activation=nn.Hardtanh(min_val=-6., max_val=2.))
# encoder: q(z1|x,z2)
# PROCESSING x
self.q_z1_layers_x = nn.Sequential(
GatedConv2d(self.args.input_size[0], 32, 3, 1, 1),
GatedConv2d(32, 32, 3, 2, 1),
GatedConv2d(32, 64, 3, 1, 1),
GatedConv2d(64, 64, 3, 2, 1),
GatedConv2d(64, 6, 3, 1, 1)
)
# PROCESSING Z2
self.q_z1_layers_z2 = nn.Sequential(
GatedDense(self.args.z2_size, h_size)
)
# PROCESSING JOINT
self.q_z1_layers_joint = nn.Sequential(
GatedDense( 2 * h_size, 300)
)
# linear layers
self.q_z1_mean = NonLinear(300, self.args.z1_size, activation=None)
self.q_z1_logvar = NonLinear(300, self.args.z1_size, activation=nn.Hardtanh(min_val=-6., max_val=2.))
# decoder p(z1|z2)
self.p_z1_layers = nn.Sequential(
GatedDense(self.args.z2_size, 300),
GatedDense(300, 300)
)
self.p_z1_mean = NonLinear(300, self.args.z1_size, activation=None)
self.p_z1_logvar = NonLinear(300, self.args.z1_size, activation=nn.Hardtanh(min_val=-6., max_val=2.))
# decoder: p(x | z)
self.p_x_layers_z1 = nn.Sequential(
GatedDense(self.args.z1_size, 300)
)
self.p_x_layers_z2 = nn.Sequential(
GatedDense(self.args.z2_size, 300)
)
self.p_x_layers_joint_pre = nn.Sequential(
GatedDense(2 * 300, np.prod(self.args.input_size))
)
# decoder: p(x | z)
act = nn.ReLU(True)
# joint
self.p_x_layers_joint = nn.Sequential(
GatedConv2d(self.args.input_size[0], 64, 3, 1, 1),
GatedConv2d(64, 64, 3, 1, 1),
GatedConv2d(64, 64, 3, 1, 1),
GatedConv2d(64, 64, 3, 1, 1),
)
if self.args.input_type == 'binary':
self.p_x_mean = Conv2d(64, 1, 1, 1, 0, activation=nn.Sigmoid())
elif self.args.input_type == 'gray' or self.args.input_type == 'continuous':
self.p_x_mean = Conv2d(64, self.args.input_size[0], 1, 1, 0, activation=nn.Sigmoid())
self.p_x_logvar = Conv2d(64, self.args.input_size[0], 1, 1, 0, activation=nn.Hardtanh(min_val=-4.5, max_val=0.))
# weights initialization
for m in self.modules():
if isinstance(m, nn.Linear):
he_init(m)
# add pseudo-inputs if VampPrior
if self.args.prior == 'vampprior':
self.add_pseudoinputs()
# AUXILIARY METHODS
def calculate_loss(self, x, beta=1., average=False):
# pass through VAE
x_mean, x_logvar, z1_q, z1_q_mean, z1_q_logvar, z2_q, z2_q_mean, z2_q_logvar, z1_p_mean, z1_p_logvar = self.forward(x)
# RE
if self.args.input_type == 'binary':
RE = log_Bernoulli(x, x_mean, dim=1)
elif self.args.input_type == 'gray' or self.args.input_type == 'continuous':
RE = -log_Logistic_256(x, x_mean, x_logvar, dim=1)
else:
raise Exception('Wrong input type!')
# KL
log_p_z1 = log_Normal_diag(z1_q, z1_p_mean, z1_p_logvar, dim=1)
log_q_z1 = log_Normal_diag(z1_q, z1_q_mean, z1_q_logvar, dim=1)
log_p_z2 = self.log_p_z2(z2_q)
log_q_z2 = log_Normal_diag(z2_q, z2_q_mean, z2_q_logvar, dim=1)
KL = -(log_p_z1 + log_p_z2 - log_q_z1 - log_q_z2)
# full loss
loss = -RE + beta * KL
if average:
loss = torch.mean(loss)
RE = torch.mean(RE)
KL = torch.mean(KL)
return loss, RE, KL
def calculate_likelihood(self, X, dir, mode='test', S=5000, MB=500):
# set auxiliary variables for number of training and test sets
N_test = X.size(0)
# init list
likelihood_test = []
if S <= MB:
R = 1
else:
R = S / MB
S = MB
for j in range(N_test):
if j % 100 == 0:
print('{:.2f}%'.format(j / (1. * N_test) * 100))
# Take x*
x_single = X[j].unsqueeze(0)
a = []
for r in range(0, int(R)):
# Repeat it for all training points
x = x_single.expand(S, x_single.size(1)).contiguous()
a_tmp, _, _ = self.calculate_loss(x)
a.append( -a_tmp.cpu().data.numpy() )
# calculate max
a = np.asarray(a)
a = np.reshape(a, (a.shape[0] * a.shape[1], 1))
likelihood_x = logsumexp( a )
likelihood_test.append(likelihood_x - np.log(len(a)))
likelihood_test = np.array(likelihood_test)
plot_histogram(-likelihood_test, dir, mode)
return -np.mean(likelihood_test)
def calculate_lower_bound(self, X_full, MB=500):
# CALCULATE LOWER BOUND:
lower_bound = 0.
RE_all = 0.
KL_all = 0.
I = int(math.ceil(X_full.size(0) / MB))
for i in range(I):
x = X_full[i * MB: (i + 1) * MB].view(-1, np.prod(self.args.input_size))
loss, RE, KL = self.calculate_loss(x,average=True)
RE_all += RE.cpu().data
KL_all += KL.cpu().data
lower_bound += loss.cpu().data
lower_bound /= I
return lower_bound
def generate_x(self, N=25):
# Sampling z2 from a prior
if self.args.prior == 'standard':
z2_sample_rand = Variable( torch.FloatTensor(N, self.args.z1_size).normal_() )
if self.args.cuda:
z2_sample_rand = z2_sample_rand.cuda()
elif self.args.prior == 'vampprior':
means = self.means(self.idle_input)[0:N].view(-1, self.args.input_size[0], self.args.input_size[1],self.args.input_size[2])
z2_sample_gen_mean, z2_sample_gen_logvar = self.q_z2(means)
z2_sample_rand = self.reparameterize(z2_sample_gen_mean, z2_sample_gen_logvar)
# Sampling z1 from a model
z1_sample_mean, z1_sample_logvar = self.p_z1(z2_sample_rand)
z1_sample_rand = self.reparameterize(z1_sample_mean, z1_sample_logvar)
# Sampling from PixelCNN
samples_gen, _ = self.p_x(z1_sample_rand, z2_sample_rand)
return samples_gen
def reconstruct_x(self, x):
x_reconstructed, _, _, _, _, _, _, _, _, _ = self.forward(x)
return x_reconstructed
# THE MODEL: VARIATIONAL POSTERIOR
def q_z2(self, x):
# processing x
h = self.q_z2_layers(x)
h = h.view(x.size(0),-1)
# predict mean and variance
z2_q_mean = self.q_z2_mean(h)
z2_q_logvar = self.q_z2_logvar(h)
return z2_q_mean, z2_q_logvar
def q_z1(self, x, z2):
# x = x.view(x.size(0),-1)
# processing x
x = self.q_z1_layers_x(x)
x = x.view(x.size(0),-1)
# processing z2
z2 = self.q_z1_layers_z2(z2)
# concatenating
h = torch.cat((x,z2),1)
h = self.q_z1_layers_joint(h)
# predict mean and variance
z1_q_mean = self.q_z1_mean(h)
z1_q_logvar = self.q_z1_logvar(h)
return z1_q_mean, z1_q_logvar
# THE MODEL: GENERATIVE DISTRIBUTION
def p_z1(self, z2):
z2 = self.p_z1_layers(z2)
# predict mean and variance
z1_p_mean = self.p_z1_mean(z2)
z1_p_logvar = self.p_z1_logvar(z2)
return z1_p_mean, z1_p_logvar
def p_x(self, z1, z2):
# processing z2
z2 = self.p_x_layers_z2(z2)
# processing z1
z1 = self.p_x_layers_z1(z1)
# concatenate x and z1 and z2
h = torch.cat((z1, z2), 1)
h = self.p_x_layers_joint_pre(h)
h = h.view(-1, self.args.input_size[0], self.args.input_size[1], self.args.input_size[2])
# joint decoder part of the decoder
h_decoder = self.p_x_layers_joint(h)
x_mean = self.p_x_mean(h_decoder).view(-1,np.prod(self.args.input_size))
if self.args.input_type == 'binary':
x_logvar = 0.
else:
x_mean = torch.clamp(x_mean, min=0.+1./512., max=1.-1./512.)
x_logvar = self.p_x_logvar(h_decoder).view(-1,np.prod(self.args.input_size))
return x_mean, x_logvar
# the prior
def log_p_z2(self, z2):
if self.args.prior == 'standard':
log_prior = log_Normal_standard(z2, dim=1)
elif self.args.prior == 'vampprior':
# z - MB x M
C = self.args.number_components
# calculate params
X = self.means(self.idle_input).view(-1, self.args.input_size[0], self.args.input_size[1], self.args.input_size[2])
# calculate params for given data
z2_p_mean, z2_p_logvar = self.q_z2(X) # C x M)
# expand z
z_expand = z2.unsqueeze(1)
means = z2_p_mean.unsqueeze(0)
logvars = z2_p_logvar.unsqueeze(0)
a = log_Normal_diag(z_expand, means, logvars, dim=2) - math.log(C) # MB x C
a_max, _ = torch.max(a, 1) # MB
# calculte log-sum-exp
log_prior = (a_max + torch.log(torch.sum(torch.exp(a - a_max.unsqueeze(1)), 1))) # MB
else:
raise Exception('Wrong name of the prior!')
return log_prior
# THE MODEL: FORWARD PASS
def forward(self, x):
x = x.view(-1, self.args.input_size[0], self.args.input_size[1], self.args.input_size[2])
# z2 ~ q(z2 | x)
z2_q_mean, z2_q_logvar = self.q_z2(x)
z2_q = self.reparameterize(z2_q_mean, z2_q_logvar)
# z1 ~ q(z1 | x, z2)
z1_q_mean, z1_q_logvar = self.q_z1(x, z2_q)
z1_q = self.reparameterize(z1_q_mean, z1_q_logvar)
# p(z1 | z2)
z1_p_mean, z1_p_logvar = self.p_z1(z2_q)
# x_mean = p(x|z1,z2)
x_mean, x_logvar = self.p_x(z1_q, z2_q)
return x_mean, x_logvar, z1_q, z1_q_mean, z1_q_logvar, z2_q, z2_q_mean, z2_q_logvar, z1_p_mean, z1_p_logvar
|
// Server sent events to subscribe to and propagate to angular
serverEvents = [
'connection-error',
'connection-state',
'event-test',
'log',
'logged-in',
'logged-out',
'play-token-lost',
'play-track',
'play-track-failed',
'streaming-error',
'track-end',
'track-end',
'user-message',
];
angular.module('sith', [
'ui.router',
'sith.controllers'
])
.run(
function($rootScope, $state, $stateParams) {
$rootScope.$state = $state;
$rootScope.$stateParams = $stateParams;
// User messages from acccess point
$rootScope.messages = [];
$rootScope.$on('user-message', function(event, message) {
$rootScope.messages.push(message);
});
// Push all server sent events through the root scope
// TODO move to own service or something?
propagateServerEvent = function(message) {
$rootScope.$apply(function() {
data = angular.fromJson(message.data);
$rootScope.$broadcast(message.type, data);
});
};
var events = new EventSource('/events');
for (i in serverEvents) {
events.addEventListener(serverEvents[i], propagateServerEvent);
}
})
.config(
function($stateProvider, $urlRouterProvider) {
$stateProvider
.state('index', {
url: "/",
views: {
"main": {
templateUrl: "tmpl/index.html"
},
"navigation": {
templateUrl: "tmpl/index.navigation.html"
}
}
})
.state('log', {
url: "/log",
views: {
"main": {
controller: 'LogController',
templateUrl: "tmpl/log.html"
},
"navigation": {
templateUrl: "tmpl/index.navigation.html"
}
}
})
.state('search', {
url: "/search",
views: {
"main": {
controller: 'sith.ctrl.search',
templateUrl: "tmpl/search.html"
},
"navigation": {
templateUrl: "tmpl/search.navigation.html"
}
}
})
.state('playlists', {
url: "/playlists",
views: {
"main": {
controller: 'sith.ctrl.playlists',
templateUrl: "tmpl/playlists.html"
},
"navigation": {
templateUrl: "tmpl/index.navigation.html"
}
}
})
.state('playlist', {
url: "/user/{username:[^/]+}/playlist/{playlistId:[^/]+}",
views: {
"main": {
controller: 'sith.ctrl.playlist',
templateUrl: "tmpl/playlist.html"
},
"navigation": {
templateUrl: "tmpl/index.navigation.html"
}
}
})
})
.service('LogService', function($rootScope) {
var logs = [];
$rootScope.on('log', function(evt, log) {
console.log('LOG', log);
logs.push(log);
});
this.all = function() {
return logs;
};
})
.controller('LogController', function($scope) {
// $scope.logs = log.logs;
$scope.$on('log', function(evt, log) {
console.log('eehr', log);
// $scope.logs.push(log);
});
});
|
from datetime import datetime
class Logger:
def __init__(self):
self.date_time = datetime.today() # obtained datetime object to extract current date and time
self.date = self.date_time.date()
self.cur_time = self.date_time.strftime('%H:%M:%S:%f')
# write the relevant message in log file
def log(self, file_object, message):
"""
Method Name: log
Description: This function write the progress or provided message of a particular operation
in the _.txt file with its current date and time.
Output: None
"""
try:
file_object.write(str(self.date) + "/" + str(self.cur_time) + "\t\t" + message + "\n")
except OSError as s:
file_object.write("Error during writing log: %s" %s) |
#!/bin/sh
# Include ../lib in the search path so we can find screen.py
# (Thanks to https://unix.stackexchange.com/questions/20880)
if "true" : '''\'
then
export PYTHONPATH="$(dirname $0)/../lib:$PYTHONPATH"
exec python "$0" "$@"
exit 127
fi
'''
import sys
from screen import Screen
from screen import TextBox
from screen import TabularBox
def main():
with Screen('Example Output') as screen:
screen.writeln('Some description goes here.')
with screen.draw('My First Box', TextBox) as box:
box.writeln('This is a text box.')
with screen.draw('My Second Box', TextBox) as box:
box.writeln('This is another text box.')
box.writeln('You can have a second line')
box.writeln('and it stays in the second box.')
with screen.draw('My Third Box', TextBox) as box:
box.writeln('This box is to the right of the second box.')
box.writeln('Unless you have a narrow screen --')
box.writeln('then the box wraps to the next row')
with screen.draw('My Fourth Box', TextBox) as box:
box.writeln('This box stretches to fit the row')
box.writeln('because we call softbreak()')
# Soft break causes the current row to full justify and cause the last
# box to flush right.
screen.softbreak()
with screen.draw('My Fifth Box', TextBox) as box:
box.writeln('Notice the rows are jusified.')
with screen.draw('My Sixth Box', TextBox) as box:
box.writeln('You can also have tables.')
with screen.draw('My First Table', TabularBox, 'rll') as table:
table.writeln('#', 'First Name', 'Last Name')
table.hrule()
table.writeln(1, 'John', 'Doe')
table.writeln(10, 'Jane', 'Doe')
table.writeln(100, 'John', 'Public')
with screen.draw('My Eighth Box', TextBox) as box:
box.writeln('You can also nest boxes.')
box.writeln('Below is a table box.')
box.writeln()
with box.draw(TabularBox, 'll') as table:
table.writeln('Name:', 'John Q. Public')
table.writeln('Tel:', '+1 111 555 3333')
table.writeln('Email:', '[email protected]')
if __name__ == "__main__":
try:
main()
except KeyboardInterrupt:
print("")
sys.exit(errno.EOWNERDEAD)
|
"""
Oracle database backend for Django.
Requires cx_Oracle: http://cx-oracle.sourceforge.net/
"""
from __future__ import unicode_literals
import datetime
import decimal
import os
import platform
import sys
import warnings
from django.conf import settings
from django.db import utils
from django.db.backends.base.base import BaseDatabaseWrapper
from django.db.backends.base.validation import BaseDatabaseValidation
from django.utils import six, timezone
from django.utils.deprecation import RemovedInDjango20Warning
from django.utils.duration import duration_string
from django.utils.encoding import force_bytes, force_text
from django.utils.functional import cached_property
def _setup_environment(environ):
# Cygwin requires some special voodoo to set the environment variables
# properly so that Oracle will see them.
if platform.system().upper().startswith('CYGWIN'):
try:
import ctypes
except ImportError as e:
from django.core.exceptions import ImproperlyConfigured
raise ImproperlyConfigured("Error loading ctypes: %s; "
"the Oracle backend requires ctypes to "
"operate correctly under Cygwin." % e)
kernel32 = ctypes.CDLL('kernel32')
for name, value in environ:
kernel32.SetEnvironmentVariableA(name, value)
else:
os.environ.update(environ)
_setup_environment([
# Oracle takes client-side character set encoding from the environment.
('NLS_LANG', '.UTF8'),
# This prevents unicode from getting mangled by getting encoded into the
# potentially non-unicode database character set.
('ORA_NCHAR_LITERAL_REPLACE', 'TRUE'),
])
try:
import cx_Oracle as Database
except ImportError as e:
from django.core.exceptions import ImproperlyConfigured
raise ImproperlyConfigured("Error loading cx_Oracle module: %s" % e)
# Some of these import cx_Oracle, so import them after checking if it's installed.
from .client import DatabaseClient # isort:skip
from .creation import DatabaseCreation # isort:skip
from .features import DatabaseFeatures # isort:skip
from .introspection import DatabaseIntrospection # isort:skip
from .operations import DatabaseOperations # isort:skip
from .schema import DatabaseSchemaEditor # isort:skip
from .utils import Oracle_datetime, convert_unicode # isort:skip
DatabaseError = Database.DatabaseError
IntegrityError = Database.IntegrityError
class _UninitializedOperatorsDescriptor(object):
def __get__(self, instance, cls=None):
# If connection.operators is looked up before a connection has been
# created, transparently initialize connection.operators to avert an
# AttributeError.
if instance is None:
raise AttributeError("operators not available as class attribute")
# Creating a cursor will initialize the operators.
instance.cursor().close()
return instance.__dict__['operators']
class DatabaseWrapper(BaseDatabaseWrapper):
vendor = 'oracle'
# This dictionary maps Field objects to their associated Oracle column
# types, as strings. Column-type strings can contain format strings; they'll
# be interpolated against the values of Field.__dict__ before being output.
# If a column type is set to None, it won't be included in the output.
#
# Any format strings starting with "qn_" are quoted before being used in the
# output (the "qn_" prefix is stripped before the lookup is performed.
data_types = {
'AutoField': 'NUMBER(11)',
'BinaryField': 'BLOB',
'BooleanField': 'NUMBER(1)',
'CharField': 'NVARCHAR2(%(max_length)s)',
'CommaSeparatedIntegerField': 'VARCHAR2(%(max_length)s)',
'DateField': 'DATE',
'DateTimeField': 'TIMESTAMP',
'DecimalField': 'NUMBER(%(max_digits)s, %(decimal_places)s)',
'DurationField': 'INTERVAL DAY(9) TO SECOND(6)',
'FileField': 'NVARCHAR2(%(max_length)s)',
'FilePathField': 'NVARCHAR2(%(max_length)s)',
'FloatField': 'DOUBLE PRECISION',
'IntegerField': 'NUMBER(11)',
'BigIntegerField': 'NUMBER(19)',
'IPAddressField': 'VARCHAR2(15)',
'GenericIPAddressField': 'VARCHAR2(39)',
'NullBooleanField': 'NUMBER(1)',
'OneToOneField': 'NUMBER(11)',
'PositiveIntegerField': 'NUMBER(11)',
'PositiveSmallIntegerField': 'NUMBER(11)',
'SlugField': 'NVARCHAR2(%(max_length)s)',
'SmallIntegerField': 'NUMBER(11)',
'TextField': 'NCLOB',
'TimeField': 'TIMESTAMP',
'URLField': 'VARCHAR2(%(max_length)s)',
'UUIDField': 'VARCHAR2(32)',
}
data_type_check_constraints = {
'BooleanField': '%(qn_column)s IN (0,1)',
'NullBooleanField': '(%(qn_column)s IN (0,1)) OR (%(qn_column)s IS NULL)',
'PositiveIntegerField': '%(qn_column)s >= 0',
'PositiveSmallIntegerField': '%(qn_column)s >= 0',
}
operators = _UninitializedOperatorsDescriptor()
_standard_operators = {
'exact': '= %s',
'iexact': '= UPPER(%s)',
'contains': "LIKE TRANSLATE(%s USING NCHAR_CS) ESCAPE TRANSLATE('\\' USING NCHAR_CS)",
'icontains': "LIKE UPPER(TRANSLATE(%s USING NCHAR_CS)) ESCAPE TRANSLATE('\\' USING NCHAR_CS)",
'gt': '> %s',
'gte': '>= %s',
'lt': '< %s',
'lte': '<= %s',
'startswith': "LIKE TRANSLATE(%s USING NCHAR_CS) ESCAPE TRANSLATE('\\' USING NCHAR_CS)",
'endswith': "LIKE TRANSLATE(%s USING NCHAR_CS) ESCAPE TRANSLATE('\\' USING NCHAR_CS)",
'istartswith': "LIKE UPPER(TRANSLATE(%s USING NCHAR_CS)) ESCAPE TRANSLATE('\\' USING NCHAR_CS)",
'iendswith': "LIKE UPPER(TRANSLATE(%s USING NCHAR_CS)) ESCAPE TRANSLATE('\\' USING NCHAR_CS)",
}
_likec_operators = _standard_operators.copy()
_likec_operators.update({
'contains': "LIKEC %s ESCAPE '\\'",
'icontains': "LIKEC UPPER(%s) ESCAPE '\\'",
'startswith': "LIKEC %s ESCAPE '\\'",
'endswith': "LIKEC %s ESCAPE '\\'",
'istartswith': "LIKEC UPPER(%s) ESCAPE '\\'",
'iendswith': "LIKEC UPPER(%s) ESCAPE '\\'",
})
# The patterns below are used to generate SQL pattern lookup clauses when
# the right-hand side of the lookup isn't a raw string (it might be an expression
# or the result of a bilateral transformation).
# In those cases, special characters for LIKE operators (e.g. \, *, _) should be
# escaped on database side.
#
# Note: we use str.format() here for readability as '%' is used as a wildcard for
# the LIKE operator.
pattern_esc = r"REPLACE(REPLACE(REPLACE({}, '\', '\\'), '%%', '\%%'), '_', '\_')"
_pattern_ops = {
'contains': "'%%' || {} || '%%'",
'icontains': "'%%' || UPPER({}) || '%%'",
'startswith': "{} || '%%'",
'istartswith': "UPPER({}) || '%%'",
'endswith': "'%%' || {}",
'iendswith': "'%%' || UPPER({})",
}
_standard_pattern_ops = {k: "LIKE TRANSLATE( " + v + " USING NCHAR_CS)"
" ESCAPE TRANSLATE('\\' USING NCHAR_CS)"
for k, v in _pattern_ops.items()}
_likec_pattern_ops = {k: "LIKEC " + v + " ESCAPE '\\'"
for k, v in _pattern_ops.items()}
Database = Database
SchemaEditorClass = DatabaseSchemaEditor
def __init__(self, *args, **kwargs):
super(DatabaseWrapper, self).__init__(*args, **kwargs)
self.features = DatabaseFeatures(self)
use_returning_into = self.settings_dict["OPTIONS"].get('use_returning_into', True)
self.features.can_return_id_from_insert = use_returning_into
self.ops = DatabaseOperations(self)
self.client = DatabaseClient(self)
self.creation = DatabaseCreation(self)
self.introspection = DatabaseIntrospection(self)
self.validation = BaseDatabaseValidation(self)
def _connect_string(self):
settings_dict = self.settings_dict
if not settings_dict['HOST'].strip():
settings_dict['HOST'] = 'localhost'
if settings_dict['PORT'].strip():
dsn = Database.makedsn(settings_dict['HOST'],
int(settings_dict['PORT']),
settings_dict['NAME'])
else:
dsn = settings_dict['NAME']
return "%s/%s@%s" % (settings_dict['USER'],
settings_dict['PASSWORD'], dsn)
def get_connection_params(self):
conn_params = self.settings_dict['OPTIONS'].copy()
if 'use_returning_into' in conn_params:
del conn_params['use_returning_into']
return conn_params
def get_new_connection(self, conn_params):
conn_string = convert_unicode(self._connect_string())
return Database.connect(conn_string, **conn_params)
def init_connection_state(self):
cursor = self.create_cursor()
# Set the territory first. The territory overrides NLS_DATE_FORMAT
# and NLS_TIMESTAMP_FORMAT to the territory default. When all of
# these are set in single statement it isn't clear what is supposed
# to happen.
cursor.execute("ALTER SESSION SET NLS_TERRITORY = 'AMERICA'")
# Set Oracle date to ANSI date format. This only needs to execute
# once when we create a new connection. We also set the Territory
# to 'AMERICA' which forces Sunday to evaluate to a '1' in
# TO_CHAR().
cursor.execute(
"ALTER SESSION SET NLS_DATE_FORMAT = 'YYYY-MM-DD HH24:MI:SS'"
" NLS_TIMESTAMP_FORMAT = 'YYYY-MM-DD HH24:MI:SS.FF'"
+ (" TIME_ZONE = 'UTC'" if settings.USE_TZ else ''))
cursor.close()
if 'operators' not in self.__dict__:
# Ticket #14149: Check whether our LIKE implementation will
# work for this connection or we need to fall back on LIKEC.
# This check is performed only once per DatabaseWrapper
# instance per thread, since subsequent connections will use
# the same settings.
cursor = self.create_cursor()
try:
cursor.execute("SELECT 1 FROM DUAL WHERE DUMMY %s"
% self._standard_operators['contains'],
['X'])
except DatabaseError:
self.operators = self._likec_operators
self.pattern_ops = self._likec_pattern_ops
else:
self.operators = self._standard_operators
self.pattern_ops = self._standard_pattern_ops
cursor.close()
try:
self.connection.stmtcachesize = 20
except AttributeError:
# Django docs specify cx_Oracle version 4.3.1 or higher, but
# stmtcachesize is available only in 4.3.2 and up.
pass
# Ensure all changes are preserved even when AUTOCOMMIT is False.
if not self.get_autocommit():
self.commit()
def create_cursor(self):
return FormatStylePlaceholderCursor(self.connection)
def _commit(self):
if self.connection is not None:
try:
return self.connection.commit()
except Database.DatabaseError as e:
# cx_Oracle 5.0.4 raises a cx_Oracle.DatabaseError exception
# with the following attributes and values:
# code = 2091
# message = 'ORA-02091: transaction rolled back
# 'ORA-02291: integrity constraint (TEST_DJANGOTEST.SYS
# _C00102056) violated - parent key not found'
# We convert that particular case to our IntegrityError exception
x = e.args[0]
if hasattr(x, 'code') and hasattr(x, 'message') \
and x.code == 2091 and 'ORA-02291' in x.message:
six.reraise(utils.IntegrityError, utils.IntegrityError(*tuple(e.args)), sys.exc_info()[2])
raise
# Oracle doesn't support releasing savepoints. But we fake them when query
# logging is enabled to keep query counts consistent with other backends.
def _savepoint_commit(self, sid):
if self.queries_logged:
self.queries_log.append({
'sql': '-- RELEASE SAVEPOINT %s (faked)' % self.ops.quote_name(sid),
'time': '0.000',
})
def _set_autocommit(self, autocommit):
with self.wrap_database_errors:
self.connection.autocommit = autocommit
def check_constraints(self, table_names=None):
"""
To check constraints, we set constraints to immediate. Then, when, we're done we must ensure they
are returned to deferred.
"""
self.cursor().execute('SET CONSTRAINTS ALL IMMEDIATE')
self.cursor().execute('SET CONSTRAINTS ALL DEFERRED')
def is_usable(self):
try:
self.connection.ping()
except Database.Error:
return False
else:
return True
@cached_property
def oracle_full_version(self):
with self.temporary_connection():
return self.connection.version
@cached_property
def oracle_version(self):
try:
return int(self.oracle_full_version.split('.')[0])
except ValueError:
return None
class OracleParam(object):
"""
Wrapper object for formatting parameters for Oracle. If the string
representation of the value is large enough (greater than 4000 characters)
the input size needs to be set as CLOB. Alternatively, if the parameter
has an `input_size` attribute, then the value of the `input_size` attribute
will be used instead. Otherwise, no input size will be set for the
parameter when executing the query.
"""
def __init__(self, param, cursor, strings_only=False):
# With raw SQL queries, datetimes can reach this function
# without being converted by DateTimeField.get_db_prep_value.
if settings.USE_TZ and (isinstance(param, datetime.datetime) and
not isinstance(param, Oracle_datetime)):
if timezone.is_aware(param):
warnings.warn(
"The Oracle database adapter received an aware datetime (%s), "
"probably from cursor.execute(). Update your code to pass a "
"naive datetime in the database connection's time zone (UTC by "
"default).", RemovedInDjango20Warning)
param = param.astimezone(timezone.utc).replace(tzinfo=None)
param = Oracle_datetime.from_datetime(param)
if isinstance(param, datetime.timedelta):
param = duration_string(param)
if ' ' not in param:
param = '0 ' + param
string_size = 0
# Oracle doesn't recognize True and False correctly in Python 3.
# The conversion done below works both in 2 and 3.
if param is True:
param = 1
elif param is False:
param = 0
if hasattr(param, 'bind_parameter'):
self.force_bytes = param.bind_parameter(cursor)
elif isinstance(param, Database.Binary):
self.force_bytes = param
else:
# To transmit to the database, we need Unicode if supported
# To get size right, we must consider bytes.
self.force_bytes = convert_unicode(param, cursor.charset,
strings_only)
if isinstance(self.force_bytes, six.string_types):
# We could optimize by only converting up to 4000 bytes here
string_size = len(force_bytes(param, cursor.charset, strings_only))
if hasattr(param, 'input_size'):
# If parameter has `input_size` attribute, use that.
self.input_size = param.input_size
elif string_size > 4000:
# Mark any string param greater than 4000 characters as a CLOB.
self.input_size = Database.CLOB
else:
self.input_size = None
class VariableWrapper(object):
"""
An adapter class for cursor variables that prevents the wrapped object
from being converted into a string when used to instantiate an OracleParam.
This can be used generally for any other object that should be passed into
Cursor.execute as-is.
"""
def __init__(self, var):
self.var = var
def bind_parameter(self, cursor):
return self.var
def __getattr__(self, key):
return getattr(self.var, key)
def __setattr__(self, key, value):
if key == 'var':
self.__dict__[key] = value
else:
setattr(self.var, key, value)
class FormatStylePlaceholderCursor(object):
"""
Django uses "format" (e.g. '%s') style placeholders, but Oracle uses ":var"
style. This fixes it -- but note that if you want to use a literal "%s" in
a query, you'll need to use "%%s".
We also do automatic conversion between Unicode on the Python side and
UTF-8 -- for talking to Oracle -- in here.
"""
charset = 'utf-8'
def __init__(self, connection):
self.cursor = connection.cursor()
# Necessary to retrieve decimal values without rounding error.
self.cursor.numbersAsStrings = True
# Default arraysize of 1 is highly sub-optimal.
self.cursor.arraysize = 100
def _format_params(self, params):
try:
return {k: OracleParam(v, self, True) for k, v in params.items()}
except AttributeError:
return tuple(OracleParam(p, self, True) for p in params)
def _guess_input_sizes(self, params_list):
# Try dict handling; if that fails, treat as sequence
if hasattr(params_list[0], 'keys'):
sizes = {}
for params in params_list:
for k, value in params.items():
if value.input_size:
sizes[k] = value.input_size
self.setinputsizes(**sizes)
else:
# It's not a list of dicts; it's a list of sequences
sizes = [None] * len(params_list[0])
for params in params_list:
for i, value in enumerate(params):
if value.input_size:
sizes[i] = value.input_size
self.setinputsizes(*sizes)
def _param_generator(self, params):
# Try dict handling; if that fails, treat as sequence
if hasattr(params, 'items'):
return {k: v.force_bytes for k, v in params.items()}
else:
return [p.force_bytes for p in params]
def _fix_for_params(self, query, params):
# cx_Oracle wants no trailing ';' for SQL statements. For PL/SQL, it
# it does want a trailing ';' but not a trailing '/'. However, these
# characters must be included in the original query in case the query
# is being passed to SQL*Plus.
if query.endswith(';') or query.endswith('/'):
query = query[:-1]
if params is None:
params = []
query = convert_unicode(query, self.charset)
elif hasattr(params, 'keys'):
# Handle params as dict
args = {k: ":%s" % k for k in params.keys()}
query = convert_unicode(query % args, self.charset)
else:
# Handle params as sequence
args = [(':arg%d' % i) for i in range(len(params))]
query = convert_unicode(query % tuple(args), self.charset)
return query, self._format_params(params)
def execute(self, query, params=None):
query, params = self._fix_for_params(query, params)
self._guess_input_sizes([params])
try:
return self.cursor.execute(query, self._param_generator(params))
except Database.DatabaseError as e:
# cx_Oracle <= 4.4.0 wrongly raises a DatabaseError for ORA-01400.
if hasattr(e.args[0], 'code') and e.args[0].code == 1400 and not isinstance(e, IntegrityError):
six.reraise(utils.IntegrityError, utils.IntegrityError(*tuple(e.args)), sys.exc_info()[2])
raise
def executemany(self, query, params=None):
if not params:
# No params given, nothing to do
return None
# uniform treatment for sequences and iterables
params_iter = iter(params)
query, firstparams = self._fix_for_params(query, next(params_iter))
# we build a list of formatted params; as we're going to traverse it
# more than once, we can't make it lazy by using a generator
formatted = [firstparams] + [self._format_params(p) for p in params_iter]
self._guess_input_sizes(formatted)
try:
return self.cursor.executemany(query,
[self._param_generator(p) for p in formatted])
except Database.DatabaseError as e:
# cx_Oracle <= 4.4.0 wrongly raises a DatabaseError for ORA-01400.
if hasattr(e.args[0], 'code') and e.args[0].code == 1400 and not isinstance(e, IntegrityError):
six.reraise(utils.IntegrityError, utils.IntegrityError(*tuple(e.args)), sys.exc_info()[2])
raise
def fetchone(self):
row = self.cursor.fetchone()
if row is None:
return row
return _rowfactory(row, self.cursor)
def fetchmany(self, size=None):
if size is None:
size = self.arraysize
return tuple(_rowfactory(r, self.cursor) for r in self.cursor.fetchmany(size))
def fetchall(self):
return tuple(_rowfactory(r, self.cursor) for r in self.cursor.fetchall())
def close(self):
try:
self.cursor.close()
except Database.InterfaceError:
# already closed
pass
def var(self, *args):
return VariableWrapper(self.cursor.var(*args))
def arrayvar(self, *args):
return VariableWrapper(self.cursor.arrayvar(*args))
def __getattr__(self, attr):
if attr in self.__dict__:
return self.__dict__[attr]
else:
return getattr(self.cursor, attr)
def __iter__(self):
return CursorIterator(self.cursor)
class CursorIterator(six.Iterator):
"""
Cursor iterator wrapper that invokes our custom row factory.
"""
def __init__(self, cursor):
self.cursor = cursor
self.iter = iter(cursor)
def __iter__(self):
return self
def __next__(self):
return _rowfactory(next(self.iter), self.cursor)
def _rowfactory(row, cursor):
# Cast numeric values as the appropriate Python type based upon the
# cursor description, and convert strings to unicode.
casted = []
for value, desc in zip(row, cursor.description):
if value is not None and desc[1] is Database.NUMBER:
precision, scale = desc[4:6]
if scale == -127:
if precision == 0:
# NUMBER column: decimal-precision floating point
# This will normally be an integer from a sequence,
# but it could be a decimal value.
if '.' in value:
value = decimal.Decimal(value)
else:
value = int(value)
else:
# FLOAT column: binary-precision floating point.
# This comes from FloatField columns.
value = float(value)
elif precision > 0:
# NUMBER(p,s) column: decimal-precision fixed point.
# This comes from IntField and DecimalField columns.
if scale == 0:
value = int(value)
else:
value = decimal.Decimal(value)
elif '.' in value:
# No type information. This normally comes from a
# mathematical expression in the SELECT list. Guess int
# or Decimal based on whether it has a decimal point.
value = decimal.Decimal(value)
else:
value = int(value)
elif desc[1] in (Database.STRING, Database.FIXED_CHAR,
Database.LONG_STRING):
value = to_unicode(value)
casted.append(value)
return tuple(casted)
def to_unicode(s):
"""
Convert strings to Unicode objects (and return all other data types
unchanged).
"""
if isinstance(s, six.string_types):
return force_text(s)
return s
|
const { readdirSync } = require("fs");
const { join } = require("path");
module.exports.choices = readdirSync(join(__dirname, "..", "benchmarks")).map(
(x) => x.replace(".js", ""),
);
|
Subsets and Splits