hexsha
string
size
int64
ext
string
lang
string
max_stars_repo_path
string
max_stars_repo_name
string
max_stars_repo_head_hexsha
string
max_stars_repo_licenses
list
max_stars_count
int64
max_stars_repo_stars_event_min_datetime
string
max_stars_repo_stars_event_max_datetime
string
max_issues_repo_path
string
max_issues_repo_name
string
max_issues_repo_head_hexsha
string
max_issues_repo_licenses
list
max_issues_count
int64
max_issues_repo_issues_event_min_datetime
string
max_issues_repo_issues_event_max_datetime
string
max_forks_repo_path
string
max_forks_repo_name
string
max_forks_repo_head_hexsha
string
max_forks_repo_licenses
list
max_forks_count
int64
max_forks_repo_forks_event_min_datetime
string
max_forks_repo_forks_event_max_datetime
string
content
string
avg_line_length
float64
max_line_length
int64
alphanum_fraction
float64
c13be558473a97a8da15325452b1ccb9814d8477
7,424
js
JavaScript
ui/js/app.js
aliostad/hexagon-rl
cd4180bda26f92c0bde11a08aa13c825cd151a10
[ "MIT" ]
5
2019-05-30T00:33:20.000Z
2021-05-21T06:42:09.000Z
ui/js/app.js
aliostad/hexagon-rl
cd4180bda26f92c0bde11a08aa13c825cd151a10
[ "MIT" ]
null
null
null
ui/js/app.js
aliostad/hexagon-rl
cd4180bda26f92c0bde11a08aa13c825cd151a10
[ "MIT" ]
1
2019-04-01T16:30:02.000Z
2019-04-01T16:30:02.000Z
// some of the code from https://www.visualcinnamon.com/2013/07/self-organizing-maps-creating-hexagonal.html $(function() { var state = { baseUrl: "/api/slot/", slotName: "1", gameRunning: false, displayLoaded: false, updateInterval: 500 }; var qs = new URLSearchParams(location.search); var slot = qs.get('slot'); if (slot) state.slotName = slot; state.getUrl = function() { return state.baseUrl + state.slotName; }; function getRandomColor() { var letters = '3456789ABC'; var color = '#'; for (var i = 0; i < 6; i++) { color += letters[Math.floor(Math.random() * 10)]; } return color; } var colours = {}; function getColour(playerName) { if(!colours[playerName]) colours[playerName] = playerName ? getRandomColor() : "#CCC"; return colours[playerName]; } // function getRowIndex(cellId, radius){ return radius -1 + cellId.nwes; } function getColumnIndex(cellId, radius){ var r = radius -1; var from = Math.max(-cellId.nwes-r, -r); return cellId.x - from; } function numberOfCellsInARow(nwes, radius){ return (radius*2 -1) - Math.abs(nwes); } function buildPoints(radius) { var list = []; var r = radius-1; for (var i=-r; i<=r;i++){ var from = Math.max(-i-r, -r); var to = Math.min(r-i, r); for (var j=from; j<=to; j++){ list.push({nwes: i, x: j}); } } return list; } function cellIdToCellRowColumn(cell, radius){ var cellId = cell.id; var rowIndex = getRowIndex(cellId, radius); var columnIndex = getColumnIndex(cellId, radius); var numberOfCellsInTheRow = numberOfCellsInARow(cellId.nwes, radius); var maxPossible = radius*2 - 1; var r = rowIndex + 1; var q = Math.round((maxPossible - numberOfCellsInTheRow)/2) + (columnIndex) + 1 + ((rowIndex* (radius-1)) % 2); // ((rowIndex* (radius-1)) % 2) => hacking code return {r: r, q: q, x: cellId.x, nwes: cellId.nwes, owner: cell.owner, resource: cell.resourceCount}; } function draw(radius, pointsAxial, playerStats) { //svg sizes and margins var margin = { top: 10, right: 10, bottom: 10, left: 10 }, width = 750, height = 700; var displayMargin = 30; var statusDisplayLocation = { top: margin.top, left: margin.left + displayMargin + width, width: 200, height: height } var MapColumns = radius*2, MapRows = radius*2; //The maximum radius the hexagons can have to still fit the screen var hexRadius = d3.min([width/((MapColumns + 0.5) * Math.sqrt(3)), height/((MapRows + 1/3) * 1.5)]); var fontSize = Math.round(hexRadius * 0.7); // px var padding = fontSize / 9; var points = [] var centreCoords = {x: width/2, y: height/2}; for (var i = 0; i < pointsAxial.length; i++) { points.push(cellIdToCellRowColumn(pointsAxial[i], radius)) } //Create SVG element var svg = d3.select("#chart").append("svg") .attr("width", width + margin.left + margin.right) .attr("height", height + margin.top + margin.bottom) .append("g") .attr("transform", "translate(" + margin.left + "," + margin.top + ")"); //Set the hexagon radius var hexbin = d3.hexbin() .radius(hexRadius); var hexData = hexbin(points); //Draw the hexagons var g = svg.append("g"); g .selectAll(".hexagon") .data(hexData) .enter() .append("path") .attr("class", "hexagon") .attr("d", function (d) { return "M" + d.x + "," + d.y + hexbin.hexagon(); }) .attr("stroke", "white") .attr("stroke-width", Math.round(padding) + "px") .attr("id", function (d, i) { return "Cell_" + d[0].nwes + "_" + d[0].x; }) .style("fill", function (d,i) { return getColour(d[0].owner); }) .append("title") .text(function (d, i) { return d[0].nwes + "_" + d[0].x; }); g .selectAll("text") .data(hexData) .enter() .append("text") .attr("font-family", "arial") .attr("font-size", fontSize + "px") .attr("transform", "translate(0," + (hexRadius/4) + ")") .attr("fill", "beige") .style("text-anchor", "middle") .attr("title", function (d, i) { return d[0].nwes + "_" + d[0].x; }) .attr("x", function(d, i) { return d.x; }) .attr("id", function (d, i) { return "Text_" + d[0].nwes + "_" + d[0].x ; }) .attr("y", function(d, i) { return d.y;}) .text(function(d, i) { return d[0].resource; }); } function initialDraw(data) { //var radius = 8; draw(data.radius, data.boardSnapshot.cells, data.stat.playerStats); } function resourceCountDisplay(resourceCount) { return resourceCount > 999 ? Math.round(resourceCount / 1000) + "K" : resourceCount; } function updateCell(cell){ var id = cell.id.nwes + "_" + cell.id.x; d3.select("#Cell_" + id) .style("fill", getColour(cell.owner)); d3.select("#Text_" + id) .text(resourceCountDisplay(cell.resourceCount ? cell.resourceCount : cell.resources)); } function updateCells(cells) { for(var c in cells){ updateCell(cells[c]); } } function updateDisplayBoard(snapshot) { playerStats = snapshot.stat.playerStats; d3.select("#slotName") .text(state.slotName); d3.select("#gameName") .text(snapshot.stat.name); state.gameRunning = snapshot.stat.finished; d3.select("#gameStatus") .text(snapshot.stat.finished ? "finished" : snapshot.stat.round); if(playerStats.length > 0 && state.displayLoaded == false) { state.displayLoaded = true; d3.select("#display") .selectAll("div") .data(playerStats) .enter() .append("div") .attr("class", "standing") .style("padding", "12px") .style("font-family", "arial") .style("font-size", "18px") .style("color", "white") .attr("id", function(d, i){ return "standing_" + i; }); } for(var i in playerStats){ var stat = playerStats[i]; var id = "#standing_" + i; d3.select(id) .text( `[${snapshot.playerScores[stat.playerName]}] ${stat.playerName} - ${stat.cellsOwned} (${stat.totalResource ? stat.totalResource : stat.totalResources})`) .style("background-color", getColour(stat.playerName)); } } function setTimer() { $.ajax(state.getUrl() , { dataType: "json", type: "GET", success: function(data) { if (!state.displayLoaded) initialDraw(data); updateCells(data.boardSnapshot.cells); updateDisplayBoard(data); if (!data.stat.finished) setTimeout(setTimer, state.updateInterval); }, error: function(xqh, status, e) { console.log(e); setTimeout(setTimer, state.updateInterval); } }); } d3.select("#newGame") .on("click", function() { createGame(); }); setTimer(); function createGame() { $.ajax(state.getUrl(), { type: "POST", success: function(){ state.gameRunning = true; state.displayLoaded = false; $.ajax(state.getUrl(), { dataType: "json", type: "GET", success: function(data) { setTimer(); initialDraw(data); }, error: function(xqh, status, e) { console.log(e); } }); }, error: function(xqh, status, e) { console.log(e); } }); } });
24.103896
162
0.58028
c13dd4571405030ec36d82c5690aad25f5922e4a
4,116
js
JavaScript
src/components/CardRecursos.js
cooparaje-lab/oo-starter--gatsby-contentful-netlify
09530ec0f3a75aeb81a7e8a2d72423451483e95d
[ "MIT" ]
null
null
null
src/components/CardRecursos.js
cooparaje-lab/oo-starter--gatsby-contentful-netlify
09530ec0f3a75aeb81a7e8a2d72423451483e95d
[ "MIT" ]
5
2021-04-16T03:58:31.000Z
2022-02-18T05:22:21.000Z
src/components/CardRecursos.js
cooparaje-lab/oo-starter--gatsby-contentful-netlify
09530ec0f3a75aeb81a7e8a2d72423451483e95d
[ "MIT" ]
null
null
null
import { Link } from "gatsby" import Img from "gatsby-image" import { kebabCase } from "lodash" import React from "react" import { GoLinkExternal } from "react-icons/go" const CardRecursos = ({ card }) => ( <div className="relative flex flex-col w-full mb-2 overflow-hidden bg-gray-800 rounded shadow-lg from-gray-800 via-gray-800 bg-gradient-to-br md:h-64 md:flex-row"> <div className="absolute inset-0 z-0 block w-full h-full group opacity-5 md:opacity-90 md:relative md:w-full md:h-64"> <Link to={`/recursos/${card.slug}`}> <Img className="object-cover w-full h-full pb-0 mb-0 cardImage" alt={card.title} fluid={card.featuredImg.fluid} /> </Link> {card.tags && ( <div className="absolute bottom-0 left-0 right-0 w-full mt-0 duration-200 opacity-0 group-hover:opacity-100 md:mt-0"> <div className="relative flex items-center justify-center w-full px-3 duration-200 bg-gray-900 bg-opacity-60 hover:bg-opacity-90"> {card.tags.map((tag, i) => [ <Link to={`/etiquetas/${kebabCase(tag)}/`} key={i} className="inline-block px-3 py-1 my-2 font-mono text-sm font-bold text-white uppercase hover:text-yellow-500" > #{tag} {i < card.tags.length - 1 ? "" : ""} </Link>, ])} </div> </div> )} </div> <div className="relative z-10 flex flex-col justify-start w-full px-6 py-2 pb-12 md:pb-3"> <div className="flex items-baseline justify-between w-full mt-2 mb-1"> <Link to={`/recursos/${card.slug}`} className="block mb-2 font-serif text-3xl font-bold text-left text-yellow-500 capitalize hover:underline hover:text-yellow-300 " > {card.title} </Link> <a className="absolute bottom-0 right-0 z-20 flex items-center justify-center px-3 py-2 font-mono text-xs font-bold text-white transition-all duration-200 bg-green-600 rounded hover:bg-green-700" href={card.url} target="_blank" rel="noopener noreferrer" > <span className="text-white">ir al sitio</span> <GoLinkExternal className="inline-block ml-2 text-white" /> </a> </div> <p className="mb-3 font-sans text-xl text-left text-gray-100 line-clamp-3"> {card.excerpt.childMarkdownRemark.excerpt} </p> {card.espacio && ( <div className="z-50 flex items-start justify-start w-full mt-2 space-x-2"> {card.espacio.map((espacio, i) => [ <Link to={`/espacios/${kebabCase(espacio.slug)}/`} className="flex flex-wrap items-center justify-center px-3 py-2 mr-1 text-gray-100 bg-gray-900 rounded bg-opacity-70 md:flex-row btnCategory hover:text-gray-500 " activeClassName="active" key={i} > <span className="inline-block w-6 text-xs text-center md:mr-2 md:text-xl "> {espacio.icono} </span> <span className="font-mono text-xs font-bold uppercase md:text-sm hover:text-gray-500"> {espacio.title} </span> </Link>, ])} </div> )} {card.languageEnglish && ( <div className="absolute bottom-0 left-0 right-0 z-10 block px-6 py-2 pt-1 font-mono text-sm font-bold text-left text-green-200 bg-green-900 opacity-75 bg-opacity-20 group"> Contenido en Inglés <a href={`https://translate.google.com/translate?sl=auto&tl=es&u=${card.url}`} target="_blank" className="hidden py-1 ml-2 text-green-500 duration-200 border-b-2 border-green-500 md:block group-hover:border-green-100 group-hover:text-green-100" rel="noopener noreferrer" > auto-traducir al español </a> </div> )} <b className="hidden py-2 font-mono text-sm font-bold">{card.category}</b> </div> </div> ) export default CardRecursos
42.875
202
0.582604
c1404b2aaf6e7d1444b8bec2af20bb84f9bbd443
297
js
JavaScript
lib/transforms/TransformBase64Decode.js
redco/redparser-phantom
b18b184c5a7ce8adccec000578c48644d9307f11
[ "MIT" ]
251
2015-10-27T10:14:34.000Z
2022-01-01T19:29:04.000Z
lib/transforms/TransformBase64Decode.js
redco/redparser-phantom
b18b184c5a7ce8adccec000578c48644d9307f11
[ "MIT" ]
90
2015-10-26T21:01:27.000Z
2021-12-19T02:58:00.000Z
lib/transforms/TransformBase64Decode.js
redco/redparser-phantom
b18b184c5a7ce8adccec000578c48644d9307f11
[ "MIT" ]
22
2015-11-09T23:01:56.000Z
2021-02-20T12:31:28.000Z
/** * @fileOverview * * This transform decodes base64 string */ const Transform = require('./Transform'); class TransformBase64Decode extends Transform { doTransform() { return new Buffer(this._value, 'base64').toString('ascii'); } } module.exports = TransformBase64Decode;
18.5625
67
0.690236
c140a4dff248fba4e1cec9b023060a225c6c6ad2
1,668
js
JavaScript
src/routes/Form/components/FormSubmit.js
vallihe/wizarddemo
c7cbda44846161995d58e8bcbf1dcbd716323ca0
[ "MIT" ]
null
null
null
src/routes/Form/components/FormSubmit.js
vallihe/wizarddemo
c7cbda44846161995d58e8bcbf1dcbd716323ca0
[ "MIT" ]
null
null
null
src/routes/Form/components/FormSubmit.js
vallihe/wizarddemo
c7cbda44846161995d58e8bcbf1dcbd716323ca0
[ "MIT" ]
null
null
null
import React, { Component, PropTypes } from 'react' import ReactDOM from 'react-dom' import { Field, submit, reduxForm, formValueSelector } from 'redux-form' import { connect } from 'react-redux' import { createStore, combineReducers, applyMiddleware } from 'redux' import reducer from './reducer' import validate from './validate' import renderField from './renderField' import { handleForm, getForm, Form } from './Form' const store = createStore(reducer) let FormSubmit = (props) => { const { values, firstName, lastName } = props return ( <div> <p>Etunimi: { values.firstName }</p> <p>Sukunimi: { values.lastName }</p> <p>Sähköposti: { values.email }</p> <p>Sukupuoli: { values.sex }</p> <p>Syntymäaika: { values.calendar.toDateString() }</p> </div> ) } /* const FormSubmit = (props) => { console.log(handleForm) const { handleForm } = props return ( <div> {handleForm} </div> ) } */ FormSubmit.propTypes = { //firstName: PropTypes.object, getForm: PropTypes.object } /* const selector = formValueSelector('Form') FormSubmit = connect( state => { const firstName = selector(state.form.form.Form, 'firstName') const lastName = selector(state, 'lastName') const email = selector(state, 'email') //const {firstName, lastName} = selector(state, 'firstName', 'lastName') return { firstName, lastName, email //fullName: `${firstName || ''} ${lastName || ''}` } })(FormSubmit) */ export default FormSubmit /* export default reduxForm({ form: 'Form', //Form name is same renderField, destroyOnUnmount: false, validate })(FormSubmit) */
22.849315
76
0.651079
c140c6897c03c1b35ee6f9237e54c60f36322e94
8,067
js
JavaScript
server.js
thabets/Employee_Tracker
8a4eb3895c05c50463fc9ce4b3bce28af6793a25
[ "MIT" ]
null
null
null
server.js
thabets/Employee_Tracker
8a4eb3895c05c50463fc9ce4b3bce28af6793a25
[ "MIT" ]
null
null
null
server.js
thabets/Employee_Tracker
8a4eb3895c05c50463fc9ce4b3bce28af6793a25
[ "MIT" ]
null
null
null
const inquirer = require("inquirer"); const mysql = require("mysql2"); const cTable = require("console.table"); require("dotenv").config(); const db = mysql.createConnection( { host: "localhost", port: 3306, user: "root", password: process.env.PW, database: "employee_db", }, console.log("Connected to the employee database") ); function menu() { console.log("Welcome to the Employee Tracker!"); inquirer .prompt([ { type: "list", name: "init_action", message: "What would you like to do?", choices: [ "View all departments", "View all roles", "View all employees", "Add a department", "Add a role", "Add an employee", "Update an employee role", "Exit", ], }, ]) .then((answer) => { if (answer.init_action === "View all departments") { viewAllDepartments(); } else if (answer.init_action === "View all roles") { viewAllRoles(); } else if (answer.init_action === "View all employees") { viewAllEmp(); } else if (answer.init_action === "Add a department") { addADepartment(); } else if (answer.init_action === "Add a role") { addARole(); } else if (answer.init_action === "Add an employee") { addAnEmp(); } else if (answer.init_action === "Update an employee role") { updEmp(); } else { console.log("You have now exited, have a wonderful day!"); db.end(); } }); } async function viewAllDepartments() { inquirer .prompt([ { type: "confirm", name: "view_department", message: "Would you like to view all departments?", }, ]) .then((answers) => { if (answers) { db.query("SELECT * FROM department", (err, data) => { console.table(data); menu(); }); } }); } async function viewAllRoles() { inquirer .prompt([ { type: "confirm", name: "view_roles", message: "Would you like to view all roles?", }, ]) .then((answers) => { if (answers) { db.query("SELECT * FROM emp_role", (err, data) => { console.table(data); menu(); }); } }); } async function viewAllEmp() { inquirer .prompt([ { type: "confirm", name: "view_department", message: "Would you like to view all Employees?", }, ]) .then((answers) => { if (answers) { db.query("SELECT * FROM employee", (err, data) => { console.table(data); menu(); }); } }); } async function addADepartment() { inquirer .prompt([ { type: "input", name: "department", message: "What is the name of the department you would like to add?", }, ]) .then((answers) => { db.query( "INSERT INTO department(department_name) Values (?)", [answers.department], (err, data) => { console.log(data); menu(); } ); }); } async function addARole() { db.query("SELECT * FROM department", (err, data) => { const formatted = data.map((row) => { return { name: `${row.department_id}${row.department_name}`, value: row.id, }; }); inquirer .prompt([ { type: "list", name: "department_id", message: "Please choose what department will the role fall under? 1 for Legal, 2 for Accounting, 3 for R&D and 4 For Sales", choices: ["1", "2", "3", "4"], }, { type: "input", name: "emp_salary", message: "What is the yearly pay for the role?", }, { type: "input", name: "emp_title", message: "what would be the title of the position?", }, ]) .then((answers) => { console.log(answers); db.query( "INSERT INTO emp_role(emp_title,emp_salary,department_id) Values (?,?,?)", [answers.emp_title, answers.emp_salary, answers.department_id], (err, data) => { console.log(data); menu(); } ); }); }); } async function addAnEmp() { db.query("SELECT * FROM emp_role", (err, data) => { const formatted = data.map((row) => { return { name: `${row.emp_title}${row.emp_salary}${row.department_id}`, value: row.id, }; }); inquirer .prompt([ { type: "input", name: "emp_fname", message: "What is the first name of the employee you would like to add?", }, { type: "input", name: "emp_lname", message: "What is the last name of the employee you would like to add?", }, { type: "list", name: "emp_title", message: "Choose from the list provided the title the employee will receive:", choices: formatted, }, { type: "list", name: "manager", message: "Select Who manages the employee?", choices: [ "Virginia Woolf", "Charles LeRoi", "Katherine Mansfield", "Not Applicable", ], }, ]) .then((answers) => { console.log(answers); db.query( "INSERT INTO employee(first_name,last_name,emp_role,manager) Values (?,?,?,?)", [ answers.emp_fname, answers.emp_lname, answers.emp_title, answers.manager, ], (err, data) => { console.log(data); menu(); } ); }); }); } async function updEmp() { db.query("SELECT * FROM employee", (err, data) => { const formatted = data.map((row) => { return { name: `${row.first_name} ${row.last_name}`, value: row.id, }; }); // need to put the formatted within the same choice list. inquirer .prompt([ { type: "list", name: "whichEmp", message: "Please choose the employee you would like to update from the list provided", choices: formatted, }, // { // type: "checkbox", // name: "updName", // message: "Would you like to update the employee name?", // }, // { // type: "checkbox", // name: "updRole", // message: "Would you like to update the employee role?", // }, // { // type: "checkbox", // name: "updMng", // message: "Would you like to update the employee manager?", // }, ]) .then((answer) => { if (answer.whichEmp.id === 1) { updRole(); } else if (answer.whichEmp.id === 2) { updRole(); } else if (answer.updMng) { updMng(); } else { db.end(); } }); }); } async function updRole() { db.query("SELECT * FROM emp_role", (err, data) => { const formatted = data.map((row) => { return { name: `${row.emp_title} ${row.emp_salary} ${department_id}`, value: row.id, }; }); inquirer .prompt([ { type: "list", name: "newRole", message: "Please choose from the list provided the new role of the employee", choices: formatted, }, ]) .then((answers) => { db.query( "INSERT INTO employee(first_name,last_name,emp_role,manager) Values (?,?,?,?)", [ answers.emp_fname, answers.emp_lname, answers.emp_title, answers.manager, ], (err, data) => { console.log(data); menu(); } ); }); }); } menu();
25.528481
127
0.478741
c1413ee30eb89c061208c45a1ce63a86ac187e74
1,915
js
JavaScript
static/js/dashboard/publish_job.js
liqiwudao/job
de95c56627336060234755ab8bbe0510ed112573
[ "Apache-2.0" ]
1
2017-06-10T04:14:34.000Z
2017-06-10T04:14:34.000Z
static/js/dashboard/publish_job.js
liqiwudao/job
de95c56627336060234755ab8bbe0510ed112573
[ "Apache-2.0" ]
null
null
null
static/js/dashboard/publish_job.js
liqiwudao/job
de95c56627336060234755ab8bbe0510ed112573
[ "Apache-2.0" ]
null
null
null
$("#submit").click(function () { var job_class = $("#job_class").val(); var job_name = $("#job_name").val(); var job_department = $("#job_department").val(); var job_category = $('#job_category input[name="category"]:checked').val(); var job_experience = $("#job_experience").val(); var education = $("#education").val(); var salary_start = $("#salary_start").val(); var salary_end = $("#salary_end").val(); var location = $("#location").val(); var description = $("#editor").cleanHtml(); var temptation = $('#job_temptation').val(); if (!job_name) { alert("请填写职位名称"); return false; } ; if (!temptation) { alert("请填写职位诱惑"); return false; } ; if (!job_department) { alert("请填写招聘部门"); return false; } ; if (!salary_start) { alert("请填写薪资范围"); return false; } ; if (!salary_end) { alert("请填写薪资范围"); return false; } ; if (Number(salary_start) > Number(salary_end)) { alert('薪资范围错误'); return false; } if (!location) { alert("请填写工作地址"); return false; } ; if (!description) { alert("请填写职位描述"); return false; } ; data = { job_class: job_class, job_name: job_name, job_department: job_department, job_category: job_category, job_experience: job_experience, education: education, salary_start: salary_start, salary_end: salary_end, location: location, temptation: temptation, description: description }; $.post('/api/job/', data, function (ret) { if (!ret.error_code) { //alert("ok"); window.location.href = '/dashboard/job/' } else { alert(ret.msg); return false; } }); });
22.267442
79
0.519582
c1415610958a778808607c936f13b1a685f051df
137
js
JavaScript
modules/client.js
batoolalomari/city_explorer_api
465e73139dce8e03ed3a2d38903cffdb52ec0098
[ "MIT" ]
null
null
null
modules/client.js
batoolalomari/city_explorer_api
465e73139dce8e03ed3a2d38903cffdb52ec0098
[ "MIT" ]
null
null
null
modules/client.js
batoolalomari/city_explorer_api
465e73139dce8e03ed3a2d38903cffdb52ec0098
[ "MIT" ]
null
null
null
let pg = require('pg'); const DATABASE_URL = process.env.DATABASE_URL; let client = new pg.Client(DATABASE_URL); module.exports=client;
22.833333
46
0.759124
c142afb8e8fcb8fc70f9bd1499bff6c7c69f3ebf
8,860
js
JavaScript
data/quests/1891.js
pwmirage/editor
f8018d05e1b6cc64b6b080ea8132b3e53eb4f01b
[ "MIT" ]
4
2020-03-08T19:13:49.000Z
2021-07-04T10:48:07.000Z
data/quests/1891.js
pwmirage/editor
f8018d05e1b6cc64b6b080ea8132b3e53eb4f01b
[ "MIT" ]
null
null
null
data/quests/1891.js
pwmirage/editor
f8018d05e1b6cc64b6b080ea8132b3e53eb4f01b
[ "MIT" ]
null
null
null
g_db.quests[1891]={id:1891,name:"^ffffffDemonic Feligar",type:4,trigger_policy:3,on_give_up_parent_fail:1,on_success_parent_success:0,can_give_up:1,can_retake:0,can_retake_after_failure:1,on_fail_parent_fail:0,fail_on_death:0,simultaneous_player_limit:0,ai_trigger:0,ai_trigger_enable:0,auto_trigger:0,trigger_on_death:0,remove_obtained_items:1,recommended_level:52,show_quest_title:1,show_as_gold_quest:0,start_npc:2585,finish_npc:0,is_craft_skill_quest:0,can_be_found:1,show_direction:1,level_min:53,level_max:150,dontshow_under_level_min:1,premise_coins:0,dontshow_without_premise_coins:1,req_reputation_min:0,req_reputation_max:0,dontshow_without_req_reputation:1,premise_quests:[1890,],req_cultivation:0,dontshow_without_req_cultivation:1,req_faction_role:0,dontshow_without_req_faction_role:1,req_gender:0,dontshow_wrong_gender:1,req_class:0,dontshow_wrong_class:1,req_be_married:0,dontshow_without_marriage:0,req_be_gm:0,req_global_quest:0,req_global_quest_cond:0,quests_mutex:[],req_blacksmith_level:0,req_tailor_level:0,req_craftsman_level:0,req_apothecary_level:0,special_award_type:0,is_team_task:0,recv_in_team_only:0,req_success_type:0,req_npc_type:0,briefing:"The Demonic Feligar, one of the dreaded Seven Wraithbeast commanders, has recently emerged with his troops from the City of Abominations. They may be planning an assault on Heaven's Tear itself! Gather your forces and take them out.",parent_quest:0,previous_quest:0,next_quest:0,sub_quest_first:1892,dialogue:{initial:{id:2082,questions:[{id:1,id_parent:4294967295,text:"The Demonic Feligar is one of the dreaded Seven Wraithbeast commanders. He and his troops have recently emerged from the City of Abominations; we fear they will soon attack Heaven's Tear. Go update yourself on the latest intelligence by speaking with Guard Chi behind me.",choices:[{id:2147483654,text:"Accept.",param:1891,},]},]},finish:{id:2084,questions:[{id:1,id_parent:4294967295,text:"",choices:[]},]},},on_success:{normal:{xp:19500,sp:4500,coins:11700,rep:15,culti:0,chi:0,level_multiplier:0,new_waypoint:0,storage_slots:0,inventory_slots:0,petbag_slots:0,ai_trigger:0,ai_trigger_enable:0,divorce:0,item_groups:[{chosen_randomly:1,items:[{id:3368,is_common:1,amount:1,probability:0.10000000,},{id:3369,is_common:1,amount:1,probability:0.10000000,},{id:3370,is_common:1,amount:1,probability:0.10000000,},{id:3366,is_common:1,amount:1,probability:0.69999999,},]},],},by_time:[],by_item_cnt:[],},on_failure:{normal:{xp:0,sp:0,coins:0,rep:0,culti:0,chi:0,level_multiplier:0,new_waypoint:0,storage_slots:0,inventory_slots:0,petbag_slots:0,ai_trigger:0,ai_trigger_enable:0,divorce:0,item_groups:[],},by_time:[],by_item_cnt:[],},children:[ {id:1892,name:"^ffffffGuard's Discovery",type:0,trigger_policy:2,on_give_up_parent_fail:1,on_success_parent_success:0,can_give_up:1,can_retake:1,can_retake_after_failure:1,on_fail_parent_fail:0,fail_on_death:0,simultaneous_player_limit:0,ai_trigger:0,ai_trigger_enable:0,auto_trigger:0,trigger_on_death:0,remove_obtained_items:1,recommended_level:0,show_quest_title:1,show_as_gold_quest:0,start_npc:0,finish_npc:3733,is_craft_skill_quest:0,can_be_found:1,show_direction:1,level_min:50,level_max:150,dontshow_under_level_min:1,premise_coins:0,dontshow_without_premise_coins:1,req_reputation_min:0,req_reputation_max:0,dontshow_without_req_reputation:1,premise_quests:[],req_cultivation:0,dontshow_without_req_cultivation:1,req_faction_role:0,dontshow_without_req_faction_role:1,req_gender:0,dontshow_wrong_gender:1,req_class:0,dontshow_wrong_class:1,req_be_married:0,dontshow_without_marriage:0,req_be_gm:0,req_global_quest:0,req_global_quest_cond:0,quests_mutex:[],req_blacksmith_level:0,req_tailor_level:0,req_craftsman_level:0,req_apothecary_level:0,special_award_type:0,is_team_task:0,recv_in_team_only:0,req_success_type:3,req_npc_type:1,briefing:"Ask Guard Chi at Heaven's Tear about the Demonic Feligar.",parent_quest:1891,previous_quest:0,next_quest:1959,sub_quest_first:0,dialogue:{finish:{id:2083,questions:[{id:1,id_parent:4294967295,text:"As you know, I've been watching the Wraithbeasts on the ground for some time now, and as the Elder said the Demonic Feligar recently emerged. It's one of the Seven Wraithbeast commanders, and would easily overpower us here. But for some reason, they have not attacked yet. They may be waiting for something; we will not. Go down to the Stairway to Heaven and kill it before they attack Heaven's Tear!",choices:[{id:2147483655,text:"I will do what I must to protect Heaven's Tear.",param:1892,},]},]},},on_success:{normal:{xp:0,sp:0,coins:0,rep:0,culti:0,chi:0,level_multiplier:0,new_waypoint:0,storage_slots:0,inventory_slots:0,petbag_slots:0,ai_trigger:0,ai_trigger_enable:0,divorce:0,item_groups:[],},by_time:[],by_item_cnt:[],},on_failure:{normal:{xp:0,sp:0,coins:0,rep:0,culti:0,chi:0,level_multiplier:0,new_waypoint:0,storage_slots:0,inventory_slots:0,petbag_slots:0,ai_trigger:0,ai_trigger_enable:0,divorce:0,item_groups:[],},by_time:[],by_item_cnt:[],},children:[]}, {id:1959,name:"^ffffffDemonic Feligar",type:0,trigger_policy:2,on_give_up_parent_fail:1,on_success_parent_success:0,can_give_up:1,can_retake:1,can_retake_after_failure:1,on_fail_parent_fail:0,fail_on_death:0,simultaneous_player_limit:0,ai_trigger:0,ai_trigger_enable:0,auto_trigger:0,trigger_on_death:0,remove_obtained_items:1,recommended_level:0,show_quest_title:1,show_as_gold_quest:0,start_npc:3733,finish_npc:0,is_craft_skill_quest:0,can_be_found:1,show_direction:1,level_min:50,level_max:150,dontshow_under_level_min:1,premise_coins:0,dontshow_without_premise_coins:1,req_reputation_min:0,req_reputation_max:0,dontshow_without_req_reputation:1,premise_quests:[],req_cultivation:0,dontshow_without_req_cultivation:1,req_faction_role:0,dontshow_without_req_faction_role:1,req_gender:0,dontshow_wrong_gender:1,req_class:0,dontshow_wrong_class:1,req_be_married:0,dontshow_without_marriage:0,req_be_gm:0,req_global_quest:0,req_global_quest_cond:0,quests_mutex:[],req_blacksmith_level:0,req_tailor_level:0,req_craftsman_level:0,req_apothecary_level:0,special_award_type:0,is_team_task:1,recv_in_team_only:0,req_success_type:1,req_npc_type:0,briefing:"Go to the Stairway of Heaven and kill the Demonic Feligar. Bring some friends with you; he will be a very strong foe.",parent_quest:1891,previous_quest:1892,next_quest:1960,sub_quest_first:0,dialogue:{finish:{id:2157,questions:[{id:1,id_parent:4294967295,text:"",choices:[]},]},},on_success:{normal:{xp:0,sp:0,coins:0,rep:0,culti:0,chi:0,level_multiplier:0,new_waypoint:0,storage_slots:0,inventory_slots:0,petbag_slots:0,ai_trigger:0,ai_trigger_enable:0,divorce:0,item_groups:[],},by_time:[],by_item_cnt:[],},on_failure:{normal:{xp:0,sp:0,coins:0,rep:0,culti:0,chi:0,level_multiplier:0,new_waypoint:0,storage_slots:0,inventory_slots:0,petbag_slots:0,ai_trigger:0,ai_trigger_enable:0,divorce:0,item_groups:[],},by_time:[],by_item_cnt:[],},children:[]}, {id:1960,name:"^ffffffA Full Report",type:0,trigger_policy:0,on_give_up_parent_fail:1,on_success_parent_success:1,can_give_up:1,can_retake:1,can_retake_after_failure:1,on_fail_parent_fail:0,fail_on_death:0,simultaneous_player_limit:0,ai_trigger:0,ai_trigger_enable:0,auto_trigger:0,trigger_on_death:0,remove_obtained_items:1,recommended_level:0,show_quest_title:1,show_as_gold_quest:0,start_npc:0,finish_npc:2585,is_craft_skill_quest:0,can_be_found:1,show_direction:1,level_min:50,level_max:150,dontshow_under_level_min:1,premise_coins:0,dontshow_without_premise_coins:1,req_reputation_min:0,req_reputation_max:0,dontshow_without_req_reputation:1,premise_quests:[],req_cultivation:0,dontshow_without_req_cultivation:1,req_faction_role:0,dontshow_without_req_faction_role:1,req_gender:0,dontshow_wrong_gender:1,req_class:0,dontshow_wrong_class:1,req_be_married:0,dontshow_without_marriage:0,req_be_gm:0,req_global_quest:0,req_global_quest_cond:0,quests_mutex:[],req_blacksmith_level:0,req_tailor_level:0,req_craftsman_level:0,req_apothecary_level:0,special_award_type:0,is_team_task:0,recv_in_team_only:0,req_success_type:3,req_npc_type:1,briefing:"Report to the Celestial Elder at Heaven's Tear about the Demonic Feligar's death.",parent_quest:1891,previous_quest:1959,next_quest:0,sub_quest_first:0,dialogue:{finish:{id:2160,questions:[{id:1,id_parent:4294967295,text:"Thank you for what you did for Heaven's Tear.",choices:[{id:2147483655,text:"Yes.",param:1960,},]},]},},on_success:{normal:{xp:0,sp:0,coins:0,rep:0,culti:0,chi:0,level_multiplier:0,new_waypoint:0,storage_slots:0,inventory_slots:0,petbag_slots:0,ai_trigger:0,ai_trigger_enable:0,divorce:0,item_groups:[],},by_time:[],by_item_cnt:[],},on_failure:{normal:{xp:0,sp:0,coins:0,rep:0,culti:0,chi:0,level_multiplier:0,new_waypoint:0,storage_slots:0,inventory_slots:0,petbag_slots:0,ai_trigger:0,ai_trigger_enable:0,divorce:0,item_groups:[],},by_time:[],by_item_cnt:[],},children:[]},]};
1,772
2,684
0.839278
c146e684ea7d8176492096fa091a9bc9c9c90b1b
8,928
js
JavaScript
edifice-frontend/edifice-frontend/src/components/financial_management/commitments/commitment-singlepage.component.js
SahanDisa/Edifice
e03d5909b7527c74e8d32f24a7cf5375d14ccced
[ "Apache-2.0" ]
1
2021-06-15T08:28:22.000Z
2021-06-15T08:28:22.000Z
edifice-frontend/edifice-frontend/src/components/financial_management/commitments/commitment-singlepage.component.js
SahanDisa/Edifice
e03d5909b7527c74e8d32f24a7cf5375d14ccced
[ "Apache-2.0" ]
8
2021-05-25T10:23:52.000Z
2021-09-27T18:23:58.000Z
edifice-frontend/edifice-frontend/src/components/financial_management/commitments/commitment-singlepage.component.js
SahanDisa/Edifice
e03d5909b7527c74e8d32f24a7cf5375d14ccced
[ "Apache-2.0" ]
10
2021-05-29T05:26:50.000Z
2022-02-09T07:24:55.000Z
import React, { Component } from "react"; import { Link } from "react-router-dom"; import CommitmentDataService from "./../../../services/commitment.service"; import DeleteIcon from '@material-ui/icons/Delete'; import VisibilityIcon from '@material-ui/icons/Visibility'; import UpdateIcon from '@material-ui/icons/Update'; import { Breadcrumbs } from "@material-ui/core"; export default class ViewSingleCommitment extends Component { constructor(props) { super(props); this.getCommitment = this.getCommitment.bind(this); this.state = { currentCommitment: { id: this.props.match.params.id, title: "", contractCompany: "", status: "", //executed:"", //defaultRetainage :"", description:"", /*attachments:"",*/ startDate: "", estimatedCompletionDate : "", actualCompletionDate : "", signedContractReceivedDate : "", inclusions:"", exclusions:"", projectId: "" }, message: "", temp: this.props.match.params.id, pid: this.props.match.params.pid, }; } componentDidMount() { this.getCommitment(this.props.match.params.id); } getCommitment(id) { CommitmentDataService.get(id) .then(response => { this.setState({ currentCommitment: response.data }); console.log(response.data); }) .catch(e => { console.log(e); }); } render() { const { currentCommitment,temp,pid} = this.state; return ( <div className="container"> <h4>Edit Sub Contract</h4> <Breadcrumbs aria-label="breadcrumb"> <Link color="inherit" to="/home"> Home </Link> <Link color="inherit" to={"/projectmanagementhome/"+currentCommitment.projectId}> App Dashboard </Link> <Link color="textPrimary" to={"/commitment/"+currentCommitment.projectId}> Commitments </Link> <Link color="textPrimary" to={"/editcommitment/"+temp} aria-current="page"> Edit Sub Contract </Link> </Breadcrumbs> <hr /> {currentCommitment ? ( <div class="container"> <h4>{currentCommitment.id} - {currentCommitment.title}</h4> <div className="col-12 text-right"> <Link to={"/viewsov/"+currentCommitment.projectId+"/"+currentCommitment.id}> <button className="btn btn-success m-2">View SoVs </button> </Link> {/*<Link to={"/viewpayment/"+currentCommitment.id}> <button className="btn btn-success m-2">Payments </button> </Link><br /> <Link to={"/addinvoice/"+currentCommitment.id}> <button className="btn btn-success m-2">Invoices </button> </Link>*/} </div> <hr /> <div className="row"> <div className="col-sm-6"> <div className="form-group"> <label htmlFor="title">Title</label> <input type="text" className="form-control" id="title" value={currentCommitment.title} readonly /> </div> <div className="form-group"> <label htmlFor="contractCompany">Contract Company :</label> <input type="text" className="form-control" id="contractCompany" value={currentCommitment.contractCompany} readonly name="contractCompany" /> </div> <div className="form-group"> <label htmlFor="status">Status :</label> <input type="text" className="form-control" id="status" value={currentCommitment.status} readonly name="status" /> </div> {/*<div className="form-group"> <label htmlFor="defaultRetainage">Default Retainage % :</label> <input type="text" className="form-control" id="defaultRetainage" required value={currentCommitment.defaultRetainage} onChange={this.onChangeDefaultRetainage} name="defaultRetainage" /> </div>*/} <div className="form-group"> <label htmlFor="description">Description</label> <input type="text" className="form-control" id="description" value={currentCommitment.description} readonly /> </div> <div className="form-group"> <label htmlFor="startDate">Start Date :</label> <input type="date" className="form-control" id="startDate" value={currentCommitment.startDate} readonly name="startDate" /> </div> <div className="form-group"> <label htmlFor="estimatedCompletionDate">Estimated Completion Date :</label> <input type="date" className="form-control" id="estimatedCompletionDate" value={currentCommitment.estimatedCompletionDate} readonly name="estimatedCompletionDate" /> </div> <div className="form-group"> <label htmlFor="actualCompletionDate">Actual Completion Date :</label> <input type="date" className="form-control" id="actualCompletionDate" value={currentCommitment.actualCompletionDate} readonly name="actualCompletionDate" /> </div> <div className="form-group"> <label htmlFor="signedContractReceivedDate">Signed Contract Received Date :</label> <input type="date" className="form-control" id="signedContractReceivedDate" value={currentCommitment.signedContractReceivedDate} readonly name="signedContractReceivedDate" /> </div> <div className="form-group"> <label htmlFor="">Inclusions :</label> <input type="textarea" className="form-control" id="inclusions" value={currentCommitment.inclusions} readonly name="inclusions" /> </div> <div className="form-group"> <label htmlFor="">Exclusions :</label> <input type="textarea" className="form-control" id="exclusions" value={currentCommitment.exclusions} readonly name="exclusions" /> </div> </div> <div className="col-sm-6"> { /* <Link to={"/addsov/"+currentCommitment.id}> <button className="btn btn-success m-2">+ Create SoV </button> </Link><br /> <Link to={"/viewsov/"+currentCommitment.id}> <button className="btn btn-success m-2">SoVs </button> </Link><br />*/} {/* <Link to={"/addpayment/"+currentCommitment.id}> <button className="btn btn-success m-2">+ Create Payment </button> </Link><br /> <Link to={"/viewpayment/"+currentCommitment.id}> <button className="btn btn-success m-2">Payments </button> </Link><br /> <Link to={"/addinvoice/"+currentCommitment.id}> <button className="btn btn-success m-2">Invoices </button> </Link><br />*/} </div> </div> <p>{this.state.message}</p> </div> ) : ( <div> <br /> <p>Please click on a Commitment...</p> </div> )} </div> ); } }
32
99
0.465726
c14723974b506a627ea363e72f353dc94935616a
1,495
js
JavaScript
js/scripts.js
dnclem3/pizza-order
5fc1e8f5da77cc05c8ac6c1ee51df2640718736e
[ "MIT" ]
null
null
null
js/scripts.js
dnclem3/pizza-order
5fc1e8f5da77cc05c8ac6c1ee51df2640718736e
[ "MIT" ]
null
null
null
js/scripts.js
dnclem3/pizza-order
5fc1e8f5da77cc05c8ac6c1ee51df2640718736e
[ "MIT" ]
null
null
null
//Business logic function Customer(name, crust, size) { this.name = name; this.crust = crust; this.size = size; this.toppings = []; this.bill = 0; } Customer.prototype.price = function() { if (this.crust = "Regular Crust") { this.bill+= 2; } else { this.bill+= 3; } if (this.size = "Large") { this.bill+= 10; } else if (this.size = "Medium") { this.bill+= 7; } else { this.bill+= 5; } this.bill+= this.toppings.length * 1.5; } Customer.prototype.printOrder = function() { var pizza = "<li>Crust Type: " + this.crust + "</li>"; pizza+= "<li>Pizza Size: " + this.size + "</li>"; pizza+= "<li>Toppings: "; this.toppings.forEach(function(topping) { pizza += topping + ", "; }); pizza+= "</li>"; $("#order").empty(); $("#order").append(pizza); } Customer.prototype.totalBill = function() { $(".total").text(this.bill); } var createUser = function() { var name = $("#name").val(); var crust = $("#crust").val(); var size = $("#size").val(); var user = new Customer(name, crust, size); var toppings = $("input:checkbox[name=toppings]:checked").each(function() { user.toppings.push($(this).val()); }); return user; } //User Interface $(document).ready(function() { $("form").submit(function(event) { $("#results").show(); var customer = createUser(); customer.price(); customer.printOrder(); customer.totalBill(); $(".name").text(customer.name); event.preventDefault(); }); });
22.313433
77
0.579933
c147d60c8f7d3048db0250126ae73f63cd34e481
363
js
JavaScript
components/HeroLayout.js
MelodicCrypter/me-v1
71f47db92a3860a775441280f1cb584fec4907ea
[ "RSA-MD" ]
null
null
null
components/HeroLayout.js
MelodicCrypter/me-v1
71f47db92a3860a775441280f1cb584fec4907ea
[ "RSA-MD" ]
3
2020-10-23T04:15:35.000Z
2021-12-09T01:23:07.000Z
components/HeroLayout.js
MelodicCrypter/me-v1
71f47db92a3860a775441280f1cb584fec4907ea
[ "RSA-MD" ]
null
null
null
import React from 'react'; import HeroHeader from './HeroHeader'; const HeroLayout = props => { return ( <section id="HeroLayout" className="hero is-info is-fullheight"> <HeroHeader /> {/* Hero Body */} {props.children} {/* Hero Footer */} </section> ); }; export default HeroLayout;
19.105263
72
0.5427
c1499f56626733f1f61c00cf91c6b8afb26d85da
523
js
JavaScript
icons/standard/letterhead.js
hgebker/design-system-react
6efee1249aa48e97c9643d182a0c910579b379da
[ "BSD-3-Clause" ]
1
2020-02-27T01:49:32.000Z
2020-02-27T01:49:32.000Z
icons/standard/letterhead.js
hgebker/design-system-react
6efee1249aa48e97c9643d182a0c910579b379da
[ "BSD-3-Clause" ]
6
2020-06-19T18:24:08.000Z
2022-02-13T14:37:27.000Z
icons/standard/letterhead.js
hgebker/design-system-react
6efee1249aa48e97c9643d182a0c910579b379da
[ "BSD-3-Clause" ]
1
2021-07-27T06:05:38.000Z
2021-07-27T06:05:38.000Z
/* Copyright (c) 2015-present, salesforce.com, inc. All rights reserved */ /* Licensed under BSD 3-Clause - see LICENSE.txt or git.io/sfdc-license */ export default {"viewBox":"0 0 24 24","xmlns":"http://www.w3.org/2000/svg","path":{"d":"M17.7 4.8H6.3c-.8 0-1.5.7-1.5 1.5v11.4c0 .8.7 1.5 1.5 1.5h11.4c.8 0 1.5-.7 1.5-1.5V6.3c0-.8-.7-1.5-1.5-1.5zM17 16.6c0 .2-.2.3-.3.3H7.3c-.2 0-.3-.2-.3-.4v-2.1c0-.2.2-.4.4-.4h9.3c.2 0 .3.2.3.4v2.2zm0-7c0 .2-.2.3-.3.3H7.3c-.2 0-.3-.2-.3-.4V7.4c0-.2.2-.4.4-.4h9.3c.2 0 .3.2.3.4v2.2z"}};
87.166667
370
0.602294
c14a6d157f47481eb39a76b5192d2432b4bdb943
2,556
js
JavaScript
gulpfile.babel.js
1vn/crcmaker
a2aee7f030982d223f8a061374445783ea4808a6
[ "MIT" ]
1
2015-11-02T18:18:13.000Z
2015-11-02T18:18:13.000Z
gulpfile.babel.js
ivanzhangio/crcmaker
a2aee7f030982d223f8a061374445783ea4808a6
[ "MIT" ]
null
null
null
gulpfile.babel.js
ivanzhangio/crcmaker
a2aee7f030982d223f8a061374445783ea4808a6
[ "MIT" ]
null
null
null
import babelify from 'babelify'; import browserify from 'browserify'; import browserSync from 'browser-sync'; import buffer from 'vinyl-buffer'; import del from 'del'; import ghPages from 'gulp-gh-pages'; import gulp from 'gulp'; import htmlmin from 'gulp-htmlmin'; import nano from 'gulp-cssnano'; import sass from 'gulp-sass'; import source from 'vinyl-source-stream'; import uglify from 'gulp-uglify'; // ========================================================================== // // Configuration // // ========================================================================== // const PATHS = { src_html : 'src/index.html', src_js : 'src/script.js', src_js_all : 'src/**/*.js', src_scss : 'src/styles/**/*.scss', dest : 'build/', dest_files : 'build/**/*', }; // ========================================================================== // // Gulp tasks // // ========================================================================== // // Delete generated files export const clean = () => del(PATHS.dest, { force: true }); // Process main HTML file export function html () { return gulp.src(PATHS.src_html) .pipe(htmlmin({ removeComments: true, collapseWhitespace: true, minifyJS: true })) .pipe(gulp.dest(PATHS.dest)); } // Process SCSS files export function scss () { return gulp.src(PATHS.src_scss) .pipe(sass().on('error', sass.logError)) .pipe(nano()) .pipe(gulp.dest(PATHS.dest)); } // Process JS files export function js () { return browserify(PATHS.src_js) .transform(babelify, { presets: ['es2015', 'react'], plugins: ['transform-class-properties'] }) .bundle() .pipe(source('script.js')) .pipe(buffer()) .pipe(uglify()) .pipe(gulp.dest(PATHS.dest)); } // Build all files export const build = gulp.series(clean, html, scss, js); // Compile files and recompile on changes export const watch = gulp.series(build, () => { browserSync.create().init({ server: { baseDir: './build' } }); gulp.watch(PATHS.src_html, html); gulp.watch(PATHS.src_scss, scss); gulp.watch(PATHS.src_js_all, js); }); export function prod (done) { process.env.NODE_ENV = 'production'; done(); } // Deploy to GitHub Pages export const deploy = gulp.series(prod, build, () => { return gulp.src(PATHS.dest_files) .pipe(ghPages()); }); // Export default task export default build;
25.818182
80
0.534429
c14ac16f4978ccf2287ffd1f3c47bbdb8cd3f6ad
4,423
js
JavaScript
web/wp-content/plugins/acf-audio-video-player/assets/js/input.js
cwahlfeldt/waffleiron
3608dfeac38934b3533876014ff7cec342d92d1d
[ "MIT" ]
null
null
null
web/wp-content/plugins/acf-audio-video-player/assets/js/input.js
cwahlfeldt/waffleiron
3608dfeac38934b3533876014ff7cec342d92d1d
[ "MIT" ]
9
2019-09-09T22:04:08.000Z
2022-02-13T09:14:34.000Z
web/wp-content/plugins/acf-audio-video-player/assets/js/input.js
cwahlfeldt/waffleiron
3608dfeac38934b3533876014ff7cec342d92d1d
[ "MIT" ]
1
2019-07-22T17:31:49.000Z
2019-07-22T17:31:49.000Z
(function($){ var audioVideoPlayer = acf.models.ImageField.extend({ type: 'audio_video_player', $control: function(){ return this.$('.acf-file-uploader'); }, $player: function(){ return this.$control().find('.player-container'); }, $input: function(){ return this.$('input[type="hidden"]'); }, validateAttachment: function( attachment ) { // defaults attachment = attachment || {}; // WP attachment if( attachment.id !== undefined ) { attachment = attachment.attributes; } // args attachment = acf.parseArgs(attachment, { url: '', alt: '', title: '', filename: '', filesizeHumanReadable: '', icon: '/wp-includes/images/media/default.png' }); // return return attachment; }, initialize: function() { //if(this.get('player_type') == 'mediaelements') //this.$player().mediaelementplayer(); //this.render( this.val() ); }, render: function( attachment ){ // vars attachment = this.validateAttachment( attachment ); //console.log(attachment); var tag = attachment.type; var src = attachment.url; var mime = attachment.mime; //var poster = (attachment.image && tag == 'video') ? 'poster="'+attachment.image.src+'"' : ''; var player = '<'+tag+' controls><source src="'+src+'" type="'+mime+'"></source></'+tag+'>'; this.$player().html( player ); //if(this.get('player_type') == 'mediaelements') //this.$player().mediaelementplayer(); // vars var val = attachment.id || ''; // update val acf.val( this.$input(), val ); // update class if( val ) { this.$control().addClass('has-value'); } else { this.$control().removeClass('has-value'); } }, selectAttachment: function(){ // vars var parent = this.parent(); var multiple = (parent && parent.get('type') === 'repeater'); var media_type = this.get('general_type'); var frame_type = !media_type || media_type == 'both' ? ['audio', 'video'] : media_type; // new frame var frame = acf.newMediaPopup({ mode: 'select', type: frame_type, multiple: multiple, title: acf.__('Select File'), field: this.get('key'), library: this.get('library'), mime_types: this.get('mime_types'), select: $.proxy(function( attachment, i ) { if( i > 0 ) { this.append( attachment, parent ); } else { this.render( attachment ); } }, this) }); }, editAttachment: function(){ // vars var val = this.val(); // bail early if no val if( !val ) { return false; } // popup var frame = acf.newMediaPopup({ mode: 'edit', title: acf.__('Edit File'), button: acf.__('Update File'), attachment: val, field: this.get('key'), select: $.proxy(function( attachment, i ) { this.render( attachment ); }, this) }); } }); acf.registerFieldType( audioVideoPlayer ); /** * initialize_field * * This function will initialize the $field. * * @date 30/11/17 * @since 5.6.5 * * @param n/a * @return n/a */ function initialize_field( $field ) { //console.log('audio_video_player initialized', $field.find('input').val() ); //$field.render(); } if( typeof acf.add_action !== 'undefined' ) { /* * ready & append (ACF5) * * These two events are called when a field element is ready for initizliation. * - ready: on page load similar to $(document).ready() * - append: on new DOM elements appended via repeater field or other AJAX calls * * @param n/a * @return n/a */ acf.add_action('ready_field/type=audio_video_player', initialize_field); acf.add_action('append_field/type=audio_video_player', initialize_field); } else { /* * acf/setup_fields (ACF4) * * These single event is called when a field element is ready for initizliation. * * @param event an event object. This can be ignored * @param element An element which contains the new HTML * @return n/a */ $(document).on('acf/setup_fields', function(e, postbox){ // find all relevant fields $(postbox).find('.field[data-field_type="audio_video_player"]').each(function(){ // initialize initialize_field( $(this) ); }); }); } })(jQuery);
21.36715
98
0.580149
c14b1dffd6ecee25b35ed88e0ba6d989eaac34ed
2,610
js
JavaScript
htmlquery.js
flashinc/HTMLQuery
704c1844e514b9372c86e457d3ef330caa2c5dba
[ "MIT" ]
null
null
null
htmlquery.js
flashinc/HTMLQuery
704c1844e514b9372c86e457d3ef330caa2c5dba
[ "MIT" ]
null
null
null
htmlquery.js
flashinc/HTMLQuery
704c1844e514b9372c86e457d3ef330caa2c5dba
[ "MIT" ]
null
null
null
class HTMLQuery { constructor(HTMLQuery) { let a = document.querySelector(HTMLQuery); return a } id(HTMLQuery) { let a = document.getElementById(HTMLQuery); return a } class(HTMLQuery) { let a = document.getElementsByClassName(HTMLQuery); return a } query(HTMLQuery) { let a = document.querySelector(HTMLQuery); return a } tag(HTMLQuery) { let a = document.getElementsBytagName(HTMLQuery); return a } name(HTMLQuery) { let a = document.getElementsByName(HTMLQuery); return a } queryAll(HTMLQuery) { let a = document.querySelectorAll(HTMLQuery); return a } i(HTMLQuery) { let a = document.getElementById(HTMLQuery); return a } c(HTMLQuery) { let a = document.getElementsByClassName(HTMLQuery); return a } q(HTMLQuery) { let a = document.querySelector(HTMLQuery); return a } t(HTMLQuery) { let a = document.getElementsBytagName(HTMLQuery); return a } n(HTMLQuery) { let a = document.getElementsByName(HTMLQuery); return a } qa(HTMLQuery) { let a = document.querySelectorAll(HTMLQuery); return a } } class $ { constructor(HTMLQuery) { let a = document.querySelector(HTMLQuery); return a } id(HTMLQuery) { let a = document.getElementById(HTMLQuery); return a } class(HTMLQuery) { let a = document.getElementsByClassName(HTMLQuery); return a } query(HTMLQuery) { let a = document.querySelector(HTMLQuery); return a } tag(HTMLQuery) { let a = document.getElementsBytagName(HTMLQuery); return a } name(HTMLQuery) { let a = document.getElementsByName(HTMLQuery); return a } queryAll(HTMLQuery) { let a = document.querySelectorAll(HTMLQuery); return a } i(HTMLQuery) { let a = document.getElementById(HTMLQuery); return a } c(HTMLQuery) { let a = document.getElementsByClassName(HTMLQuery); return a } q(HTMLQuery) { let a = document.querySelector(HTMLQuery); return a } t(HTMLQuery) { let a = document.getElementsBytagName(HTMLQuery); return a } n(HTMLQuery) { let a = document.getElementsByName(HTMLQuery); return a } qa(HTMLQuery) { let a = document.querySelectorAll(HTMLQuery); return a } }
23.944954
59
0.576628
c14b2f95d6f91420c53062bd8bbbb86b1ff48335
4,175
js
JavaScript
src/renderers/dom/ui/elements/LayerConfig/component.js
Omargnagy91/cardkit
52f5aed2afb7b45a7beb03dd0b7b0fe27dc521e1
[ "MIT" ]
33
2021-04-14T18:39:56.000Z
2022-03-23T21:11:23.000Z
src/renderers/dom/ui/elements/LayerConfig/component.js
Omargnagy91/cardkit
52f5aed2afb7b45a7beb03dd0b7b0fe27dc521e1
[ "MIT" ]
8
2021-05-01T10:33:55.000Z
2022-02-27T13:49:20.000Z
src/renderers/dom/ui/elements/LayerConfig/component.js
Omargnagy91/cardkit
52f5aed2afb7b45a7beb03dd0b7b0fe27dc521e1
[ "MIT" ]
5
2021-04-01T10:36:34.000Z
2022-03-15T13:45:18.000Z
// Libraries const React = require("react"); const PropTypes = require("prop-types"); // Styles require("./style.scss"); // Require in our controls const TextControl = require("../Controls/TextControl"); const SizeControl = require("../Controls/SizeControl"); const ColorControl = require("../Controls/ColorControl"); const SourceControl = require("../Controls/SourceControl"); // LayerConfig class class LayerConfig extends React.Component { constructor(props) { super(props); this.handleChange = this.handleChange.bind(this); } handleChange(property, value) { let layer = this.props.layer; layer[property] = value; this.props.onUpdate(this.props.layerKey, layer); } render() { return ( <div className="layer-config"> <h3>{this.props.layer.name}</h3> <div className="element-config"> <div> {/** Text **/} <TextControl layer={this.props.layer} onNewValue={this.handleChange} /> {/** Font Size **/} <SizeControl name="fontSize" layer={this.props.layer} onNewValue={this.handleChange} /> {/** Height **/} <SizeControl name="height" layer={this.props.layer} onNewValue={this.handleChange} /> {/** Width **/} <SizeControl name="width" layer={this.props.layer} onNewValue={this.handleChange} /> {/** Radius **/} <SizeControl name="radius" layer={this.props.layer} onNewValue={this.handleChange} /> {/** Radius X **/} <SizeControl name="radiusX" layer={this.props.layer} onNewValue={this.handleChange} /> {/** Radius X **/} <SizeControl name="radiusY" layer={this.props.layer} onNewValue={this.handleChange} /> {/** X **/} <SizeControl name="x" layer={this.props.layer} onNewValue={this.handleChange} /> {/** Y **/} <SizeControl name="y" layer={this.props.layer} onNewValue={this.handleChange} /> {/** X1 **/} <SizeControl name="x1" layer={this.props.layer} onNewValue={this.handleChange} /> {/** X2 **/} <SizeControl name="x2" layer={this.props.layer} onNewValue={this.handleChange} /> {/** Y1 **/} <SizeControl name="y1" layer={this.props.layer} onNewValue={this.handleChange} /> {/** Y2 **/} <SizeControl name="y2" layer={this.props.layer} onNewValue={this.handleChange} /> {/** Fill **/} <ColorControl name="fill" layer={this.props.layer} onNewValue={this.handleChange} /> {/** Stroke **/} <ColorControl name="stroke" layer={this.props.layer} onNewValue={this.handleChange} /> {/** Source **/} <SourceControl layer={this.props.layer} onNewValue={this.handleChange} /> {/** Opacity **/} <SizeControl name="opacity" min={0} max={1} step={0.1} layer={this.props.layer} onNewValue={this.handleChange} /> </div> </div> </div> ); } } LayerConfig.propTypes = { onUpdate: PropTypes.func.isRequired, layer: PropTypes.object.isRequired, layerKey: PropTypes.string.isRequired, }; // Export module.exports = LayerConfig;
24.558824
59
0.457485
c14b9607757cf80b1f7aa44c451d964445239808
81
js
JavaScript
config/prod.env.js
aosnow/vue-simple
1d1eb25cb4c15765d13b16e9d9ee265c0c08074f
[ "MIT" ]
1
2018-07-24T09:14:51.000Z
2018-07-24T09:14:51.000Z
config/prod.env.js
aosnow/vue-simple
1d1eb25cb4c15765d13b16e9d9ee265c0c08074f
[ "MIT" ]
null
null
null
config/prod.env.js
aosnow/vue-simple
1d1eb25cb4c15765d13b16e9d9ee265c0c08074f
[ "MIT" ]
null
null
null
'use strict'; module.exports = { // NODE_ENV: JSON.stringify('production') };
13.5
43
0.654321
c14c23c2e4100ad68f04e679e6c2c2f6fb9e256a
2,886
js
JavaScript
docs/sourceCode/src/js/Scene.js
hertzZhang/biglvan
7179b0340b88493d9bcb243c3beafd92f21d0125
[ "Apache-2.0" ]
1
2020-06-23T02:06:13.000Z
2020-06-23T02:06:13.000Z
docs/sourceCode/src/js/Scene.js
hertzZhang/biglvan
7179b0340b88493d9bcb243c3beafd92f21d0125
[ "Apache-2.0" ]
31
2020-05-27T05:43:47.000Z
2021-08-13T07:45:27.000Z
docs/sourceCode/src/js/Scene.js
hertzZhang/BigIvan
7179b0340b88493d9bcb243c3beafd92f21d0125
[ "Apache-2.0" ]
1
2020-03-22T00:17:51.000Z
2020-03-22T00:17:51.000Z
import * as THREE from 'three' import Tile from './Tile' import DetailView from './Detail' import { ev } from './utils/utils' import trippyShader from '../glsl/trippyShader.glsl' import shapeShader from '../glsl/shapeShader.glsl' import revealShader from '../glsl/revealShader.glsl' import gooeyShader from '../glsl/gooeyShader.glsl' import waveShader from '../glsl/waveShader.glsl' const perspective = 800 const shaders = [ trippyShader, shapeShader, gooeyShader, waveShader, revealShader, ] const durations = [ 0.5, 0.5, 0.5, 0.8, 0.8, ] export default class Scene { constructor($scene) { this.container = $scene this.$tiles = document.querySelectorAll('.slideshow-list__el') this.W = window.innerWidth this.H = window.innerHeight this.mouse = new THREE.Vector2(0, 0) this.activeTile = null this.start() this.detailview = new DetailView() this.bindEvent() } bindEvent() { document.addEventListener('toggleDetail', ({ detail: shouldOpen }) => { this.onToggleView(shouldOpen) }) window.addEventListener('resize', () => { this.onResize() }) } start() { this.mainScene = new THREE.Scene() this.initCamera() this.initLights() this.renderer = new THREE.WebGLRenderer({ canvas: this.container, alpha: true, }) this.renderer.setSize(this.W, this.H) this.renderer.setPixelRatio(window.devicePixelRatio) this.tiles = Array.from(this.$tiles).map(($el, i) => new Tile($el, this, durations[i], shaders[i])) this.update() } initCamera() { const fov = (180 * (2 * Math.atan(this.H / 2 / perspective))) / Math.PI this.camera = new THREE.PerspectiveCamera(fov, this.W / this.H, 1, 10000) this.camera.position.set(0, 0, perspective) } initLights() { const ambientlight = new THREE.AmbientLight(0xffffff, 2) this.mainScene.add(ambientlight) } /* Handlers --------------------------------------------------------- */ onResize() { this.W = window.innerWidth this.H = window.innerHeight this.camera.aspect = this.W / this.H this.camera.updateProjectionMatrix() this.renderer.setSize(this.W, this.H) } onToggleView({ target, open }) { this.activeTile = target // !== undefined ? target : this.activeTile ev('lockScroll', { lock: open }) ev('tile:zoom', { tile: this.activeTile, open }) } /* Actions --------------------------------------------------------- */ update() { requestAnimationFrame(this.update.bind(this)) this.tiles.forEach((tile) => { tile.update() }) this.renderer.render(this.mainScene, this.camera) } }
23.463415
112
0.574498
c14cb1507abb35a9fee9e45bfc23306cca330f40
11,456
js
JavaScript
system/extensions/fieldtypes/sl_google_map/js/global_script.js
monooso/sl.google_map.ee_addon
a50887f47e7ccac9dd1208e9fdaee1cca79e9c1f
[ "BSD-3-Clause" ]
2
2016-01-02T21:34:29.000Z
2016-05-09T11:39:18.000Z
system/extensions/fieldtypes/sl_google_map/js/global_script.js
monooso/sl.google_map.ee_addon
a50887f47e7ccac9dd1208e9fdaee1cca79e9c1f
[ "BSD-3-Clause" ]
null
null
null
system/extensions/fieldtypes/sl_google_map/js/global_script.js
monooso/sl.google_map.ee_addon
a50887f47e7ccac9dd1208e9fdaee1cca79e9c1f
[ "BSD-3-Clause" ]
null
null
null
if (typeof(SJL) == 'undefined' || ( ! SJL instanceof Object)) SJL = new Object(); if (typeof(SJL.SLGoogleMap) == 'undefined' || ( ! SJL.SLGoogleMap instanceof Object)) { SJL.SLGoogleMap = function() { /** * The Map "class" constructor. * * @param object init Initialisation object containing information essential to the construction of the map. * @param object options Map UI options. */ function Map(init, options) { // Check that we have the required information. if (init == null || typeof(init) != 'object' || typeof(init.map_container) == 'undefined' || typeof(init.map_lat) == 'undefined' || typeof(init.map_lng) == 'undefined' || typeof(init.map_zoom) == 'undefined' || typeof(init.pin_lat) == 'undefined' || typeof(init.pin_lng) == 'undefined') { return false; } // Set the default map options. var map_options = { 'ui_zoom' : false, 'ui_scale' : false, 'ui_overview' : false, 'ui_map_type' : false, 'map_drag' : false, 'map_click_zoom' : false, 'map_scroll_zoom' : false, 'pin_drag' : false, 'background' : '#FFFFFF', 'map_types' : '' } // An index containing the available map types. var valid_map_types = { 'hybrid' : G_HYBRID_MAP, 'normal' : G_NORMAL_MAP, 'physical' : G_PHYSICAL_MAP, 'satellite' : G_SATELLITE_MAP }; default_map_type = valid_map_types['normal']; // Override the default options. for (o in options) { if (map_options[o] != 'undefined') { map_options[o] = options[o]; } } // Create the map. this.__map = new GMap2(document.getElementById(init.map_container), {backgroundColor: map_options['background']}); this.__map.setCenter(new GLatLng(init.map_lat, init.map_lng), init.map_zoom); // MUST explicitly call setCenter. // Customise the map UI. ui = this.__map.getDefaultUI(); // Everything else is controlled by our map_options object. // - Zoom / pan controls. if (this.__map.getSize().height <= 325) { ui.controls.smallzoomcontrol3d = map_options.ui_zoom; ui.controls.largemapcontrol3d = false; } else { ui.controls.smallzoomcontrol3d = false; ui.controls.largemapcontrol3d = map_options.ui_zoom; } // - Map dragging. map_options.map_drag ? this.__map.enableDragging() : this.__map.disableDragging(); // - Map zooming. ui.zoom.doubleclick = map_options.map_click_zoom; ui.zoom.scrollwheel = map_options.map_scroll_zoom; // - Scale control. ui.controls.scalecontrol = map_options.ui_scale; // - Map type control. ui.controls.maptypecontrol = ui.controls.menumaptypecontrol = false; if (this.__map.getSize().width <= 475) { ui.controls.menumaptypecontrol = map_options.ui_map_type; } else { ui.controls.maptypecontrol = map_options.ui_map_type; } // - Explicitly-set available map types. if (map_options.map_types) { map_types = map_options.map_types.split('|'); /** * At this point in time we have no idea what we've got. * We assume the worst, and set all the map types to false. * Then we loop through, activating only those that are explicitly * required. * * In the midst of all this, we also determine the default map type. */ ui.maptypes.normal = false; ui.maptypes.satellite = false; ui.maptypes.hybrid = false; ui.maptypes.physical = false; map_types_count = map_types.length; default_map_set = false; for (i = 0; i < map_types_count; i++) { map_types[i] = map_types[i].toLowerCase(); if (valid_map_types[map_types[i]]) { ui.maptypes[map_types[i]] = true; if (!default_map_set) { default_map_type = valid_map_types[map_types[i]]; default_map_set = true; } } } } // - Set the default map type. this.__map.setMapType(default_map_type); // - Set the UI options. this.__map.setUI(ui); /** * @bug * The overview map always appears as type G_NORMAL_MAP, regardless of the type of the * main map. There doesn't seem to be a way to change this, or force a refresh of the map. */ // - Overview control (need to do this separately, for reasons best known to Google). if (map_options.ui_overview) { this.__map.addControl(new GOverviewMapControl()); } // A shortcut variable that we can reference in our function literals below. var t = this; // Add the map "pin". this.__marker = new GMarker(new GLatLng(init.pin_lat, init.pin_lng), {clickable: map_options.pin_drag, draggable: map_options.pin_drag, autoPan: true}); this.__map.addOverlay(this.__marker); // Add an event listener to the map "pin". if (map_options.pin_drag) { this.__marker_listener = GEvent.addListener(this.__marker, 'dragend', function(latlng) { t.set_location(latlng); }); } // If we have a "map_field", we need to update it every time our map changes. if (typeof(init.map_field) == 'string' && init.map_field.length) { this.__map_field = jQuery('#' + init.map_field); // Add the event listener. if (this.__map_field.length) { this.__map_listener = GEvent.addListener(this.__map, 'moveend', function() { var map_data = t.get_location(); var pin_data = t.get_marker(); var field_data = map_data.latlng.lat() + ',' + map_data.latlng.lng() + ',' + map_data.zoom + ',' + pin_data.lat() + ',' + pin_data.lng(); t.__map_field.val(field_data); }); } } // If we have an "address_input" field, and an "address_submit" field, we need to // link these to our map. if (typeof(init.address_input) == 'string' && typeof(init.address_submit) == 'string' && init.address_input.length && init.address_submit.length) { this.__address_input = jQuery('#' + init.address_input); this.__address_submit = jQuery('#' + init.address_submit); if (this.__address_input.length && this.__address_submit.length) { this.__in_lookup = false; // Set a flag every time we enter or leave the address_input field. this.__address_input.unbind('focus').bind('focus', function(e) { t.__in_lookup = true; }).unbind('blur').bind('blur', function() { t.__in_lookup = false; }); // Find the specified address. this.__address_submit.unbind('click').bind('click', function(e) { var address = jQuery.trim(t.__address_input.val()); if (address !== '') t.pinpoint_address(address, function() { // Update the map and pin data. var map_data = t.get_location(); var pin_data = t.get_marker(); var field_data = map_data.latlng.lat() + ',' + map_data.latlng.lng() + ',' + map_data.zoom + ',' + pin_data.lat() + ',' + pin_data.lng(); t.__map_field.val(field_data); }); return false; }).parents('form').submit(function(e) { if (t.__in_lookup) { t.__address_submit.click(); return false; } }); } } return this; } /** * Sets the map location and zoom level. * @param int latlng A GLatLng object containing the marker's latitude and longitude. * @param int zoom The map zoom level. * @return object An object containing the map's latitude, longitude, and zoom. */ Map.prototype.set_location = function(latlng, zoom) { // Check the parameters. if (jQuery.isFunction(latlng.lat) == false) { if ((typeof(latlng.lat) == 'undefined') || (typeof(latlng.lng) == 'undefined')) { return false; } else { latlng = new GLatLng(latlng.lat, latlng.lng); } } if (this.__map) { this.__map.setZoom(zoom); this.__map.panTo(latlng); } return this.get_location(); } /** * Gets the map location and zoom level. * @return object An anonymous object with two properties: latlng (GLatLng object); zoom (integer). */ Map.prototype.get_location = function() { if (this.__map) { loc = this.__map.getCenter(); return { latlng: loc, zoom: this.__map.getZoom() }; } else { return false; } } /** * Sets the location of the map marker. * @param object latlng A GLatLng object, or an anonymous object with the properties lat and lng. * @return object A GLatLng object containing the marker's latitude and longitude. */ Map.prototype.set_marker = function(latlng) { // Check the parameters. if (jQuery.isFunction(latlng.lat) == false) { if ((typeof(latlng.lat) == 'undefined') || (typeof(latlng.lng) == 'undefined')) { return false; } else { latlng = new GLatLng(latlng.lat, latlng.lng); } } this.__marker.setLatLng(latlng); return this.get_marker(); } /** * Returns the latitude and longitude of the map marker. If no marker exists, * return FALSE. * @return object A GLatLng object containing the marker's latitude and longitude. */ Map.prototype.get_marker = function() { if (this.__marker) { loc = this.__marker.getLatLng(); return loc; } else { return false; } } /** * Attempts to locate the given address on the map. * @param string address The address to locate (can be a postcode). * @param function callback The function to call when we're all done here (optional). */ Map.prototype.pinpoint_address = function(address, callback) { var regexp, geo, map, local; if (jQuery.trim(address) == '') return; // Google Maps is rather bad at locating UK postcodes, so we need // to be sneaky. If we get given a postcode, we use the Google AJAX // search API to get its latitude and longitude. regexp = new RegExp("(GIR 0AA|[A-PR-UWYZ]([0-9]{1,2}|([A-HK-Y][0-9]|[A-HK-Y][0-9]([0-9]|[ABEHMNPRV-Y]))|[0-9][A-HJKS-UW])[ ]*[0-9][ABD-HJLNP-UW-Z]{2})", "i"); // Convenience variable. t = this; if (address.match(regexp)) { local = new GlocalSearch(); // Search callback handler. local.setSearchCompleteCallback(null, function() { if (local.results[0]) { t.set_location({lat: local.results[0].lat, lng: local.results[0].lng}); t.set_marker({lat: local.results[0].lat, lng: local.results[0].lng}); if (callback instanceof Function) { callback(); } } }); // Execute the postcode search. local.execute(address + ", UK"); } else { // Create a new GClientGeocoder object to help us find the address. geo = new GClientGeocoder(); geo.getLatLng(address, function(latlng) { if (latlng !== null) { t.set_location(latlng); t.set_marker(latlng); if (callback instanceof Function) { callback(); } } }); } // if - else } // Return our publically-accessible object. return ({Map : Map}); }(); } // Create the Google Maps. jQuery(document).ready(function() { if (GBrowserIsCompatible() && typeof(SJL.google_maps) !== 'undefined' && SJL.google_maps instanceof Array) { for (var i in SJL.google_maps) { map = new SJL.SLGoogleMap.Map(SJL.google_maps[i].init, SJL.google_maps[i].options); } } }); // Tidy up after ourselves. jQuery(window).unload(function() { if (GBrowserIsCompatible()) { GUnload(); } });
31.386301
161
0.623603
c14d7074bce2fb80dc2598b6fb89f930924a84d6
1,233
js
JavaScript
src/data-source/schedule.js
jorgeborges/tablero
2ff04fa4210017b52039ab0ef798d5a0f1a1d4a7
[ "MIT" ]
null
null
null
src/data-source/schedule.js
jorgeborges/tablero
2ff04fa4210017b52039ab0ef798d5a0f1a1d4a7
[ "MIT" ]
null
null
null
src/data-source/schedule.js
jorgeborges/tablero
2ff04fa4210017b52039ab0ef798d5a0f1a1d4a7
[ "MIT" ]
null
null
null
const path = require('path'); const AbstractDataSource = require(path.resolve(__dirname, 'abstract-data-source.js')); class Schedule extends AbstractDataSource { constructor(config) { super(config); this._schedule = this._initSchedule(config.time_for.schedule); } getData() { this._updateTimeFor(); return this._data; } _setData(data) { let msg = 'Bed Time...'; if (data !== undefined) { msg = data.activity; } this._data = msg; } _updateTimeFor() { const currentDate = new Date(); const currentSchedule = this._schedule.find( scheduleData => currentDate >= scheduleData.start_time && currentDate < scheduleData.end_time ); this._setData(currentSchedule); } /** * Creates and array of objects schedules in order to make comparison with current Date easier. * * @param {Array} schedule * @private */ _initSchedule(schedule) { return schedule.map(scheduleData => ({ start_time: (new Date()).setHours(scheduleData[0], scheduleData[1]), end_time: (new Date()).setHours(scheduleData[2], scheduleData[3]), time_of_the_day: scheduleData[4], activity: scheduleData[5] })); } } module.exports = Schedule;
24.66
99
0.660178
c14ded15169f55c60eee877bfce429c8cba99a74
2,443
js
JavaScript
assets/js/search.result.js
mjmoon/jekyll-html5up-editorial
de762ef4a4ebbec9bc5f008086a4d84a7ba30fc7
[ "MIT" ]
null
null
null
assets/js/search.result.js
mjmoon/jekyll-html5up-editorial
de762ef4a4ebbec9bc5f008086a4d84a7ba30fc7
[ "MIT" ]
null
null
null
assets/js/search.result.js
mjmoon/jekyll-html5up-editorial
de762ef4a4ebbec9bc5f008086a4d84a7ba30fc7
[ "MIT" ]
null
null
null
--- --- // lunr JS jQuery(function() { // Get the generated search_data.json file so lunr.js can search it locally. window.data = $.getJSON('{{ "/search_data.json" | absolute_url }}'); // Wait for the data to load and add it to lunr window.data.then(function(data){ window.idx = lunr(function() { this.ref('id'); this.field('title', { boost: 10 }); this.field('content', { boost: 5 }) this.field('author'); this.field('date'); this.field('tags', { boost: 20 }); var parent = this; $.each(data, function(index, value) { parent.add( $.extend({ "id": index }, value) ); }); }); var regex = new RegExp("[\\?&]q=([^&#]*)"), results = regex.exec(location.search), q = results === null ? "" : decodeURIComponent(results[1].replace(/\+/g, " ")); results = window.idx.search(q); display_search_results(results); }); function display_search_results(res) { $searchres = $("#search-results") // Wait for data to load window.data.then(function(loaded_data) { // Are there any results? if (res.length > 0) { $searchres.empty(); // Clear any old results // Iterate over the results res.forEach(function(result) { var item = loaded_data[result.ref]; // Build a snippet of HTML for this result var appendString = '' + '<article>' + '<h3><a href="' + item.url + '">' + item.title + '</a></h3>' + '<h6>' + item.date+ '</h6>' + '<p>' + item.content.substr(0,160) + '...</p>' + '</articl>' ; // Add the snippet to the collection of results. $searchres.append(appendString); }); } else { // If there are no results, let the user know. $searchres.html('<article>' + '<div class="box">No results found. <br />'+ 'Please try a different search.</div>' + '</article>' ); }; $searchres.show(); }); }; });
33.930556
91
0.439214
c14e52af6e1b2b1835a4626ea04d62fd1b933ce1
82
js
JavaScript
jspm_packages/github/google/material-design-lite@1.1.3.js
mighdoll/pi
50ce49bb78eb6fcbe58dd5fdc70945e75fe026e6
[ "MIT" ]
null
null
null
jspm_packages/github/google/material-design-lite@1.1.3.js
mighdoll/pi
50ce49bb78eb6fcbe58dd5fdc70945e75fe026e6
[ "MIT" ]
null
null
null
jspm_packages/github/google/material-design-lite@1.1.3.js
mighdoll/pi
50ce49bb78eb6fcbe58dd5fdc70945e75fe026e6
[ "MIT" ]
null
null
null
module.exports = require("github:google/material-design-lite@1.1.3/material.min");
82
82
0.780488
c14f97f1ff929b594a0ce79aed7eb02919f70695
450
js
JavaScript
03.js
sandypracoyo/CommandLineApp-Challenge
c852765773f4c298e7fe5ec4dcaf13f507881922
[ "ISC" ]
null
null
null
03.js
sandypracoyo/CommandLineApp-Challenge
c852765773f4c298e7fe5ec4dcaf13f507881922
[ "ISC" ]
1
2021-05-11T06:06:16.000Z
2021-05-11T06:06:16.000Z
03.js
sandypracoyo/CommandLineApp-Challenge
c852765773f4c298e7fe5ec4dcaf13f507881922
[ "ISC" ]
null
null
null
let cli = require('caporal'); cli .version('1.0.0') .command('palindrome', 'Check palindrome') .argument('<print>', 'text to print', cli.STRING) .action((args, options, logger) => { const a = args.print.toLowerCase().replace(/[\W_]/g, ''); const b = a.split('').reverse('').join(''); logger.info( a !== b ? `String : ${args.print} \nIs Palindrome? No` : `String : ${args.print} \nIs Palindrome? Yes` ); }); cli.parse(process.argv);
28.125
105
0.604444
c1514356550be7c03801e603bcba1bfc2c9acf90
3,014
js
JavaScript
app/src/containers/DataViewContainer/actions.js
JaySmartwave/palace-bot-sw
153914d2bcbfb400baadbcc009a12ec43c911289
[ "MIT" ]
57
2016-09-12T07:24:59.000Z
2021-11-29T06:38:35.000Z
app/src/containers/DataViewContainer/actions.js
JaySmartwave/palace-bot-sw
153914d2bcbfb400baadbcc009a12ec43c911289
[ "MIT" ]
1
2016-10-04T11:46:25.000Z
2016-10-04T16:15:50.000Z
app/src/containers/DataViewContainer/actions.js
JaySmartwave/palace-bot-sw
153914d2bcbfb400baadbcc009a12ec43c911289
[ "MIT" ]
18
2016-12-12T17:06:45.000Z
2019-06-11T02:50:52.000Z
import { SET_SECONDARY_FILTER_STATUS, SET_SECONDARY_FILTER_STATE, SET_SECONDARY_FILTER_ORDER, INCREMENT_DATA_VIEW_PAGE, APPLY_SECONDARY_FILTER, SET_EMPLOYEE_FILTER, SET_CUSTOMER_FILTER, APPLY_CURRENT_FILTER, CLEAR_CURRENT_FILTER, SET_DATA_VIEW_SEARCH_VALUE, CLEAR_DATA_VIEW_SEARCH_VALUE, INCREMENT_DATA_VIEW_COUNTER, SET_POLLING_INTERVAL, } from './constants'; // setSecondaryFilterStatus :: String -> {Action} export const setSecondaryFilterStatus = (status, issues) => ({ type: SET_SECONDARY_FILTER_STATUS, status, issues, }); // setSecondaryFilterState :: String -> {Action} export const setSecondaryFilterState = (state, issues) => ({ type: SET_SECONDARY_FILTER_STATE, state, issues, }); // setSecondaryFilterOrder :: String -> {Action} export const setSecondaryFilterOrder = (order, issues) => ({ type: SET_SECONDARY_FILTER_ORDER, order, issues, }); // incrementPage :: None -> {Action} export const incrementPage = () => ({ type: INCREMENT_DATA_VIEW_PAGE, }); export const incrementCounter = () => ({ type: INCREMENT_DATA_VIEW_COUNTER, }); // applySecondaryFilter :: Array -> {Action} export const applySecondaryFilter = (issues) => ({ type: APPLY_SECONDARY_FILTER, issues, }); export const setSecondaryFilter = (filter, type, issues) => (dispatch) => { switch (type) { case 'status': dispatch(setSecondaryFilterStatus(filter, issues)); break; case 'state': dispatch(setSecondaryFilterState(filter, issues)); break; case 'order': dispatch(setSecondaryFilterOrder(filter, issues)); break; default: break; } dispatch( applySecondaryFilter(issues) ); }; // setEmployeeFilter :: String -> {Action} export const setEmployeeFilter = (employee) => ({ type: SET_EMPLOYEE_FILTER, employee, }); // setCustomerFilter :: String -> {Action} export const setCustomerFilter = (customer) => ({ type: SET_CUSTOMER_FILTER, customer, }); export const setCustomFilter = (type, filter) => (dispatch) => { switch (type) { case 'employee': dispatch( setEmployeeFilter(filter) ); break; case 'customer': dispatch( setCustomerFilter(filter) ); break; default: break; } }; // applyCurrentFilter :: None -> {Action} export const applyCurrentFilter = (issues) => ({ type: APPLY_CURRENT_FILTER, issues, }); // clearCurrentFilter :: None -> {Action} export const clearCurrentFilter = () => ({ type: CLEAR_CURRENT_FILTER, }); // setSearchValue :: String -> Array -> {Action} export const setSearchValue = (value, issues) => ({ type: SET_DATA_VIEW_SEARCH_VALUE, value, issues, }); // clearSearchValue :: Array -> {Action} export const clearSearchValue = (issues) => ({ type: CLEAR_DATA_VIEW_SEARCH_VALUE, issues, }); // setPollValue :: Int -> {Action} export const setPollValue = (value) => ({ type: SET_POLLING_INTERVAL, value, });
22.833333
62
0.669542
c1514b1b997f228966726980e0a7d9a44036d6ba
6,755
js
JavaScript
Frontend/src/components/Nav.js
Jiayuli-CU/EcoDelivery
750724c208bf79f1439ca9c9a9fe2a2c56d67ed8
[ "Apache-2.0" ]
null
null
null
Frontend/src/components/Nav.js
Jiayuli-CU/EcoDelivery
750724c208bf79f1439ca9c9a9fe2a2c56d67ed8
[ "Apache-2.0" ]
null
null
null
Frontend/src/components/Nav.js
Jiayuli-CU/EcoDelivery
750724c208bf79f1439ca9c9a9fe2a2c56d67ed8
[ "Apache-2.0" ]
1
2021-11-06T13:38:07.000Z
2021-11-06T13:38:07.000Z
import React from 'react'; import QuoteOrder from './QuoteOrder'; import Recommendation from './Recommendation'; import FillAddress from './FillAddress'; import { CSSTransition } from 'react-transition-group'; import { TOKEN_KEY } from '../constants'; class Nav extends React.Component { // state stores all order information // exchange data with backend state = { isLoggedIn: localStorage.getItem(TOKEN_KEY) ? true : false, pickup: '', sendto: '', pickuplatlng: undefined, sendtolatlng: undefined, byRobotData: undefined, byDroneData: undefined, method: '', quoteOrder: true, recommendation: false, addressForm: false, nextPage: '', lastPage: '', } pageSwitch = (pagenumber) => { switch (pagenumber) { case 1: return ( <QuoteOrder onPlaceSelected={this.handlePlaceSelected} onSubmit={this.handleQuoteFormComplete} /> ) case 2: return ( <Recommendation robot={this.state.byRobotData} drone={this.state.byDroneData} onContinue={this.handleMethodSelectionComplete} onBack={this.handleRecommendationBack} /> ) case 3: return ( <FillAddress pickup={this.state.pickup} sendto={this.state.sendto} /> ) } } handleRecommendationBack = () => { this.setState({ recommendation: false, nextPage: 'quoteOrder', method: '', }) } handlePlaceSelected = (name, query, latlng) => { this.setState({ [name]: query, [name + 'latlng']: latlng, }) this.props.onPlaceSelected(name, query, latlng) } handleMethodSelectionComplete = (method) => { this.setState({ addressForm : true, recommendation: false, lastPage: 'Recommendation', method: method, }) } handleQuoteFormComplete = (formData) => { if (!this.state.isLoggedIn) { console.log('Nav: not loggedin') this.props.alertLogin(); } else { console.log('Nav: handleQuoteFormComplete: loggedin') this.setState({ recommendation: true, lastPage: 'quoteOrder', byRobotData: { fee: '15.99', estDate: "May 16 2021", estTime: "12:21 PM", pickupDate: "May 14 2021", pickupTime: "8:30 AM", }, byDroneData: { fee: '25.99', estDate: "May 14 2021", estTime: "12:21 PM", pickupDate: "May 14 2021", pickupTime: "8:30 AM", } }) // fetch recommendation data from backend // const { username, password } = formData; // const opt = { // method: 'get', // url: `${BASE_URL}/recommend`, // data: { // ...formData // ??? what location data do you need: address? latlng? // }, // headers: { // "Content-Type": "application/json", // "Authorization": `Bearer ${localStorage.getItem(TOKEN_KEY)}` // } // }; // axios(opt) // .then((res) => { // if (res.status === 200) { // const { responseData } = res; // // GET recommendation data and setState // this.setState({ // pageDisplay: 2, // byDroneData: responseData['Drone'], // byRobotData: responseData['Robot'] // }) // } // }) // .catch((err) => { // console.log("recommendation failed: ", err.message); // // message.error("Recommendation failed! "); // }); } } transitionOnEnter = () => { if (this.state.lastPage !== '') { this.setState({ [this.state.lastPage]: false, lastPage: '', }) } } transitionOnExited = () => { if (this.state.nextPage !== '') { this.setState({ [this.state.nextPage]: true, nextPage: '', }) } } render = () => { return ( <div> <CSSTransition in={this.state.quoteOrder} timeout={{ enter: 800, exit: 300, }} classNames="show-quote-order" unmountOnExit onEnter={this.transitionOnEnter} onExited={this.transitionOnExited} > <QuoteOrder onPlaceSelected={this.handlePlaceSelected} onSubmit={this.handleQuoteFormComplete} /> </CSSTransition> <CSSTransition in={this.state.recommendation} timeout={{ enter: 800, exit: 300, }} classNames="show-recommendation" unmountOnExit onEnter={this.transitionOnEnter} onExited={this.transitionOnExited} > <Recommendation robot={this.state.byRobotData} drone={this.state.byDroneData} onContinue={this.handleMethodSelectionComplete} onBack={this.handleRecommendationBack} /> </CSSTransition> <CSSTransition in={this.state.addressForm} timeout={{ enter: 800, exit: 300, }} classNames="show-address-form" unmountOnExit onEnter={this.transitionOnEnter} onExited={this.transitionOnExited} > <FillAddress pickup={this.state.pickup} sendto={this.state.sendto} /> </CSSTransition> </div> // <div> // { this.pageSwitch(this.state.pageDisplay) } // </div> ) } } export default Nav;
33.275862
117
0.440118
c151957e84553ef49e0c6a14718b63da1f1bfe17
4,388
js
JavaScript
ui/packages/legacy/src/core/i18n/profile/pt-BR.js
angelicalimazup/charlescd
9a7716020d0519841a46f616ae8e2aad4167b9a1
[ "Apache-2.0" ]
null
null
null
ui/packages/legacy/src/core/i18n/profile/pt-BR.js
angelicalimazup/charlescd
9a7716020d0519841a46f616ae8e2aad4167b9a1
[ "Apache-2.0" ]
null
null
null
ui/packages/legacy/src/core/i18n/profile/pt-BR.js
angelicalimazup/charlescd
9a7716020d0519841a46f616ae8e2aad4167b9a1
[ "Apache-2.0" ]
null
null
null
const profile = { 'profile.operator.BETWEEN': 'Entre', 'profile.operator.EQUAL': 'Igual à', 'profile.operator.GREATER_THAN': 'Maior que', 'profile.operator.GREATER_THAN_OR_EQUAL': 'Maior ou igual à', 'profile.operator.LESS_THAN': 'Menor que', 'profile.operator.LESS_THAN_OR_EQUAL': 'Menor ou igual à', 'profile.operator.NOT_EQUAL': 'Diferente de ', 'profile.operator.STARTS_WITH': 'Começa com', 'profile.operator.and': 'E', 'profile.operator.or': 'Ou', 'profile.operator.shouldBePositive': 'O número deve ser maior que zero', 'profile.operator.shouldBeLessThanAHundred': 'Number must be less than or equal to 100', 'profile.entity.addresses.city': 'Cidade', 'profile.entity.addresses.country': 'País', 'profile.entity.addresses.district': 'Bairro', 'profile.entity.addresses.state': 'Estado', 'profile.entity.addresses.street': 'Rua', 'profile.entity.addresses.zipCode': 'CEP', 'profile.entity.applicationId': 'ID da aplicação', 'profile.entity.birthDate': 'Data de nascimento', 'profile.entity.contacts.contactType': 'Tipo do contato', 'profile.entity.contacts.content.value': 'Conteúdo do contato', 'profile.entity.contacts.content.name': 'Classificação contato', 'profile.entity.contacts.content.email': 'Email', 'profile.entity.contacts.content.areaCode': 'Código de área', 'profile.entity.country': 'País', 'profile.entity.state': 'Estado', 'profile.entity.city': 'Cidade', 'profile.entity.gender': 'Sexo', 'profile.entity.civilState': 'Estado civil', 'profile.entity.jobTitle': 'Profissão', 'profile.entity.occupation': 'Ocupação', 'profile.entity.createdAt': 'Data criação', 'profile.entity.documents.docType': 'Tipo do documento', 'profile.entity.documents.number': 'Número do documento', 'profile.entity.fullName': 'Nome completo', 'profile.entity.id': 'Telefone principal', 'profile.entity.personType': 'Tipo de pessoa', 'profile.entity.tags.tag': 'Tag', 'profile.entity.type': 'Situação', 'profile.entity.income': 'Renda mensal', 'profile.entity.currency': 'Moeda', 'profile.entity.status': 'Status', 'profile.entity.numberOfChildren': 'Número de filhos', 'profile.entity.customFields.Emissor': 'Emissor', 'profile.entity.customFields.mainPhoneNumber': 'Telefone principal', 'profile.entity.customFields.tipoSO': 'Tipo SO', 'profile.entity.customFields.invoices': 'Faturas', 'profile.entity.customFields.versaoSO': 'Versão SO', 'profile.entity.customFields.versaoApp': 'Versão App', 'profile.entity.customFields.segmentacao': 'Segmentação', 'profile.entity.customFields.tipoCliente': 'Tipo de cliente', 'profile.entity.customFields.notification': 'Notificação', 'profile.entity.customFields.ultimoAcesso': 'Último acesso', 'profile.entity.customFields.status2viaconta': 'Status 2a Via', 'profile.entity.customFields.statusContaOnline': 'Status conta online', 'profile.entity.customFields.hobbies': 'Hobbies', 'profile.entity.customFields.incomeRange': 'Faixa de renda', 'profile.entity.customFields.newsletter': 'Opt-In', 'profile.entity.customFields.currentMonthInvoices': 'Mês fatura atual', 'profile.entity.customFields.currentDueDateInvoices': 'Data fatura atual', 'profile.entity.customFields.currentValueInvoices': 'Valor fatura atual', 'profile.entity.customFields.currentStatusInvoices': 'Status fatura atual', 'profile.entity.customFields.lastAccess': 'Último acesso', 'profile.entity.push.tokens.platform': 'Plataforma', 'profile.entity.customFields.statusDebitoAutomatico': 'Status débito automático', 'profile.entity.customFields.tipoSO ': 'Tipo OS', 'profile.entity.customFields.status2viaconta ': 'Status 2ª via conta', 'profile.entity.customFields.versaoApp ': 'Versão App', 'profile.entity.customFields.notification ': 'Notificação', 'profile.entity.customFields.segmentacao ': 'Segmentação', 'profile.entity.customFields.tipoCliente ': 'Tipo cliente', 'profile.entity.customFields.versaoSO ': 'Versão OS', 'profile.entity.customFields.ultimoAcesso ': 'Ultimo acesso', 'profile.entity.customFields.statusContaOnline ': 'Status conta online', 'profile.entity.customFields.account': 'Número da conta', 'profile.entity.customFields.company': 'CNPJ', 'profile.entity.push.userId': 'Id', 'profile.entity.contacts.content.lineNumber': 'Fone', 'profile.entity.nickname': 'Apelido', } export default profile
51.623529
90
0.744075
c1521fea29a2a22a5270002c537a75570c747789
2,317
js
JavaScript
backend/src/app/controllers/ProjectsController.js
tsdeveloper/hackatuning
b4cca0390f1de783bd7f224477e565a1918dea14
[ "MIT" ]
12
2019-09-12T02:31:44.000Z
2019-10-08T20:45:00.000Z
backend/src/app/controllers/ProjectsController.js
tsdeveloper/hackatuning
b4cca0390f1de783bd7f224477e565a1918dea14
[ "MIT" ]
19
2020-09-07T07:26:41.000Z
2022-02-26T17:43:25.000Z
backend/src/app/controllers/ProjectsController.js
leomotta121/hackatuning
b4cca0390f1de783bd7f224477e565a1918dea14
[ "MIT" ]
10
2019-09-15T14:07:15.000Z
2020-03-29T20:41:05.000Z
import TeamProject from '../models/TeamProject'; import ApiError from '../../config/ApiError'; import Project from '../models/Project'; import Team from '../models/Team'; class ProjectsController { async store(req, res, next) { try { const { id } = req.params; const isCreator = await Team.findOne({ where: { creator_id: req.userId, }, }); if (!isCreator) { throw new ApiError( 'Not Authorized', 'It is only possible to create a project in a team that you the creator', 401 ); } const team = await Team.findOne({ where: { id, }, }); if (!team) { throw new ApiError('Not Found', 'Not found team', 404); } const existsProjects = await TeamProject.findOne({ where: { team_id: id, }, }); if (existsProjects) { throw new ApiError( 'Not Authorized', 'You can only create one project per team.', 401 ); } const project = await Project.create(req.body); await TeamProject.create({ team_id: id, project_id: project.id, }); return res.status(201).json(project); } catch (error) { return next(error); } } async update(req, res, next) { try { const { id } = req.params; const project = await Project.findByPk(id, { include: [ { model: Team, as: 'projects', through: { attributes: [] }, attributes: ['id', 'creator_id'], where: { creator_id: req.userId, }, }, ], }); if (!project) { throw new ApiError('Not Found', 'Not found project', 404); } await project.update(req.body); return res.json(project); } catch (error) { return next(error); } } async show(req, res, next) { try { const { id } = req.params; const project = await Project.findByPk(id); if (!project) { throw new ApiError('Not Found', 'Not found project', 404); } return res.json(project); } catch (error) { return next(error); } } } export default new ProjectsController();
21.063636
83
0.509279
c153f4a5339a3cf37231cd415f5d91bb3ef61c22
14,166
js
JavaScript
routes/index.js
pamaco2/xplora
5f4c4cdd17ff80c6c4fd387ff1f76c886ac336f2
[ "MIT" ]
null
null
null
routes/index.js
pamaco2/xplora
5f4c4cdd17ff80c6c4fd387ff1f76c886ac336f2
[ "MIT" ]
null
null
null
routes/index.js
pamaco2/xplora
5f4c4cdd17ff80c6c4fd387ff1f76c886ac336f2
[ "MIT" ]
null
null
null
var express = require('express'); var router = express.Router(); var request = require('request'); var bcrypt = require('bcrypt'); var EmailTemplate = require('email-templates'); var async = require('async'); var nodemailer = require('nodemailer'); var fs = require('fs'); var pug = require('pug'); var mcache = require('memory-cache'); var Datos = require('../config/setup'); var cache = (duration) => { return (req, res, next) => { let key = '__express__' + req.originalUrl || req.url let cachedBody = mcache.get(key) if (cachedBody) { res.send(cachedBody) return } else { res.sendResponse = res.send res.send = (body) => { mcache.put(key, body, duration * 1000); res.sendResponse(body) } next() } } } /* gestión de usuario */ var User = require('../models/usuarios/usuarios').User; var Privilegios = require('../models/privilegios/privilegios').Privilegios; /* GET home page. */ //router.get('/', cache(300), function(req, res, next) { router.get('/', function(req, res, next) { res.redirect("catalogo") }); /* GET home page. */ router.get('/editarme', function(req, res, next) { var nvlMetodo = 1; // Nivel del metodo (publico) var privilegio = 0; // Reescribe privilegios del cliente si existe sesión if(req.session.privilegio) {privilegio = req.session.privilegio;} // Validando privilegios del usuario if(privilegio<nvlMetodo) { var id = "";var url = req.originalUrl || ""; res.render('errors/error401', {data:Datos, usuario: req.session.usuario, id:id, target: url }); } // Comprobación de privilegios del usuario else { // Comprobar captcha bcrypt.hash(Datos.codejs, 10).then(function(hashedPassword){ var query = User.findOne({"_id":req.session.idusuario}, function (err, user) { if(err){console.log('Error recuperando item');} var privAll = Privilegios.findOne({"rango":user.privilegio},function(error, priv) { var nombrePriv = priv.alias || priv.nombre; res.render('editarme', {data:Datos, usuario: req.session.usuario, item:user, userPriv:nombrePriv,}); }); }); }); } }).post("/editarme/jsguardarperfil", function(req, res, next){ var nvlMetodo = 1; // Nivel del metodo (publico) var privilegio = 1; // Validando instancia if(!bcrypt.compareSync(Datos.codejs ,req.body.hash)){ return res.send({estado:false,mensaje:"Error de instancia."});/* Error de instancia */ }else { // Reescribe privilegios del cliente si existe sesión if(req.session.privilegio) {privilegio = req.session.privilegio;} // Validando privilegios del usuario if(privilegio<nvlMetodo){ return res.send({estado:false,mensaje:"Privilegios insuficientes."});/* No autorizado (401) */ }else { // Comprobar captcha var query = User.findOne({"_id":req.session.idusuario},function(err, user){ if(err){console.log('Error recuperando item');} var usuario = user; if(req.body.datos.nombre!=""){usuario.nombre=req.body.datos.nombre;} if(req.body.datos.apellido!=""){usuario.apellido=req.body.datos.apellido;} if(req.body.datos.telefono!=""){usuario.telefono=req.body.datos.telefono;} usuario.save(function(error, documento){ if(error){return res.send({estado:false,mensaje:"Error guardando datos."});} return res.send({estado:true,mensaje:"Registro actualizado correctamente."}); }); }); } // Comprobación de privilegios del usuario } // Comprobación de hash(petición ajax) }).post("/editarme/jsguardardireccion", function(req, res, next){ var nvlMetodo = 1; // Nivel del metodo (publico) var privilegio = 0; // Validando instancia if(!bcrypt.compareSync(Datos.codejs ,req.body.hash)){ return res.send({estado:false,mensaje:"Error de instancia."});/* Error de instancia */ }else { // Reescribe privilegios del cliente si existe sesión if(req.session.privilegio) {privilegio = req.session.privilegio;} // Validando privilegios del usuario if(privilegio<nvlMetodo){ return res.send({estado:false,mensaje:"Privilegios insuficientes."});/* No autorizado (401) */ }else { // Comprobar captcha var query = User.findOne({"_id":req.session.idusuario},function(err, user){ if(err){console.log('Error recuperando item');} var usuario = user; if(req.body.datos.direccion!={}){usuario.dir_envio = req.body.datos.direccion;} usuario.save(function(error, documento){ if(error){return res.send({estado:false,mensaje:"Error guardando datos."});} return res.send({estado:true,mensaje:"Registro actualizado correctamente."}); }); }); } // Comprobación de privilegios del usuario } // Comprobación de hash(petición ajax) }).post("/editarme/jsguardarpass", function(req, res, next){ var nvlMetodo = 1; // Nivel del metodo (publico) var privilegio = 1; // Validando instancia if(!bcrypt.compareSync(Datos.codejs ,req.body.hash)){ return res.send({estado:false,mensaje:"Error de instancia."});/* Error de instancia */ }else { // Reescribe privilegios del cliente si existe sesión if(req.session.privilegio) {privilegio = req.session.privilegio;} // Validando privilegios del usuario if(privilegio<nvlMetodo){ return res.send({estado:false,mensaje:"Privilegios insuficientes."});/* No autorizado (401) */ }else { // Comprobar captcha var contrasena = rand_codnum(10); // Genera código de confirmación para el usuario bcrypt.hash( contrasena , 12).then(function(hashedPassword) {// Encriptación de código de confirmación para el usuario User.update( {"_id":req.session.idusuario}, {pass: hashedPassword} ).then((rawResponse,) => { // Código post actualización del usuario var query = User.findOne({"_id":req.session.idusuario},function(err, user){ if(err){console.log('Error recuperando item');} var HTML = pug.compileFile("views/emails/email_regen_pass.pug"); var ASUNTO = "Envio de datos de acceso"; var DESTINATARIO = user.email; // configura los datos del correo Datos.usuario = user.usuario; Datos.pass = contrasena; var mailOptions = {from: Datos.site_nombre + '<' + Datos.site_email + '>', to: DESTINATARIO, subject: ASUNTO,html: HTML({data:Datos})}; // Envía el correo con el objeto de transporte definido anteriormente transporter.sendMail(mailOptions, function(error, info) { if(error){ return res.send({estado:false, mensaje:'Ocurrió un error enviando sus datos. - '+ error}); } return res.send({estado:true, mensaje:'Los datos han sido enviados al usuario.'}); }); }); }); }); } // Comprobación de privilegios del usuario } // Comprobación de hash(petición ajax) }).post("/editarme/jsuploadavatar", function(req, res, next){ if (!req.files) return res.status(400).send('No files were uploaded.'); // The name of the input field (i.e. "sampleFile") is used to retrieve the uploaded file var sampleFile = req.files.file; var xplode = req.files.file.name.split("."); var nombre = xplode[0]; var extencion = "."+xplode[1]; var code = rand_codnum(12); var nuevoNombre = "avatar_"+code+extencion; // Use the mv() method to place the file somewhere on your server sampleFile.mv('./public/temp/'+nuevoNombre, function(err) { if (err){return res.status(500).send(err);} var bitmap = fs.readFileSync('./public/temp/'+nuevoNombre); var base64 = new Buffer(bitmap).toString('base64'); User.update( {"_id":req.session.idusuario}, {imagen: "data:image/jpeg;base64,"+base64} ).then((rawResponse,) => { // Código post actualización del usuario fs.unlink('./public/temp/'+nuevoNombre, function(errs) { if (errs){console.log(errs);} res.send('File uploaded!'); res.end(); }); }); }); }); /* GET home page. */ router.get('/contacto', function(req, res, next) { //router.get('/contacto', cache(300), function(req, res, next) { bcrypt.hash(Datos.codejs, 10).then(function(hashedPassword){Datos.hash= hashedPassword; res.render('contacto', {data:Datos, usuario: req.session.usuario }); }); }).post("/contacto",function(req,res,next) { var nombreMetodo = "contacto"; // Nombre del metodo (publico) var nvlMetodo = 0; // Nivel del metodo (publico) // Validando instancia if(!bcrypt.compareSync(Datos.codejs ,req.body.hash)){ return res.send({estado:false,mensaje:"Error de instancia."});/* Error de instancia */ }else { // Reescribe privilegios del cliente si existe sesión if(req.session.privilegio) {Datos.privilegio = req.session.privilegio;} // Validando privilegios del usuario if(Datos.privilegio<nvlMetodo){ return res.send({estado:false,mensaje:"Privilegios insuficientes."});/* No autorizado (401) */ }else { // Comprobar captcha var url = "https://www.google.com/recaptcha/api/siteverify"+'?secret='+Datos.captcha_key_secret+'&response='+req.body.datos.captcha+'&remoteip='+req.connection.remoteAddress; var respons = request(url, function(error, response, body) { body = JSON.parse(body); if(error!=null){console.log(error)} if (!body.success){return res.send({estado:false,mensaje:"Error de captcha"});}else {// Recaptcha validado correctamente. var nombre = req.body.datos.nombre || ''; var email = req.body.datos.email || ''; var mensaje = req.body.datos.mensaje || ''; var HTML = pug.compileFile("views/emails/email_contacto.pug"); var ASUNTO = "Contacto desde sitio web"; var DESTINATARIO = Datos.mail_smtp_destinatario; // configura los datos del correo Datos.envio = {nombre: nombre, email: email, mensaje: mensaje}; var mailOptions = {from: Datos.site_nombre + '<' + DESTINATARIO + '>', to: DESTINATARIO, subject: ASUNTO,html: HTML({data:Datos})}; // Envía el correo con el objeto de transporte definido anteriormente transporter.sendMail(mailOptions, function(error, info) { if(error){ return res.send({estado:false, mensaje:'Error de envío. - '+ error}); } return res.send({estado:true, mensaje:'Su mensaje ha sido enviado.'}); }); } // Comprobación de respuesta de recaptcha }); // Request comprobador del recaptcha } // Comprobación de privilegios del usuario } // Comprobación de hash(petición ajax) }); /* GET home page. */ router.get('/quienes_somos', function(req, res, next) { var ubicaciones=['all']; Enlace.find().exec(function(error, data){ if(error){console.log('Error recuperando enlaces');} for(val in data){if("/"+data[val].componente == req.originalUrl){ubicaciones.push(data[val].alias);}} Modulos.find().where("estado").equals(true).where('sitio').in(ubicaciones).sort({orden:1}).exec(function(error, modulos) { if(error){console.log('Error recuperando modulos');} console.log(modulos) Datos.modulos = modulos; res.render('quienes_somos', {data:Datos, usuario: req.session.usuario }); }); }); }); /* GET home page. */ router.get('/compare', function(req, res, next) { /* if(bcrypt.compareSync(req.query.code,req.query.hash)) { return res.send("Son iguales"); }else { return res.send("Son iguales Distintos"); } */ }); /* GET home page. */ router.post('/mod', function(req, res, next) { res.render("mods/"+req.body.modulo,{data:Datos, usuario: req.session.usuario,privilegio: req.session.privilegio }); }); /* GET home page. */ router.get('/mod', function(req, res, next) { // res.render("mods/"+req.body.modulo,{data:Datos, usuario: req.session.usuario }); }); function rand_code(lon){ var chars = "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ1234567890"; code = ""; for (x=0; x < lon; x++) { rand = Math.floor(Math.random()*chars.length); code += chars.substr(rand, 1); } var especiales = "#@!_"; for (x=0; x < 1; x++) { rand = Math.floor(Math.random()*especiales.length); code += especiales.substr(rand, 1); } return code; } function rand_codnum(lon){ var chars = "1234567890"; code = ""; for (x=0; x < lon; x++) { rand = Math.floor(Math.random()*chars.length); code += chars.substr(rand, 1); } var especiales = ""; for (x=0; x < 1; x++) { rand = Math.floor(Math.random()*especiales.length); code += especiales.substr(rand, 1); } return code; } // crear un objeto de transporte reutilizable usando SMTP transport var transporter = nodemailer.createTransport({ host: Datos.mail_smtp_host, port: Datos.mail_smtp_port ,secure: false, // true for 465, false for other ports auth: {user: Datos.mail_smtp_user, pass: Datos.mail_smtp_pass}, tls: { rejectUnauthorized: false}/* do not fail on invalid certs*/ }); var Email = function() { var html = null; var asunto = null; var estado = null; // crear un objeto de transporte reutilizable usando SMTP transport var transporter = nodemailer.createTransport({ host: Datos.mail_smtp_host, port: Datos.mail_smtp_port ,secure: false, // true for 465, false for other ports auth: {user: Datos.mail_smtp_user, pass: Datos.mail_smtp_pass}, tls: { rejectUnauthorized: false}/* do not fail on invalid certs*/ }); this.setTmpl = function(p){ html = pug.compileFile(p); } this.setAsunto = function(a){ asunto = a; } this.send = function(dest, dts){ estado = {estado:null,menaje:"enviando"}; // configura los datos del correo var mailOptions = {from: Datos.site_nombre +'<'+Datos.site_email+'>', to: dest, subject: asunto,html: html({data:dts})}; // Envía el correo con el objeto de transporte definido anteriormente transporter.sendMail(mailOptions, function(error, info) { if(error){ estado = {estado:false,mensaje:error}; } estado = {estado:true,mensaje:"El email ha sido enviado."}; }); } this.getStd = function(){ return estado; } } module.exports = router;
30.269231
183
0.656643
c1547ca3e4d0b8a1da1b3318de990b2505fa8959
959
js
JavaScript
index.js
kshvmdn/define-it
0c836c2ed42cdf6e3db7e7a697e95266aeef62e0
[ "MIT" ]
null
null
null
index.js
kshvmdn/define-it
0c836c2ed42cdf6e3db7e7a697e95266aeef62e0
[ "MIT" ]
null
null
null
index.js
kshvmdn/define-it
0c836c2ed42cdf6e3db7e7a697e95266aeef62e0
[ "MIT" ]
null
null
null
'use strict'; const request = require('request'); module.exports.json = function(query, cb) { if (typeof query != 'string') return cb(new TypeError('Expected a string as first argument.'), null); const base = 'https://www.googleapis.com/scribe/v1/research'; const qs = { key: 'AIzaSyDqVYORLCUXxSv7zneerIgC2UYMnxvPeqQ', dataset: 'dictionary', dictionaryLanguage: 'en', callback: cb, query: query } request({url: base, qs: qs, json: true}, function(error, response, body) { return cb(error, body); }); } module.exports.definitions = function(query, cb) { module.exports.json(query, function(error, response) { if (response['data'] == undefined) return cb(new Error('No results for given query.'), null); var definitions = []; response['data'][0]['dictionaryData']['definitionData'].forEach(function(obj, i) { definitions.push(obj.meanings[0].meaning) }); cb(error, definitions); }); }
27.4
103
0.660063
c15a0b1d8f2abbf094c439682a6f11606eb21535
160
js
JavaScript
src/index.js
Zhouqchao/uniqueArray
58d3e9b771367275b76b151a6f6c5127532cb537
[ "MIT" ]
null
null
null
src/index.js
Zhouqchao/uniqueArray
58d3e9b771367275b76b151a6f6c5127532cb537
[ "MIT" ]
null
null
null
src/index.js
Zhouqchao/uniqueArray
58d3e9b771367275b76b151a6f6c5127532cb537
[ "MIT" ]
null
null
null
var uniqueArray = function (arr) { return arr.filter(function (item, index) { return arr.indexOf(item) === index; }); }; module.exports = uniqueArray;
20
44
0.6625
c15aaccce2c58607dfb36223a99d0d9ec9551e93
4,801
js
JavaScript
api/app.js
gozu15/FilesAdministrator
6fc0a7ba88236f5aa12858f9ccb40e875e61d8ca
[ "MIT" ]
null
null
null
api/app.js
gozu15/FilesAdministrator
6fc0a7ba88236f5aa12858f9ccb40e875e61d8ca
[ "MIT" ]
null
null
null
api/app.js
gozu15/FilesAdministrator
6fc0a7ba88236f5aa12858f9ccb40e875e61d8ca
[ "MIT" ]
null
null
null
const express = require("express"); const app = express(); const routerMiddleware = express.Router(); const body_parser = require("body-parser"); const cors_config = require("cors"); const multi_party = require('connect-multiparty'); const http = require('http'); const jwt = require('jsonwebtoken'); const PORT = process.env.PORT || 3000; const config = require('./config/enviroment') const mongoose = require('mongoose'); const server = http.createServer(app) var nodecron = require("node-cron"); app.use(cors_config()) let io = require('socket.io')(server, { cors:{ origin:"http://localhost:8080", methods: ["GET","POST"], credentials: true, allowEIO3: true }, transport: ['websocket'] } ); let messages = [ { author: "Carlos", text: "Hola! que tal?", }, { author: "Pepe", text: "Muy bien! y tu??", }, { author: "Paco", text: "Genial!", }, ]; let check = null; let cont= 0; let date = new Date(); io.on('connection', socket => { console.log("Se conecto un cliente¡¡") let job = nodecron.schedule("*/4 * * * * *", () =>{ console.log("My First Cron Job task run at: " + new Date()); cont++; if(check != null){ console.log("NO ESTA VACIO",check); let id = check._id || check.id; let getTimefromClient = new Date(check.date_end).getTime() let timeNow = new Date().getTime() let rest = getTimefromClient - timeNow let result_time = new Date(timeNow - rest) let check_date_to_notify= (result_time >= new Date(getTimefromClient)) ? true : false console.log("restDATE",result_time) console.log("check",check_date_to_notify) if(check_date_to_notify){ console.log("TIMEOUT ",result_time); if(id == null){ console.log("No existen datos") } else{ socket.emit('timeout_notify',check) } check = null; cont = 0; job.stop() } } if(cont == 1){ socket.emit('checkPingFromServer',{messages:"Hello client, i am server"}); } // else{ // cont = (check.date_end - date); // console.log("CONTADOR:",cont); // } }); socket.on('recieve_date',(data) =>{ console.log(data); check = data; }) socket.on('disconnect', () => { console.log("DESCONECTADO") }); }); function init(){ mongoose.connect('mongodb://localhost/dbexample', {useNewUrlParser: true}) .then(() =>{ server.listen(PORT, () => { console.log(`Servidor escuchando en puerto ${PORT}`); }) console.log("Conexion establecida en la Base de datos"); }) .catch(err =>{ console.log("Ocurrio un error al conectarse a la Base de Datos", err); }) } let multiPartyMiddelwere = multi_party({ uploadDir: './uploads' }); // //MIDDLEWARES app.set('llave',config.key) // //BODY PARSER app.use( body_parser.urlencoded({ extended: true, }) ); app.use(body_parser.json()); // //CORS CONFIG // app.use(cors_config()); // app.use(function (req, res, next) { // // Website you wish to allow to connect // res.setHeader('Access-Control-Allow-Origin', 'http://localhost:8080'); // // Request methods you wish to allow // res.setHeader('Access-Control-Allow-Methods', 'GET, POST, OPTIONS, PUT, PATCH, DELETE'); // // Request headers you wish to allow // res.setHeader('Access-Control-Allow-Headers', 'X-Requested-With,content-type'); // // Set to true if you need the website to include cookies in the requests sent // // to the API (e.g. in case you use sessions) // res.setHeader('Access-Control-Allow-Credentials', true); // // Pass to next layer of middleware // next(); // }); routerMiddleware.use((req,res,next)=>{ const token = req.headers['access-token']; if (token) { jwt.verify(token, app.get('llave'), (err, decoded) => { if (err) { return res.json({ mensaje: 'Token inválida' }); } else { req.decoded = decoded; next(); } }); } else { res.send({ mensaje: 'Token no proveída.' }); } //next(); }) process.env.GOOGLE_APPLICATION_CREDENTIALS = config.GOOGLE_APLICATION_CREDENTIAL; require("./routes/documents.route")(app, multiPartyMiddelwere,routerMiddleware); require("./routes/auth.route")(app, jwt); require("./routes/models_documents.route")(app,multiPartyMiddelwere,jwt); require("./routes/diary_books.route")(app,multiPartyMiddelwere,jwt); require("./routes/memorials_decrets.route")(app,multiPartyMiddelwere,jwt); require("./routes/lawsandregulations.route")(app,multiPartyMiddelwere,jwt) require("./routes/notifies_audience.route")(app,multiPartyMiddelwere,jwt) module.exports = { init };
27.124294
93
0.612372
c15ad87bb157f34559f31912b834a526c9c8984a
713
js
JavaScript
src/data/old_models/discp_view.js
OSDLabs/swd
0dc2e45de9def42d54a55135145d7b83a46f8450
[ "MIT" ]
4
2017-04-23T10:26:13.000Z
2020-06-16T17:55:54.000Z
src/data/old_models/discp_view.js
OSDLabs/swd
0dc2e45de9def42d54a55135145d7b83a46f8450
[ "MIT" ]
46
2017-04-01T21:30:20.000Z
2022-01-13T16:39:57.000Z
src/data/old_models/discp_view.js
OSDLabs/swd
0dc2e45de9def42d54a55135145d7b83a46f8450
[ "MIT" ]
13
2017-03-31T05:04:02.000Z
2019-09-17T14:07:03.000Z
/* jshint indent: 2 */ import DataTypes from 'sequelize'; import Model from '../sequelize'; const DiscpView = Model.define('discp_view', { id: { type: DataTypes.STRING(12), allowNull: false, primaryKey: true, }, student_name: { type: DataTypes.TEXT, allowNull: false, }, login_id: { type: DataTypes.STRING(20), allowNull: false, }, heading: { type: DataTypes.STRING(200), allowNull: false, }, action: { type: DataTypes.TEXT, allowNull: false, }, severe: { type: DataTypes.INTEGER(1), allowNull: true, }, date: { type: DataTypes.STRING(20), allowNull: true, }, }, { tableName: 'discp_view', }); export default DiscpView;
17.390244
46
0.611501
c15cf181e03a682cd3986cb0aa3a13722291eee4
580
js
JavaScript
registrySACHER_frontend/src/actions/projectAction.js
SACHER-project/SACHER-registry
3c526a4071358f6f4112c766793195d1d2144056
[ "MIT" ]
null
null
null
registrySACHER_frontend/src/actions/projectAction.js
SACHER-project/SACHER-registry
3c526a4071358f6f4112c766793195d1d2144056
[ "MIT" ]
null
null
null
registrySACHER_frontend/src/actions/projectAction.js
SACHER-project/SACHER-registry
3c526a4071358f6f4112c766793195d1d2144056
[ "MIT" ]
null
null
null
import * as actionTypes from './actionTypes'; import ProjectApi from '../api/projectApi'; export function loadProjectSuccess(projects) { return {type: actionTypes.LOAD_PROJECTS_SUCCESS, projects}; } export const loadProjectError = (error) => ({ type: actionTypes.LOAD_PROJECTS_ERROR, error_msg: error, }) export function getAllProjects(domainId){ return dispatch => { return ProjectApi.fetchAllProjects(domainId) .then(projects => {dispatch(loadProjectSuccess(projects))}) .catch(error => {loadProjectError(error)}); } }
24.166667
71
0.696552
c15d7e50049d43db86e17019b23688aec8621667
19,420
js
JavaScript
static/types/vcard.js
DrewLazzeriKitware/simput
f222eaac6babcdc9610ff98f1ac048f8e485b8e6
[ "BSD-3-Clause-No-Nuclear-License-2014", "BSD-3-Clause" ]
18
2016-09-27T14:05:15.000Z
2022-01-06T10:03:02.000Z
static/types/vcard.js
DrewLazzeriKitware/simput
f222eaac6babcdc9610ff98f1ac048f8e485b8e6
[ "BSD-3-Clause-No-Nuclear-License-2014", "BSD-3-Clause" ]
59
2016-01-15T19:52:54.000Z
2021-05-06T16:22:14.000Z
static/types/vcard.js
DrewLazzeriKitware/simput
f222eaac6babcdc9610ff98f1ac048f8e485b8e6
[ "BSD-3-Clause-No-Nuclear-License-2014", "BSD-3-Clause" ]
12
2016-03-14T15:47:55.000Z
2022-01-28T15:00:40.000Z
!function(t){var e={};function n(r){if(e[r])return e[r].exports;var o=e[r]={i:r,l:!1,exports:{}};return t[r].call(o.exports,o,o.exports,n),o.l=!0,o.exports}n.m=t,n.c=e,n.d=function(t,e,r){n.o(t,e)||Object.defineProperty(t,e,{enumerable:!0,get:r})},n.r=function(t){"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(t,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(t,"__esModule",{value:!0})},n.t=function(t,e){if(1&e&&(t=n(t)),8&e)return t;if(4&e&&"object"==typeof t&&t&&t.__esModule)return t;var r=Object.create(null);if(n.r(r),Object.defineProperty(r,"default",{enumerable:!0,value:t}),2&e&&"string"!=typeof t)for(var o in t)n.d(r,o,function(e){return t[e]}.bind(null,o));return r},n.n=function(t){var e=t&&t.__esModule?function(){return t.default}:function(){return t};return n.d(e,"a",e),e},n.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},n.p="",n(n.s=4)}([function(t,e,n){"use strict";function r(t){return(r="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t})(t)}e.__esModule=!0,e.extend=s,e.indexOf=function(t,e){for(var n=0,r=t.length;n<r;n++)if(t[n]===e)return n;return-1},e.escapeExpression=function(t){if("string"!=typeof t){if(t&&t.toHTML)return t.toHTML();if(null==t)return"";if(!t)return t+"";t=""+t}if(!i.test(t))return t;return t.replace(a,l)},e.isEmpty=function(t){return!t&&0!==t||!(!f(t)||0!==t.length)},e.createFrame=function(t){var e=s({},t);return e._parent=t,e},e.blockParams=function(t,e){return t.path=e,t},e.appendContextPath=function(t,e){return(t?t+".":"")+e};var o={"&":"&amp;","<":"&lt;",">":"&gt;",'"':"&quot;","'":"&#x27;","`":"&#x60;","=":"&#x3D;"},a=/[&<>"'`=]/g,i=/[&<>"'`=]/;function l(t){return o[t]}function s(t){for(var e=1;e<arguments.length;e++)for(var n in arguments[e])Object.prototype.hasOwnProperty.call(arguments[e],n)&&(t[n]=arguments[e][n]);return t}var u=Object.prototype.toString;e.toString=u;var c=function(t){return"function"==typeof t};c(/x/)&&(e.isFunction=c=function(t){return"function"==typeof t&&"[object Function]"===u.call(t)}),e.isFunction=c;var f=Array.isArray||function(t){return!(!t||"object"!==r(t))&&"[object Array]"===u.call(t)};e.isArray=f},function(t,e,n){"use strict";e.__esModule=!0;var r=["description","fileName","lineNumber","message","name","number","stack"];function o(t,e){var n=e&&e.loc,a=void 0,i=void 0;n&&(t+=" - "+(a=n.start.line)+":"+(i=n.start.column));for(var l=Error.prototype.constructor.call(this,t),s=0;s<r.length;s++)this[r[s]]=l[r[s]];Error.captureStackTrace&&Error.captureStackTrace(this,o);try{n&&(this.lineNumber=a,Object.defineProperty?Object.defineProperty(this,"column",{value:i,enumerable:!0}):this.column=i)}catch(t){}}o.prototype=new Error,e.default=o,t.exports=e.default},function(t,e){function n(t){return(n="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t})(t)}var r;r=function(){return this}();try{r=r||Function("return this")()||(0,eval)("this")}catch(t){"object"===("undefined"==typeof window?"undefined":n(window))&&(r=window)}t.exports=r},function(t,e,n){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}e.__esModule=!0,e.HandlebarsEnvironment=u;var o=n(0),a=r(n(1)),i=n(34),l=n(42),s=r(n(44));e.VERSION="4.0.11";e.COMPILER_REVISION=7;e.REVISION_CHANGES={1:"<= 1.0.rc.2",2:"== 1.0.0-rc.3",3:"== 1.0.0-rc.4",4:"== 1.x.x",5:"== 2.0.0-alpha.x",6:">= 2.0.0-beta.1",7:">= 4.0.0"};function u(t,e,n){this.helpers=t||{},this.partials=e||{},this.decorators=n||{},i.registerDefaultHelpers(this),l.registerDefaultDecorators(this)}u.prototype={constructor:u,logger:s.default,log:s.default.log,registerHelper:function(t,e){if("[object Object]"===o.toString.call(t)){if(e)throw new a.default("Arg not supported with multiple helpers");o.extend(this.helpers,t)}else this.helpers[t]=e},unregisterHelper:function(t){delete this.helpers[t]},registerPartial:function(t,e){if("[object Object]"===o.toString.call(t))o.extend(this.partials,t);else{if(void 0===e)throw new a.default('Attempting to register a partial called "'+t+'" as undefined');this.partials[t]=e}},unregisterPartial:function(t){delete this.partials[t]},registerDecorator:function(t,e){if("[object Object]"===o.toString.call(t)){if(e)throw new a.default("Arg not supported with multiple decorators");o.extend(this.decorators,t)}else this.decorators[t]=e},unregisterDecorator:function(t){delete this.decorators[t]}};var c=s.default.log;e.log=c,e.createFrame=o.createFrame,e.logger=s.default},function(t,e,n){(function(e){e.Simput||(e.Simput={}),e.Simput.types||(e.Simput.types={}),t.exports=e.Simput.types.vcard=n(5)}).call(this,n(2))},function(t,e,n){t.exports={type:"vcard",model:n(6),lang:n(7),convert:n(30),hooks:n(48),parse:null}},function(t){t.exports={order:["AddressBook"],views:{AddressBook:{id:"AdressBook",label:"Address Book",attributes:["person"],size:-1,hooks:[{type:"personNameToView"}],readOnly:!0}},definitions:{person:{label:"Person",parameters:[{id:"firstName",label:"First Name",type:"string",size:1},{id:"lastName",label:"Last Name",type:"string",size:1},{id:"street",label:"Street",type:"string",size:1},{id:"city",label:"City",type:"string",size:1},{id:"state",label:"State",type:"string",size:1},{id:"zip",label:"ZIP",type:"string",size:1},{id:"country",label:"Country",type:"string",size:1}]}}}},function(t,e,n){t.exports={en:n(8),fr:n(19)}},function(t,e,n){t.exports={help:n(9),"label.json":n(18)}},function(t,e,n){t.exports={person:n(10)}},function(t,e,n){t.exports={city:n(11),country:n(12),firstName:n(13),lastName:n(14),state:n(15),street:n(16),zip:n(17)}},function(t,e){t.exports="<p><b>City</b> of postal address</p>\n"},function(t,e){t.exports="<p><b>Country</b> of postal address</p>\n"},function(t,e){t.exports="<p><b>First name</b> of your contact</p>\n"},function(t,e){t.exports="<p><b>Last name</b> or <b>Sirname</b> of your contact</p>\n"},function(t,e){t.exports="<p><b>State</b> of postal address</p>\n"},function(t,e){t.exports="<p><b>Street</b> of postal address</p>\n"},function(t,e){t.exports="<p><b>Zip code</b> of postal address</p>\n"},function(t){t.exports={views:{AddressBook:"Address Book"},attributes:{person:{title:"Contact Information",parameters:{firstName:"First name",lastName:"Last name",street:"Street",city:"City",state:"State",zip:"Zip code",country:"Country"}}}}},function(t,e,n){t.exports={help:n(20),"label.json":n(29)}},function(t,e,n){t.exports={person:n(21)}},function(t,e,n){t.exports={city:n(22),country:n(23),firstName:n(24),lastName:n(25),state:n(26),street:n(27),zip:n(28)}},function(t,e){t.exports="<p><b>Ville</b> de l'adresse postale</p>\n"},function(t,e){t.exports="<p><b>Pays</b> de l'adresse postale</p>\n"},function(t,e){t.exports="<p><b>Prénom</b> du contact</p>\n"},function(t,e){t.exports="<p><b>Nom de famille</b> du contact</p>\n"},function(t,e){t.exports="<p><b>Etat</b>, <b>Region</b> ou <b>Departement</b> de votre contact</p>\n"},function(t,e){t.exports="<p><b>Rue</b> de l'adresse postale</p>\n"},function(t,e){t.exports="<p><b>Code postale</b> de l'adresse</p>\n"},function(t){t.exports={views:{AddressBook:"Carnet d'adresses"},attributes:{person:{title:"Renseignements",parameters:{firstName:"Prénom",lastName:"Nom de famille",street:"Rue",city:"Ville",state:"Etat",zip:"Code postal",country:"Pays"}}}}},function(t,e,n){var r=n(31);t.exports=function(t){var e={};return t.data.AddressBook.forEach(function(t){var n={};Object.keys(t.person).forEach(function(e){n[e]=t.person[e].value[0]}),e["".concat(n.firstName," ").concat(n.lastName,".vcf")]=r(n)}),{results:e,model:t}}},function(t,e,n){var r=n(32);t.exports=(r.default||r).template({compiler:[7,">= 4.0.0"],main:function(t,e,n,r,o){var a,i,l=null!=e?e:t.nullContext||{},s=n.helperMissing,u="function";return"BEGIN:VCARD\nVERSION:3.0\nN:"+(null!=(a=typeof(i=null!=(i=n.lastName||(null!=e?e.lastName:e))?i:s)===u?i.call(l,{name:"lastName",hash:{},data:o}):i)?a:"")+";"+(null!=(a=typeof(i=null!=(i=n.firstName||(null!=e?e.firstName:e))?i:s)===u?i.call(l,{name:"firstName",hash:{},data:o}):i)?a:"")+";;;\nFN:"+(null!=(a=typeof(i=null!=(i=n.firstName||(null!=e?e.firstName:e))?i:s)===u?i.call(l,{name:"firstName",hash:{},data:o}):i)?a:"")+" "+(null!=(a=typeof(i=null!=(i=n.lastName||(null!=e?e.lastName:e))?i:s)===u?i.call(l,{name:"lastName",hash:{},data:o}):i)?a:"")+"\nADR;type=HOME;type=pref:;;"+(null!=(a=typeof(i=null!=(i=n.street||(null!=e?e.street:e))?i:s)===u?i.call(l,{name:"street",hash:{},data:o}):i)?a:"")+";"+(null!=(a=typeof(i=null!=(i=n.city||(null!=e?e.city:e))?i:s)===u?i.call(l,{name:"city",hash:{},data:o}):i)?a:"")+";"+(null!=(a=typeof(i=null!=(i=n.state||(null!=e?e.state:e))?i:s)===u?i.call(l,{name:"state",hash:{},data:o}):i)?a:"")+";"+(null!=(a=typeof(i=null!=(i=n.zip||(null!=e?e.zip:e))?i:s)===u?i.call(l,{name:"zip",hash:{},data:o}):i)?a:"")+";"+(null!=(a=typeof(i=null!=(i=n.country||(null!=e?e.country:e))?i:s)===u?i.call(l,{name:"country",hash:{},data:o}):i)?a:"")+"\nEND:VCARD\n"},useData:!0})},function(t,e,n){t.exports=n(33).default},function(t,e,n){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}function o(t){if(t&&t.__esModule)return t;var e={};if(null!=t)for(var n in t)Object.prototype.hasOwnProperty.call(t,n)&&(e[n]=t[n]);return e.default=t,e}e.__esModule=!0;var a=o(n(3)),i=r(n(45)),l=r(n(1)),s=o(n(0)),u=o(n(46)),c=r(n(47));function f(){var t=new a.HandlebarsEnvironment;return s.extend(t,a),t.SafeString=i.default,t.Exception=l.default,t.Utils=s,t.escapeExpression=s.escapeExpression,t.VM=u,t.template=function(e){return u.template(e,t)},t}var p=f();p.create=f,c.default(p),p.default=p,e.default=p,t.exports=e.default},function(t,e,n){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}e.__esModule=!0,e.registerDefaultHelpers=function(t){o.default(t),a.default(t),i.default(t),l.default(t),s.default(t),u.default(t),c.default(t)};var o=r(n(35)),a=r(n(36)),i=r(n(37)),l=r(n(38)),s=r(n(39)),u=r(n(40)),c=r(n(41))},function(t,e,n){"use strict";e.__esModule=!0;var r=n(0);e.default=function(t){t.registerHelper("blockHelperMissing",function(e,n){var o=n.inverse,a=n.fn;if(!0===e)return a(this);if(!1===e||null==e)return o(this);if(r.isArray(e))return e.length>0?(n.ids&&(n.ids=[n.name]),t.helpers.each(e,n)):o(this);if(n.data&&n.ids){var i=r.createFrame(n.data);i.contextPath=r.appendContextPath(n.data.contextPath,n.name),n={data:i}}return a(e,n)})},t.exports=e.default},function(t,e,n){"use strict";function r(t){return(r="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t})(t)}e.__esModule=!0;var o=n(0),a=function(t){return t&&t.__esModule?t:{default:t}}(n(1));e.default=function(t){t.registerHelper("each",function(t,e){if(!e)throw new a.default("Must pass iterator to #each");var n=e.fn,i=e.inverse,l=0,s="",u=void 0,c=void 0;function f(e,r,a){u&&(u.key=e,u.index=r,u.first=0===r,u.last=!!a,c&&(u.contextPath=c+e)),s+=n(t[e],{data:u,blockParams:o.blockParams([t[e],e],[c+e,null])})}if(e.data&&e.ids&&(c=o.appendContextPath(e.data.contextPath,e.ids[0])+"."),o.isFunction(t)&&(t=t.call(this)),e.data&&(u=o.createFrame(e.data)),t&&"object"===r(t))if(o.isArray(t))for(var p=t.length;l<p;l++)l in t&&f(l,l,l===t.length-1);else{var d=void 0;for(var m in t)t.hasOwnProperty(m)&&(void 0!==d&&f(d,l-1),d=m,l++);void 0!==d&&f(d,l-1,!0)}return 0===l&&(s=i(this)),s})},t.exports=e.default},function(t,e,n){"use strict";e.__esModule=!0;var r=function(t){return t&&t.__esModule?t:{default:t}}(n(1));e.default=function(t){t.registerHelper("helperMissing",function(){if(1!==arguments.length)throw new r.default('Missing helper: "'+arguments[arguments.length-1].name+'"')})},t.exports=e.default},function(t,e,n){"use strict";e.__esModule=!0;var r=n(0);e.default=function(t){t.registerHelper("if",function(t,e){return r.isFunction(t)&&(t=t.call(this)),!e.hash.includeZero&&!t||r.isEmpty(t)?e.inverse(this):e.fn(this)}),t.registerHelper("unless",function(e,n){return t.helpers.if.call(this,e,{fn:n.inverse,inverse:n.fn,hash:n.hash})})},t.exports=e.default},function(t,e,n){"use strict";e.__esModule=!0,e.default=function(t){t.registerHelper("log",function(){for(var e=[void 0],n=arguments[arguments.length-1],r=0;r<arguments.length-1;r++)e.push(arguments[r]);var o=1;null!=n.hash.level?o=n.hash.level:n.data&&null!=n.data.level&&(o=n.data.level),e[0]=o,t.log.apply(t,e)})},t.exports=e.default},function(t,e,n){"use strict";e.__esModule=!0,e.default=function(t){t.registerHelper("lookup",function(t,e){return t&&t[e]})},t.exports=e.default},function(t,e,n){"use strict";e.__esModule=!0;var r=n(0);e.default=function(t){t.registerHelper("with",function(t,e){r.isFunction(t)&&(t=t.call(this));var n=e.fn;if(r.isEmpty(t))return e.inverse(this);var o=e.data;return e.data&&e.ids&&((o=r.createFrame(e.data)).contextPath=r.appendContextPath(e.data.contextPath,e.ids[0])),n(t,{data:o,blockParams:r.blockParams([t],[o&&o.contextPath])})})},t.exports=e.default},function(t,e,n){"use strict";e.__esModule=!0,e.registerDefaultDecorators=function(t){r.default(t)};var r=function(t){return t&&t.__esModule?t:{default:t}}(n(43))},function(t,e,n){"use strict";e.__esModule=!0;var r=n(0);e.default=function(t){t.registerDecorator("inline",function(t,e,n,o){var a=t;return e.partials||(e.partials={},a=function(o,a){var i=n.partials;n.partials=r.extend({},i,e.partials);var l=t(o,a);return n.partials=i,l}),e.partials[o.args[0]]=o.fn,a})},t.exports=e.default},function(t,e,n){"use strict";e.__esModule=!0;var r=n(0),o={methodMap:["debug","info","warn","error"],level:"info",lookupLevel:function(t){if("string"==typeof t){var e=r.indexOf(o.methodMap,t.toLowerCase());t=e>=0?e:parseInt(t,10)}return t},log:function(t){if(t=o.lookupLevel(t),"undefined"!=typeof console&&o.lookupLevel(o.level)<=t){var e=o.methodMap[t];console[e]||(e="log");for(var n=arguments.length,r=Array(n>1?n-1:0),a=1;a<n;a++)r[a-1]=arguments[a];console[e].apply(console,r)}}};e.default=o,t.exports=e.default},function(t,e,n){"use strict";function r(t){this.string=t}e.__esModule=!0,r.prototype.toString=r.prototype.toHTML=function(){return""+this.string},e.default=r,t.exports=e.default},function(t,e,n){"use strict";function r(t){return(r="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t})(t)}e.__esModule=!0,e.checkRevision=function(t){var e=t&&t[0]||1,n=i.COMPILER_REVISION;if(e!==n){if(e<n){var r=i.REVISION_CHANGES[n],o=i.REVISION_CHANGES[e];throw new a.default("Template was precompiled with an older version of Handlebars than the current runtime. Please update your precompiler to a newer version ("+r+") or downgrade your runtime to an older version ("+o+").")}throw new a.default("Template was precompiled with a newer version of Handlebars than the current runtime. Please update your runtime to a newer version ("+t[1]+").")}},e.template=function(t,e){if(!e)throw new a.default("No environment passed to template");if(!t||!t.main)throw new a.default("Unknown template object: "+r(t));t.main.decorator=t.main_d,e.VM.checkRevision(t.compiler);var n={strict:function(t,e){if(!(e in t))throw new a.default('"'+e+'" not defined in '+t);return t[e]},lookup:function(t,e){for(var n=t.length,r=0;r<n;r++)if(t[r]&&null!=t[r][e])return t[r][e]},lambda:function(t,e){return"function"==typeof t?t.call(e):t},escapeExpression:o.escapeExpression,invokePartial:function(n,r,i){i.hash&&(r=o.extend({},r,i.hash),i.ids&&(i.ids[0]=!0));n=e.VM.resolvePartial.call(this,n,r,i);var l=e.VM.invokePartial.call(this,n,r,i);null==l&&e.compile&&(i.partials[i.name]=e.compile(n,t.compilerOptions,e),l=i.partials[i.name](r,i));if(null!=l){if(i.indent){for(var s=l.split("\n"),u=0,c=s.length;u<c&&(s[u]||u+1!==c);u++)s[u]=i.indent+s[u];l=s.join("\n")}return l}throw new a.default("The partial "+i.name+" could not be compiled when running in runtime-only mode")},fn:function(e){var n=t[e];return n.decorator=t[e+"_d"],n},programs:[],program:function(t,e,n,r,o){var a=this.programs[t],i=this.fn(t);return e||o||r||n?a=l(this,t,i,e,n,r,o):a||(a=this.programs[t]=l(this,t,i)),a},data:function(t,e){for(;t&&e--;)t=t._parent;return t},merge:function(t,e){var n=t||e;return t&&e&&t!==e&&(n=o.extend({},e,t)),n},nullContext:Object.seal({}),noop:e.VM.noop,compilerInfo:t.compiler};function s(e){var r=arguments.length<=1||void 0===arguments[1]?{}:arguments[1],o=r.data;s._setup(r),!r.partial&&t.useData&&(o=function(t,e){e&&"root"in e||((e=e?i.createFrame(e):{}).root=t);return e}(e,o));var a=void 0,l=t.useBlockParams?[]:void 0;function c(e){return""+t.main(n,e,n.helpers,n.partials,o,l,a)}return t.useDepths&&(a=r.depths?e!=r.depths[0]?[e].concat(r.depths):r.depths:[e]),(c=u(t.main,c,n,r.depths||[],o,l))(e,r)}return s.isTop=!0,s._setup=function(r){r.partial?(n.helpers=r.helpers,n.partials=r.partials,n.decorators=r.decorators):(n.helpers=n.merge(r.helpers,e.helpers),t.usePartial&&(n.partials=n.merge(r.partials,e.partials)),(t.usePartial||t.useDecorators)&&(n.decorators=n.merge(r.decorators,e.decorators)))},s._child=function(e,r,o,i){if(t.useBlockParams&&!o)throw new a.default("must pass block params");if(t.useDepths&&!i)throw new a.default("must pass parent depths");return l(n,e,t[e],r,0,o,i)},s},e.wrapProgram=l,e.resolvePartial=function(t,e,n){t?t.call||n.name||(n.name=t,t=n.partials[t]):t="@partial-block"===n.name?n.data["partial-block"]:n.partials[n.name];return t},e.invokePartial=function(t,e,n){var r=n.data&&n.data["partial-block"];n.partial=!0,n.ids&&(n.data.contextPath=n.ids[0]||n.data.contextPath);var l=void 0;n.fn&&n.fn!==s&&function(){n.data=i.createFrame(n.data);var t=n.fn;l=n.data["partial-block"]=function(e){var n=arguments.length<=1||void 0===arguments[1]?{}:arguments[1];return n.data=i.createFrame(n.data),n.data["partial-block"]=r,t(e,n)},t.partials&&(n.partials=o.extend({},n.partials,t.partials))}();void 0===t&&l&&(t=l);if(void 0===t)throw new a.default("The partial "+n.name+" could not be found");if(t instanceof Function)return t(e,n)},e.noop=s;var o=function(t){if(t&&t.__esModule)return t;var e={};if(null!=t)for(var n in t)Object.prototype.hasOwnProperty.call(t,n)&&(e[n]=t[n]);return e.default=t,e}(n(0)),a=function(t){return t&&t.__esModule?t:{default:t}}(n(1)),i=n(3);function l(t,e,n,r,o,a,i){function l(e){var o=arguments.length<=1||void 0===arguments[1]?{}:arguments[1],l=i;return!i||e==i[0]||e===t.nullContext&&null===i[0]||(l=[e].concat(i)),n(t,e,t.helpers,t.partials,o.data||r,a&&[o.blockParams].concat(a),l)}return(l=u(n,l,t,i,r,a)).program=e,l.depth=i?i.length:0,l.blockParams=o||0,l}function s(){return""}function u(t,e,n,r,a,i){if(t.decorator){var l={};e=t.decorator(e,l,n,r&&r[0],a,i,r),o.extend(e,l)}return e}},function(t,e,n){"use strict";(function(n){e.__esModule=!0,e.default=function(t){var e=void 0!==n?n:window,r=e.Handlebars;t.noConflict=function(){return e.Handlebars===t&&(e.Handlebars=r),t}},t.exports=e.default}).call(this,n(2))},function(t,e){function n(t,e,n){n.name=[n.person.lastName.value[0],n.person.firstName.value[0]].join(" ")}t.exports=function(){Simput.registerHook("personNameToView",n)}}]);
19,420
19,420
0.68275
c15e5753618a6322cb73783115b9a9d8291e4cd3
433
js
JavaScript
docs/html/classtesting_1_1internal_1_1_unordered_elements_are_matcher.js
abhi1625/human-detection-perception-module
e212c826923751e917d75358cd6f79f4e50c07c5
[ "MIT" ]
2
2020-01-30T18:54:50.000Z
2021-11-16T11:10:50.000Z
docs/html/classtesting_1_1internal_1_1_unordered_elements_are_matcher.js
abhi1625/human-detection-perception-module
e212c826923751e917d75358cd6f79f4e50c07c5
[ "MIT" ]
null
null
null
docs/html/classtesting_1_1internal_1_1_unordered_elements_are_matcher.js
abhi1625/human-detection-perception-module
e212c826923751e917d75358cd6f79f4e50c07c5
[ "MIT" ]
3
2019-11-09T05:10:21.000Z
2020-02-25T10:40:01.000Z
var classtesting_1_1internal_1_1_unordered_elements_are_matcher = [ [ "UnorderedElementsAreMatcher", "classtesting_1_1internal_1_1_unordered_elements_are_matcher_ae0a46833600dc8ef768d154ab111f5fa.html#ae0a46833600dc8ef768d154ab111f5fa", null ], [ "operator Matcher< Container >", "classtesting_1_1internal_1_1_unordered_elements_are_matcher_a62a2a9e28b031cb9b534b1d46f1cb4fd.html#a62a2a9e28b031cb9b534b1d46f1cb4fd", null ] ];
86.6
181
0.879908
c15f3ee9dabbf5639294c3a1459b62d9b4f018f3
1,915
js
JavaScript
src/components/Info.js
Alejandro-Ochando/buscador_canciones
d24185e63153061de205fe4ae816b3e6eb683884
[ "MIT" ]
null
null
null
src/components/Info.js
Alejandro-Ochando/buscador_canciones
d24185e63153061de205fe4ae816b3e6eb683884
[ "MIT" ]
null
null
null
src/components/Info.js
Alejandro-Ochando/buscador_canciones
d24185e63153061de205fe4ae816b3e6eb683884
[ "MIT" ]
null
null
null
import React, {Fragment } from 'react'; const Info = ({ info }) => { if(Object.keys(info).length === 0) return null; const { strArtistThumb, strGenre, strBiographyES, strBiographyEN, strArtist } = info; const biography = (strBiographyES === null) ? (strBiographyEN === null) ? <p className="letra text-justify">No existe información</p> : <p className="letra text-justify">{strBiographyEN}</p> : <p className="letra text-justify">{strBiographyES}</p> const genre = (strGenre === null) ? null : <p className="card-text font-italic">Género: {strGenre}</p> ; return ( <Fragment> <div className=" font-weight-bold"> <h2>Información de {strArtist}</h2> <div className="border"></div> </div> <div className="card border-light"> <div className="card-body"> <img src={strArtistThumb} alt="Logo Artista" /> {genre} <h2 className="card-text mb-3 mt-4">Biografía:</h2> <p className="card-text">{biography}</p> <p className="card-text mt-5"> <a href={`https://${info.strFacebook}`} target="_blank" rel="noopener noreferrer"> <i className="fab fa-facebook"></i> </a> <a href={`https://${info.strTwitter}`} target="_blank" rel="noopener noreferrer"> <i className="fab fa-twitter"></i> </a> <a href={`${info.strLastFMChart}`} target="_blank" rel="noopener noreferrer"> <i className="fab fa-lastfm"></i> </a> </p> </div> </div> </Fragment> ); } export default Info;
37.54902
109
0.483029
c1603af48fbc05cd4c7233e0bd233debcd66bc91
100
js
JavaScript
AppMonitorIT/1.0.0/scripts/error.js
APetrishchev/Launcher
be0600997db9d0573acaa3339206c299a5fa5d40
[ "Apache-2.0" ]
null
null
null
AppMonitorIT/1.0.0/scripts/error.js
APetrishchev/Launcher
be0600997db9d0573acaa3339206c299a5fa5d40
[ "Apache-2.0" ]
null
null
null
AppMonitorIT/1.0.0/scripts/error.js
APetrishchev/Launcher
be0600997db9d0573acaa3339206c299a5fa5d40
[ "Apache-2.0" ]
null
null
null
import { Error as Error_} from "../../../lib/1.0.0/error.js" export class Error extends Error_ { }
20
60
0.65
c160e8cabd78ca6f334fe640e46dc6cd32cd58ac
90,228
js
JavaScript
src/js/assets/characters/chibi2/talking.js
justKD/Character-Dialogue-Story-Designer
b7744e3a12db3e957b54d21d56a245bea2e08ce5
[ "MIT" ]
null
null
null
src/js/assets/characters/chibi2/talking.js
justKD/Character-Dialogue-Story-Designer
b7744e3a12db3e957b54d21d56a245bea2e08ce5
[ "MIT" ]
null
null
null
src/js/assets/characters/chibi2/talking.js
justKD/Character-Dialogue-Story-Designer
b7744e3a12db3e957b54d21d56a245bea2e08ce5
[ "MIT" ]
null
null
null
export const chibi2Talking = { id: "test_chibi2^talking.png", src: "data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAPoAAAEsCAYAAADq/K67AAABGWlDQ1BJQ0MgUHJvZmlsZQAAKJFjYGBSSCwoyGESYGDIzSspCnJ3UoiIjFJgf8TAziDCwMGgziCemFxc4BgQ4MMABDAaFXy7xsAIoi/rgszClMcLuFJSi5OB9B8gzk4uKCphYGDMALKVy0sKQOweIFskKRvMXgBiFwEdCGRvAbHTIewTYDUQ9h2wmpAgZyD7A5DNlwRmM4Hs4kuHsAVAbKi9ICDomJKflKoA8r2GoaWlhSaJfiAISlIrSkC0c35BZVFmekaJgiMwpFIVPPOS9XQUjAwMLRgYQOEOUf05EByejGJnEGIIgBCbI8HA4L+UgYHlD0LMpJeBYYEOAwP/VISYmiEDg4A+A8O+OcmlRWVQYxiZjBkYCPEBJaZKXF4znlEAAAAJcEhZcwAACxMAAAsTAQCanBgAAAQmaVRYdFhNTDpjb20uYWRvYmUueG1wAAAAAAA8eDp4bXBtZXRhIHhtbG5zOng9ImFkb2JlOm5zOm1ldGEvIiB4OnhtcHRrPSJYTVAgQ29yZSA1LjQuMCI+CiAgIDxyZGY6UkRGIHhtbG5zOnJkZj0iaHR0cDovL3d3dy53My5vcmcvMTk5OS8wMi8yMi1yZGYtc3ludGF4LW5zIyI+CiAgICAgIDxyZGY6RGVzY3JpcHRpb24gcmRmOmFib3V0PSIiCiAgICAgICAgICAgIHhtbG5zOnRpZmY9Imh0dHA6Ly9ucy5hZG9iZS5jb20vdGlmZi8xLjAvIgogICAgICAgICAgICB4bWxuczpleGlmPSJodHRwOi8vbnMuYWRvYmUuY29tL2V4aWYvMS4wLyIKICAgICAgICAgICAgeG1sbnM6ZGM9Imh0dHA6Ly9wdXJsLm9yZy9kYy9lbGVtZW50cy8xLjEvIgogICAgICAgICAgICB4bWxuczp4bXA9Imh0dHA6Ly9ucy5hZG9iZS5jb20veGFwLzEuMC8iPgogICAgICAgICA8dGlmZjpSZXNvbHV0aW9uVW5pdD4yPC90aWZmOlJlc29sdXRpb25Vbml0PgogICAgICAgICA8dGlmZjpDb21wcmVzc2lvbj41PC90aWZmOkNvbXByZXNzaW9uPgogICAgICAgICA8dGlmZjpYUmVzb2x1dGlvbj43MjwvdGlmZjpYUmVzb2x1dGlvbj4KICAgICAgICAgPHRpZmY6T3JpZW50YXRpb24+MTwvdGlmZjpPcmllbnRhdGlvbj4KICAgICAgICAgPHRpZmY6WVJlc29sdXRpb24+NzI8L3RpZmY6WVJlc29sdXRpb24+CiAgICAgICAgIDxleGlmOlBpeGVsWERpbWVuc2lvbj4yNTA8L2V4aWY6UGl4ZWxYRGltZW5zaW9uPgogICAgICAgICA8ZXhpZjpDb2xvclNwYWNlPjE8L2V4aWY6Q29sb3JTcGFjZT4KICAgICAgICAgPGV4aWY6UGl4ZWxZRGltZW5zaW9uPjMwMDwvZXhpZjpQaXhlbFlEaW1lbnNpb24+CiAgICAgICAgIDxkYzpzdWJqZWN0PgogICAgICAgICAgICA8cmRmOkJhZy8+CiAgICAgICAgIDwvZGM6c3ViamVjdD4KICAgICAgICAgPHhtcDpNb2RpZnlEYXRlPjIwMTgtMDctMjBUMDg6MDc6NzY8L3htcDpNb2RpZnlEYXRlPgogICAgICAgICA8eG1wOkNyZWF0b3JUb29sPlBpeGVsbWF0b3IgMy43LjM8L3htcDpDcmVhdG9yVG9vbD4KICAgICAgPC9yZGY6RGVzY3JpcHRpb24+CiAgIDwvcmRmOlJERj4KPC94OnhtcG1ldGE+CiEZJf0AAEAASURBVHgB7L0HfJzndeZ7gGmYGfQOEiBBgGADwV5ENapYzYqsuMYlduw4qzjJTWJf726ym9xd3/w2XtubdZxNchPbcdySuMgtsmxZiqxeKIpi7wRJgAAIgOh1ZjAo9/+8gyEHIChRimSL4LwSOO2r7/eefs5zbGpq6q/4W2bpkZ6B9AzMuxkQbYvGLU3k8+7Zpm8oPQMzZiBN4zOmI/0hPQPpGUjPQHoG0jOQnoH0DKRnID0D6RlIz0B6BtIzkJ6B9AykZyA9A+kZSM9AegbSM5CegfQMpGcgPQPpGUjPQHoG0jOQnoH0DKRnID0D6RlIz0B6BubFDGTMi7tI34SbgU998pPFfUO9tVPRiXKv35MzOTXlj43GMjM9ZpMTk+bz+WxicsK6OzstGo1ZPBY3yzTz8H1yTEzGbTwWnwxlZ4/lhkJDecVl7UVFRY2f+su/7E1uk3698mYgTehX3jOzT33iE4XtHR3LOzvaqkYGBysyPN6Fnix/TWY4VOsNh6oDRfn5fDYbnzR/bti8/oDFI1HLXVhObcOkRXr7LVhcYFk52ebhN/OwDKamLCMj8RofjVpkcNhGe/tsfHikb7S96/RYf/+R8f6RA54Mz77K4uJdX/rxj7uvwKm7ai85TehXwKP/+H2/XtHaeHbd4NDA2kyfZ7U3O7jSV1hQm7toYV7ukkrLXlBh4bIi82WHzRf021RmpoqVLCNTjzfxiPnKMqYybEr3qw+Jd9Mv7lv9khgieA1epyb5bWLcxoZHLdLVZ73HT4917jt8YLixeVe8e+DZ/KKiJ+9/9NEziR3S/75ZZyBN6G/CJ/PJ++4rPtN8ctPA4OC6zIyMNeEF5au9ueGVVdu3ebOrF1ogP9v8EHUGKrejSYhahO2Ge5mySQh0cnwCMp+EsNHdGZLY57dz31zeP07Ss2+mJxPmARPh2PGBAes62Ghtz754oG/fsacyx2I/++nO3Q9e3hHTW/2iZyBN6L/oGb/E+T723vdWn249daNnyq6dGp/aNBmPN0xlZPiR3pZfvcjCqN1177vHfBC5CPjCgMhR0cfHsK2jUYsieWMDIxDjpIXzwhYuLbSMAOr5ZQwRdKoWIHHv+If+EaFzDK7JHckRvcfjbP+R1g5rfXrnSOtjzz2QORD55o937HjoMk6X3uQXOANpQv8FTvbsU4m4TzWd2o6QvH4qPrltamK8XoQdrlxguXXVVri8xrIryy2rIN88oQAS1eMk8iROtLFRVOmBIRvpH7TRwSGLjYzaWHTMgqEsK1ywwAoWlTlVPlMSmBNLEmdKlZ8mVEn2KRx0ieG2QEWHYTj7fBCGMWKeSQif7eL8SemXKT8OA8n0eg1fgGXx5wsFzcs5PX6fRXsH7Nh3f9Jx9pGnvpZTVPY39z/4YNvse05//uXMQJrQf8HzLrX8+OEDt096PDdNjI9dOxkdq5dDLFxbZeVb1lnJupXY3GWWGfAnpCuENR4ft3EIeaSn34b4Gxnoh7AjNoHtzM+MKcspyLPSxVWWW1Fm3mDASXTZ4pLQcRjBcGePjQ/IwTaA2j1kY0Mj5oXo/VlZbn9pBYMtbTYWidlYPG6TOO38udnY+1688FGbygqYNy/HvLlBy8TRl4E5kOnzmh8CD2ZnW3ZhgWWXFlk4P8/6Gk/boW/+4OdD+xv/7uE9e77/C57i9OnmmIE0oc8xKW/EVx986+1bz3V1vdW/oPz20rWrrhnvH7J+CKJo3SpbsH2rFSytskw/nnJJWtnXExMWh5iHznXbwLkuJDfEGYs5O9vZyWwn8zu3KN9KqiHw8hJsdq8jcEnrTK/HBhvP2Kkf/ZvhNefYPsvC0x4ozrdgUaGz8X185w0GnZB3trskvoQ7g6uwOMwgCpMY6e4zQ1sY7e4xaRNiPJNemEg4y7yFeZgTuZgHfifpszheAYwqj3M1P/p895kfPfKlFfUN//svv/KVdHguMbW/lH/ThP4GTvtffOqTxc88+vxdYzZxW27DqlsqNq1eONrSYf2nz1jByqVWdcs2C1WUJogT0SytejwyZsPneqz3bIcN9/UniFuSOVXlZltJ8LKaaiR4sWV4fecJPHk7UvMHm1pt6MxZy6+ttmAJ6j/SOwOHWsLwZktH1NOUndwx9XX6nNOcwPkGxgnTxdEMhri+oVOtNnDqjEXP9dqEz2PehaWWtaDEDAbCFcOECqz3pcPWu2P3D8pKKj799R/96KXUw6ff/+JmIE3ob8Bc/9kf/VH980889g4LB+9acMOmbYtuudaG2zrtzMNPWXbVAqt5260JAkf1lmCWNJUq3d/SDoF3WgQ1HePY2dWplzdFsovU5LIli7HBKyDwCxI8dbvkexG7JLucd3LOOamd/PE1viYcdpCxPPAwAtn5kZ4+6zty0s69dNCGz7TbFA7DrNpFqPkhtsm0ccyNgWd3PRO2wH/77sMPP/4aT53e7d8xA2lC/3dM3uxd/+/f/NDNRw4dudtTnH935S3bVlTfeq28YHbkGz+wGE6zZb92jxWsqsVLniBwObpkd3c3t1p/5zmL4zkXcc4eIlKfz48EX2RFiyvNM22DvxbCTQhpnGyp0vr8CcV1zn9IvNF24kaMxPmmPfGJX92/8sDLQaffIx3d1vbMLuveddDGs7DfcSh6FSmAkfU+/sLO8HjmH6eJPWXyfkFv04TORN9++7WlgUCoBodX7mQ0Rp5ohjeclZWZnZs7WVRYEkGKdofz8tr+5NOf7kw+lz/53d+t6jx3trars2tpJBJZ5ssJrwnXLtpctX1LYem6euzgPDvzxAvW/MN/s5LrNlrtPTfjvPI52xsys1GkYGdjs/Vjf09KbUc9nz1EOHpABeXlVrF8iWXl5zjJrBj55QwnfUWoSaIWweJkm4gTnsMHEMPezuA1g+9IjzMPNrqYig6fgUaRiL/jL+AQXtngHi/3ACOa9uBP079jBLpW/SW1iLH+YWt9coe1P/OSTaHCZ6+stimcfF0PP/1MaVbex9Nq/OU8wddvmzShM5f3vvvehg2/9d63+Evz18QHRxcNdnYWx3oGclGlAxMDw1M4xYYmxmLdY9FYj8fjGQtkZeVk+P0LfbmhJVlFheEC1NQ8pG1WcZ558U5Huvrt2LcesAhOsOUf+lUrWFFrkziwNGI41c41NllPe8clCVzbyRkXzs2xBcuWWh62L0ltLmat3y41kmq1fhfROccZDrwYobIoEjXC3/gYXnU86xMQnUJlU5xH3ETMJ5Exx86pqyJB9ebF0SczIEBMXvcYyCKsxmswR9l4AZdKm+n3XtAUOIy88pGuHmv83iPWc7TRwutWuDBc108e/2Fd7Yrf/uuvfrVL15oeb/wMpD7SN/5sb+Iz3LX9uruq7rzxzkW3XbslVFa20uPJyJuQbQshOFWb8JMkYUYm8WScX/JwZ7DwJYkVwpIdLGI+t+eQnbr/Z1bQsMKW/9pbcYD5HYFOQnDnjp+xcy2teK3H5pTgmp6kFC8jVFa+ooYwm0JlXMMlhLji5EmJLcKODQ/bSN+ADWMSiLDHooThuHbIns2mbWuu19nXktwQu5JtnGQfgxnxJ7t7XPfNSVM09+n3CcntVbadzAwkvE/xdDzw2XjzwzgJQ2gzwdzc6TBcIh23Y8ceO/FPD5jhrFNIr3/Hrs//7Lldn3wTL4l5dWlpQk95nLdtXVfnD2Xflrd6+TUl61c35NcsXJaVlxfyBok1y3SGUKT6iuqmIPoYWWhjSlghBCYPd//R0zaB9Fz24XdZ2abVjmCkCg+QOXb2+EkbHRqeaYNDRbJvFU5zKjMEFqYIpXLVcssmXKbzSK2fPRKJLxAtv4+NRjADcHYhOUeIkUejo46xJKV7khHpGJNjE+76FE+Xg8zwoE+wvwdmoWvwSUJDqB7CfArFaTitX/+4lZIwL3StcYpextjfmIfI8BCVcDGO47FYZBRHnddCEHq4stRKNjZY/lIy+0qLke69tucLX7MI0YTxweH4VCT2xz99bsfn3YnS/7yhM5Am9Dmm99319f7+oG8zC39dRijU4M3JXu0J+upJEsmXATuBBBSBTBIKmySZZAJVeGpszPLWrLT1f/gRPOrFTsLHIfr2oyetG0JX/qiIzw1H4HjDkZ6xs+fMg/3rLc234opyW7h6mZPiUt1TR5Jw9d14JEIIrtf62s9dCMFxzKSdf564kdgQlMVIlpkgFp5JLNyLhoG5YSHMgWxCey6uDnF7yXCTluKRii6P+gynYFKdSFkuYnYQvGNQaDOUtro5iYjZUB03wn0ptDfWDUNhOx/JNjnk6YdJ6Gn+8WM2fLZdjKoPBvOZh3ft/lzqvabfv/4zkPLkXv+Dz5cjfu5P/7RufCJ+E9lityGDfwVCCA4NDdrunS86J7WIvOzGLbbmt99PamgWqvKEDRFOaz18wqKScFKvNRyB857fR5s7LHL0FCmno1a0bYPV3nGDFVRVuOOlSvGk9Jb5EOkbtL7WduvDgRdDmqYSv47tCBwCHEdziLZi/iK1fQGf5eGpz8WZl19TZQHUaqehsL1GglghZBEuf+eH3l9qdWgz99uFDRwTc9dwgeHoZiaQ9FFMiaGWThs81WIjXH+kowcN6IzlraqzIphj0w8f+mptdd1X/ubrX3/2/PnTb17XGbjwpF7Xw87Pg0EIxMvs9/l77//6s0/Z4w8/xEIes8o7tlv9R9/lvOrjozHrwPHUeaZFtHNeisuRJXV/tOksBH7aOdeCpL2WNCyzxZvXUpGWmyC6aWKT7S3bXwkqA2e7rLet3Yb6+9lmVnx9mnlMxhLawQSSVA6zgpW1VrKBdFqYh6S1RjKe7i7MffML+Gea+F3YUMyF+9O17vrM31v59Zus7u232oEvf89OfeuBpgxPxg+ra5Y98Pff/vYTv4Aru6pO4b2q7vbfebNIredGRkbu+MKn/4c9+8RjNoEqXHXXTbbqo+/BI52JxB2ytv2HrY9UUS1srWupwOKm0aZ2Gz7U6Ig3tLrWggtLrGhRlS1cJVU9EXbT5SWda0p/7Ws+i9oPYxgdSUjraaJxt8F7qdgTo2TSnW61DFTmAhhH2fvehpe/GidgIt9dxC1m9EsbEPbUBOYO/ofkdbsJ4fu8JVUmkIvShjrreLK82ruo4hOt/X0fuvP2m56bHBx9ITNjakdOZfUT999//0w75pd2M1fuidOE/iqf3V/82aeKXnjmKSRtzCpIiFn10Xc7Ih8ilNaExz2GlzspvfQaR30e2nPU2a9hkmWCixcQlPZYBaWnZSuWwAkyXSjtPIHj4Os+3QKBt5P+GnXHcsdLXuc0gU8i6UcaWyxjcNTKN6yyyt98lwUBn5DEn0TN/6USd/Ja53iVZtN/4oyT7Nn4CSbRcjIp6vFiUmSvrrFQRkYRps098Z7Be0ZONg8Nnj7z3B2bNjy4bPnKb/z1P//z4ByHTH91GTOQJvTLmKTkJp/+L/9l29NPPnajiKh4y1ps8ve52HLPyTPWcuiYC0nJTnZqOg67gb1HbexMB+mgVVZIwgjpbRitU7a4frnlL17oVHWpsh6yyuIjI9Z9ssW6kOAqXhFxzyBwLsI5yJDQI8dPWwZoL+Vb11rVW7ZZVmE+ob83L3En50+vuqezJNGoDNfBXeGoc0wOx6buQeg4Gl5y8/NL83PGV9XdMXrs1B0nGk/eddeWLV9+aOfOH7kN0v+8qhlQ0Cg9LnMGApPx/wIgxK9kUy224T/9B1eL3YHDreXwcedESxJ5rK3b+p/Z4+zz/OvWWdaicpdtpvBTzYYGy6sCu40Fru2n8Lx3n2y25n2o/ITpnJ9rerEnL0u2Ook6eOi7bXT3ESvE7l710Xc6Qhfxu2QcGMabfTifw3DUTn7vIat5+x0WyMt2czCMidLx0gHzL4H5Td+EHIPSTlQSm1VZZsHqqjq+uXVJKJy//Zpr9+45fDjyZr/fN9P1pSX6ZT6Nu67Z/Dskh35UuGxrf/9DFiBrrYUijs5m1OdkOAppO7DnsI23d1sYJ1sQ8ActXEkqPyG02k1rLUR8WjQp+32ASrb2xpPUlw/NKcF1adIOJqNx69970ILs1PBb77Yijq1jjoPkeiUNpQC3Pf2S+UnlzVuywDkHPQEPvohWqt8SCUhTzGHqEEOUea+S2NwtDSVZ1Qv+a/vze1f86vXXf/pHz6AapMdlzUBaol/GNEHk94Tql33KYvHSuve/zSXDNL+433nWnYqN6j0OsQ48u5ujZVjedevNj+opiGVlmQXxeovIwyWFjsijhMlakOBnT5y2OKmoTnWdfR2yxTnuWNs5G3lhn5Wvr7c1v/N+C5FZ5uzvK0CCz7glcTbMlqNf+74tuutGy1EokbkRI2v9t+dsHIekvwQmiBSfc0jC8wd2noVqqlaODo2sqvYHm0+2t5+ec/v0lzNmIE3oM6bj4g/vuHX7Zu/yJZ/O8PvW5AKosBLctpbdh5wkFyFqoUaaqM3eedCyli623PXLXWqsFrEWZlYwZDUgx4jI5aXvgribDxwG/mk4oQmIAGYNZwLAMIb2HbVJYs/LP/IuW3L3Te548qK/5sG53LExDfQqVfoSZPWaT3GpHZUU1PHCXhs40WzL3/sr03n+GTgpY4BjPGqBuioSh8C203y8DBNzjABzJbR4waIMb2Z9tcfX3NjWfvJS501/n5iBNKG/zEr46LvfXdibMfG5vJW1t8VPNNm6P/yw9ZDt1Xb8VCKDjEU5dKDRYoS38q5ZY1lVZU6Ka6GKyAOEuGq3rCf3O9+GO7qsefdB625rg7gguDkIXJcim3sKhjD43B7L4v26T/4W4bKa1ybFOYc0DhG1IyCYj6IFQo4ZHxwhcQeJOl2N9jLT8O//ieuYwtQ49KXvWvW9t1juogVI8wnXOOLc3iPWuf8Y1W01Ft1/wiHVZBXkkH04HRKca56mGUGgvGTBVDBYv3jKC7G3pYn9ZZ5UmtBfZnLKC3L/tOSWbfcNEjaredtt5i3ItVPYyq72GhVz4MVDNjUSRVVfZ5lUcblKMI4nIldXlKVbN9AkIUxs/YidwSsfA6XVEd0lzintYIJ4+DCquiCm1v3uB7Bns13K7SV2uehrMRDnrYe4p/D8R8nF7ydLrwuPfvvxRuuAYY1QIhvMBtyRJB3DNp4hQdlfkl7mhJP68j/ovQpi+F5/ryR1Z1+UpHnTQ09SFzBMoc/dZA4mKvnkYDxOoctUUa75UNvFhCIg0hQurLDFW9e7YhuBXroxF8HzQ6C0oML83lXVGZ6mtGSfPfMXPqedcRfmYsa7Ozatf2d40+r7osTBw6Cwlqxfacef3w0RQUDEfgdfOGAZlGfmXr/a7Zckcn2Qd30p6roI98Szu2ywjzxzSdZLLFbto23HyIAb3XfMim/YZCtAoVHuuZxulzN0XVAgWWdjNkRee39nt6tgixK2U0qtmE8IsMcqEnTyISQPoBD6TkTuwnbsjR5CFRsFKxG1ZYq5XHw/RD6OuRCngu48Q2CbILnrHuCkz393iYt0pg259mcffd7WfvzD58+pEtY+mE4/OQP5t13jIgeBxdAsOf8tT+20KAUwqz78DhulrLf9+EkbhDlxewkmM30uXb9qArJXL91A1d2f3+XxjD/03M7HLnEpV/XXFxuIV/V0JG7+A3fdVTmQ5fla4Q2bbu175Blr+J0PWD8VWlpsmSyugWf3WWZhruU0LIWIEsSSnDbR8tKNa1jQGda075Bztr0cgWs/Lfro6TaLHjllaBBWd8f15seBN7uwJXmO86+czDnyqKhTVl4fxTN96qvmpKAkL8TPbwEYkuCniigqcQCU0wdwhEIxSpTceEFHj/KnVkyK46uUVveGDHdbQ1LOLMmmjVMpyT4FEKXho3hZQtf1wcD2/O9/NHWUqXv3XecjBZLyez7/VQOww4Kraqyv41xCc4Cx5AKX1Y9jU2XB6z7xYRfh6IEhdFDHH4FxOdy785Mg2uc8/PU8+eIzwf6hj9//yONpb3zK/OhtWnWfNSH6WFlR+idFd1z3wSFw0AorKywIQms3ueYorzbwzF7LJIsrd03dRUSufauW1iARY9Z06EiCUFiALzdkBkROQeQUuJRB4HVvuc784Vcgci1saQgwnWEkd+vB49Z2rNExItWeJ80DgcSUVi20xetXW96CUsdQ5MySU3CQyrcu4vft+BvOEd5yZa4Dg47Ik0U1jkFx+erXpqSeSu6tci3582XFCcnK+V9uCJjizL89b8OU8K76zXefZ1wi/iFSglse/LnVk3RUWLnQ9YOLUZUnxiEAi9XvuYfwYxu1/Q9ZHsAdhTg680qL3D2Pcp2OwaTOLe+pyFvUe+x08dtufsujO/bsScfZUx5OmtBTJkNv79y25e3Z29b+d292dmj8WJMtftst1k62mhZW37MQeU7IckFKccQwa6EHQV0Bhca6QI9xtuysY8/+mJDkrRY9dtrKCTnVbt9iAWznl5PkjsBRsYfAZmvB9j9LllwCTDJhP2vtK/YcDIetGju/BMw2PxJdJbHCdu/gXGcpuukGxVWef2HZRQGljLd2mx9bWYCTySGJL2ZRSPlszQaYxSIBUuIs5PivNNTQofdIo536zk+s4fc/aD5hxE/vp3j6cb4PA5QJeKabq5ziIhumRsB1nEHLCAMjXf2W6y2OPd8I5h6ON8urrrQwsFQ51LpHUOnjYwn4a3ctulbOGSguWNm6Y9dEY0tbWoVPeUhpQk+ZjN/70IeKBj0Tn87fsqZheO8xOpGEbbIMJxGq7OCuw1CQWd7memieN7OIXIcZZ1GO4S2WpKWtEirmpaW5s8mJkUcPn7SiW66xpTdttQBq8aWIXFJaaro6obbsg8CPnaIEVs49CDxFsgmNprCiwmo2NzjJq84rvUjUloPHrONUMyAReNyppY+RrDN6gDLak4oC4Dwk/OeFGNGB3YyIKAMAbixqWGkV5OirKYTyAua675QpdG91b/JtHPjC1632vXe7SjoyCt1vug855ZoeeNSW//qvupJZ3bMw6bLxhQwCkql5xGNnOaUlVly/FIdbsR0n/p5JRxhBdvl5zS8vdZGI0cFB7l/+CTE44uyYAuTPr1gazm48fqb1qPsh/U9adU9dA0VZ/j/Mv2HzbxOfteihE+anqmpSaubBkxbHOZR//cYE8c5B5DqO806zaAef2+9SN9XZZC7CECGo2GUE5pFzzVonyUNIqksRuaS4oKg6DjfamQNHHVKNOxcEnvCEyxaH+bDQq1bUWRWOQ5R76wJ8Uqm13UBIS1KCf2cjVNCNHjhpE0QLAtjs2WTZhWoWup5uHMEdxzELAClrKJ9V7zbZ6pdMZNE+KUPXJeDJfX/1DSvZvMYW33bdjAIbL4kxLU/sAN561BbdeYMrwNHuYp5q75RNxuEAxC6GVFBW6sKYObSlyqee/sQ3H8B3MGEFaCk6T155MRDyfrrX9Cbuf5rhBUoKw4OnWvPvvP7Gh17cty+twjO/aYk+vUg/cO9dq+IFuZ/KWbeibAR7Gde5hYhfR5soE0XqFty0yRHvpRa8CE5SfIAUTxFMmHrwaT/W9BkSL44QsJFHnttrWavrbBGgE0U4quYicm0rmKdBwmOnXzpkvZ2ASYi4pwlcqKyTSGx1ffFh1y9Zt9pK66qtD1X8NOm5Us8nkYzjgFUOEbaKUjWWSWZZzprlFq6vMR8ORUlwSW/dl4hN55NnfgFMzuPKZ19ZTT9/g1yXfA6HvvI9EGWybcX775kRGpQTTRBUR7/+QyugIKeQMtXUofOrS2wwFLKetg7aPfmR6sU45eL0cy8k8lHv8uSVWVhYX+euOURBj1T5YYhdgB8ailbQG25px87dfY1n259JPcfV+j5N6NNPfkFR/h8WXLv53aoNVyw3C3VVEnLgmd2Wi7ruU466VNe5Btou5Edc/aCDTSq4YQO2rIxlJyMv7CFC4NMgBS9enGPlW9dY5erlDoTiwkaJd5LigkduI5mkhcKZ+Ph0qiyHlUYwhS9AmsbwrkMQedhW3X2zC3k17T5gbXinFauOE2YbehECh1n5wW/L2QgMNVI8Qz3UuZdUpqX3WTRyrN20JlFZx7Wn/j77+i76zL0Ja+7Et3/i+sStJiff2eQpcyC7/Ti/j3AvecsWY2JQC8B+qUPEHiS+r9ZOQ3SskRNRQ9frRy0vpSio+aePOwSfkrXMHdqDvs8tLCQUR2cb5kXPwg+jiXX3lt64suHJ3UePdqee42p8nyZ0nvoH3vrWhnhRzn/LXl1XotzyOECLOai0fU/vNj810+Hl1a4A41ILRE610aNNFmdhFmzf6OrN5yISSbth4uRSbQtR2avBfxf6S9JJ5Y7vpCJptdjip8in71XYCUmYkOIJO32U5Jehl45A8YSiqEVvePvtQEtFrHHXfhtF5Z0k621QEvxkqwUWl1vupnrXKkkmiWNWKcSnc+r82SQD1W5eZ0Ek5FzaxaXuXd/r+rzc2/FvP+gAIBt++9f07QxGISLvOXDcmn/+nIVwZgoJVlV4swldx9PchSD2MAQsDDunBbnvwZ7DPi/DJGh99FkbbG5zTSlF7ILHyisudsTuYLZghr6c7LLOPQf7GlvPPq7jXs0jTeg8/cqivD/Iu2bdOzzY1CMQoo+QGrju2LRDpLY2zFiwsxeLFvl47yD7Hbe860mSYSHOINzpHZLOtziOsfA166ySmvQcpNUMopJUhHj7WMAndx1wmXTJghftPwnqzAAq/ziSOndLPebBEtTs5TbcP2BtJ5tsimSZYVJyRw82mg/bWmm5AYAqRUwJ6Tr76lFAkJSFeLRljwu2ecb1XLz5Rd+ICMcByzj4D/cjySPW8NvvdWZP6hwoIUfbHPqH75oHSe7BzPBidhQS+ks6/2YfWJJdxDtLJ3L3Ia2rHGdj66PP2SAtoIoJ+YnYFZvPLy21UTDqlEsAqCdSvb9oa03d4/tPnLiqpXrCXTl7lq+izx+4995VVljwdi8x2glywCdJHskCFTVO/noOkM2Smhep4Knzw0p0HnrQYuR8m0u9FzHI+RXFERagLXIRySaF1ZRpsjiTQ9voYUhVP03KrdoWJ+LYiZh55DSgkD/fSffSfCu4Zat7VYFLB2WyXUKjOdNpvY/udIi0BbdsRtKvINwEc5DdOkuCJ8+p85fC1JZQWadEmtTrSW7zSq9iQKd/+iSx+ZitIWVXvo0ZcwCT0b0d/5cHLE7oMOAq1Mi+IzQ2IXx7fr/USMbzZ/+ue8ogRLf2D37DRvBHNH7/Z47Idf0Cs1gCxLSaUCr+n7O6rr6r59w7Zx/javt81Uv0BbnZH8vZ1PAeP2G0GMQyhTd4CukTADHVX05Z6aXsclaKFnnk1FmbRF3OWbtsTknOSpYSayM7DpgXwIkwNnL12lVIqwsquwhBBSbN01Vx0hI09L1CdYNAUUWb2vAVrLFQXSULGO6Cuq3zS4rKNxDHYZeNzZpdX+uIwKXkzhaH7qiJfxyRI1GrcHCZVHqO91qG1GzhtlegpWi4a0s5kJJmmn7yhLUTEszZuPK8CaQ7LKpc4Ah09j4pu1/yrfaRyVTK9Qs+eoxnVrhqqXPcyUzILSl2cfkJ7i3W3h28eeOqf33p4PHpxPlLHnbe/pBYUfP29l7+xj553/uKLTd8lxBMRNAxcN/ihKImWSh+ocJMe3HnPAoEPAEgRBQYqdDqpQnJP8eGIsbRw6dpJey1AAgq5UsWOcTXpPQUMSt3vumlfWTfnU0UpHAchxwDvFL/k7udZ73w1i0wHkJw07nvjskAGd338xcsExW38C3XWACHm477SkQrdb0UIqvCR+Ak8Gskcl27y/2HofSiAcV6h87b05oKqdKdLx6wZnWRxU+QStAu5+Ay8/jnmFb3lZ6PB1Op4f/6oHU8t9vayJFXPF73J7W/eu1qnHrUr6+o2dZ8ovWuSx3navj+qib0g/tO3BWqXbwtQwUe2LfjhK8mWCghcq9fiVi0wEcBZ/SSweUvzodRXFDDkwtHxDpGNtoEOeihNcSrcS4V0WpJKqVGIiQ3gSQ/QC+2rvNELiKOU8U28NSLNHYoMOfFl2otlVXExb4DOOMi2OK5mBd5G1fZJN+/LGNyZ0TiQtSyyRNEPm27T/92uS+6dzkWVW3WgTly8rldEDX92Og9l5w3EflA4xk7+tXvWRAzQpBQyd90HikliipI43m1I1XdFxBmAEdiw+/+urX85Enr5Xq8MGoxPD8JQNXgxisDz3LCt73a88yn7a9qQsfOuy1EppXGxACtjIhHhxsAjpi1KC964CxOobBK+odI5JhTvWcb1WBH9hyxAKG6DFTY8hocUWIqqLtOpedFWW497Z1OMuo8IvIxsOGGnt9vwZVLiXkrp16hsISqru4wfU+95KR8/q2bzb+gCAInk0yU8wpDEjU7P88Wb6hHvX916rqISyE/NZSI4Hw8y3UffvxZWj6ftUWYIgX4HJKErDCbcOD2037Ju7zWhSaTGkzyEnUt4zDX10DnpPPO7F2nOHs2WtnSD9xrx8igG4W5yluvcwYJiy5CvQ8sqrjl/b9yx5bk+a+216vWRn/3HbdsmSwv/eNwXRVZI2ajqJ5G8kkOiRyvRDIixuEjpx1IQgjss7mkuSTeyMETHItiC9I4g6Ew7ZamY+YiGv7OUoxyDmeaCEjD5b5T7CGvefaWVZYF9ntSSjspL+jo5/eZD6SbPOxdNTmck8m4o838R4TlR9LJu66kFJfOOnOTiz9NE7czLyCuAZpDnD1ywhXQ9BOCLCBFtWYr4JdgwCUJWZJ8GHCOPf/rHywDp2N4WdX5e5hxArSabByLSnhJVenhgDM2m/1BxTUHv/idhE1OQlNyfnR+ZdCpOeSpHz6Mz2C9y8t3xI5jLmN8Mrf5iR3tp9o7nph9zKvh81Ur0Qf7h+7OWbqI7BE9ZuxtHGoBnDnyVL+cdJS6PQFDGGtFmtMueS5CS4TcBmwcqOecdcsdERSz6BUW0rEVMlPl2FlCYvRzc+vMxeKJj49SMZezbQ34aaSeTvsI9JuDq3oBgEiYhvDPk1L+chepJKfy1hVRSBLlXPuel9xiPjgIR8gNaAMF5siTL9jJ3fspgwWpFk5YXb/ClgB5nciBT5gtTl0n+273//w781Hhlk34L7WePlXllihPYM/PJOwY53u5+RcTLr9+gzX/4GE7RwhSNnlyqP1T9Z03WgjT5PDXyY2HIWtI0ygn0cZXkHv7pz75SUrvrr6RmImr7L4/ed99xV2Rwf8ne+3KSi0c2cw+cs19QD7NlC4XT4yk7+jxZrddeNnchC5CHt6533w49PzEyn1IoUraKGvhud+oPFOterIYwxE59n4EPLW86zaYB9vSaQnTEnXkaJPFyFvPIZMuUC5V/WJ/wMVXeuEb5a5XLltqRTCmi4icczi7n2sW8amhwijJOl04Gc+SkdcBQ1KcXp1W5FoIEWtfghOvkKiEmytRPfvJu36OtNs9/+vLFiXOn01ftcx8UHdkpiQHBMemDP5hPx92fd6C8vOErbntJqtPbakD+DPmehYi2lwSbbJJG1Yb5vxlS2gaKR/JdNSA05XA0Jp++gT3ij+C3x0KL6m/w+3dlS27du89crqZFMara1yVEv344QO3B2sWXZOZlN4sDjmL7GWqzdyy0PqEEGIkaYTdQr94scgBp8qwSeLKQWqotcjyykrIgMtikWc4lVNE7gAr2F3EP3qKUlUR+bXrzUMZ7HkiZ/tBEnF0vBwKagRl9eqJnPAX+eJlLHhnQ3MPCW95okGEFoCSWZSk0woY5dGfP2MHqAFvB6s+QoNIl9DiqHPKymnWWHf95kSiz7RfQPcrdfrUA4/Zrv/5RctDdOQrXVhzmULjus9xQpHxjl5nqmguxsn5F5ZzUtLrdYL9zjWeTlzrxdPrvpFtX0TX2cWg8Bz4//4Zb38/6bdoSwzdo4cU39X3vd/aHnqKZo5tzl4Xw1l4w0YbHh69wW14lf1zVRL6+OTkTaFF2NaSRsmh9ykfk1+nvkrNlhddw4c3XJJyxhBBYCNGqDILUtSSAfCiq+deWO5sci3qVmrIk51QtfgjhMii2Pu521CDcy8QOUeyAZo1qI95wY1I+TC91Dj2qx06x0Ky5zIhBBG4jqsyVbWQOkvp6vGnd9kR4K5OEQZr+rdnrP0nT5Ej3+9aN+tc0gDCJAIt27LBqnDizVbVJ+kGu+evvwnw47dtTV25/d4HbyJiGSBxByLWyVJGnGPF6Y2e/H4MgpUGcWGQ+pqdg3nQZRHuO+m7uPD7hXdS0xei/eSvX2W7/+IrNgqWvockGg0x1xxMpap7brFjX/8B54i7Z5WnbrILSrZ86pP3XXXqu/fC1F0d7z7+4Q9XH+tuv1bq8WU5pFKmRXSsbqgBPLwOgGGWCq2wU4T67gypntNx+GBODg4nwk4cR3a5Wh6LYYgAx9p7bXQ/qbPXQuQUYThpzUlEH4O7D9sEfdUKblzvIJvOq6Yp1/NKbyXdSmAyXmz8fjLIhnv7+BswAS6OUbYqf8MkIA8xpF4EKCvVcitt1geCjlN3uY8yVP5iqsyE+jIxzWgkxeVs7MHzvg9k10ny8e+9c6PdtrXaXVKciMQozrrg8qoZl6iY92RHj2N+0uFVeKPsuCR+nXhtQGm4SN9zp87YYsypSw1tq+1q79puu0gr3v8337Q1AFyEVFbLdUrqV1Hn3wszO4m2sfw9b+WafUqXbTj05EubOO7PLnXs+fj9VSfRTxw9uj24qKL+FdX02U9bCxNJKJTWLNdSSaSbMvjdqfVAM4VU+cZnLbiihWXYr34kVB/e6lOOyF18nVz6Qez47PUrXIPBJJErfDVIz7aJfuqxb4DIyQl/LUSuK5MEH8BePvTE83Zi524aRjTZMDBMaDRGORyOvyYbePxFGzvX6wpf8q/HdMCDLs2hjNjzCtT0UsKHKoZxtj33JIebHJcHyVvf8Wd/a+UZcfuD37zZ7tpWg0YEshxajpfQXeYsJihOp3pzx/E4v1PdkbRiCporN9jfjzbgIwTZ2wEwBszi5aS6rslHWu1SUIBiUxN28DsPWi8miNNc9DzQoFYAbtFLiW8/TFYdb0vWrvQPjAwl0vgSZ70q/r3qJPpE5uT1WTjIZqjtl/GoXYJMJ/YlGVceOYpELCnDSXPCShnEkH0UkohwvaiSKrNUnLcNIAtJRElyxcIVJguuqLaAsOAhOg0dYwhs83EIr+DmzQ6K+bUSefLSBPTojg1AA0vf4oBPqPptnFh9JkSdQ3GMX84sNtI15+HtrwDYIUz996QIl2uW5FdsfArp30xXlRPf+6n5Kfh5x60NduPGxST9gRojm53h9fgoHci11nODFzMo0TPHkzSW2iInqLQLsGSnh37wmJe6fh2tg2YXNdj7Ygrnnxc7i5A13HccI7+q0orxb3RzbY0PP21LbrrGSuqqYTqTzlFX9dabrPE7P7X1//k+WkEBspGXvcYd4Cr656oi9I9/7GPVR5uPb0t4tWcS6is+c9ZgrKXTApStSiJPTS/s5H6SgmM41LJcK+TEIgyBlpIFJHIXIad+9UxH3dUYBLfdQzZdmEqu80SOej3KdjFMAxWlZCA5/71ELgIVUaifWRwbdoRMtUmAH7xlRZYLFj3hJkcsE9SHZ+fnW/nSaqCgEzXiYkrO0SYJTkFOG4zp1E8etxiScVPDYrv917ZaWWEQlFuOzbbJwSktO8R9ojpLw3GlsRCniFLZcwnDRHOfIFYhySSHcg5Ew6NoNB6AMfq7aVYJ8ywkqSmJBS/pP0bCjo8mDxpS333U0Zcuq0ED6KV91X47Q582TmhFEPsEJkrljZvt3M69dvbpF1Hnt9Gbvmz1fe94R8WXfvCD9uS55/vrVUXopw8fvDG4vLreLb7ZquXLPWkWl6CcRCR+MtVmS3OnitOJhR8Ip5HkIqmFNMknljwORno7XmSpoPoboiZ7AnW1EAmUlFLOXkfCRsBwy6XU1SOAyFdzfanXzrUmVFd506POYx+DWLTw/Tggg4BPeCAEORJlH4dycq2sZrkVUMUm56GrmsOH4JGjEA2m7ZlddubnO0gPPmer6yrsLR++2WoW4P3neDEAJy8eU1YmG3+02XWcyciRui5JjRCXcxJKnhhDswngGOR9bHj4AkNjOw/YdLq2qPIUYIStJOiEyObLws8hYtccjmqfwQHChRAy32muC8Cq76EV9RimyghFQG2E0zSvYhKwGat91512BOSbhddutPy6pSvbH3xE6nua0N2TmWf/xGJj1xaQVTa97i777rQgo3iiM3BIqcZ5RmyYo0gjjQHy4BN6C4tLElTx8lzCWh3HT+Jlj7nwzxgSR2G0/O0gn3IsaQFu4VOBNogkCgHxlJooc9kXqGvgfJLgOvcYSS1RylrH8QtIewnjM/CDr+YIGbt1ghLRUHaulRKLzofABRmlm3Caytik9ZO00/zY89aO5uGDKTWsWGjb77zJahbms9kkavoFCT7XNZYU0Q6Z84xT8uvPI5KQojxFgXzyylRx58xwdeOSul7scklnIcRWAJR58sHHLERVXHwybgfIl6+791YItNoxBbW4OrXjJctCYwrJxGAeVZ5ahONxdGjQhukdr1yHNjQoP6ZWdkWpA5XMweuuyEJxfa33zA8n1nLtD811/fPxu6tGoisj6oXdL2zyytk0y75+pQeLkLQxvMUevMBCdp0iYyw5RGDjKm1VHTvhJ3nyJamz1ICBtNFzSFNJFnIzbZBy0iDOLcFSOZVd0pdtB8hr92ESCKTxVUly9pddL841MRyxCGW2sRb8BHz2oYLnrdrguo9K3ZUXHVe7hZGOpRTW5MHw5O12mXm6P2LRHbSYan4MMIfjTZaT5bUb11bbdeurbWGxrOgMVPS5JHhyJhKvE5y7rAjcN9ohxwGAEISVG3w/hS2vkSGVXkyJ7qryIYzB6BS2w4B3zK8UaOnmB36OyQB4BKG9Uc7b9OPHbf1//CjzQwtqPPNZMNxm6vaX4TD0kKwjbqIONF1nWm2Smv8ROirH0KjUCqsOn0qA41TffZMd/Nt/trx33UXVWxCwgatnXDWZcZUluTeO5eX9Yai20vOqCF3imkU+eviUBSFED3niqSqBc8KRRTYFwWXxe9KuzkYljgFkMTI05NTgYbqwTJKYkr+lwUkuHVUZccJ9GwdbPX8bqrw7l355+SHm4gicRR9rOWfDOPAix5rYiTh03WJXmJO1AAlO7NwVvEBQeTCXqpXLiakvs2xCUPKeK76s7qYnvv+wHUSt7XzmRStHpb79hlX2rrvW2OaVoMSGfPAourRAqJc3MBFQ0fcfa7eB6LiF0HKSJoow42NU8mUIYUb+ASS45isb2KigA4pI2PIBtJB+8OpHUMP9+BM8SOUhPOcFFPkoC84557injqZmkm7An0NiawhhVuHC4ZFhHhkOQnwSHuZhjO4uecBDK/13EKiwGBJ/pLd3/H133fO9J3bsuCpQYq8aiX6uvXtd3o2b5Hp+VUNpqnJGATZufrc4L0hzHUjq9ziLJwhqapKBaCEOgzculVI2pZBroqiSeYBGTkGk8jxLTVZiilT5AqnyEIeOdcmRlN4Qxzi46CrCGUfLMEJZAYo5cjetBMYKe5j7k1agOLK8/kULFlgJlWVhkF3kDJMnOoJXv2PXQWshf13SOz/kt60rK3GybbDqilwLoIEo5TXpSb/kNc3xg/hBFveyuLIIUMuzNHocT9ybfuDaMskXkKR2H7Q/9zWCB78ghZGIMZTB+HqU7EKXVQfPhd+i6YkXrIFEGBFxdkkR5keYyr92yz6d57zsYhzyNXScbnLddQZhKtHmTk6aCbZ9i5XgsFt827V24P98E61ivLarp2c5V/C8LmO+j6uG0DMDnjUujMRieFWDhRgn11tlppmSgin7q3glTjzcqcqo9am2ezK5xMXFwVGXap6wv1F/OSZcwEEwZ+Fw8uKBT3rfZ19b0vaexIEVBTIqQrrsJGq6pwSYY8AcvMV0V4FpiMlIPVfIStllRajmBcT7VavtasfRJjoPHLQzgDN0Ix0zyGirriy2t71tk9UvLbX8MF5+pkYx9leywWdf41yfly4qtadfRFsBmtlHfn6Sicl0igM/Le1DQ0xxBBXfMT8IUkSuuSgGUy8ACs84zFD+hazqCmLhTdaD9lREdEAgkXlUz8WaW639xEkaYeZZkGfgRVsQblxvB848MABGdh6gCrDI5ewLOjqbecmpW2R9B4/mDWRmVXEJaUJ3T2Ie/POJj31s4eGTRxqUR375KmjixkWTImaPWgxLGkOgyaFFGqeHWSYOIedckx2cMlwVm0AmccLlg/OWlPhSu0dAndHnbMJxc9nl2lfHFyDkML3Z4lJ5kbT+xQssSw40QkoiChGQqsC8ZH0VYJMW8VsOaqo/GyLheoaaztrZFwgtAVs9Sv+44pwsu3H1Ytu0utIWldERFVtZqvnrQdzJW59ArV6yMM+ygz6LUtrqR33G/HYmj5d5HGvqYB6nGS73GCOnPgYjUrmr7Hbdl5frLyK9tYPMNhG6wC6jmCdKIc7C3s6hQk2O1e7WNtfttQ3vfO1WUoVR3wtxyvVwr17MlUz+Rg43WXj9ctfQoorzV928zdoefcYG+nsXJK95vr9eFRK99eTxLYGy4tWq35ZT7NUMLTp1OAkKWGGWMiAJPt5Br/G1F9T21GMrZjyEbe5H3fQSZhJBJ5x3EeChyW+/ds15L73bj0WfcK6JueA5bkQ9x55U59ZsFr2vhLpq7kEOP6nmqmkPQxwF4KPnY6cGCUGJGUWwbc8+95K1glDThwc9Cym/rLbcNr1rmy1fUoyjDVuW7yakBczkTamX/5rfT3DsIrztNYsoF1WpLnh6YlqaLy8qOKqHK/pxuQKaXy5CPdtdv/bps+oeF+Bo6wQiaoIwYSaSOhMn3PCpFmvDDKlVajESPETzhhGy/Qbw5nefPkMmX62FaO2k3nPRWIQsxaU29MROmwJrrwcpX3BuoeXgNyhYs8rOPfdS5Wu+yStsx6uC0Af7Bq7PJXT1qoc0bKnDeIYFBZ1K6SJYgUJmkHrpzUs4llKPr9/jqK2TtDPOhUiT0lze5hGKXpS04kcCO2k+TeBKMFHDwwiZa6p+k+c8/6aNljntAJRjLQOJF6StsDqLqiWRbG8BTcZxOHWCZqO49zmaOkwQZ16EynzT9nrCY+VWmp/lGENCer8B1J1687zPpJpnDXb//mM7UdUHUN8TYbBMTKAMf4BIxYgLfSVUejICIVTFvJND95qzCO2EPPvRM210llmKB78Mn0aTjeC8bMObvphmE0ULKiijTRTAdJyEedLGKUgyTS4awCj58mKwPspa5UwN4wjtwVbPZt4qaWjZvWN3XfJ88/113hP6N77ylU3f+soXb1cmlaTzqxnOEYdaqVd5flP3F8GOkVBCM29sd2CLZmkKIvRR7EkvCTSqPDsvzSF8NYkoAOxRUs7F3ZHOIyfOuuISSeQsVVlh02dK8uq4mAtZIYib9NQ8VFYVycgW1W9Cczm7Y5+1PfsS0MdnrSg7y65dVWUbVm606oW55scEUMhLBP6LHDrfqlo6oGYHcBy2oHEUJk4/7ZAbx6SRR13DMT/8IJNRJDcOw/PzzLaVFKYc+sf7bZJogr8M9f3QSZsitt9Dx9pwYx55AGXWju0eJ/knDlPuoNagGkAMl8OA9JdDNIgfZJCkH4VA+5jzUirjiuuXSbWv/8+/8zvLP/d3f0dXjfk95jWh7969e8HfffZ//gEq32qnOiftwpd5piJQOYqcY41Fofi0Fp/ziqPqpo5xbG8/ee0XDe1HAYxqr/OpPjvvpOP7ISSLDy+5gC7GB0YcMxijvj0Dj3kQqGY/UljquYfstGzZorQTzkFqKzlEWWNiDlFKPc8+v8ep5r3k0GdxXXW1ZbbxHdtsRQ3prWq5JOLm+9fT9r7oPl/mC/lCCnDwratfZE/ubaaf/HLuMeB8cB5lueHbmPbHuaOodHe4e8DyVDA0HX1wTjk65gRxKI61dVkWsF3Kz4+2ddO8otpajx5Hdc+2IjSjdqS+nl1fZ4eVoJ6HSOkNMqfRWNT5M7wwztFjzRYGSLOvpc0qQZwp29hQe+SxHdu4gHlP6PM2jv4nf/i713/ry1/674PRyPuySWTxkJZ53gE0xwKVVFHTwgnSXMEXc/DM8phHz3Y5oslioaQSrJJmYsR6A3iAVevNRuePqgSZyGlCS8Splc8utT3poZdDKRd46GFsdJWoTkHUoYalrutKFsRfiCOtooYkFWLGar6Yi5qpZA+lhfaxzwkglA5+5fvWTkfSEjxc27fU2TvuXGvbNy2xytLshHON871ap+P5i38d34gp5eJU27n7lE3hJMtCu9Ecqow3RvTAj0qteUkOD3OhIqDzEp0fFO+fIsHg3PM0pYTQxRzEGLPwmegeR6gmzAV3TlV52k/HV6ZdMb3URyjLHUWKwx1d08cI2kAAHL4J5rIQuGvVr599ckdHY1v7T5LXMF9f551Ev++++3xn9u76+K4DBz6avXnN8hALQqius1Xr5AMVgSs7bBK0k8EDAD0AyJAHJpkng8IIxgTeYA9OoNShBTxOvjUryKnQ5xnA9EZKAhkDFSZYW+UWmSS0pI2Iexy7XrXmmUi1HOrQ/byGsfELcablopb7Ucm1MBPFIEYvsz5rJ0TU+uQOG1T6LAksinlvvGedLanMs8B51fyNt7tT5+By3kt9r8KzX79soe2FyMKo34aN7sW8UPLMBEQouGwxSc3PUE8PoBhRfA7UrcOsNFT5Vw5g55mHnrQoGpI88NEjjTyXEee7iBAmPIfJomNo6DgDFMOMwgDCNF7soaOsGK1z5sEQIjgHlW8wBLhFvph0Yd6GP/qjP8r77Gc/S4xv/o55Regfee+9VS2H9/2/4c3rPqIMMQE96iHPIHKIyHm2IdIpvL0To2MuW0uZZSomybluuiab/WSbT5GnrnZNqUPMQdlsGTjJnEqfYp9roWkBT5FuKrw4ed7jAnwgA0617A4RluKLYGk+8d4SFwoKEQNWIwUdVzb6JDZ7LyGh1sdfcA0QMnC0KQHlnnuIedeVWmEOjAvT/ZepmqfOx8u91/3fvLXODh5tNWHfZW9YyeYUr6BhxUnc8QkTP0HThNmiNtjZPaOdspioas4X3nytnQZeOnjzFsskOy4KwYbRjLSv1PPUMYnDsodUWEltPUM3YATKXIxQGTdZV2X9mA4FYIPmLV2y4sy+fQ1s80zqMebb+3lD6B/84AfDZ083/o/Cm6/9kE8VZHhtVeBxfkwTuBo1RFt6LAZA48TgkKiFNsIUPgAA4QAlZJ9PO64m+U2SXsgos6W2Ejk8+dnnD598I2KNUYnmhXgn6Go6gIdd4Tk/dee5QDSHyehSOKxAdjoLGNI+T+BjMIKzFLe0UFAyAEiiHGs3YONubqhyktErBsO1xUieuVKGSliXVubaekpbXyTUF6qrptAm6HwbUqVNZb3TQ0yyHyebCFBaU1KFVyKQ8N7OPv68xWAOqsKLgm+nfVO3O38cmOZAV7cVVy2ka2uAFH8gq5g3PzH1CBMuR+AIufJOxW9YkXt0x+5l7Jsm9OQEvplfu04e+08FN2+DyAlZoe6lDqnOKugYPIB3lvJHpVQKjljZVl7isA7KiIUlD+35wecMBZkl2fGqO+Mw+SNaoqrTkvXcya9dkgukqyQRSW+luPppW5xHemo20ru4aoHlw4QUYpKtmdx+CEdSM62V2p6mSSLe55qqEnvbvZutoQ7mgGMtGfOesyo0efI38auU6tuurbMDx1ptGOehg6tCZY9AwMqc8yRTi5nzQbSfKHOgLLekU05amY+y0wqSjpqe3GmFlPJG9/NIO3pcW+vkdqlTEMODH4WRB0IhVzgDRyAZnvbOFcqm68AEKHH2feFymmr4fbWp+86tA1nrAABAAElEQVTH9/NCot+5efOtWSuW/qZ6mc9OJVXhyBhe2kFyuz2AQOSCme5AC7DLE84bpDYLafbQulDBhGy/TF8iPTS5jRhCeN0y59uT9Jckcs42Fq3aFk+SGx+kNFQFHTkwlBLQU1V4Idw1Ubjy36VxqF/4qZ89ZV1cGy0XbcvqKtu6fqMtqSB8Ni29X0u+efI63yyv0kIqS3Ls5mtW2E+eOuzw8BVXV9ZalI4u2ajxSfXdqd3kElRiT6cO2eqVN26xDvIEYgKeYG4jFK2o/n/ukeFAJoP4PIb6+twm0soC5CYoLXYCTW2YJB0x38zc7HkfT58XhG5B33ty6muqxPlTR9L7PQzeeHjdKspAyW5jA6lxUFrqphe/F6WTwELhJJ5xpO+0sye54SS2n9R0/Y0PAYZ4rMkmSPrwYJfnEsIRFFMptngS0EH7KWYuU6B95x47CVpL/+GTVpIXtF+5YaVtqq8kqUUxZFkT1JS/wuUlr+NKeVUHlVu21jip3knjheI7r7cAGYMiuilMEVf+y82LYfaRwVYGVLbr1z79TJO2euVbrreTjzxteZvrrZ85HycvwVuoTjEzn70k+BCaQQiJ7qQ5E6X1IRBOfR7vH7JRPPVeYLNCpcV1v/ehDxX97Te+QZXQ/BxXPKG/8/rra8aqSm+QnZ3qdHMSFs6v9kZ512108WlJ0cse4ghALGVRbiqHUupIEDhOs9GYDQP/pFx2LxI7DLhiEEdR6aJKCkrUEpiwG7vKdFDNuoAcBMc0QgLJYnqm3YN6vmZ5ueUEaVjIQv1lxbxT7+2Neq9QWAjn6DtuX2t/+09Pkx140rKJkY8S4orjgFPWW1IFj5OJ2M0cVdD0InXIpl4AxHMHyUFxwqA+GIWcqEolnmuoY+sgVYSpIwMNL5N893E6wozh4VdtcKiirLpnz7GlbJcm9NTJejO9H4oO1+aWCXZ19iDV9Ogpy1q+2ALY7Vokr3ZIAiiWLkLV+ySBT4zEEgCLOIa8hHvUQkmx7uKFC6y4ptKFh9y27DdGZVbLky9a08+etmh7p60k53z7B26wFdXFZK0lnWuvggG92pt4E20vx9zKJYV2x/ZV9uCTBy1LOQKEINX7XS2fk0Pz3U2lnpxyWYLBnpbWMrXUqKEavPaj9//UwiThDDz6nJPqcowmt0seZ65XHUOY/GNNIPDgrY+TDw9gZH7jE8+Xz7X9fPnuipfoqNA5/pwcP8/vwkA1m0DaTvQPU1BB77NXI8mnjyJCFRTxOLBL8uxK7VZd+ggSfJKiEUfgYKCryqqQTixSNUXs0iSkGkY6e6yF+ulWEFviSI9VyxbYTbdtt2WLAH3QsZ0En6VuXriDeftuLD5pd1y71Jpae+zwo89b2VuutTFCmMpXyCBfIWl+KaX1HJGHKtBmUofzlK9dYflkBg7zHHwkFY2iHeRcKwi4Vx4yAYRaEx055SR6HFMqgGMwPhanPHH+jiue0DMzvMCNziQYFydXhhuqszzcs0Njl/s45diTLT6FU24I7UAprz5JcBJdVJ+eTfrlgmW1lq2cbRxy8gkMkbWlvl+9wBwN0VY5n5TN//Chm2z5IlJbsfdlf78RFWOXe0+/7O0kUeVofP/dG+yvUeF7nt5tPjSbCOW02dSPq6JOQw7OXkAlCjuoH8csStb36zc5QGt/9Tbb84WvWQin6MCTu3g2/ealRn9G5EQbzx7SChxDmXAlwGOCmy7CMRggz3kejwv5h1foTWaFfB2Rvv4ehOiMESdHXXa7k7Azfrm8D5LoXjzzUeK6PeCFC95ZDRDDq8lHJ1GminLIum2bAB4sdpBQSnI59u0Hbc9nv+hCQcW0J56CSbz9trVWT/65SjGlus7QPC7vUubdVvJHFGT77TfevtkCqM4RGGjMVezRPSblQWqu2o6Bc4/UVTgzOUTMIcJkC67fhIbV4jrMjuwnXZ0dUnZPbj7jVYzG2elkS46R3xAn7OpARXyZOFTm77gwe1foPRbnFh2LtXaecF6v5D2gnqm0VMT6WoYkszLmIoR5vBB1Hl1Mc0FzUZVaIeglK67bBCwR6ZMCV4SYOwB9fOG//ZUNEu5Rk4Clb7vNOkBxqQVlZd2KMgeLnGpZvJZrmm/7iOlVl+fab/zqZspV/RYTrFYzhSkyfZIDqhXMVCdIurMpWCr8otuvsyDPKpPmElC5qy9wORPJ/S/1qnWRhfM2AlwcSVUBAEm82ZTZzeORMqtX5l3+4wMPDE119+6dpE+Z1D2NKRaIuqkInSWZ5XZZd8d+IvJY6znrJ/3Uiwe96LbraLZATjmLqYaKp8Wb6LONyp5BAcwwMeDdn/9H2/uZL1KdtcI2/sffcjXUJ3/yGH3VOuzumwGL4JrSUnzu2VeUoWFpif0Gqb0BcOuUKTcVo+Y+hUGLcM+daTHhvyn/IDkkmZUjUfeeu2yMApkwABOxQ43Khz2/DpLbzn7V8X2sDz9WgiC6sgjBBYryZxY0zN7pCv98xRO65p/2Xy9EBHOcXCDY7JlFNBnAwaMmBkkG8HLPSvtKbRyiTfEwf9lABsuRN5UxacX08BassEooPSS9jOOkO/Gdn9iev/yqdYGcmru1gWZ/N5Cvzv7Y6KeAKt7YsMRWLi506vrLnfdq/01NIDauqrD33b3JxqgTHz12egZBa35QtgGaPGox/C6JOoXErCk1Nq9uiVVsXUfjBiIghOiGXjoK6MXLz6oY7ziag5JwhLEnHw55EmlCf/lp++X/unLt2p0jp86QsZJw5OjBqUIpWLuIktNXDl05Iufp9z+3z+VB59P3zAfIgRdpXLN2tS1Su2DSZlXl1rX3mO3//Neskw6eSo7xV1fZYjzHfvVj4xjHgU4Ocs633rSSVgfpcTkzEEMN37yywjasWWIDrsHk0EXEHkNSt+yjwyyO0VR7XXh51W/dbln0fAuQpKSCoshppD+a2aUHITb8NzrvGFEVDZ7Vy+1w6UNdIb/MC4n+v7/4xcMZQ8MnFP5KSm+FaUKrlgAvfHFDxBnPBimubfuf3efswHx6kQvoMUTBSd01662A8I1KKtVT/PA3fmSHvvFDm6RAJURttNoNFxLWUd241MhuHELt4LTd85a1Vk5fMkEmp8crz4AkLNiv9rZbVlo+jSP6d+xHwpK3wLNJDj3XQVJZ2ygldjkN078lnWt1v/Yr1KmfBdN+mUUP0vYKqKpUVT95nOSrl3i8X9oZGoWOQdgkpdAhudX8eZ0XhK7HMRmf6FW21Hn1ne8uJ6ymxTCyt9EBQOST+CI458LyMjzqG+n3le8kQ8/hE7brs1+2LrDUc65b60Aah+nv5aMzZ7kgibDxFLc/+q0HbVVNqV27rtLGSJ9Nj8ufAXniS/Ky7B13rXeFR0N7j8+Q3DqSiL2bkFsHz0POuSQjUJ5ELs+iavs1FmvrtCyw4Id3HKSYPdERZq6r0HPOCtGfbVrPR3UX2Py8HfOG0DGlQ0qdTB1OuqdIhdTf9F5SeBSU1kykdf6W1S6zqgKAwmocblLVVbl2/HsP24EvftcyQCbJ3QAcElJgDGcdlGwF1EPnEebxcJzWp3cB6ngGB9xq81ElpaQYH0xEf17sweSr3gu99YKsmn1V8/uzHofuPzEnVJMxH8n5kWDdWr/AbqVTTD/gHOoum+xAm5wVmU/tgD52uV7zCUhs/SYVvgovfB7Y7fJ+ekDOHaTVlWY6yRCSx9Cr4ueOFfN8IlS5jXZ2XGjrmrrhPHl/xSfM6Dl895+/vuUf//pvVwYpOU2oYTB8vnfQQdQuZ4IEmsy4Sj43eXPjxG/jhHSyqXWeguVVLq2xshV0BoFwI1Q2HfzHH9hgVw/x87X0RRfYAx5hDqCYb9aqGrqlCj89ZDFAKE786BHw0RbTaTTfegZGbWg4rsgNKZYxrokyS3K6fdiNXi+51Vkey6HW3Mci1+IWgETyupPXN59eRWjyd2TirIwzKYPDgGGOyD6mowz1BHpafvJVMuHWWYQwb9m8xM71DNr+5/aIK7hmi+fbJmtrjtN2otFJ/OJlSxxDdio8k7nig2+3PZ//CmnPZdjqZ2zkpSOWTQ941UEk51jX40Hax304bel0o065E5HYvJboVwSh375mTdiTlxd66Omn6U08c5w4cSLwuT/9rx/MzM9e6i0g3xmVTGqdWgEJGtiHJM6kCDR1SL0XtHKEnmWhtStdwsTCpUusfGWtS6boQ1oc/Ifv2yTIsQXUPssE0EKRgycqRw/EHRDcskpPsd/bkOZjbR3W7Z2yv/rW89YXpUAFwg6CLz7pI5+d/bkkI0/PMtAEJujHVuTPtMWFIVtWXWSLFhbQlBBoJdRXIbbOl+ERQcHMIoTMGlu77eipLmvuGrJeaDsT+CyBRapNlPLXJ8aAxlbugxB9oqPmY58p0mCHaJYoRhBcWjUzlZn8hRaSaSZ4jmUwXeUzKJHGR0y8/rfeY/v/7l/A4VtqIweO2cjuoxbesML9rmepvwlCr4LwzgqGLErxExVFM9XB+fIQpu/jiiD0jLC/3uLRjf/jj/9T/8f+4BN7H3vmmeP19fWesN+/8Uv/5wsfONPW8nuFt16HnY1YhlictKZEUS14BViQCpSY8MYSBtuz30ESeShwKKe7aNkKiBxC7gDh5cg//9gCy2lWWEV9u7z207Sn9xP0Cc8CrVWxV3UWiVMB1QaUcG5ttYXvvsVCVKVVlJSg+vtZwCRyIMmSQ2rkJBJMOfSjJIicwubfD1PJ2nPQ6stCrlS1hE6kcRZv6jUn979SXqWa++i/1t07Yi8daLP9Z6nTLyi0nOWrrfDuxbaQNGJh4ylDLVWtFo8ToGZ0KGJR8OP89Ks7/YNHbJhqNTHKLApgZtQt8GXbyUa0pqgtpNJNz1Yht2xAJ5e//2125J9+BHTVKhvGkz/w/D7Kh0l6wvTSMaZ4bmIK6uKqRpPeDO+89pxeEYQOsQR8RcUbn3rqyZoDe/aOlS2oGHrigX8Nnm06vSLi99QW3X69a7+TXARaFGPt3eYBOplOg84p4wgcLLHxc3TSBL11ihh7+OatFKQUWwXNAbQAWkEvafzBoxbauNx8EHESxEJqfzgvz9mMGcAuq2NIDmAJkkS9R0/aKJVWK3/3123RzddYBDVeyCZDQBkJisrDghdChbSISexLfQ6QlRUCwjlvEa2Vbt3muoYeApt999MHbU2ux25Edc0FKllq7pUm3/0Q2yD1+U/vbrY9iO7gunpb+K61iXoASCk2OkJG2pj14TSTD4Q+DxLY3CdvmB8/zNFHemqQ+oFiYuR6Bie+8QMbena309bC9E2bocazz7nWVuRAzKrIfZBjVF1silbXWd077nCdYnM2QeyHTtkADNkPsxBYqKS6j8q4rECWnTzaaJU1i3PtxRevFF76qq/ziiD0+Gj8TN62xYHsrauvibZ2BJvxcE9Oxi1AB9NSHrxylZNELtYvtXyC5IvQptXOU5tBPnOkqd3GTja7lMc4xJh94yZa99CHaw2Lg5iqKs0aH3jMQthznnBKbTsLoqJmsZUsqrQ9FE8EG2pYJORagxsuzaF73zEHhTRIPPbgw0+4JIxxzq+Fm3AG6ploJSdIlneO6L2g1ugvhMYRLiywJRC80aygkZLWAw/usNtWltmGBvqlc/4rQbpLissBufvgWXv0RLcFtm60ehBhPNSgD1G91wL4xyghrxjSV89K9yWGrGlJvuqDCF82uP7z8VwzqNX30bjCdaTdfcgx7fCKauc4PW9zQ+x9IL/GXthj1WvrXbRExF4GeqycdCf/9VHLvqbBVcipq+2YsuzIs5hEcxjHXFCbp1vuuLv+i9/53qsmoCtlhysiSeB0R8dAZV5eXW7D8m3+ipKsLDzdWahnanYg1Tg1zVVSdpSc8yk86QFUxMjxJotSxug+q5QUUEYxgmyk+JL1qy2M5Gh5bAdE/riFQS3xoHLreMkFWLmizhaQ3tp98IR1N7dagOw4LcaypYAccq5TP3zUYtiGwhl3kobrkTqawXfjpOWqQeMkIJFjNGvIIH8+Tu72BN9HYTbjSKEI3t/B3l7rB5Y4BoR0aX2d5ZKks2PnMes4csZqF1OzDbG8mYldXnMBVv7rY0fthcxcq/3wu60Am7qX+WolFNZ9phVi77XRc93g6A3aGOXDmoNJJL+aWEwMx5w548Pfgdcu4WmHaWg+kflOA5jAOZp37UZT8QqKgAXK6PyS4J2O1jTn4zB0obuG6LumRoxiKHkkTcmP0vnIs6YeeMGli0zINmoLFQG4s482VhEw/nx+f/Gf//mne7/2zW+CRjf/xhVB6Jr22oJiYi0ZywLlRavEyZNOleTDlnRVTDyK5B5GDc5gNUxih6kfdxC00EBtJd1R8mwEJFIPanPlxganGrbQgO/Y937mPLOuQ6kjctQ67Mcl6xqAHiZhhuM2gQwzxqva/nr5rRi7XnDRTf/6GE4lVPFF5YBMDNkI54+C356B9hCgo2dNJs0C41ErjY1YUXTYSiIjVkbFVjGtnoYwISLN7TYKXnkMBJoItvtAd5fzwi++fou1RSZt7+O7rRZPfo60DHGfN9lQ2LCnb9S++cgRG9661WreeqP1kI7csvewdRG6FAru0AGcZqS2BiCoFVkZtgC/V1k8YiVjw1Y+Nurmx9PRZYNsM9ZyzoY7wHdHvc/EzPFg5sjXEuFYfkA9VD0YpfGFILlcl5zUOYHYhf/X33HO1SYEQeIVsefXwZQ5RvuPH8cBBxgompwXR6sfFKAJtApphK2nThc8+8jDazatXpX76+98d9Ojzz47r3DepUleMeP2zZtvzFm//HNkP21VZ1QXUuHhyoaOtwPhTBxbVWte9QWXtx2VXHjpTgRIMqiuHA95yR032Mo7biR22mUvfu4fXJseP4UrLgTDsYLhbKteX+9goZRbPQxy7K4//xvzgmgS5tg+0i2XXb8RpKkJe+4/fwZ1csq1KV6Um2XL8aAvpCqrtBAGQxhNxTDJSXbq/PlPZqMxrgdp1t07bM1n++1017B1svJiLMYgoIdVqKHqhd7/8GP26zfUWGUZrYmw298sQ+HC9nOD9q3naCxx923AOIfsNLb0EOnBPpyhRUz94tIcogqFVkEjh0J+D9OAIjkfqfchf0Q0Om7DmGViHGfaB+xEx6CdHUOdB/opSk+1AN1X8q5b5xj44DN7HNNVi6Vkvnrq8VgUVrl8Gcy82tkH6vjS8vPn7eQ3f2ihbetoclkIo2YuUftRHhxunRBpozDn0dNtz2UMj34np7rm7++///6xGce9Qj/MNedv6lu5c8vGd2cUF34+p35ZpY/4eBTv9QSSQh7zABxfwBAqLpEDLDV2Lmk/TJdRQTut+/hvWuHihbbvC1+3EeKooVpsYRaaoIjywV1fBJCkD6+wVL4uPLZHafI3ikqY/5ZtrinDFA6iZVs30KY4x579ky9Y3nCvvfOGKisHYbSgCEx5jiPJknDjXloKO0uUVYay7+xUZYfJU33sVI/tPX3OmvoiFl6ymIq4cpvYd9A+/JblVlGMp18L9Jc8lANwrnfUvvbzYxa4dov1Yy4NHT1uiwG7XF1danXU4JcSQQhIHUftkjYiu1z/zT00G7LE3Ky4mLuyC1vaB+3Zl07bbhpAGARfgONV6r2SFIYpD+aQwEc3kAeBCcecpw6ZYFUrllrxspoZxN74zR+B70c3HqHPTs+lM7cUIUFwCJkTX5AN7j/6LRuMfPbhnTvJj76yxxWjuienmT5Zh29sWJPbe+joTREcK5PCAEfShnDMZRIuEXd3Tz9FpRPBjhxpslGcObnLl9rye2+1I3hy+0CAyW6oTTh2cLCVVlVC5BSwOMAKj5155Bk7/i8/dsdnBbhwkJoAiJDRIxymWb9Ub7p5bmsoduvPEyCWzzVcajkn70Ov2kZaiYhgQiuWobLoJZUFtpFWx8sXAIeMhGkBQvpse681t/baulULIR60mcs6gzvk6/5PJjHrUWzyL93/op0+22M+UFtXh6fsnduX2y1bllCHTyiNqIGG68HOvekeX2lO9LtjCJoPzTE0pz7rG1YvNI/XbwcOt4DkS3MHfCNwR/wtFTYOnFSU5okBAYCoT9v0POrcinQMkPDkh8kLlTepxmfime8EZltQ0R554DmfRsIkZP2wn8y80JJFDSRJLV8SCB9vbGuD01y544ojdE31EzteaNv1wo7tfQN95U7K8pD1EHlSFz0JSfrYGRoqUD7qwcNdsTHhiZcnVpBQql1ndVllXa1VEJJRGarUvuP/8iDdSndaNtv46LUtD/o4DiUHYsh5orRJyi1QiKzcjj/8vPmx25cuzDZfKM854y66kMv8QotNRJ9c5GtXVNjqWjLwUDEPney0s91Dtn4lDsHLPN4bsZkI/Z9+ug/1usfuunaFvevW5eQAgGGPIzPJtPT6egx3HA6VBcjHzj1NlonG5UOTcg5TThCggnACE2h09xHSXsHDJ5lpNrEPdvdYiB7yWWgEKk0tXE6xE0zhHP6ZAM+Ph3vRpeoY6n+XVVm+hMleWDHpeUZO4Ys2vEK+uCIJ/TOf+UxvVVHhBt+yxRvVyDAZ75495yJO2bijNEjIpmZ8rLffFt90rZ360b9ZJl1aPDx4VUlVN6y0Irzocv6QCmmHvvxd62lus1xSXzNYEDq+7M8JOqsK0CKBQzdpo9h0CyhqiXKOI0/tsyokcEVZAZfx+pBhkmhEQPUQ+xqIfmoyE1udWD5S55cxxICU6TcSm7R7b15BH3Z8FsyzwC5fL+KefV9iGX6ezUuH2mwUUZ4FYmySmMUYXfTFhxcdvHi1n1bjyhlMn4segthzCWP6yYGQUCgAz32U/vb9dI4JCGp6LsakE/M9Hv6l0baO/saTTU/OvrYr5fMVSeia3MWVpcvyr1l/O8njMx9qysxLdRt6/gC9uipYHGXm66NuAaLtJpQVosJJnvmadastf5Fa6CL5CYXt+z/ftBEWQg692JzFx6LWkI0vGzOGLRrgeBpjsaiN0dWzhnhxO57lg/uabfWyKstH/X49F32C4CdJoglY7UKaEr6iEuwu7w37R8SuSEAI8E2Hg/eGnenCgUXoR093Wyc4byGYe+oUyDaXlPeQciymPjku4iT0mkK88pkM488pwIcjD/wkploxqDTnnn7RJSb5KIJJMo8LZ028U9Rlom9w9Nj+I9/mm8SCmL3Rm/zzxTrLm/yCk5dHmcSpuVSu87+jskdPYlYhaUIkWEzIwYI93/zwExZUkg2rVdBQudh5Uu8HaRiw5y++YmM0AMxeU5cg1NSFwnEUzhljsahENRnO6wGr/Vxzi63/vQ9YxBe0B584DHIswBeihtd5yG59MzjidFu6jgn5Q35BQ+ZCAWhPyk1QZxdn26ScW85UHx1qc8l2jBG/V8qrlB6XtKTteB4RsvJaaYMlBiCizsQ+r3v/PRY/3kS0BpDISz0zSJsEHN9NN910xdLLFXvhE/HIwVhn1/EZYILJB88DmyIOG8NJk72eohVUy0we1gQJKpOAPQrHu3o1UFFUOGVih3W9dNj2/uVXzVDnQzCBOe19FocYgo8Y/DBOvSH28eDdl3ToPN1sI/Tp3vyJj9jB5i77/sOH3KJx2WIs0GSJql6T798IRpC8/TfrqwhJRS7JstRXNxdTVsxzm+QZTvE3F1GK2DOoCswnw1BlxANP7BJHQhtLLHOtg56ODusFMMSDJiiAycJVdVZEduTwYeQGz3f20Hmm8AFMdvUdfuKJJ3AEXZnj4ju7Qu7jVFtH76JgeG2wesGGDIgtVU1TmekIlWkZlJYGly12aloGse6x0zxgAB+X3bnd8siQU/67suKOfvV7FgTlNYAXVovlUkMLJU4t+hRZbWrKMDYQsVBlifPGq02vOosUrayz5+5/FDs2w5YvKbFesr+aO4etq594+UDUfRZOmg/PcRahPS16KQ78Py+HR4xO2W4QTBRJ3DsYtU4q2BSa6yMFdZQqNWlmQZ6htrvUXHiY+3YckQeOtFqQ0Kh8JanP/PzkTTPk4OIF9KUnLg4efwBEIKEEaXs9w8jAAK2rS3G8JjzuOZhiHURYMungKidd6nEdZsHx0x2TLR2fPdF69tT581xhb7j7K3cU+sPf69+x796i7VtKJlhIiQdJ6iTOsfH2LsvZvhEiR70UFYmr816IMAV04tToBgSy8bs/tWySMCSp5yJyLQznqNEi4UBCKV27rAQPe9h+9NQZO/fIkBVvJ6ebzLWm/YdtGcg0qz78Dvs5zONYU5f1k/46CEClFrpsa6mgXlJa88kBqMJxt6q2zFYQcy5wmW+Trgebuzj+mb6l5Mcr6lUMTNKwuz9iR092UaLaaa2d/TbCXERQk93guYjhhYM+K6P5wkYaTa4HKDJI5GMuE8XnYf5A3w36s1xGmx6rNDpnW4tDTA/Z7FoP2RuQ1GD8DYEFmHvjRjehepYxMhC7wRQob6CLDyZIiBbKJZvXWAdJObmbV3O8hEnibHNMtciBY997aMeLjyaPfyW+XrESXZN9oLHx5JJwzmLyVbc4zyt2lx5O5EQT3jMWBGr4+Tx4+IDCK7V33WgeAQPiMT/05e9YYM1SVzQxF5HLsx07gZ0PsXuUQENDvji9tcv8cbtlbR7e7zw7cqTThlo6LUTuvfqojwKYsBTVcQhQizZSNelANE2wWjxKGmERojWMgG+nhb+XRJA9R9qtD6CKYhxKedRoazFq2WrtqlDkzT5E1JK4chqKoSlnvQ2p/ZPHj9oPH9lvO/edIoMOhFdSktX40N0Yd6jUGBFVDNX4HNJ3H3Nx5FS3m4fyInLVU3wAOn7PUNz2Hmlz+epTlJeKkYydaiMlmWw77O3EcS/MluZQ4bcY0ZI46cnS2HQ+Me8YppakundaqtNR1drp0urjO6nwzjRA7Qf2+9SSyiX//cX9+9suHPnKe3dFE7qm+yMf+WBv44sv3RoEvUFhLznfRqkoC1Iz7lrviFoYesDl1CyrNFQgBUcBehSkSBCssbmIXPsIuz1KN1Z53F27H8pOR5AEFeBY1JZnWXGO1yrL80jk6KB+esDCJHPEYjEq0nKsAuTY9v+fve+Ak6q82j+z02d2Z3vvsLAsZem9i6IoqLEbTdEkJsbEmPb94pdmviQmMc2Y5K+mYYyJsReKdJAqdYFll7K9976zMzv1/zzv7CxLE1AEVnlhdtq9d+5973v6Oc9BfzDalKFAvklISZGktAxJzciU6Jg4pNlalYZAf4AdhS1FsO33FdZA5Q+RDHi03TA1lr4OQAtwCiagXK5AkyxLPVTcJDsPVsuQVMJb+2XFu0flpeX7pIgVgyg00WKbMMxBbGKSRMfFS3hUtERERyvbGT3PENvGNsgTIDG3w9mWdwjFQ4h7D02NVEyP94KaUGunQ4XYdLiHOoQ7NbjXdgBJhqDXOhnxyYTO/fCh8sDzPqocd2hOZKSMp5vwGxao65TqRgiBNqj5DggAAzAKyAx68F6qG//5wvIVfw8ca/D+HdSqO6f9Bz9/4r0lM2csd5TWfD0UKCIuSFJyYwNscZaTBgcdMuFohshF14rClpb8I2JbMPWMRB7Yzy9uSFSfvVsCbTwgjSkR8I9DEWGcTq6ZmixvbyqX7iOVKKBJh1RHGAeJOUkIu1UiZn/V4hslPjkF50NJDUmG8+PiItRwB5BNUVcvZcVF0gTgwzfW7kNiTL3cc/1YGT8Cx11/EBIuVHKARHM6dTZwnpfmL51pRZVt8t+VeXLrtbmQynb5z7J9UlrRAMIUiUS4K3XYcEnHIwoETsLCxavr5xwQwrmzrVXKCgvk6MED4oRXXAfmytDXq+/AkYZx1ZQMZKRCC+AAz1ZSmlKYbBIalrKpiTkQ4OeB7Qb8Vd512N2GYRnQzipFj3RZDhIyi19igBGopDc+i0dHnqMvvyOSna48+/Zj5R3z5i9Y8fa2HWqfwfxn0HrdB0567sTx63uqanthraHXdotyuGHFHGfw4OChqB83sbUuFkT5O1sgBWJUMszxjQYe8fhrI7qysFKKQwtzwIBFA8HeP3i8xEiTKlntOXQECTp22NnIm0e8PmHaOPGCwbQ01CspQnw0ll56IE2owutRjx4HKTdh5mxZfOen5ZqbbpbklGQ5BnX0yX9tlkgQ+NUzR8jrq/Kko8/O7//hS/yCKno3ioReW31ArpudI0aoz398frOUQopHomps2oKrZcln75OZ1y6S5MwhSkJTtSeDC86BDvcoJiFBpl69UG645zNqO6830H+N+f9vrN4n+UUNQq2Bg/tTGtPBx6FhGBNmmL7P3FEfnuYPU5aZ0egFSrAXcXgSORkOsxuJ9kNCZyViBHLitWAy1MI8rW2isffkDc3N3XaaQw66jz4WhJ4+POew2B0lXtqAsPVYhjpwMP89GqE0hsIc8JZ3wYa3oGy1334fuPFJr71ICtExsRoUzfg4F0VVQweSLLDIILZcqDZbs6dBLULiyjtKa5WDiaaCFXXzRpxLM9ozYX2eMpQKCcJnoz8tpOPQnFGy6I67Zcb8BeKAh/qZF7dIbKxNRmcnS0Fxs/LQn3KQS/QB7fJDRU0yJidZbAhpPfvvzeIAgeROmaYIfPzMWWIODVVMjYTN+Th5Eo5ff69EAn5r4e13yvAxYxVgJKYZ5opXXlt1QNrtVP8R8YBvg/fM6Qa8G7734z3NLgQ4ME4zwcG5weQDo0hCUGLcW4MCKKobGG74BlxAGuKxfDA5TGBQxohw9FvvRi+4NlQemqruuOMONGgb/ONjQegZ6enonORzEaKI8VMD7C3lie27PzqodlbYYuTkdjjOfHDcaCGp1eI7yz00Iu4eQirlgwsCC5zONC5EIrruKuqQklrg02HxcAH1ospND1ADbsuCCUtcLLZHMsZpfodMQwfHFeGTSOgu2Pc88EQQyU13fRqEEib/eHWHZGXAMz809gSP/GkOd1E/Ysrr8MxoyUQJ6tKXt4kJPodFd94tcxcvlogolICCsMnA6HxjZxWi4A7ssHLyyZIZ8PtZi24AwxsJIkfaMd7XNbXJum1FKv7uxP2l6aSwATGjIcyAYwGSBhL/feicv8X1YEoABiAkenBbMhqCVQRUdzADhGXN2IYIRF4nMATw+uMyBr2NzhvR1tIyHp4dGFYgNhAOM576pQcWgBGOGj0ADHhjdbjhOjCCcxmkbeZGu/Ec8ChDocRi0IEoqbq22/2yLb9JvefxWCCjgVZhpmMIC5G/5/cDVhgmpgcLd2CPbxI3vy8vL5fCwkKpqqpSBG8FwVhQXWUDRt30q6+VPVs2y7+X7ZJv3zdPMRNKnsthKMaGE/n3m7vEFBYuN9x9NxxsMVJeVi4HYW/XIzElJiZG4uOP55FnZ2dLNJxwTkj+ILWRyIIPmjN0fM64bpF0tLZIa1MTEox0smNfqcxFVRwjKpgEBfzB/X0wgbSYK2ryZ58VbGHE/pDimHg1hbg7AOLss//5Cc5FD/PODzQb1Z3H7cyEczUHrdMPqx0G8Z9BT+gVFSWzHv3KV+/WRIRFGoD00o3FwNRM3FI1qLbzplEKkLBYQKpnc4ZzHFwStKnV4qBYhtSmB5xe4F3H2qUFCSAEYFADC1UP0AhqFNzehwIZO5BTEuJTZAQWORcyz4GSKz8/X5577jkpKytTBP7www/LokWLYN9GgRAcsmXLFvnvSy9J5pChUnm4QF5ZdVC+dOskpRmcfVEHTuej/euHWn1QHJiamz93N8KIfvn73/4mhw4dksTERPnhD38oM2bMlLCwUOno6JTt27fJ0qVLZdiwYfLZz35GTScjFHbYyR1IYOGzG/McguNYAPwx/ZprZfVL/1UM1g5YsB15lWAcqE6DBCfiDJ1x7JsOjyYNq7MPTJoBQJBu3CveBw6wGKU1DNzZh3sDVyn6r8dJfUHJrJWvv/4Zh8PxjNlsrhy43WB7PSgJfeG0aVOvXrRwSGJCYvaPv/HIvLbO9rkRV80QD50zIEIodae5DwHyCEEYx4WEmkC19Gk2O+Ej7ANGQS9wYEBKUwrgrd0DYi1tU40Jgrv4oX4mANCAMMJUFTuQP++sb5brvvx1GT9+fHAz6QY23P/8z//IsWPHlOqOajy55ZZb+r+Hv1ruvPNOmTlzpnznu9+VlOHDlVd6D8J4U0cj4wu266Uc9LbnHalTce/rbr9DQqF9/PGpp6SkpESokTz99NMybty4/lOMQtXYYqj0EydOlPvvv19KS2fi/ZK+76E+Y97a29uloaFBampqpRUYevGpaTJi4gTJ37lTmTX7CqoE0VGVuoobrAadm2yieW6LGCE13E7CRpHRktipSQQ0veCpYP2AEdMXEIa6BuOQVHnmt088vGnNO+l/+tUv9hccPFBTUlpSvmbH7u19ewyap9NRxGV98vMmTozRJ0bP27x/3xdeXPbGd1tN2rmRaMWjQyyV0pq2FZAKlRrGC2HMnAQYdJV7sUj9iFvjTp/TdYJelfRWG2OBcTcTHDsGpK/mpCH3GguDg3jk1nQAVyBZhg4ienGPvvaOZI8cKdcsul5J8qAkefbZZ5Xko11OCXfTTTepY5z8JwWx9x//6EdAWWmAk2ocPNC1J29ySd6DPkDkNTJy4mQZkp0j7+3YoTQTEtCkSZNOIPKBJ0hJ/7Of/UyeeeZZJM/Y++eE8xATEyujRo2Wq69eIPPmzZO0tDQZOmKUun+c4xhUl2EzVZvAY/IcmIOgzKE+59rA3zrlNXZgQwgfd+QDgyFX3UAzD5/5AWVlYKQFr21TR6O8eby1rKP108u3bHq4we28HXZ8ID7HAwyiMegIfdPevc06n9cVMXVURvz1cywRsycA0x0xc0g5OlM0IEIXkh6CnlVyfye6cngQs6a+aEkG1BQI0Udbre+Gv9/9ourP3mrBban8m2Dr6VAlM3N0lNgItgAV1JqcIGMf/pwYoLozh774rfXSBWDEL37jm3DOBexxEkIrwjYvv/yywO5Ti3T06NFKYp3pHHJycmT6tGnI5rPKVbhW/v6lHsxYy0XX0typ06Byd8t7772npCQl80gwtvcblOok4nXr1mNKAwSnTCqGtfDgZwkIuUFpQ1OFgLQ3Ik32pgUjJTwU2Yk0yPuGHuFOqt/nMnhcN9KRKdGDu+gRKg36bngMNn/oQVSG6DL07lM3tORkKAixpBvmpBiS4pnJhMZ7g28cn7VBdO66tp5Nzet3VHShNtwL9FTVMxvnz1RIHbzrnoZmvDu+ALxQ8ViLTEI3IZHGisQZV0Ob4ujvf9mw4bCwuBjofOMgsdY2dslLm+vkhXWV0ougesq1c2XKTx5GHDYdTMQjx5A/fxQghHfed79MmDxFqYnB39kC51p1NXqrU7PA+YQiBHW2ce2110pbe6skJSCLiyrGJR70UWSi0s8aFiYVFRVSW1vbz6xgy5717G699VbZseP02m+Q6EnADdVVyh+SBQy6VKQbM8+d33PwyQSnZ/C+nPVHuQ8YvgFCgTszKsAMxhAwER6TTkAnnHBOYAoaEGYLCApsx5g6PP9tyMDr2JWXH5aSvuJcfuty2+bczJvL7Kxf27w57ztf/tK6Q1v3XeWAV5xZcCw7ZDqlD2q5Avxj2KSPmECe0tnYBEBINFwEgEHs5DFSgrxmUwZghN5nkLaVIw4qnpLoWFz0NjtA3AcR16Yen4165qwliHvDoVSNJhAlyzdKJ7q33HrPvfL5rzzUvzCDP7N58+b+zyhl6IQ628jKygIUEpo5QnNAK7dLPjgvJBSef2VlpbKxg+EzetvPNiZPnixvv/0WnG8u5aMIEm9wPzLTrs4OOXKoQDHWcSNTwMQDTtD+kCiI0wh/QM+5zAfOk0kwXBuMpdN/wt+0AZaK95MuD2qDzQePiL20ApU2xOQLeHr8WEc96CpjMZgqbrvn3uVfeOjhQPZU8GQHyfOgJHTO7X0PP7T+W/d9odw0akiGdVg61Gd4X8GxdZDAPchr7imvEwskLO1zcudOcGsmR9D+ihs/UipXblIgBlokewyMuav6dhB0cEH1IKbqg91v5OrG0DCEh5esuGIKbOXqbarU1QfPsBaqX8bQoXLLr38rc5EZxhG0y0kUtCcPHz6sFje/o1QvLS3ly/cdlJIkdpcbMeBz8yK+7/EuxJd0yE0eO042rlvbz7hIoOdyPTbkvYdBG2hGd5VEZAYyBHni0EjB/v1SX1MjMdE2VPgh/g3Gwm62yokGIsRtUKEw1pT7lZctcATF3E9yVtKUsheU8KYhcYa915DbDi0tDI0yVVQG5021vgZw0GFoEhE/LEMi8TBFRSgzbMePn0SX3LQ9IPI1J57n4Hk3KFV3Tm9BwbFCVBlVMQkC2RgKK8yI1j16dG8xAyHGXVwBtQtSHTeRg5K5U6n0kAQAMIgCEKQDTQ6D33MbvvbUNou3uaP/c3JCZlWB9Lm8sNCA/hpmkK8uHipfWZwld0xCqSm0wW7g0U2bO1f+sPR5ReSUGEEiV8cGobchr52eZRIER5DQqcqfbSSiR5y9sx3nEGA4Z9v+o/welwbfBAp6EILqQsovmRgHr4fhwpaW1rP+fCiSgUjoZxo7EV50gXGOGp4sUWFoXgFiNsJx5oZUZkEKnawRyKZzI4KBie7XuHz1rX2E3zdPODefHZ1gqurFjKIjJc2xfThBJqEN8n6y407J2+vEhV1M2WkShoYfUSPRSBNqvgmZjRHosltdXn7sTOc6GD4ftISOJBP01tV7CC7B/GlKYD7I4fVU5YHc2r0LYIG40eoB4mqF91p53+H0YcGJH44XnwI+CCwKSnMPwmFocB5YOLiDjOsaEAs+PqDyAbstGpVrqdE6GZsZKgsnxsPWNklZSSnCupAwoIST1VHuT4nOWHFw8LwYSlq1alXwozM+96K7iwuaRb+T8YxbXowvOF8wYcBIW5HYEiR0MrDGxkZZvfrs18PrPh2h81gMmx0+uB8OS4NMHpPWP5daDRx2IP5epBpT5WYYk8yFoCJk0nqIeTeqC/2+40kw9Kw7K2qhssNrjyxHrhHuGwnnKa+B4BOtaLdVv22PQiOiJ19hytFhS80A9zI8I1W629tPadl9MWb6Qv3GoCV0W0eH0W/QGdkF9eRBSRo6Nlu8qDmmGq86qWIB9aAvuQPJG+TqNoBPWKENuJCyGoQa4k31U3rTJof05ujt7FJpr+oN/mBXsUCycLF4sMCImhJuDgFoY7jUQtVsaWroX/jBfQY+B4ki+BlTYP/yl78oh1bws9M9FxcV9av8p/v+4n6GeULxScBLHgCYCP4+Ce9Pf/qT1KES7/0GTZgemDsnD0rqdjCBRvhUMtPiUbJrA28GI8e8hwLKmXeGZhq8cKrjbQgI1QU/B26v8hWwLHagKcayZTdaRJnRWkvdURzIAtPBCmFAptnb1i6H0aDDiJ53BA8hszIPRK/B9qFQ8V1u9JAaxGPQEno9mqPBHtNxYZwySLAg1rAZ49CmqQrE3KK8qrTN7LC5OSi9E6aPB7fHguQq6hvgEX0prVg5oGoGcPSQ6Fw8ZosVSgRCMhrY/QPCXDyFUei6mxhlFquW6Z2nH2RAJ0t6Ega91l//+teVWn+6Paura2TL5i1ihn2JyNYlH5wtH/L33U77cSbZd1a8HjroHnzwwTNeD7MCCwoKkOp7Jg89ZhcEOnl0qsLL5+3BHVWaFJmyFvOIyBtaJJtUHTlNNEXpuGXMa2OjHg7eY3crtDMwZB1U8KDWFwkGT0nuRe58/h//JV5oBqb0RKUtMHfegLTagfdJZeJBWQgcdXD+PQ2VDI4LeeKJJ9CW1Ns98IYMPHPGQYkrZgE4ZM/+w6qDKtU7JdGxaKiisYe2Dh50YrkHFkpgkTiZcQVuT4nlRRljCBxvXCQ2lLq60fkjAvnQ2KH/5xhuGpFslpHp4bAh2/o/P90LSgzmsjODjETBB/PedyIDDJVS8uabb57giW8Hci3TSVtaWtDLjXXYx5nS6Y5/cT6DtwKNEl0OMk1ANiFESOcaH/S+87Fnzx65/fbb5Y033lCZgMHzorr+gx/8ANIc/ekxB6cben+PZANiKycLBUGYWw4yOAOKiPSg4h5k0RFXgJqaCSaaBx1qqSkR2Ubpd7infM+HC9VqIZDedMJxrTA6YwOhMy266NV3VDSG0N6M1PB7GwExoNUNXFdMftKEaAc1oZ+q955u5i/XzzzeBsI4a06jvvOUKcFNUP960ZvNUVotFjhanMyK402FGDYiXmrBQmGCDSGHSEOsPdf2xbYVBDAWsgbJLZQOJnD7XhBeKBbgwEGJYwYO3LRhJmks3ChRQwL4ZFgtAzdTr03w9jJZhoMET5udTjoSOx1ZlOwZGRkyYsQItR2lX3FxiQxBRxEmjlwug45JD3DtlfcaBB4kLDIuXg+Jvby8vP96hiONNxKdbfLy8uTo0aNglhHq/YnXg6NizjpKt8sd14xAdxZI3T4VhgwuFL4RCyCkaC6xNpVmFE2wlspaNdVMgVYVgCgsMir1G+o8/C0GtHBWhItjW5DQZELHnu7qOmlES7XwmUhNBlOnYKCjMwIOxhMGmEU34uioiT97HPSEHS+vN4Oa0DW97lqmuzIbbiAHHjjFTJ+0jMiQnr2HxYdmim4mQMBhpmPOMySCFY0RnY3NWKjYC1Kb9p8eC4qSiiCTfnB+tuYxmszK0cdStAg4AE8e/H3WaHdWHZCW0j0SM3Ryf3pscFsldUAAJHS+pnQnUQQH7XUOJqHQxo2FV5nqPj83gZkhvHvG6wwe42I9K7IAYfG6Kcl5PSTygfchqLFQlWdkgSmwygZGuJAhQxL+wMHvOmrRfrmuCF1XT2yCQUI34j7w806YX3TYQb8XK9B8NdDI/HyP32cITYP7y/Pxgmkz4cWANslBb3so6s21mP9GNNzUAYxChz7qzIjDiYsVCTQWRGSovfUPHKerrt4RFhYBG2DwjkGrunPKURfe5m6H2gaOfKZBTs2bqYP09LR3g06RH42FoFRvMgGAAhr9gWmgBqDBQwebjeKdgILsfc7Amhl2uhtOnxDsH4bQUjDHfeDv4nBKK6jZ9RqYSQC5ZOD3QUInAfA1H1zcJw9+T4kXjmIRlnVGgCCi0GxQh21P1RFO3vtivSdeOn0GQG8B4VBToRQnoQ8kdp4NrzEKNeosWSXzCkpzxtPVhOGvIkzY/c1HtnCXU+aXc2sAoUdHwl9CUwv3yY/qImsiAEVwfKY00zTTIiHGQz8M5xazRWbuD3BIdVwDe7PhYK3FZcCADyTP8AvG06NTmVB1XGjgEPgNj3QUlbekpKYijjd4x6mrbBBdS3iozeuE1/zMZN53MVwlCH9pwN0VpYBh8yZyMIaqiBaqvJdoIyRCqsjYxQu0GuY900C0gll0oeSUKrrNSnsvsP/Jf2HLiaO5XOrzEWIK/kjfRpRitEtp01KaURKSQE4eXIjclqo9vw8Pj5AYEHp/dODkHS7Be8a1fS67sqEZNgw+glrJwFPi9fBaqJ3wQTMlKSkJz5DaQemJ+W8p2S3O1qpT5i14LDKDeLSN9iAxiplulMRMgDJBYgfsdKRUwB73dkDLxm/yFjO1FbpG3yHwCs5UagJeJMi4fX1mN7Y14fzCkxICIbXg1ryXwCDsrWpwjJw07lQ1Lnhig+B50BI6Fo9t2JicKBfSEwfGws805xqqZ9TISHz4j3uraL4HRSbk+ho4edyAD0ImCFR11CzD9vd3dYsuMsD1LSD0bvxWmFUvFqRjcvGeaWi0Bqnf/444WhG/hZQJDhIvFzlTWVkAwmOcrO5yW35OJsDvKCWd2D4ZkFKX10B+AebMBnU3qIZT+yDYxOlG0GFHKU7izszM7N+MzNHV3SItx7ZBKr+/NZkQh3nAvXRBk+McsuDICknM2gXOmw4Sn+ASVNt9OC41OA0JmlTPgW1UpAaMRdf3W9RK4jLSTsGe47po2F8onm572MQpM4YFDjA4/x5fhYPo/Fe+9loKTvf6BdfeMIqILr11zWeWdiBsH1Q8D1JgoXMrwuuPveOmd8GR46ZHFhLK29CK/l2AnMI+XsTPyRMIGc1iGSM4fmdlvaQlhAIIMcAozjRl3N8Dj3T17lf7N+HiJtGSKPg9Fz6lO4mDqm9QsvGZai4Jht8r+xcaRRJwzvv8Uv3HvJQvSFRGPUKUqDRj7DooyYPmBiU8t+GD0pwqO5ket+M15uSguLx/+OHE3ID2x5DEnPQzDGpeSTGhqrNqL7QtL/0z2DYiO0O8QN5lzDwEGhDx9b1wmtJ7rsP986KjTiAMy2xFOPJwHhY4XwnkyQNYwFSjUhFewzkHh1oDYLDV6OSTnpWVMHr8+GtLi4pue/DTnz7RsRDc4TJ/HnSE/qnbliz+4y8fv/+px39+Fxwr862ws3pQRII7eJxrc9K5YPAIwcIiMqwG3lYdwmJm3Hg9HHG05+zwxneVV6v+5x5gifkQ8lEw0VhQLnR60UANVPF45Dx7sZgdSKGNCqcGd+bFGLzfIZDqbSW7pKlo5wlSPTk5WYWWuOhJBCR8lqLSbqW05zM91FxoJIgehwP7a2RoZgZMjOMLMfg7l/LZ4+qRIUOGKNAIngevh4M19iRsmh1kYnzP6+H3lMJ8MKrAQWneUVMoXdWFSs1WH57hD9NV2ak2DA45F5JqXEi4IXHa0KIpBNELDzLmqI1pkeCiQCChcYQgfu6Ah12tBxzXTQcr5jVhyljxMgsStn5CVobC9wueP3+eJl0jHLg9pZUyfPRoefG5f9z+7S/e91B5XdXXbrzx2qwznOJl+/H760mX2WmjllmfOGtKtmGR5ao1Ly+f9c6br2tZxODrRIZaNexnlE4SGZQeWnT7UiWMDJ25y9Hdg22QEQ+NTUtSi4tqWfnyTeJHaiSdb937sNDwmv3QGTf1QEswjx2uRDedNF3V9SiJ7Yb3G+14z2PU7HwZfd5yRG8OqN5c9GvXrpXU1EDIh4uLUnDs2LEBKCUwADIBEjmf7cjljouLk6TkRCzuCvzy2ZnMeZzeB96UhOt2dMlwXA8r8Hi+HHwmwxo1apQiaL6nJhO8HsbPydyGDBmqtvf29kjzoQ3q9dn+kI3Q7xoCAvaiI44DyTAE6jShNNnM0mMQrj7cKgZI654d+8G4nWKCpO7evBv3DgwT2AHtiLDEgkFE5yLcl5UuzsPlYrtmLvgAHHksDcR1KWkOh1/pG6uxZnyy7u23lN8mZur4eeM/dbU/7w//zsOpFJ/tfC+n7wcVoe/du9edGGNtmvXL71uTpo3TVqzdJtXrt0ovVG7n/iPg0E2q86UGnF9LgoUt5+6yi3ncCOU9j4WzxYZwmipJRE+u5j35Enr1dHhxnWAGdWIFgL9awFALQeGiA6oJ861t8MwXbdmrkmx44891EJ3U2VYj1fDCZ8y5j2tIETQJQ5WcggBI6EEiCaq/QcnCc2FO+JRJE2APhwjyvy6bQcLo7emQYVkTAwwJ10RzhNfC8+eDPoaBPgheD8OJmZmZ0FwQxsLVNB55V5xdTSDesy9Fsjg/NSH8tg/3tRsNGJjoQhy5+GnjpXTlRgXjrUNfO2BQo2ipVqzo2KPDPbcXFkk47q+9q1PawbRjIMVHfu5WOQzcgD0/+xOAPcxg+EiwArPHqaPNVp10laAhB5hGLJpxpM6fLtHop1709kZ9Z0l5y2VzI87xRM4+u+d4oIu1mb7NuWLv7/4xc8r3H5w0/I7rFHRTA1owtVbWACgQBQ+Ip9LP6oZUZsjEAq+5HjcwAc6WONxcAg30gPMX/u2/oh+dhdAbkiewP+uU9fGAKcZddmKB6JhAA7UyAllU9Ny2HDqq1P2ePkftuV5viM4ozQWbJDJzIrqt5io1nXY54+QZGbAtB9iFQQIPHptEQ8IYPXI4TIdutQAvE4GuTrG3u0MyY6NlCAi3FtfDUtqB4+Tr4XfMjFuyZDFeoRa/oUza4Wk/FyLnnb984wAAQABJREFUvgyjdnb3SjfDa7DPqWWxAQPV7PiJKD1eth5Qzd3wvNtUibJ950HxQcszjxwiXe/ulZ5jFWLOTpfaYyVInAkTK1T80V++W7pR2dYFSW+EJkKCcOCYkahgG3LT1RKGHHkTY+v4vGbbPin+1ys71+fl7eD5DKYRjDsMmnM+UlPjSDPqGzqqarPixo3K1CPLiW1vo1CCqIWHXIf3foTSiCQSihhrFBIqkkdkSQS2oZTvRm77/t//Q/wxkWIbPVR173DkHRXrlFFw5ADeCXaes6BYLLnZYAo6SR6ZLb0oQa15dycKXkxiQmVUbiY8x2T75zhYb21HyC1uxGzgkFtQk14oO97bKcnJAFSACUFJd/KDkpCSv6GhUe779KfE1FN7ednoOGe/zyXRmWMBe+2Wle+slGSEzKimn3wtVGUY66YHnMkz3/nudyQhNgbOytfgHQ/EvM9lKvXQagpLW2T3oUoJRSslFzqvRIwYImZoB3okynRDo+ssrxJjMpgzMug8+N6FBouWjCTRgagdB9BJB9WKWjB/Ig5Z4OzUI9+ehGxDNZsF3XtMaLoRBnWfdj/f05Hb1dAklWu3y+G//ntVakryL/YeOgzjfnCNQUfonN7i2vraRB+QlqsbJsaOGR6jw83SwekTCucZyw9jYIfH4kZFZ6RIBAjdgPJEL0D/KtdvV73QNdgmDF1Uac937TgoBnBtLg5KSwcb60GNNCGLjuimCTlZQI7ZJd2w63SQ+mwAMS4rEnnVVCTPbVDN9fcCMeXoMVn6/DIpLsiXHqTiWpkJB63DBy1EQ8YBCQ6jU50XbdFm4JobQDi3XjcLBe/V+LFz/81zO7MPtxWTkZiL7vRoZcPGd1HVZ5RwEA/x1unnIGCmB55rDwE7cY2sMvMCuy/OjFwETzli39DCMDfnOsgsVqOZQx3aU0XPmQTNq1oM8dESBUImMzEBbbZu3XbRoysPnXJk9o7DpQr91YQsOD3aI/cWlSuNzW/SSxccsH5ogQzRBZ2jXBP05vcgStMMtJm6oyVSg2aZtas27kpLTfvxX198de+5nu/ltB01lUE51uw7sPxGizVp+/d///ukuVMtRATRhYeqm8bFRDXeCY7uhMOGUEAdx8rRPskjlsmjsDhilF3e+V4+OrYgDtzXnolVUG5IfOv0scqbG50C9BOo1o27D6hebeT+zfAFFNc5ZPwQKyTU+0t1SjYIIVXOCotfdM0F4kMEwOrH/uiQ6vb2wNbswVpHOAhEzLbCVNeZw02613N/3J3CPe/KhCyUSmIRXk6DTOjAtg3y15cQgkK0wAszo5YFJzhvEp4iYbykCUX/A9Fzs4GveAhoybkJ4yXChlAjLkhJ+wEmzOmukcds7nCiLx2Qg5KgnTHfAZ+1Hi2XpAm5kOpW5L0nSRRAItrBrMMm5iAjTidhuJddW/MQfTGg3XKShKFPek9xldj3FIoD59MJ4jfDZAtB8g5ymNV5etDyiYKhF/hxHgBZOCqqDkyeNO3HP3vqqXdPd26D4bNBS+ic3Le3bv/LdZMnDitbtu47DZDensZWZLd1SwjSVZnzTPRVtEZTktgACW6Fuk7C7QUx9+QfUxzeCs86iYteeDu4fwjUOB0eJmgIEXDitJdUSNfRUgARmsSSnqhCcTsKmmRUGmLyahGf/jYzJNbZAybR6ZasBMbJGU82yi1zkuCNxuJH9g67gXqRfuvXGuFHQPENQniEp/KCynlOlOA8TlykGUyB7y+v4cE5sm30dXNHSQ9U4nCEvkwGDeoCcD2YTz1ST/WQwjodmmaA0KnWM/bOR5BFdqKvWl2LXUZkREI7CH566nXqsM/+o/XSge1joba7yZTByH0l5dKJMl9zBO4j7m3G4gWS9+tnESMHA4WTLgROOdvs8dK1Mx8aBFpbo+7BmpMpFph6LkRW6Kl3gPDdOH8FB93cqpKl9AjLabF/b3l16cjc8T8BkZ8dTePU075sPhmUqvvA2bv3gXsOVFfWZkfOnphtGJoG8QDbEQ4ZLaSvGeq7DtBSekh6Hzi0E551BxxvbthcZnhQzcCUI0Exps501978IglFW116dhOzMsUGh1zRSytV0QvRSQypCUjCMEr9wVJ4mBEiQo/00y1OCjSqpK9ua5B3DzRB1Y9C6mwgjkxJze+D0h7p2yAG9IvTA6IKiTKRYUYFnRQNaRdtM6nXWl4Td7wMB88tC9pJdkaMpCeFSzLQWhOirRITaVHnHg7YLVV1hiQWEvjAa6F/4s2NR+VldIuNBXPNSAxHzsup16mFWuRw+eWllfvEEx0lllFDVOGKFwybGP0a7BuJKjbAEyh7uwdQYK35RxVjJvET4tmYkgiYsCZxFJaIi8k1KGX1kRFhXwO0uhAm0kCV1yAX3jpptNgmjkJtg7PH39j6o3+++dYLl+HUn9cpDXpC37Rpu31qTnZVW1XNBIBEJtDW1iXFqDxoD26oBvFTDZIkXAQgAFEZ05PEgjp0Ou4o3ZWKCSLq3J4neqh+BkhxhtRSxoxU7ZRqYNdn3b1YGlHTboS9r+0reCk5WCmJcWGSEAGVjygIkL4kXkpgSrK1+9tkx6F6qKUaqN3IawcKzZlolZ97ABXlRzguRA/mAeZDZ1/wcV539BJsTOLkOQee+ZoayfHzJ5PiDJ1MwizS2VNYiwYV6JFe3SKjsuBUDTfDbcE0VcwlHtQMKOhfeeegHK1tlyio3nS0udHxFD+CSAmw9GCaWXFfrTFo4gHNJwISv2Hje2hZDS1C3WdoQ2AWBq4NbE+fiQ+Zjz4IhJBOJN10dKnsPhPKWa1YG3q0fnIBO7Bz+74nV25775eXYEov+E8OekLnjOQXl1YNDbN1YH1MMyTE2FifbkCduYFliGito4UNpsdNNkK6hyDUphYcFgkHY+p2SHJifoeCkzOpJjk7S8IgzY/+Z5nYMtMkfnKuNGzZJfqUeOwA1ROeWRfyqQ/sKpduIAparcCt40LHgR3oyLhxf6tsygvkuUdHmGTO6Bgs2pOXufr5/j9c2F5kmml0JqTcgnmcQhb9m35sXtA2b2l3SkFJHXyQPimvaZOMlGj0SMM9QVM3to4+VtEqL63YL/llTRIJB5wWDlcOL1OaMeGMkzshpb2oMoyAk5Xlx1owAiO2q1+5SQyItrAxpuKyYDhMi9UjP0KPdWFIilXrg2vEmIr8CqwNhvA8TZ3SumH76+mpmY/uPXQIlU6DfwxqG33g9K/ak/ffRTpdpMZq+b+wnIwYhUxCUTlgnPgONAu7sbeyQVwl1WJbMBUSVSQcqmEU7P0OQFCxj/qw730ZJa4gPHzJ3us0BSg1bBNGSjekzRYwiffy66B6A5wQx/PgOzuca2aEc7ph/41MDYfaruowBpzJGV7iBHvb65G8jUiBCQzpckpuP8Mpf5iP6YsYCRCP0C0IhUHKNsB38Yf/bJNQECZ7rVMz6OlFQgzqD6KvmSnaqIAWRn+KG/Y1iZV2uBYJTR3wudQjgzFt/CiV4ho3cYy0HSmTuq37JPIq3tuAQyVQl34apyb4Po/rQwy9ffN7m22msMf/8uKLgy6Mdqb78bGQ6MGLK66u3ZMZou/yh2hGAfoZ3hRc3knEHtyWN9Xb2iU97+2HJ3402jpFqgZ7GeNGix72+JHnXxctbPJENHsIQWlj86Fj0on4uhkqourOCiKE9iAmaAr6mGjRILHGi3x6/TDY9tlDkBffBO+6R26emQTABNrYwV8+2zNUXxR3aKHC01N8oSU71zvbGgWU6bOdy0f7PVV6OvC6HZDcpQ0SNS5HTKOzxYH51yIRR4s5NcNxFgrgxhCAgZBIWS/eWwG8EUhx86jhAQkNpCAnHKkeSmtkuFGFZz57zKgsacc9I9M2w5F6xnuASeFxvci2a9+0a6ux1/PD19Zv3PHRXv3FPfrHitA5dUXVNXvSxFDtau1MArJIGqvPAsAUWOEcvKkkcpQ5MuxiRGKMiTnyCMeljsqGUydFajfvkdq8QxIJVT4qEXY5FlAvPLyNm3agEqpbDFiEIRTTOJYWcWP2fjPAS8uCGOZUt+48IBpUT900O1Uy4+D5xwI9v4HiDyeq51AYo9Oz2u389j7T1kTAqazvkmPlzarF0eVA7GyIMTQtWhrbeqQ07xjmCrX/ULeZr05JroXTU8Xg8Ad+P3GW1Ej3zv0Ir6GuH5mNnFqaamZ417vR684NJ6YJSUkmOGA5cTG5OdL8Xp4qYDKDcQcHHbB8cC0g7io9RRXSsXn3qmij+bGX12zYHNzu4/L8sSN03piS2trDuSlJZR2Hi8N7m9tz4CYL3FAsCj9BB4AcY999SEyQCOYhiZCgvZI4JAOZa1niaGyRwr+8CPjfLEh2eI6RfEEVn/3XapE44UFs1YGKt17Ew0OQNcU4uAeSwHG4TNp2HxQ/vhsOb/ytc9JkeBIy7d4nZHS2ReRxwOGExa0zBEpbz7b92b6n97qkok3akXAyNA193M4o4s52pA//PX0SdIqRsHEDZESiQZIjDcB/a5La/SBY4LTpoGH7oHX5cL9cqGfg/LrYmAPxSVMmEGKRwUaHHPvj5Vw3T7pKER9HhWGvFrY78u4NYPK0yeOgzrciF6ILqc3GONj4DFUiPEem3XO0TDrAmN2lVa9OnD71F39+/j/bP/zVXX5HuECy4vK7MJ7Rs7//zc07Nm/+ZnND4xwf1GcvFgQzz4xAdwmFus5USBa+JAxJl4SRw8gFZM8vnwVGWKPELJ6niliGT5soZpSpUivY/cRfxH2sUuZdt0iO5B9oqiwvbwa4YwykSqzVrJPJI6IRX7dJcnRA5f4wRH58RpFsYgwHrDHsUQIlnKfdTilORqcGnnohvRgJ4OfBQclO38JHPUjc5FzKCw+zhnDRXtTtM3sOwlWdE0xyOVjaJXlF7VJei4452IX8KAr1+SPQVhnZB/Le5s0See1M5XFn15ZoYNFlTB+nkpnyHv9/YoNNbkUEJW3UCAlFQoxysCG1uXDpK9IIUw2IEyqZxw8HoA1lzjnjxm5euGTJb6fPmvv2Rz0Hl+r4Hxtn3Okm8IFHvl3xha8/UrbijdfnPPPbX6s0U9PwTLGORTUbPLsM7ySNyVExWNZFFy4FNDFq1DWQEj7Ugftht/Ug9EJC54pLWzBD8hFmmz53btVXvvmtl+praw9s3bTB8MLSv0+xmEJump4TkxAdqoGwCFRwne6czv8zdI/pBchCMzqBhsFTbIZKqojl7ITJ8FR1Y490wYNNGCo3EnJAZvhHYoMkRPhJq9OLzRQiccCk/yhi9QOJm05MHyILLpglLE+ldkWpHiRmNwiPVXozchBPh0pf3tBVnT5s2Hv3P/i1xmEjRiShVv+a7z/8NasGuAIG+FRUUhG2i2Z+A+5lRwW61KJYxZF3GGYP2kMhfJrkGIJU6FQAUJgk96v3SsXQdCl9ZaXSwpIyM+XnTz4lCUlJZZjUyvO/N4Nnj4+l6s7pR4+z+NKio/NXLXtr7srXX093IrwVNmMCnDsZkJAGYclqWu5IFUaj4+bIv94ElFEZPLRTlJoIh57KlSaQZCRi65QqrHZqOHhUSvbuO7pwyY2vIMHl1THjxu/953/+u33vzt3Vm/dVhaHn9pCkaITIYFAylnxhBsUawndQ5ZkXz+4kIWBMJBJ8cdqfYAEIJeKLr+8HRBZU4mqXtNd7pLXeJ+11XmmrB0BirVuqy7pk7c4CGZKOZB3Ytx9WnQ+q5KReErAPHV3ccC66ulqRgIKHox2qd6AEMMAEAqfP14xcNHV45eVtte7NBxteW7Bw4bPf++Fjrw0ZPvwAQCxcm9evT3nl+eeSQqGKEwmIeRBW2Obxw4fgtUeKX1wupjHDYN+jLHVvAex42O0OmFbIkiPmH4uaIrIzJQb7OwAg2VR4VIqOHpaouNjOsPCI5v/93/+t/sUvfjGoYZ1PuxjwIXWpj8146KHPRvvaPOO9XtfoXkfv6JqqqslIuMjVovAhadE85DRHojwxXMLgTKP9rUN5owNps4V/f1la4ciJvukqZFEZxFleKy54dm1IzuBiypo8Xqxo4Ehs9yZIi7xfPlP2pYcf+dFt9977wsDJ++G3vjV++9bNd2XEW2+5dnJiFjPnGD6/sGoxDggCN1gjULHFPt7sJROQ0APPhar5c2/sk2ztCLk6cxwIDnKc+vEJg6DNWnn9yGZpD6uXu64H+MV55NMHpTUPSXZDbUFJbTR38KKDEaW2F3njAcnNpXbqcuMxyBS7nX7Zeaxdthyo36uz2F6+70tffnvJbbcdUcf2+8M6Ojru+Pb99327rqcjJ2bRHJW9yJyHtJxsiUN+e0vBMTn015cldO6EQClyQZk49hwSy6yJ6MICTHzAdRNJhrF2Le4xEX+r4FgvemUF/AHtEhcff9BsDdutCfEfslpth4CMs/eXTz+NYP3HY5w684PsuubNm2cy2Tuv9xu0s7UWywTbsMxsc0xUvAsFIhZ4ZqPgYLMhU0rB/GKdU8Wjc40EXAfnWtkbaxAaixEPnGusQWe9ss/pFvuWPaq4JQQqnw2RuoxJY9ViZqePvKf+KW079z/7/d8++dMZM2agBOvE8YW7b7+uqqz8xhHptuvn5yakp8aidBOUQMfThfJ/Uc1mHbfOFIpSy3AVHoLLESdCdB0Ue8DhtvQ/e+XhSXdIZDiKeLC4tUgm0cAcUYOVZYhVhyDxp6GlQZ478pbcfzcALuCFPlmFPy55BywXXhCvCRDNzBEnvLXP61SOMn5Goj6+X+AnB/5lBiF9BT29ftlf1olU4frKDrt3xfzrrn/z0cceWzNwW4B0jP7tT37ytS0b1305fMF0lejCZotsHpGFNscmgEUceva/0o6iGgtqz/3IW+/C/SNiEJ2lVOetY4YiO04rxHWPS08RC0KiRnj0nciebMgrlI7yGgmNjBA0Zsb7gkZXW/sR4Abu9HT1rlqzb9+GgeczGF8Paht90bwZt8VMzLknblzO/LCUxHADbihLUgnTTgeMkmAgCBI1CYxEShW4BckV5Ss2SltegVhnjEcHl3QBdI3Y3zuINFfghGMBhCBVkrnxVhTDdADyl8kvNsTMaReOvPcmea+08tO//9/vVS1btuz3S5YsOSF76u8vvrLqscceW1e8b9+KZ5YfXZyVbFs0Z0xcekYciz0CzRlPJqbzXTwkIkpKd0871OEOgC9AQwFcld7ICj50jm13oKe7CXBJUGXDwk97eNptVK+ZZ248YkQ2mgthKcIyBwgaU4ZB9xenDfPog3QGg4DGpMpNfXhms0XOaUBaB/YLmBTc99TBXHd6ydsQOz9Y2iHbDjUUtna5t0yaNmPDp++8c9PYmTMbB+7VUlOT+puf/uSOLevW3B0KnDdmJVIaE+QxDlmLvN8OtMlqR+GRcdIotasD3vcQeNxtqFTEyUrbmh3SuR7AEnC40jfRjUabBqjxZBQqNRZw0fF02jF+hzWSMmtiHOLxccCkm9N8uPj20FVpLzpK6375zs6dhB4alCNwZwbhqd+wYN69Ex994NGI4UNG0sY+LioDtmFgkR6/MAJKMOmlZsMOEG2j6IemKkeUC62UWcTA+mX7gWNqIYfBI+8BNrhjd76EzYX6DjWYC2PIBCw0MBOoBdJT2yAH//RCa09Jxf9bdOPN//j6D39YdvzXjr96+fbbtcvd7oUNDTU3JEYYr5s2On7oiGSUVFqoblPKg4BOPtnju5/nK1bhMfZukro2p6zZ0infuft/UEwC4oWae7qhJTR1S4388fXfyefvGg/MeiSOwIZm62HWlXs9kNJ9r0n0x4maRzu35ROU3vC1SU2LW/KKWxvzS9u22V3+7ZNnTNt19eKb982fP/+UBgnvrl05/p9P/+2e2vrqL4VNGWuzDEtTfg8SegRMqYzJY1WjxZLX10lVXr6ETxmt8hi6kQ1nnTFW2egE+ew9Wi5mxNzZEpt5DhpChMGO1wJDjoTez3RxH/iaTNSC8BwZSQy0QS80loLn3/jdP37yu2+fbg4Hw2fndqcusytZmJtrzbjnxudH3L34FoIEMF+dhOxA/nMvnCx2JKvA2FQqeA9risHBuwBSwJRLPUAmLOjHRs5NCuvedUihjxgzElT7HkIOmUH4TIDpAqEzIcaKaik65ZiIkZY7AmofsuigBhJRtPSttVK55t1XQzXGl2bfMmbZww//EcXwpx9fv+++uYWHDl4bHqpfMDozasrYIRGSGmOE97+vAOSCET2ZR4i8sL5apmUvkeum3wCVGsUbZIgDBjPkmFv/8ob/Ivdgi9x9bQYWNYkctruGZkaAaZ4rQQ84NHhhQDUnD2vt9sjhGjvKTFt217Q6N4ZZw9dPHTt223d/85vTOr7efffd1HdefvGavF27PwVE18WR03IRCoXzDfFzVqOFITyaARw3PaS2G462vb94RnS4R6xE64JdTtPMwvJjmGDdW3E/0ULbCPOMRGxwguEhlbmtqAzef9wqFCnpUb2G+loFXmJgIhTuLbu70JaPSUlGZAZNGN2emne/+4tHli9f8+rA6xwsrwel1z0zJW5E2vXzP2NLTUp2A5m1+PU1UvDPV9srl2/Y0rh17ztte/LXeIqr93jK61rdlbXJcNQY/PS4AgiSlUn0LCstAJxbCzvOhXRKPXLYWc5IaeEChhiLHLSoa+8FqKAei0QDT7cH4ak2aADMpDJBZWQOfOz4kRI7YczIbqdj9oHVe4eOyxwqd3z+86WbNm06kaqwInbt319RVlu3/p57Prd6X37Z/p2F9S0F5e1GhzskjqAMZgM0ByCRBtBOPswSgoMLJkJitFlWI8nEA4CMpBhkm0HaU+KHsEoOXns3VO81u9fKvmMb5aZZKPpB3XhAovG3gzb2uckCmgDB+DzNpna7Twoq7LJ6T33Bmr2Nbx+p7HkyMXPEr/7z1rLXC0tLS9Zu334K+t7mzZtj40ymm1997u9fqbN3fTV86vhxNgBIaFBy7INUZctq2tfJIDzVOw8MvuTNtUoVN0NDYyum3sPlYgV+nMIGxH1lWbEqRybjB5OIRLnqiFsXopYACVCrN4sRzCCs1/uuo7hyRU9xxXr7sfKDjuKKdkdJRURvY5vFCQZPwBGAitrq9uaXF+YdWvdh7syl2ndQ2ujgyW7Y30CZ8PkP/OlfPd0HjmyYe/3il8fNHLnsmmvu6G+G19jYGApo4Xu+88AXv1Xjsg/njYYYV5KcE05iJ2KohvZ4EfKhx2QhHRbQznDMsK822/voAEtlB7532OwJSmUnk6gtLUeYCkiiycmAqoqXUMRxxz14T2LX9fMfKFu18dpdG9asuGP+/Ldf3rhx9elu7A9+/vMqfP48H9/54hcz1+UdnrMhr25WdJh++rCUiFFZKWGShCyxUCOhn6EwQ9Ir5nQeKj6TdeJxjNvmx8qm/atkR+G7EhWKElxUxnnoQMOx2uwtKMntABhGLHLOkRZ8nll8VHFpc5PIXajaa+72SUldjxyuaC2oanTs6Op1b80YMuzdZVv+W855WL19O59OO773ta/Me/zb37wdJ3mjbe60FHMaagegcYD1SBhqCNjlNAzhTUpx3jdqcW1gwg1wqFpnjlMMygHwR31yLLQwlPoi682HLMdQ3Dcybw6VKw9p7YEWqCM4CarcPv+1r/167tULn0WMviR4YkuXLjXVHTt2Xd7unbd3rNuxuNrrt8UOzXCjBgLifnCOQUnom/bmHxnX5dxWv6+gq3X/4SPf+sGP/nndTTcVn3wLgIdOu+/Z3/zf/2kqd2z6AxYN4B9OHAwHmYA24thxAPZbjwKX1JLwUQhBpBkz7MJuEH33PhD7hJyA+gu7rheLpbqoWBorqyQMFW8RwBW3YTHmfuXe9O5F879a9Mbaqxc57K9mZKU///QLrxw98VePv/vN3/5Whnd8/PORr3w+Y8eh4jlb8ptmhJpDJqXFhY7JTg03pMcBhCIMGGhwmFOdVoQP4j/bYAVfFAj41lkJ0tzpQj55gwCgBbXXIBQwkNzhJkmNRTdSTMq5EDkJm/sxEYfqSrfTJzW1TkBr2V0lte35zR2uPY5e3/b4lJTNy7ZsLFfnt+usEGuaJdOnPJB3uPBztjlTplsQCvPhR4jjFhOHhoywpdlbjQkw5E5k1iosiijJ0efegINtqKpP9wGAgp12LPCpcDhB9GTSBPwMEroGkQLCOTNM6ga+PFKYX87KGfVLEHmr2qnvz3333efEyzeLioo2/PHxnx04tid/oeOGq/zubnvBwO0G0+uT1/2gOfe7Pn9XRq+9N/GNV944pyqj666a/WLsjQvuokOZC3vgYGGDHbnq7IceOi5b3Oipbd9+AKWrUwINHZDT3g2PvAbSP2x8TsCBAyIKOnGUTQtV14IEDabTwqRQmWiNSNo4+JcX39J1Of/w9rZtGwf+5tleP/btb8cUHDo0qaW1eZzJqM2NDDWMHpZiyxmWHKZLikK3EmSzQUNW54BT6T+X0x2X9jJQkqWmFQCKQLLRhqC7CYAwIqzIuqOH7AxDSWwQNp/JV5xAeWnq9EhZQ7enpKrrcE2r41C303MQRLk/PTVjz/mWdT7yyCMRR3Zu+x/LqOwHrKMAisdSX4T/4tJTlaakQyUahzKz8KyKUMAA6G8p/MtL4k1A44YhKYoB9KAklU0dwmYhZwCtlnqQBERp7mfRCtUXDB57+MxJSCe2yZEXV3raV2/77MsbNryovnyfP9dMHr8gcf6syNp929euW7e3X2N8n10uu69OWvKX3fldsBNaNH3KzcPvu+05TWxkeGN5pXKm9R+clI986+4d+Yidj0OsWStdQH41DstE4QQcd1woIIgewgXD+WMakaHQR1W5at8MBsJPIBpQRFxasiSMAFIJVMie+hbE3Zdu6T5a8pNVu/PW9//meb544N57E6uqqsa5e7rHhloMuQlRxjFDE8NGpSeGauLQJopKZWBNkygh+RT90uYOMDZ2iq5shf8BKrYTPoZQnNvw+ECiDS9fSeu+Z1wwrCLgrkPyN7cje66lx19a21VQ2+LI77R7wPG0B+KSkva/8Prrded5Gf2bP3b77YadNZVP2OZM/oYJ1Wr08MegG00cUpQZMlOh0eDc8npwAb2IedchV70e6roWgJ5GAIswnk6fQOfG3bDFM8WISsQeMG0fsN9Dx2f3S3NqbvGw75NQrcgUgG0/fvKdDLfu1t+/8oqj/6Q+xi/6pvJjfIUDLu3mO27686zHvvHVpsoaaYCd7QEQIxc1/zEX3L67UJVHGuCVt+eh8wscNaGIxTIOT0LgQwEKQqKAYhQAJR12IciyIyopMebZcpme68i4eEkbm6Oqp+gw3PvEX9dKXcMjr6zfUjjglD7wy6/fc09KZXX15J5exzTY8nOibIZpaYC2So41S6zNiPCdVgFe6AlKx+vDuQcKXMiLAgyAmgAjEVBYEEP3SKfDB4ntklrk1dc0d0tLh2u/o9e9QRti2A5/xO7nX3ml8gOf8Ek7Xjd98qMR86Y+boR6zbTeFDDGaISy2IzBA2jtrooalcTC/nhEYyWRewAK4QPktjU7XQFOqPsCIvchOciOFkxh8yahiboBGAP5YhiWKgR4JCQ1B69/+PSJKHKJkcqNuzoL/vj811fv2vP8Saf1sX07KG30D3o3gPb5+wN/fTFt7FfuXRwJ9Zo50Iwvs5OqFgukEhBCjVU1gB+KR8gtSrxHyqGQkw1QqJM4EJ4D/JAByTVeZN65sQD9CLG50TjAWwc0FHympV2PEB7yrcRUjFZByMzTgxnkPnjPNdt/+ORXcKiHP+j5D9zvj//+N7iN8PHG0089Nb6iqOj+/UcOP7Q5vwF5Hxr0N4OUN2kVwCSLVqIiAeYAx1kYPMhsd1zT3CXNwF3rRmZaK2CUu52U9oFEFBa7DMnKennu9NFPf/PRRzcN/N0L8XrxrGnzdNlD7zeizJTh0VSUC8ehEYMHUrh6416EK7ciF71DtVpitIR4+gao6AT5ZNmpSoBSjlVqIrC3UXgUQi0A2zKk5gcTJgOmlsVB1T8mM12sIPKGvKOO/L+8+OTaTxCRcw4+UYS+et++4iVm7fe2N7R0jPzMp+6JwuJiogxWApw/6HsOFBINMqwoBdh40YFwmh8poiFcQH0LSy0yTFwIQmtGa8CRRTWT/d6aV28VF9Ipe5B3bQLuHDpASjhQUphkY4V3fuht1964sKvz1TW78zZz8i/UePDhh/PAhP5VWV6W/ciXvnhNVrxehiSGSVWTXZrae6W+DfHkknZIdFSrwanFXDeGq0JxDcBskJTYUImx6dGp1CCrdtfIgutvKkV13mvI9950oc5x4HG8Ov2tUaOHZqkSUxQXxWcPRVy7QgqWvizdQIqBv1EikOpqzkxGwg5iLGCwfJBwfXzfN5SWBY2FjrgQJMHwPvhQZ64BM9CC0XE3DhPaNkfDwXr0ldW7S19/Z+naLe89Hfjmk/P3E0XovK3Ltu0u+Lze+sU9P31qe9iwzE/FjM25ypaWHEKwf7bdpY1NQg8B2CBWjnQjtBYKBxwJm0PhuHEBQWqqNFsuQKiUbfuO7NK0dW6464EvFSHF0rLqrTdnNHV13BGdlKBNQJINPb+JE0anl7y0fBr2vqCEzvPCqIP60d4DtXdYcqTMGIH8AA861IBqwKvEjkJvRpmolWhBHDAw0FkF0lIbAG7QAqyh16NBznkd2yDb0RG1OXDYC/v3ltmzE91piVMQ11MNKpJGD5fanXmS/8fnJTY8ctunHnywfMeWzdbirfvG+HpdQ80IdyqHGk8jBNPOTH4wAtqcbK/Ug24qvWAOodPGqRNF7pEidjcaL5DSvdims7Z+S81LK1Zpe52vrNmys0ht+An784kjdN7f5zZtYvjk/91uCf93cf6bS0K0+k+h6cAtLjjkbKhXZi62D4uKarjjAHpkV1UDLipKrHAWGfAZJYcTqqWzvbMWrXnzENZZmxIT9+bft+6oWL41EATI27jxhcd//tPSijfWfg8SS8uqOD+kKRx4yR/FGmttapr6n6VLRzH/PQZY6k6o4YGQGbLBoLQY4WEngQSH34/CHvSEY5q6B0RPJsAkm5z0SNm5ffuItStWTMa2G4LbX6hntIGOQ0w8mhpS4jBg6yFFNf+pf7bnjh731Ld/8pMXEBJVhPjdhx6acHDbzqs7Dx2bZ05LHouchiQ6SZndpwHsFxF+XEhDRh0q3OmYVzJmEDYjES4Ah7hq6hkCXGGxWN5ItEUue2btuyfk0F+o6xksx/lEEnrw5ryybh1DJS/k79r1Lirf6l549pmHDtdVCNLQ1dBD5XYhDjt56nRpqq19t7WofF9bd081UCTbdH5dS0RkaMULy1cfCB5v4PP4+fPbVz///C9+94cnkxv3F34+efYk5e2FP4ClXRd0/OJH37/9a5//7EPNLS0jp+bEQhUHTt2A5BesfyXJz/aj9NTPGBkl+0va9L/9+f998cHP3N07ad7Vf//CF77QdbZ9z/V7dM/pgTreaQSzDENC0oE//1viIqL+/Kunn/4xHv2H+fWf/7wPb/h44sbZs3M7eo+kIaAYBrMD2BQhlpi4+KQJVy2c1tTYcPXe/ftU9R53DoE2xg61d33uvv9OmTP9V6NGjQekzJXxiSb04O0fM2VKFVTaV6GuLoBgGwGXFCgDrZch6SKQV/3oTx9/AvbgM8iyKwvucy7P1372s/av3nnni7Xb9+Umz5k0wdHaWudz9pacy77nss3nb7t5Xn1t9S2b16+5zevVJGYm2WTJ1HicO87/Awwm4sTatDJzdKy8s7M6q7Ks9DflJc/OveWaq1bkjpu4/LFf/7r+Axz2hF2W79xZdMOQpKMROVnje4ELZy8uW/Xprz2y9J/LVpyw3cA3b2/ZchDv+ThhPP/WsilP/erxVv8BzR1a+lowAmE5TXfu+AkbrxD58em6Quh9cwFgg6qiw4WtmhgUOPTpuHT2oLT1JZfLxeypDwRC8P9eemnN4usXXA0C97UeKS3y9LrP2T5fMHp0PBq2hWdmp7u/881Hew8WFxu3rV+fejj/wFiz1j+zpb5uni5EFx+PMFJ1XYvMHxsLLRbhsrM0fzx++099xX0nDwtHymyTpMXFadu67Dc3tnfcfHD39p0LJk9cExEbv+K1lSt3nrrnuX/ia2jeDrE7Gv3NtbAWNn7qrrs+EPPD/dn1+KOPvgSv+iz4F5PorPMg6YaZb8cOHz7utTv3U/vYbnmF0Ptu7YY1K9NbmpvjI8ayZjlA6xqPv6e9o+PND0rkwVXjtfdu6aqod1Zv2JG/Pg9u+bOMa6ZPnpsQo/v0iOGGiQ6nJmrnngrPI19/ED1hfPrIUH38wglx4cORD//a1mrpcSABBp7mqHCjpMeaPjSaDZ11QJSS7FSblNd3SnpitDQjD+D+O6ZP7ex0Tt2VX37/4llTNyC+vmbMqNzlTz73XPtZLueUr91dzhWOksp0a1JCqC06ZtcpG5zHB+UtLctC/L57gId3C7HwNcB/RzeX0HUrlyGoLkvxwN28MgL6zid8HjZu3Gj6x+9+81V/XMz11tFDsTQCNcldhcVrNCGmnx07dgx+6w8+UiKjGh21TbWvv/LWhrMd5bppk24cnmX51exp+hsibP4kVMRG9jh00fWNrrgbZ6ZF3zg1zpQRbwSaq0+2FrRIBNoItcMhlZUcKmMz0Zv8g2ntfacV4HCm0Ejp8Zlkb0G1jETIsaSmWTKTomTm+BQZNzzJNnZEylhguN1SeLR0elJsbPg1M2cd2VtYiCTbcxultbVtiZqQFqjb9R2FJVuP1dV94Pndu3evb3hyYpw5I/V6RkpI1QQgqdt3MP3Td9zZs3nHe7vP7aw+3lt94gn91f/8Z8TSJ3/zkMOo+1zE7AnAZQIGG7Ot7K5ue17BkyvXrv9QEofLp7y+3llwsAAu4vcf//uNb+R2dFQ/PneacUqIhl5zbo+U2mit1DUhTIZc85xUK9RzAD82ueQAYuPRkaEq8WXqiBhV2047m1KZZsf5DYTZjGFAmEmEhz5CFa3syCtHpl0kUmaRfgov/thh8ciiQz04ABtGDomRSaNSMyxWy3WHjpblpiXGd5dW156xeOfkcymprKk7uHv/sQ9D5MFj5mYNr3V43RPQoCGDYUwt8QCtVmvZtp3Z1wBq7G/P/qX8mb///YI5FIO/O5ieP3GEPmvMmMhcOIKm5I6ZOjQp8YZd27bcLSmJt0TOGp/AEBgHIuTSvvvQX1euWPvzi3Uzt2/fbn7thRd+npmuW4KS6T4iV8oFijFEEpAEk3e4B0zDJSlxVjQdRBZfRy+IziSdkOjzx8ZLuIUxQSTBhEbwIuCTo3hX3EJd1YnXQobAT+CHAHCi0YZ+b9YAoAbSUlDOqpO9h2tRABOCZJpQqQA6y+TRaYrJEBWHDMUCyOxhaJk8bmTqMIfTO89sCDWVVNdsOfF3Pvp3h8vLOzPDQvWGqMiZyKKzMA9CD8x+XXRUVP2xohGbVixPnjAyJzwtJsJbXIM0xk/g+MQR+hBkSVmyh050p8VPNSTFTLWMHDbBOjIjhaCJlIHent6Gzr2H/uEqKPlZSUPDaRFQLvQ6eeyxx0Le27j25/U19V9NTTZLfCzwzweo4CRIs8kPfmSS/CKH7DqM4o5Wu4RZgcWOfyajRublAhwD3naDLR4EG44eZGFIIUXfb9qtyAsgTRMVR4PsOD4IQKG32sAU0L3UGqVgtaDHqOPx91AxJ6XVHVLX2CFZqbGoMW+Q3OxEZM+hBxqO1YtikhakznI7Mwh+3PCEsOjIsKtcbm3EPVNnbNxUWBjkMBd6uk57vJKqmn0p/hCDLjwsB2HRMDpU2TLZOiQ1XBsVpfFF2zzGxIT2gl15Kk5/2oN8jD/8xBF6eXu7J9NgbgayaGhIhNVoMBo9PruzyVHfXNpztHyDfU/BsyuWr3niYhE5vMbR2zdu+GVHa+M3U0Dk9Q0oiInQo7osKHEDqy9A7D5JTzEIUruluRXpuUiO6USB+fihUbDPgQsXYlCEy7prqu8BxFtAVaEzq8EMEA0LwCPNZAJ4WIhzjpZFJPw+Ah+4ztncoqMH+G7HauCYi5dS9AtPTYyStHibQpI5WNwsL646ACmP5ggwdVgck5GIHnR647S1+45YP/OlB9YBZYc84aKN4srqzWleqbbXNzmRwejRubztrrbOY7B58nub23Z1HCxaX1ZTcwKQ50U7uUv8Q59Ir/s7eXlU3/5948yZb7d5elLdXp/RYAhpXbk9r+Ji3o9rp0+Penfjul+nZ5juGzXcKNERfjlcpJeNW51y9VyTREUEs9sCZ8UkGLPJLbOnaiUpMVQKj7iAj+eSo9WdcrQ2TNLhkDNA5abqTdAJVqnRxlcD6go1FpW1gycygj7dXX198h9qCqkJgEvGbzohvS3IH69pAAjq6GQc3YdzNYPZoHXS4TqZNzEd3n4KcDSoz02V9TuOfguOe9m6detjs2bNuqi28Tvv7X4JP/3S7fPmZbU6OmPgU+jV6i0Vq3fsQE7sJ3eoe//JvfxLe+V3LJz22Pix5h8nxUNlhq4Os1ep2XuRa1eLZuEL5xmQj34isfOM6WcjmESvC91RazVScBhdWFBeGosKtdHDE2U0nGZp8eFiNQMbLkDeitxpV6v9+QfmPH0RJGg+93+OF32sAdmlbvnZsxuQFpsoTWh0aEFq7UN3TAPxs8WTXp55dRc+75Yv3ToV5fxuqQIjKCwGOu5RQHGhfh9H/5vW5/vx2ry8WvUDV/5cshm4QuiXaOqvGj8+/eqrbG+kp/jHO1EqGhyKiFH1tuegT9rafDJtkh4NGJCLjkQWJaCDG+KZ25pNejjDUqS4wik79rZDyndJe5cHtjQQa5OBMpsQgb5qobCjQyQamO3MmvOx0AX54nhSBTwsfHEiz98D6c0yew/eh6N6z4VKsVdX7kEgQg+QVL20dXVJztBkxRzo+a9r7pTy6mZoESgd5ckBOTYGOHUZaRZoF2ZJTjTKlh3tTz3xj7XfGHDaV15eghm4QuiXYNL5kwunTV4SGWd8c/ZEbQj8xIrIgqcCn5k4nHpZtcGpGkGOzNFJVjoJmyr5caZA2goPt8rCGSivRcCA3UFpvx8pdkreoS45WmIXmKs4FqWrBqZAGJx8aPqAEJQDFXeqoQV+VIf0UR+w2+12SGpoCiGoV2cfNgs0gh6nB/4CrQKtcAGoIypCJ912D34HnVIQDYgD0EVyPDDvM8wyJM0oCehKYzZCS0DKWwgcdcuWtdb//cXGz67ZuW1t8PquPF/8GfhE2ugXf5pP94uajGMVXSEtXTr51HwbwmQkwAARMwZeVOaTnGEGEA7aNR/wCPAwILl1AJCAmk+pHPTKg0AJ+6bjvkoSC7QAs0ybaAaCDpBe0bSwvcMvXXYQdy8gngElxSo9L/ZjXrgWuO7R4T5oBijJRSGYLsQniFQpLz+ENkYIPOvU88EqABFtAZgFmQKx5rTY1gi4TY1aRZAZMA0UpBZPBb+jwfepycYEn8+1AAe6QuinWwYX6bMrhH6RJvrkn/H5famgDKmpd8gra/2yZE4YbGx8AmLp7AqRxiafzJlGIvPKgtlaKS4T2b7HK9FRGhmRBYKPIMFjW6A+btxZK+lJ4ZII6RoaLL3DD1IziEWyTWwM3mggfvsHxT+okbo/BwmUb4MxGDAOvj9x8AOCQOABuidgBY15pbK7cRwCsfFwZAj4R4bSA2w6O1ovgT/Mh2MuDY65yhOPeeXdxZqB4K29WL935Xf6ZiA9KeHLXS7PSGjK0t3jkWOVbrGFmiQBhLm/AFVkkWjAEA+VHpKa4bI4EGtKEkAru/1ScNSH+DYw4FCHbQFhe4AWU9/ULRU1XdLY4oJkpooPakS3FkV2JMBgVFsZ5qRQfEaCDn7O86KWwAe/4yakdrV9gIYDhIzvggyCz/iNXpxjFzDdW4BkU93ogL+gS46UdcB86JSNOzqkqdGT7HM7mzZt274Ve18Zl2AGuASujIs8A4Ry3vDu+rWtTjc7D6hfp0Oc9vHorEjR9CIBZqYOTi44zAJfq22gaattHI4QqQL+alVNQIWPjgqRxDg/4u+QtHpSamAQ+82EZBYmtFjRONJk8MPeBmYcOrKYzXrV8DFQ3QmgDdj+7AlPkqYvPvCAbY8f9bAVEoAq2P7ZgUaMLiDRdLMFFmz/Hmevkto9MA06ur3S0goMujbAY/eEwK7XS0aKSWHVbdvVVDRsRO4DT/7tb5v6Tu/K00WcgSuq+0Wc7OBPdTu7h8HzncmQWjAnnTTG92Xwns9Fyr3V4kOjheAegWfa5VTtDQavAIlasjK0grZygGT2S2OrUQqL0IEEB4oAwcdGAwgylMeAhLf3qnx4Mg0lhBVTYRcYtm5Cthwz5yDatejiooWerbgLcu2Jz6bAF6Ex+LENQ+UuQFL1QlXvQT/zzk46/2hqUFXXwDmnRVafUSblmuFfMMPzrsc5gDvh2uZOsw377TMFDy1atGjHO++8c84FMCfOwJV3H3QGrhD6B525D7FfV0trGpoeAKfq1IMAs10aQUD1zRqJhYdbg2YLJO5+5xt2IcEGCl7QiAHl84kJBpkzJRlec58cK3XIsTKHVNW6pKjUjXAZvOPAktLpXBJuQ490Ta9ER1sQYw/8tlIYeECo4H4NEFQBgMPfovOuB1l3HmBquVw6lU/v9RqkF2ixNObpvIuKMElmskHSU40yJBWIt3F6SH6D2GzgUDgGzQJvn4NxHIj/K59Lv+13z5Suwy8/e+qVX/nko5yBK4T+Uc7uGY7d3NycFMgkO3EDHbqAAidJ9h1tl31HvJKWZJGRmUZJS9TBK0/pH5DoA4mese8YIKBazRo8QiQ+3iqzp6NHPNRrO2z11nav1NZToqNnHPqiddgtUlkNr7sXB6OajiclzZk2i0+IHef10O5mSA2NKZEkExOpk+wh4aii06G4hhl8JHI9JDhUfITRlMgmM8K5HDzqRKwdMG74fKDZ4e31yeQxZpgY+huwwxVCxyRczHGF0C/mbPf9Vre9Ox35KsoSJplwkMgMUKNJbsFe5iWVdji2uuGkM4DoTagUM0hyjBbFLAEHHQmJaa4WU+AoJLSg0402Nok/1KqTtFTcZkXRwDrHNmQULjdVcR4HLafxgd9HO4G91QLeeZ0OFWDYTQtYVQDFwzmAh5L8eML+9NQrhoPS2cDZcxMk4iBDzgMmQULnoF+BZb8CiyAEvxdhM0747K235j7/2munQEOpHa78+Uhm4AqhfyTT+v4HNehDRk4cZpXdh9xih8ddR0LCMECis96b3m7a7oE4NiQziksKitxy6Bg6iyLGHR8Nwk/QSxKSU8JDdRKKLDiGxtiggRxDESKOoVJeSZRqkCADgzRvotOOLSc14DgccLYFRnCHQMhNETOIOkjMfRud8MSz5zEZwaNG0OMMkVBIfR+cdYzNN6AVVHmtW0oqXVJa05tsi/SkY5crhH7CLH60b4J396P9lStH75+BW669dn5CtH3SjHF+GZYeJTvznXIEGWzskmJEminLPxXV9O8ReBvgBXCCgTGUIDOtuMIPuzsETjuD7CuxSgqy0zLh/EpPBAOA1I8KR+gNXnalWpMSOYJMoO914DN+eCoZK+LFBkoacwN61PifX0BKBwc1BH7tANCVHaG/kmq3lFY5kBevl0MlTkQHeqWt0w0PPeLpEO9m8BG/x4uMgSvjYs7AFUK/mLON33J0td6QPSU00oNWUNE2jVw/0yjj0b54d6FTuoC+1ou+be83SGhBoqcqzcSUihqHlFTYZSMIjv3VTFDlI9F5JS5aLwlROiTSGODYgzcen4WHIrSG1FQDPOQGqNdMqlHqdX8AnfSMH8GHAW884vQQ00S3YTpsFyr0W7sQRoPt34gwWkubB91g3CBmlsx6ROtF9h0y77rhhNNCZeex+WAGHTkCwa6BAmN9v2u88t2Fn4ErhH7h5/SMR7x7yZJRJl3zDbaw4zBR3Dg5TiQKueUrNnikrh0hrTMe4eQv2HVFq1T2YJiOxOQCUdY39aICrlep733yGEg1dLAxPBcgdKOBGoEePdoYamM+PPRuZTYQSRWprn6mzKJTKWLmTmS4daGazY18dx6fKDMcNL9VxxrFGxBiQ/acFtlzLLZRpsNJp6w3mcAs7LaTPr7y9iOegSuE/hFP8MDDNzfW3zJ/duiIENjFQUuY35NonFB9KWVTEszIenOq6jLGuUn0Sl0eeKC+16BJ1fNbZbAN+F7Zy4rw+CGPEBw+ZUN70Dm1Bw/u72eMTz1jmwDtqo37f7Nvd3VMfMNnuBLQtG/gcfuOz4/gLNBAWwHrwDWCcZw0VJ280xl/0sdX3n7EM3CF0D/iCQ4e/tsPPBBTVrJ/UWw0pWHw08AziYcx8Cgkutw0JRTJLxYpgfOqrMolTUCS6YYzjuN0hM+Q3PmMfgLGTgNfn88xzrgtOAczZtluiR54MhkyITr06OFnzzebVY+wXzcCcFfGxZwBWGhXxsWYAZtRd+vQTOPDqUlc9Cf+Ir3rTS34A+JIjGMlmQA4QisjhxoQk7agptyEMJlBlY+SSbBclFoAJXJomK2PqE485sV+x3OhNk+iNjEmjxp2P54j4JQbgjTYGRNscus14XLT/HDZldeuv/6axau37dnTcrHP85P6e+cnDj6ps3QBrtvn9S00whYmITA+zUQXEocaIHA7NGirOfAZpR+CbEo5tgErIiJTKzmZyDn3mtR2bV0+5QhrbkV7Z5MFn6EUtQtZcMB656DdTOnPA1Cw4n/gNZ8/4FCn2kfMVPFVtl7f+eshqY0AqKQDMCHaJOVFbbJoTrhMnWBCh1QtpDidfn0bw5M4Z1rUkGVr82fgVI5+wNO5stt5zsAVQj/PCfsgm9+28KoZrZ1dV63a0SL5JUaZkAOQhmQmlQScWiT47m6AOEQTrfW4uCdpUIIzoYVDg/xzhMwV4WQkIg3VbJGp4xOUbd3Q6pFKQEHXN6OyDRVsrXDqdXR6gPfGdFbkquNgzIZjHTnYifLOq4Oe9IfbUd0OPAde69HmiN55iwnFMejKGoHYPQEo4qP0kohqu3jE82PCNahrD6TGfuennWLRuyR7aKh4kZ3HpJ5gMAGXLLOmhMuyNY0z8dNLT/r5K28/ohm4Qugf0cQOPGxPV/fNvT5/Eh1R5QiFVdQ6gMpilrHDLSB4hMPg/e6ERAZApSKygfsOfB0kPpIq1eSIcD2IjgwAlWsgshFD+xLYvRYcRwMJD4gohLO6UNTi8uoDr7td4vbBYRZihFRGw2Tgv9G7Hjg2fl8xFSbRMEsPf0NcEhdplFBoG2FAmgkFdrxKfcVv9sX5Ak488CKV6IN+64kg/IpqpwKfONkfQW0lLckgQ9ON07825DOZf/rXv8oGXuOV1x/NDFwh9I9mXvuP+qW7bx1VVlq1uAvQTVShA9luAkRVFJ4g95yFJmkJSE1F2iglpqCH67kMEhVDY6QyEs/Jg8RvQC66AfHrcOSrqx9XOrwx8FppDvgARSiKawQPgCo10QS34Yc4Jx4ej0DGHQEvArY4MJ6De/U/62ArJMSZpLoeBTLkRv+/vfeAk+yq73xP5aqururcMz05J2kURtJII0YJFLElI2M9vGBpwYE1rL27XtgnP7ANux9jzFv08L4FIwvYJ4LXFgPCJgkFEKA0IJRGGk3OeTrHylXv+zu3r7qmu6rTdI/9mblnpvpW3XvOueeeqt/5/88/VihBTHNv2ty67gsP73o7l79SoYp3aoZngG/VK7M5A0cPHv7NjK+0VtS8vGgLLdPX/gFJ14fs3j1XILECQNOeV+as2l9XKwJbjIWhWh0LRgtIZyGQF1kB4xr7kh7cfekcu4W3XhDzinVo7+7L1Xe1ogWoEfNXWfBpRZGxTBDDnBALjjLO5AiIsW171mw7KFlC6UrGA04AAEAASURBVOZq/XjnZ3YGPIo+s/N5Rm9Sqb326it3DOATXg2QFvDoz5U08Vs/7kNKXYSdx3mlNWDqEGJFMGMVYAQgAU0gc3Emk9l/jSVRG0DmgLsroO4D8Cc7C+bQCaLoHMyYPYcyUPs0gkVpFyI3v/+eu295eMt3nvzX+Bzn05g8oM/it7n7zTfuIJLzpnQma81Bx7sVMeQIA9WHRZsxO/aVrA95I3vwOc0EiGxG8IWraH3CB3uP1B4JthaImghcApQfBzO7EKj/8ajtePc/m2uW8eCPjrKSa26IYRLrM598qIuYeGmCU+QIJ12wi504FW1fJODDRKj5xNFjv0MzD+hn8wVMoq0H9ElM0nSrFEqFW6+4pNbsOFgg0QJ7dJAggI4poNOP3jkAAnxWGIYxKhTvdGeGLKoKxlKy7HxNLIgKK0g8OceOfcHCME4rOZMgLJRCL0vFxe55REimG4n8uy+9ddkB3ms85Z85VaU43nQOkqlS/gziMrilWH+FmEoPlcinToipTN68tr2b58JGjvqOrXtZ99y4RDQbDvfe/0cf+tVnPv/F/1l21Xs7wzNQ/pXNcNcXdne/deut10bD/VtuuykyD8c0WNaCeWXnkDl6CrYVFZf03AKAcFcbjZhkJGyOKyj7OEWgVH2x8PIEW7hgHvt8KDvx1yUJb6ynH9xFWkiiIO81Qr4TlCKKVJ/Y7CwSqgfuAJfaIw+AuhZZWMRNOJZszirg2s27Y5RTSxqb9y7SP/UTr669S3HiDLp7LUZpAB403VwbwEMtRYipFNQ7xj1yrAg54shXKgptLRlDPe6y7af6DyYbGj/67ccf/3alut65s58Bj6Kf/RxW7KGnp+dd126smaeECdJErV3qM6sXJczxjrjZdTCLO2fadPVmrYVb2FqROao1F2SVOhUF1sosgOp9DuW0or2moJ5aBI6dUhiokX286sqVVRL4CB5riukmYx2p3qIxEjLyWTHi0YPZTCxyelHfKln6lMusAlH0D+DUgm95P6a4xSLgVSB5iq3JHy0SGo9OaPGy44M78ctJ3vbvLCBqIy/cEPfYuD5p3nUz+eLmBMk3l1ry/cfbP3HLlVemnvzVr36oel6Z2RnQ1+OVGZ6BD9133yXHDu385jtvia+OEMm1vFh7dWY9nfETkKFIltKcGegOmnZyp53u6QMwk/tKZOPe1NRkOQNR6ImKW2V0Tff8mPaqODwUHTSsSQ7NdoUm3xRZwETRNT7iTFqAX7I2Yd51UwIbAtJUswBpHfCTIEIBbj71Pw69su9I8GNbHn/8R2PG4504qxnwbN3PavoqN26IRP7DyhWxuxfPd3TOCqrosMuSnDs6aJmESri2cqGMUALmjb0ZEh4orDIIG0bUeMAKQZpraxO238qjOPOsC9TRR0uBAfGYIyy+e85tc2aP431ia0CaGO3BZZYrwdtVFyfNH9zTbN5zSy0GNeIynPZDOPOcahfLzxYmGW37xYvHL/qde+878vTPn90z3h28a1ObAQ/oU5uvCWv/t/vvX3/s6IG/uOqycHMUqbgodFdfCFZYe2mHrXY7sdSU66dxaGnCcObStVGszxyhXB5z1becVyCtLlV120pwF8P7ZTLU3G1zzo6sVSGeq7E+bjZeljR/eE8TVJzAkES+EQXXwxwkEs0//6DDPPZ0F2a7g6YBc9pVS2Nmz2HT9ovntl1y1zvfeWrryy/vOGdjPs9v5AF9hr9gwpj/x7lzgnevWSHJuYRePnKfIbgiIotSI1mhetk9dX3vQcxZkyVz0Uq/tYG/aHkEz7UoSQtryISq1MlYr4EO7Y/lDKN+2YpjhBIdXgKcDl0qWdb9OX+rxUvuOD728Zeuypu3Xx3muWqIKqOhMCcM/Fvf6zTf+OZRM0AkmvUXRcxNb2slFFXQfHFLp9lBXLlINDLn1LEjG9cuW5Tffejoi+f8Ic7DG3rCuBn8Uu//oz9av+2lX9598ZpaAC47cqfzIIEmOrskyBpr4CLhWQ+pjJqb6hBUDVkQK4IrWYuxY/eb5diFC9TZfBRrM+zWU2RCIZSTz1dDwsUkKZDShHNSGCd01QjMXPdV3VmsN9jiyB/n/8jRGdqU/1ogC8z25Sw46kS3cL3YajHNDea0Xcmaw6SJWkL65jrCZmk+Hv7HdvPGzk5zhTzbmkmz3NxgHns2Y554oQe5Bd54/CKHGGwkUbe0mE3/jzuuvfrSOQvnf+nhRx71AD/lb2ukgQf0kbk463fbXv7le/KBwNpdxE2PEEopGXf41HitIrkSDy7rR9Lt7Nvdm4EXAjLIqywjLNqic2Jxpfpyi9RiZD1Gj+6zvupNGNBcT5AKEicTmIKMKcRy60DF1TvghxUm/hyfeweVHmmIRYK9MuqxQUJBDfGCz7BU12oE9A5VneLDaWHQVkM26jYENAMpgE5dlzpPAvlwiNhzdREbRbYFZ5f6pJ8xEU8eziOZKOHBRly6hN9854e95s1dJ7mvH0eefnNJssFs29Fv0sWUuX5zlP5I73wkZrb9tBeOJ+dErRn+NWqhyyLE84eIch8I/8GJw8eve8eVG75+3a/f9dAnP/nJDndOvOPkZ8AD+uTnatyad964ac1gJv8uSc4P/7JoXt0ZQaUWNRcti6DXBiSYr506XTRLFgnUgrKoogI1xgFVCoEc+/dx7iAKCseuVpaapgk+IVZeOdPluprAXHbBXNcZBc7BklwtGBLYEcOduhmEfXIXzRfJo8YikkdgJvVcidjuDoV2BmAju4pEc9KP0FAx3oPkcZPFbSToxIMLkEFG/i+WlJevUKxNPiV24HlzJIKQJdzBo92mvXvQdLPoLMZbr538bK/uCxMCWimfMAYay+jYxUbPeM3l9ea3b1u45umfnf7UU4//4Prfuvnmh7711FOPOiP1/k52BjygT3amJqiXAeQDucJFAq/jrJI1L7yWMS+9GTAL26IETQyyFy+Y+bwPoXITcJYsaoDq15hvfXcfqieCPELmXD34BLfjsgAv5MsOXrW1Eug4tmgxkNlpXIke8GTVZ6cMI0yK/jHFPSfAI8pRHf1X6iZyLTkchxq59UY6ELhjrDniYDS2HLq1fC/PDFvy0pt588K2lAlH6/jsjn2krd7J/0cRZO+9s9n8H7fWkjW2ZFYtajU3XNtw29e/dfzKd1x55dWXbtz4+f/nb//2yJktvU/VZsATxlWbmamd9y+a1/ZnvanMcreZCKIEbQKj4pp39GVMZz/x2JE296ViJhRtwo49CtuaN8+92ItnaMiEAYd8050MKbDTFUDk9h8lQfmyhQlA65JT90r1oyAp4I15ASwBt+pLbXR9uG31OzhX/KwqR46lSZvci9+5440nu4EntqbNc6/0mJp4EvdZcREa0ZlFFnPNdWHzJ/fNNXdsjrC+IAdAkKf7t+Loc8PVDTV1ycjbfvbzXZctW7AwvffI0e1n9uB9qjQDHtArzcoUz33g3b+xsau//yODmWxNJeAJi3ppzx0M1bJ3DmMdN2R+/lK/eekNXFTJVvomOcVf3TlI8gMEd0jpc9iNS1dOVpe3gO/sofnRMz6Zjy6dItCn+FjTrq79d9+g37z46oBZsyJgs73+09P9Zi8ppqRBqCPdayWQK3b8xStqzcc/2IrWIYC7rLO4uANR0sYgi6GfrK8v7DRL4aJuXTV/zsKrr7ri5LYdu0+49bzj2BnwWPexczLlMx2dXWuz+TzKs+olAGvuWLKJnZWtO3XtCqA9siTSMmMlEWJ72trDa+8ax1lFyQxbScLQwqsZ+3VFeQkFyLAKCx1EMGYlaEL+8EuCNPtWf2axWD5ieAGzi5t9HueG2rsn8LLLkodtzxG/eeoFBG79WWsZp+fMZtKoBqUyFJAdmYNSOd36tgbz795dx3PDvgP60SWAT/v2vQXzmS+fQvOQM6FIOBmMRj/c3tF+023XXPmNDTdt+tKnP/0/20e38z7zU/Mm4exn4I5rN36qK5X5WD8/bGG3UmltbbWS63JKJn1zHDKdGhogcUOfowYrayzOVj93R/hOuGT2vtFIkP0roaEbarAVX2jmEwe+NopDi3ViUUIG6iigjPbUEpO7ZTRuRn92640+ul24RzsgF5wBmztuMO2zEv8eJP7Hcdpp7y4Svy5jjhAksh2d4BDxrMSNuEVzUEu+53g84VgC0uf7fq2F/TgIh0WXnGJ0Echf2p4zn/3aaWzvSRLh8qJMeJBVM8gkZfoGnggGAl/+0QsvbBnd/kL/7FH0GfgFsBdfFSDFMDlMiLRW9oumb/2o4wjcRNHL1WW6bYi9rA/+tC+Naq3CCqFT6g1LUorTb5q0SCqDqUHzD4/1sHftsqBW9pUoYFCa49q4IRFjFDUX1mksAE3seSOhAsKvEnWCHPnawZJiz0kIKNWZ7qVsLU6xaHNUbOj+e3BqGcoErNdad2/BqvLau9M40/hNd2+GWHQkoMBzzY1sq760KCXIyhJFzJ/i+dzxq38960BfP7nWs6RhbjZ/9N455voNZHZhf67FrbzYcSG0e/blnPmbb5zkXggWXZCrIg2UgjrFVuem6xfcWhdMXxMJX31juhj+yuPPPPNyeV8X8nsP6Gf57X/8T/5w/huvvrz2GoxkXng9h0daxkqM9QN1S00N+cpH/YL1Y48A8l5L8SoD3W1ffnT7dbzOsgi1iJ8OOKT3luto/1DKCq6272HvPwwatdFwdJTprISEoviishKKBfF11fvyMQq0aTzY1Ecuq62CxZQdiupq/GLR3b61FQnrwnDR9SH6iIVgLxK1prt/wLZxr4ubIVCeuXZ9AaMgAF5BY2D7BtSPPZcxf/et0+Rtd7QHbh/uUXv7G6+uN//xvfUINIvJ37i9+cPff6LzxojZ+NVS/ZzPf+9738OK4cIu5WvjhT0T03z6tvrm6+rr83+8+Qqff/XiKPbsIdNHVtFBKJwAKCAmEli6jCohqGqIvfrJHvmgDyNyVJ2JPtYCIFFjFUFMwBDWdEoUVWo+vfReLwfgqu1YtGlLoFxqCLUsqOVHrkgwGV7K7modbHgItRvdn+7hAN65r3otLxpXL1RbrrQJfO0HLFV3amjRiMKB3PX2BrMUkB86zhyQc7kF33n1qXmzIOce33k6bb787dN2LMOPWn4bVHglc8PGevOR9zUgtMTQB64gQUjqDZfGWy5fX3/LkQOdK2pDLXv3Hz9+8oyGF9gHD+hn+YXPbWj4rfVro7fIVl0/tMVtQXMRYZeVwdSPrtwEYrDsGKhAjSwVFCIp0pn7sf6qqQnC2mZNZvi6rulHPpkiqXyokrXJJBrrFhZMvKl6nEQ/FavQYYj9Rl8fbrdCLgtLalh+IRAr4+uv3diIbtyPdkGLHEkhOwaQ1KNaa6xhcdRWomQeeWLIPPzP7Xbhst2MupmSPW66rM585N4GtiZwNY5FkV0omFrT1Ig67pqGi4sl39p0X2Lv/hMnDo/q4oL56AH9LL/qdcsW/PGGSyMXhYJQwGFBkjKWtvIjW704BNWabzasw+gDCp5iqzqEPXqWH7dMTmPYwL/zBhxYVmJKyt46QNQXWbBlAX3O/miHES8wVhinEjiE+YWXs9wVqp3zU4JuHKOcIR5YQSoU8CJFgEx3RbnjuiazbhkBLOAm3CJ7/J6+lDlFxJrmhlrzvWfS5qv/fJp50zbDrTVyFMivuKjW3P+BJkMMjbdAPlLDEWIGUMf1DoaWbH2lb/maFYte3XPwyAVJ2StMYflUee/Hm4F/9973rkwN7P/BzddHVo4O56x2Ctd0y+ZFJkn44xI/6r4hnzl8ImeOkE1l64v95uhBUhe9Q26pDrUXtdM+u7sfc9mugjnRkTcdOMMo3ZJYakmjR7iCkqmrq8MnPT5GyDfemGf9GqgM84qk2ZPjeisVWzblM6d6e+3ideNV9ebaS0NvmQGPHo+2CK/tCZqX9yjUlkPtR9dRTvg1y+PmEx9sNkn8CMSuVypSP+49UjB//oVTJkPGGF+q95Hk/CUf2LJlC7N8YRVPGHcW3/eh/fvfduUVkZVWlTWqH4FWyRliRE/J45Wlz8p2sn5lyFyy1phtL3WaeaRVkh25Y/vu/FhlOhonwcEiQiwpg0oer7V+REldfeznO/OoruSpxqLRnzJNRFtVHvM+YreJbdWq7e7DRQUtJdRx1Nim+9GO0BmmfR49k4oV1OkPN1IQSF8qZVavjuCCSoSZfMQ89UzGdGEktHJp2FyzPsxYRyi504PzVyaybx4omh89e8qOvbERljwSsRyLy7UoFNWyRXHzf/1uCyCHklcBuRYMiT8+940u6zQTgjPAIu89A8cOygvugfL7XgjvPaCfxbfsDxQ3zyFailIbjS5yF53bmrB22gqjpCLWXuA7gfXbgWMZs/kqtT1T3CzwCLRKsqjixzlEXmuNdX6zgqivOp3FYqy5eZ7ZcHET7HHBHGsn31p7zsaM6+TH3Y732hDbhEFyoEvtxR7VygisHb3tdfJ/NF7tqRUHjtFaT7saPPOiLGDS52vLkUwEka4XzJzWuHn++Q7jj5fM2tVsQzCOEcAuZevS3Vsy79hI1Frlhq+Ac4H8RHvJPPE8ZoHDK0hnR6dJ1iVtJB0pA7UgtrVELLve0oBzDpS9UpHQTmvJF/6xx+w7NGg97jRxabZFQV/gfe9/97u/+/C3v72nUtvz9ZwH9Gl+s3/4/vcv6T7+5jUJeZ1V+L2FEZLNayHgwqgftXTiTz3ba+a2QOFxY3UXgWrDUN96uTp43Soej5CGmL0pTioNiQBGM3SK1NqUiNTGnrhQrCewI7pqkicM4r+ezpFQgcCOvSRVKJWCyADkzeZIqPOWHNOpAI3ESy6zcigRiOEnbAjpRE2EaDYEl0TYKFmELPZEuSV8VBRacTQBwmH95Mc9Jjc4YK7bjOGL2hLd9uLVLea2G6LmyNGsOXosb9atcuz/y+dFXEg/25ofPNOHYJKAlIxFRduUvt4+R3KfqGOxC5n7399KGmm4JPbolYoWJqn9vvHdQUyMe5APDHdGZS10/ljN5SdPHH4PH/+yUvvz9ZwH9Gl+swf37LwhEgtcdJz99oJWx+BELKkFJb/BxroYrOVwlNXhe4idbO8smpdeHyDEUmUB0oTDoe9EXCGciTgDqO3P/QymQGq0EjblMqEVCunR/tZlLsdrOsXFFJwBgeCGFzbnWdWdH3v8Z/Arf/gfjprr3hZDxVg08+Y0mHUrGqw5a4AF4c5bms3//bcHCAsdNevXBXmGguVc1F4ecU9uHUIQl7ELh865RWBPDaUBe8Hcd+cKs3Ixi1QVSq42AYCtQBZbnugcpuRuTzpiXMPyxbf1a5/62Me+9PG/+qtT5VfP5/ce0Kf77RaL1x0lPfH+xxRBJcbeO4pOGEk6e2xJk5sIyqAAkOUUW9T8yZ/3WuFbAqu1YlGgQacNpdECMdnSTxQL3UMGbg7Sz2ypvpz+ptDpmV1M6pOop0D+k5/1mv/v74+azZsTcABFs3RRs7l0tYSEcA1sQzQWVJBYwUXNrr0pc+JUyKxbEzErligjTdH8/JWM2bF/YAzI3UGI69h0ccwESx3mTYR0a0nH7O7Z3To6Bln8frktZ770rXbLZdj1rbwC73NY0aGtuObll7bexccvjbp83n7kp+eVqc7A799zz9KO7p77+zKZFv2KO3tyZuf+FIENC1Zwpnjpq5fVm5YmVGbMsCi5XgMY0nz5H06YQ2RfOUCY5ywstTKZRKFCUoe7pqgTjSeGMfuyRUnqT1Rz9q6L3da+/Tvf7zSPfu+U+b37FppNVzaZZ6DM125I2PTK2h6oaEGIYcRy+lTB7Nw7YIV3x48T3roD/XouBIvdyzQiFa8wXO21lyN8u+0abQcQSLYPmjiRNsTGO4uZ00gg37m/YP76f52ycgvEClVLhBU33TdQ3Hfs2D9WrXSeXfCAPo0vtK2h9t1sfX8vRU41S9VE2XgNIfhS6qV9R0tm34mIeW03+9KTBfzRsT4jU+prbw6Zn73QhQQ6bcM97cZVdce+DCqgvDnVTax3hGw+kh5IgKW974i56sggRcnmNCfNovljzWpHas3uO+3jC0SpfeirJ8xLr/Waj3x4iblsfY350Y+J8gS4b9hUZ+3ztbjpH49rjpxSDPui2bevz6y/7DLz7vf+G/P6a7vMgQO9UHUk8QBdGWHEqrtF60Q9mou73560WxErzORiHxloF82rQ47g1BTIDxwtmk89dBoTZMJSVf1Vs6BixBQqpJi/2OLmhrY39x4+utO93/l89Fj3aXy7GLPcNFQhQ6rALkFQOILw6WSKEEoIhOhfxiARvM5qsO3OIbjK4H8ugRe1UT9JX47k/HTK/OoNqacC7O2VXy2MlVjAtNYHbFy2RDyIMEzurQI6pqJsEXyAzbLuUD0tAJbCAQ6Hjk7jwao0KcOeZdUV0fb/ffAw4CyZ/3b/MlPXEDCvETXmjR1D5g/uXUg2miIcSx7f+pzZdwS329P4AMD1yBU1isT+yKED5uZ3PrDt2s3XP/vVLz008NPHf7gkEAptSocjC2X7L7t9FXENt25KIHBUWKoR7kCqxZPs5xfPRYrPYnLwWMn85UPt7PFxhR3nF21Vj+m0efddLWbzxvrYRz6x42Zu8x17s/P8T9W17zx/7mk/3vvuuuttPf399/enM2MN2OlVFKmuXmy1hGJSTUmC7VB8H4tDd9kP2R2EgOTUdyTS4gzau7PmEFFadhxI44Odtgkedh3KmyOniRqbSsApkI4YtdoAZqNZAZ4iNZhi02nfbNVhkqDz8vMSIOw93KMd3/A5972uqb6Ow/XUs2QJiuAqMn0Elvszf7PfHEEVdt11c22mmedfzZunnh80pzH02fpmxjz6VI/58dY+s23PoFX7pVAB2uWHzqLsUTIDfWbhkiXfXL/hiq+87cYb/37+8pWPHT9x9MWhrs7OWCg0l4dokHXgpssSZsMamQ+PWrr4qLVgyYK43S6JkisZZXWQ6znxK8Sm/5pLa8x9726yhjaBQKh31/HAI+3tZJA4z8s46995/uTTfLyu0yfuhsNu00/PgdeZHcn+XOatZwqLsBajWgbJXAoleKV25b2Au+HOnZqS5vcPYCQDy9rZGzPtvd1QR8eaji0+VBJuAVVbEp12PZZikvZLvx2PFZDOKxoNhjtR1vRhkh+GVZbeWsBH9s94ZHEn8ODMghuoosae7sQctYvIsl1ElEX1JUMVyRJ6jnaYLizdSkgdZYcuxxf1Ytl0OikRulrdOqDTlZGi++SUj43ywjPPHLzlnb/+6vDVAY4/0evf/uZdj546cfIDdeHIB9YsroEZYrZHFd2rm7C3P3gmbr75oz4WxXFAzpgCYrPwJ3jb5XHzwd9psePV97d8SU1u+/btY40gRt3vfPjoAX0K3+Kff/SjVz/3s5/ercQDZ/6EnU4E7kg0ZgHkOljoikAkv/NBQC6s6fNUi21DY4HW7t8tSJ1eFN0VjtQKBUXp3EVGP2bdT1sHtdd5C0IlU+SNOA63rlYWtXW91uw4aS8ORXUjcAoBfOARWZsimVmLkPixYNbDjf9kknqHCQX1+iuVXcW/+uh3n6OH5+7cfO22nz/b/9ErNtQuXLpAMfL1NOJ89AqYX7yRNS/vOo4QM0J/IwvryPNQmbGTM9ZEiS//G7/WaN51az2nFNWWHPR7s+a/f3H/L6jFU5//xWPdp/AdJwOlPwvHQ7d0DaQctZkAPOqHXY/9+eiTioASJmNpnay5+MFm0APbIA3DqBjdx3hDksur65rq1tMQ1IdArG2CKJ5eI26qI+cdKq79PKovpF1FxiM12IhLquo6bW0/9JdAbhAqkoAiWmPSVpfugM69/5SOAh/JF9N9va/uO3r8qWptdx8+8ovLL7r01O693ZcvaIs0ELvDLjh5zIKf2poiEEUfixsx6zMpy4loTgII2rQwaXREmjF+2JD5zPkfv7/NvP1ahdVWaGkEdwg///rzB55ItCz5y1ffeKOn2hjOp/Me0Cf5bf72HXe8JxJOf/z2GyKRJfOj9ockU1R5oskFVRJiObHE4rUWOKKIKmJsFXVmXmPR3H496YmWxXDPJNVSM0kQrOeZwiIjcRbgBCKhllIJ/PoxJ5JJt4pT8Sz+6la6j31V6ceh6KRmlhktz+TAqErlSZ62asRcpn3v0eOPjNfkjT17Xr9kzbqegb7sVcuXBZJ9MPjf//mQeX1Pv13ELKiZaPm8DymABy/leo8rnC4BOC5bEzP/5UMLUUXK5r5kKf+Bw3nz6S8c2BqsbfuLr2/Z8tp49z+frg3/rM6nR5r5Z/nwBz6w8ODu7V+99abamxrrnS2dwJHKkEARenC6By8zJNGJ2lrUNk3YnpOsADUPtNEuAD0EfLxibcEaiIgFFVVVey0GymTSgxDrNCmUj7dn2RdjqtqnvTyhmVhABC0XjIoE09oi1f3wKjLzj1q5R3ewla9O6qwWQm0NxD3ogSLZ1N5FC1t//X9t+e6uiTq4fdPG31uzJv6xNw72LztyYtAGmSxvo9nQnESIZpMkfNXc+qBZtQLnoXXRYVt8NBgNUfP6zoz5+jePPhOvb/vE1x599OnyPs739x7QJ/EN33bNxs9svKLm/1y1zHGscJvo9++AVvvbotmwfpFZMk8ZTgtWeCXKdRp307/47EFz3UYftu2Oz7rbXseRPiykbbshgi1246HWhadaO4tI70CBIIziGsIkPkgMh3ga8VYTy65+9PqXKgKbeGYX0AKezmlI0UgAs1i/VRnOQyW2jHxyaaLCfvsHRz/w5NYXH6bKhOXWjRt/PZ3PfbAQ9N+ZQxCZhS234bPZcItNj7IdaCE23uplxLtfpMg+WigdIWOOxfRVor/v3jv06Mp1K//qi1/93y9NeMPzrIInjJvgC71906a7lywJ/t7KpY45Z3l1EVbHxJOoprVRnFjkWKIQUo6zR4A8a71Q9poI1wnYKIo2urh9OOedH6abYmnxHO2sFFRSe3tynDXEzaKFbUjgibBKlNXDqNiOo1bqYjEYGFKOcQJWYBprQUfLctyLzS1fDOx76ti6bgNnEM7f4cY66LLGOfJyGrjNtNBI/x+NOMEplRxyLl5mc5qcNFGyBWhp9JtkDftobAF8RJDp6YyZH/3k+Ca6fpjXhOWJX/7y+x/84Ad/0nFw378Z6Ov7rVIoeLseSMEt65Ihs4Q880sWSsPg2NDjOIcsAGeZwQC+/9n2kx25L23evPmBT37uc+gSLrxS/lu48J5+gif+9/fd13TsyM6/v+OW+G1R0ihVAqq6kJDnqkvmkzkl9pZ0WOeD/PD/6Yd95sVtHeaKSwCrNrnTLLrHNZez31yGh5o7EM6V0KEPElRBUVo7uzKmn8isXWR/6SbhYjofxFc9z9YgDQVkj81ioVh2Q3iyOQYoSg7hCO5k6RMAODKCKUIxpb5zLdW0KCi5YjKBF5vUdSxcc5prrPqupTFiGkmq2IAbbR1mrrWEm46wwElvb6WDel4WKrbOdqXQYqEijdfHP33gpVDt6tsfeOihKSVOfPLJJ+ue//GTf/j8T3/6oeVLaxZfeTnLoc+J0af+YaRYlALEoiMF1Ev9jxf9kb/7/s+evSAMY5zZHfvXo+hj5+StM7t37/z9GzbFb4vBBlqDkbeujLzRntOapLYpNtyZQFZk09d2DLB3l0unQxFVx/2xj/Qy8TutyGG8wBSpRpJyt0hdpFjutfiAt2Jbb8k4SRNhmLkhB92sRKJFjY0fvwAuFZeCWhQwhFEUF+ef0hyrb+FSdbkjD6Aki2jjYI+lFnNiyltVuAakFUDF3sc5OveRZ517QcexRUY9a1cl1j/xwqErufqjsTWqn7nlllt6ufqZ/3r//W++vPWn//miNTU31sFF6BHFpp9k2XhzZ/qVk+2FR1atWvvlL3zta53Ve7swrnhAr/I9/84996wwg0ffswDTGFeHW6mqYsGtX9NodbPli4FUUx3sz/djAtqNGuhUX8isXBDGq02pk4dVWlMAPfmDTVTkdFSxi4ZwadE26mLZRxh3gFm0zjMhQKakiUq26C46Ph8x3aoU5x60GVY5j8TZEMKnV7QgrF9bG97ywz2X0sOUgO7e8ROf+cz37rnrth0/e77vvtYm/yaCbSS6uvLHkGc8v2jRkn9+cuuWvU9u/aVb/YI+ekCv8vWfPHzwXTdeW3u5n/TA5QAury7qvHZFEwkSFE3lzB+9qN72XWnTQZz30yQrP37amK2vkke8KULq4AgurQiP2LtGcesUYRSYxqP2SlyoIIsuMMvHMZn3dnTlQ+R9+eJQfmky/Z11HVh5zUNdPLT+bPra8t3H99L+L+5YsSLSsHp1zT89/YNu298vFDHKK+4MeEB3Z2LUMRb2bZ7fxv5VkibKaLZc2+SmxrhZvTTJVazGZE+uqiJ8FB+ft5E0MYN0WKe0Z5WQzsmtljJbX3MEVxJaLZobMm1NAdOQBMxhQc6BnQt87W9jRHnRfnraSNeg/hUVUfR69vXz54bXfeQjH2l+4IEHprRPH/0oj+3dixsgL69UnAEP6BWm5Xd/+7fnnTpxaPlWcn0115VMUzJghVAytRw21QbUfiKRttoEid19BdIWGbynSI/M7nEQHjKGMczu/WlTAP1ShDnLhSOfksOISk9fFsFZ1mzfoxBNCLMSISh+mD1/wMwhqWID961hqx0kSmwt4ZskEFPEKGu5Iop8zsmwHfaM/NHY/TzPiqXxlc+/umMdnf58Rjr2Oqk4Ax7QK0xLOGrCmVwh/Myv+mHJcQzBxVSqoxgZR5STQUKrRG29efbNXpsmqLc/gy86QRSIdyZKr+yoYYxbGoJ5c8nqWrMNv/R+HFLEHViqP3xPvXcw71B7gb4Tafn2vY5RjbKZJAF/PXHhFs9H91zKmKVEjm2ux0MOCTfBKd0OuCmd6t5CkN4PHyo83jk/ZZ+ZZ5WKzxEWOkPw40e+blVt7fd/fHgFZzygz+I34wG9wuTWNi9oL725p0ueYaLFUjMRWt1m8XSr9/T14NXlRHG1v19+w5a1thWk31VwhqK5ck3AXL660byyU66mKdOLoYiMbIZ3BG539mjP0Y+DBpnGFvAiK+COCsvf4Tev7JYjCSDHX72JCCttGJ/MwWd9YWsYYxS/aYT1T7IoSGYXQNiG/G5kIbB34M/wImCP+qjPbjnjg3uyyrFsnC6Q32Jb7LXhdjLtRZKfQRrej6pvkOPAoIJxZBhCEC5INuqFZVXu4p2eoRnwgF5hIj/72c8O3rJp4xEo0DXuZftjdj9wlFRdoCuPCTdyGft3ft1+VEwKHzV3TsnceGXYbCBu2o6DOfPGnhQATluQSedbjouRPjjPBV2TzlkBJxxvsRIJHpTMMWd2HRy0KiXVkSQ9DIVMxsNYobHdqJOgC9v4uM/mNJMhSS3WaXJlrYE7CTA4RUiNkGRRz+E4w+AFpnFzP60Io3Hv2JY71u7WLt/av5NZhkUwnfXbnG0FJqQDzqSrj61MBxyKklFgAqzY9P1Eoc3i0GNVfDLvZZHRloXoeqLoXpnFGfCAXmVy/aXSYemNlZK3UrEmnqORUFbREk6cXLp6i9inS0VHmGbAtnEdFH5l0hw4UWO278sShSaFzTwCuypU3u0yi2tsHIcZocNSfqi1FpuRQgAKQiC3Z1lA0BofOJJhETgTrLqHk3RR3bBwsDWQJN9NxOhjMfFxHi34mNXHAbkWH0W8lc5aZr/KuCpzX0Jl4Sorxxy5kJaIn64oMeJo8vkc0XXkWqvVw2EnnBBZdjWxz13ImsX33ntv/Otf/zp+sF6ZjRnwgF5lVgFFewQd+UApDbDKAVWlQYXTBX70SlzgNJfu3JHeS2WnBIOrFsXYk8fMrsNZs/dQxoZHkiPLaNALZAHGIoBIZlCtuBwAVrPDpdK4nXFojSpgJacED4Kf/tij25TjiAhRAHfkCHkodjZLTnQc4OU1JhVd+V1UTy8VKy/gOISZqpMfHqMbgl5oodBRzxMmE0s0Em1OnzrUStUDaueVmZ8BD+hV5jRSU9tXwO3Rl0iyvyRiKwDLQZ3043V/9AILH5weylHCKT8/Zi0Qp8mf1tkVQRUnE03H8kztHHPYEpJ1n7n2kpC56qIIrC7BE0l0cICXoqaIUgr09g72ZlUGO43T7rBdUJZ34ZyTjAEqDbAF6AwcRQ5VobvQqI76KF8M3D5cgLuf1cZtl8+Tv73sWQT2ltraUq6EUMErszYDHtCrTG2ytra/JpLGUSJqOruLqM9KOEgUyPOtXOIEIcQlMhQIwaKKwrInZ6Nq/axhZ0W6ayK4rWKaiqWWee5Fv6kn0eKqpbiZNonldnKl6fcu9leU3o+t9vxWH1lIwmbTpdwT99dDOK4cOpZjP59BsBa2e2Dtn509dJWBl52uBOKyy8MLlnNGoHaA7AA7y/MInC4o3b7cY3k/U31f3odl7wvFk5Gm5hNT7cerP/kZ8IBeZa6ikdjpUE0os25VKSKHkhzOI6khnEQGQqa7O8oRj6wmZULVnlR7VlhS9q0xBGGrlkaw464hemvQfPrzR8ySRUWoesm8/EYRtZvhs9/ghGaTHbhAF+hlXSfOXA4ac/H8amsOsacP45kWN/3ZOItMhJxtadPelbUcgdrAOLBIOA+hPbuAqT4FJu2XRZEdYClAhvM+w0Il7kKUWhoFuXu6FFc9lQOx/H2VqZr2aY0/Cgsf9ZX2PPbYY56xy7RncuKGHtCrzJE/EtnuKxRfw/Fjo4AguVcCWVgdGVYWzlPotKi5noQFcvYoklJIRRFYFarIJ3abBn0I4kqAX44nF68pYhxCIsFThDI6VDC79hmSMPqIZIq+vc4J4zwa9M7QcHEljFJ9Ysg0ElZ53cIigS6IbY77Ze9g0Pq7n+oYsnnWHEk4oapgsxXoUWyxgOxQZS0AsA5lpRzE5e/Lqpz1W4FZRUcbror34nykfpQ3XI1fdgK1O2wl78+szYAH9CpT++DXvnbsnpuv+k6pVLsBv+agMCIgyo1TP9oMUUUtmPCtluxL+1W7nwbkyKrML14bMN/87klz8LAAWou1mxaCAhFoDC8/Qjq/OUTSgV++UkDFZcwCzs1DHKW8ZVoYdD8XJHqfBbgnTvXY++CWbholgKcUFkvfLtArTbD006RY7g/ZlMGDQyUzCJeQ07iRgKtojG+VYRC6n/UMkynuuNy66kZNuY2dI3cuJGlX1tUaotQm4viN42Em/X8dcol61H5K1vjk0wPmsiuu2f/Nx55yu/OOszADHtDHmdQtT73419HoNcHFCyPvbWr0r42TOTVoPUERqgG8vNLwooMWu50iB3o7+cu3kcTgZ6QOPnA4bWoILSX99i4ijs5pRa9dq3ai8qQbThZN48U+a0hyCoOYw2R32X8AoAOAhW1+YsopiIIovQMegd0Fot6XFznG1JBTfV4LwRG5UCwhOyhE2W74CZ1GmGgALxNdhbeSt51A30FChV5CSAv/8kOXNZ+eQ6J3lhm7yLj7c92rnOLTha2nc9qKNNZjnkuWVYW6tvndawg/Hc4DbthyXHxjRJiRGa+eRW2sjIH7HD3JQpQq9TW1tODy45XZnIFJruGzOYR//X2/4+oNlxDJ5MZw0HcFSVguItnI0kQi1NgA62lg13v6Cp3d3bn9Pf3FXQimD6xZuzb9zt9816JjRw7d8q2//9/LBB4yCJtFiyJmOdlAG7CftxL4YcDaHz4QTaXwpW53AJDCwITI0aZtjs/MBfRx/M39uJWqCOijqWqlWQRTdnGw4OI9wwDMjv47wE1JUIrZfJC+QCu+53a/TsfqW8EtFGjRFjXUdoR/0iaE0L3Dd1h32xCGN6qmbUMEUItjsAuE+qCZu1g4Y3GCX7STc23/YZ85eSrLNiN/bP6ipbd/5ZFH3nBu5v2djRnwgD7FWf3TD32oYTA7uBKbrjmFXBFaija6UDjVlEzu/esvftFxkaRPfuD+j374D35/+6vb/nyoZumCUnbQRAvkGQvkzLw24qYtRgLfjNcb7LyA5VJsgV77+nRa8eZ8sOtK3qBY5D4op7GUvh7WN0ZaZFrZ0VtgClg6NUER4GxRXbsQuCecRWH4qlNluL+32gxfHLmPsyi4bdzzIwuMQ8HzRLfp6feb46dkJeeY5i5bCNDbc2bPvsy2fMl3209ffPGk2493nPkZGPmWZ75vr0dm4I5NV30uH0r8p9OFuVA4n2kOdplgirS+UL4mpPZLF4XNAtIt10QVkmVkby6wuJQ+myfGGgK4jk6CWaDqI7MTBicIBvGQbWowCLV8tGfRIBqM9vcqLuh0dN/bCzP4xwW0uhxZDGQW7GPLALh7fdiyEzevz1lVWhqNmc+zNtUTepl0yS+8mDW79hT/iXhwd8/gsLyuKsyAt0evMCkzeeryq6767qsvvfi+2mB9S0cK/XipzrRFU2awGDX5nozp6Bg023egSpsbMQsXBE1rowMCsbwOiw41h+prz65XEblAFrvyHsDT2e1Dz46dOZ5zKhJ8STOgsFIJBF+i+mHit8me3IfKTiy8+nWPznNOtNY79Z26WjRExWmDpkHRWAtkiR0kYu0gY+jr9xEMs4i8AuEfkjnJDVoafXa7UpdQPnc9E6w+w9VzaHGIxGJehAh3cmfxONG3PIu3vnC6hqr/8LRvwR0D+aj1KltQ02uOpxuh334TDyK08w2YUK7fBEgdlMD7rK0tZBbMDVhqHUTIJUBI4i+A6KXPovYOYNlnwxorRHQvLP7AAJFPB3AgGURnjuoqD/mPksaJ7GmmFplCkD21HFritQR6RBqu0NTqb6QM77E5of6lOhwg6qw1lUXIJ+FemmizBWLOsb+2z4Bw3QrhatAGKEhkQ50Twy5ks786Y1f/uo/tE7uDHrQOL/xqoL1twfq7/+YrX3lu5P7eu9mYAY+iz8asju7TV3odl3aAjjCMbbWoXW1wyHRnakxvIWT6fE1IrRst6LPpXtNDFtI9e9JQZfbxrVD55qBl02uQ+oeGpdeirE6oaUAPyy5KnkyMgF9RUOUllsmEkGwreSJpkNAM9DEIvz9qek/giEIsuwDx0H0gVVRaiwlLiV1MdJTHXJwQzUqhlEJyHwoVrGfcHNxig/4sCwdx5hU00nrDOVJ1YE179eMUvZXePAMX0s8idJoU0cdPZNmGkOKp5HvlEQ/k7lTN6tED+qxOr9N5LBzb05dL8YFwMZC1DFLuqE+GYFjCWGAVULNJ1RblcpRkBKQVgtJn0v2me98Q+9gUXmbs42vIkkoWkmYi0DQRfII0bJY1t5FcQZRA5YBV94XlR8EfgspqEYDuW2qKjJD3yiIjNlrsM8C0Y9CZkSIibymwcazoBHpRY87ycpNFig13zztttd1wqD2cRT9RdHDqkdqxh22KklDkTcj4a+YYP4uYf+DQTqeV93e2Z8AD+mzPMP3HG+r3hE6nBsFJXGjKFPEJD/QBGUHMLXrngDUF6FO5GlRZNZaC14Tx4zYpk0kRUXYgjRFOxka6URrjOnTYDdjRNzYESZesfTr7cvbCNuiE7d25gxaB0VB2hH0AVfWE37JiMV32WRUcUMuDjnHCfsssOIfgTdR+iHjy3ejmB8nX3k/EHYeLoA2xr3zhWgSF3ADz4FLjtSbl43PquIkWDyJh8Mq5mAEP6OdglufMqd9x9Hj3PijvJeKOs0Vs5KHaipeeBSxnAlADEiqhuBwyACnD3h6xFXtr+ZMrx1gRU1wWguIQwSaPm6NHB9iPO/pt5UqXAE778QhhpQt43DU1Ra3pbgFOIuAvsmd3UC3bfLfIecyOBJLsw49eGV/ktZeC7QepfFbgCGLgYYSTIitMGuceSf+zyhFHFSs49EeIaRc1/gj54Qi1VQzzCtSZYjBuIoPkRMLxPF2qIeo01oCE2YKX6HLv7x1ndwY8oM/u/NreP/vg10/feu01e6Btl2RAryzqRCHDAcCC1Hr84oBedbS31x4/GGk0+doVBtdO448PmkjmoPH17cPmJW0FZ+Lhu3B8sbSa5vsPDWLRh4MLoNSCICGcfMIdKk4Fh9y/dRRos6C3gJusFhsbKod76f4h9uNB9gO6dyhaZ/LY7/ojdVDuGlPwx8gREaUejj429q0zdh+ygkC2x2Qi821gCz1LKd0B9xEmRIZXzsUMTPQrOxdjuCDuESwV9wcxlskQJ00ZUrK8wjZpQojnFyAmLqLojeGUCRdPmAC27Xkf5naBuElHlpnwnKVI9NmHZweg9ARqAVgGSb4P8BcQ8Am0lh3HjG0olXMwznpTALCBcA1sOMtCiCOLkFjyGCJ0G1gC1IdhPXTvooz4E60sMsut6W6W/YEWBac4oKZDPuqke0HWdCwwxbSl7jovXX8p1dnd2Nx6fLixd5jlGfCAPssT7HaP/duxCPpwFGmcIuyTQWJtgS6B3OSKKGpvNmrifqh45y4AjQ88fVmCHI4BfNj2WALsN5nBxGWYtyLwYmkJn37ahIoDsPN1zpoCwOWyOtjfY7r988xQnvMAsK5E2CcfgMyxUJCMPJiHN1deKW5QxMg/kpxn8sE2FgC4Ac6VlMlwosLqoi2G2IeC33nWIGpEX67vwOJF6/ZM1Ny7PjMz4AF9ZuZxwl5i0fCJFNFVtNeWzXi2FDH1COQUhcZ135ywE8AF920yhTjt4tYsNgSljeM0ojDUBfb+6UgCgDeQ+0yUFVUaxjKFQs5suGKD+ZM//bPHIOi/4EJ8/749t/3ln370knA4ZHqRhgvofbDcUXTv0g4MQZlD0QaoO2q7xvkmEJtj0ixOlvdwbeCpOXGBY2CRKaHSw9mX6gC/0M8ClN9xoWY2nXjOZr6GB/SZn9OKPc6Zu+hI38FjvX5ffZ2k19miYsDx00dtVawokDuzG3mGRcmNHiTofECRbaDWMTxshGcfQrAMe27tya0kX0DkHgJVCcpNOkXT2NzycsvcuX/HyR/wqskVcgf8geB/Nfl0i1X7cTIL257FYs9+lhYOgq2osPFQwhRR+5VGkq5xcbIFYOd6TCGkjDbqlN1GvgtuoOg5sdjZODd/nJk/N/e6oO/SNnfurqDJ7gtLzUTJQz1FyeX9NWEBuI0tC0xtI3vxmrkmEMHAJlpPFhj07oBcmBYglcLUHi3I6VWbcthxaLpJJutEyb+HLjzPqy8cjX6H6KzPG9hoKg0PQUd3f63FQj5qsOjq2+1zuOZkD2ofzPeZQgCPHIpUeqVURyHZ0Lhtsn149c5+Bjygn/0cTqoHsamEiNoRRiCnYl1EobURvz474LcXqvyBAUbwJauz0S+B0wXq2MbyFxdQk3UNOwG4UGxLa2vryWg8tkcLj2MI414Ze1QY5/HuMbaFewZqjnGNr5gC6FjuME7JDEyme+f8Jctfc2t5x9mfAQ/osz/Hb91B7GoEAZxVe3E2R5y5iLWQe6vKDL9BMp8ZwmW+OFRXVzdG8BWJxLuKWOxp8RivyIJuWkWCONJIqRRQv6n4CxpPdsfnHnzQM5axM3Ju/nhAPzfzbO8ST8a3hYpDdkcu6GQQyEnyPjkYVafa4z1CwCeOobQ/kUjsGl0vkaxN+QC5k1xh9FXns/TtSsAwvQIfguCtqMyQVsjHZ9h4X7G4e3r9ea2mOwMe0Kc7c9No19I25zVfIbVTFnFiYyWQC8FNy9pt4jK55eDMfjBqQaWHWm7vdTffvP/Ma7izJpM5xYpxTGGr9x+USH9aRcDuMSUEca7DjC/TjiYgsG9a3XmNpj0DHtCnPXVTb/jg17Ycw5h0RwiPL5UcQFcRGCfap1sLNVt7an8yQ72yez9UqVVdXX0+iNR/In04S0Gl5hOekyDODwXPByRx136diLnpzoHm1jl7J2zsVZjRGZjeNzijQ7iwOkP2tVuGM9qnY6zGPh3WeBICOQnQp1xoo0UkGIqertS2NlnHBrpEAEfLYlSqwv6dKLIEwpt6EbBR7WEsU/DLfxa1Gvv1QD61Z+nSlW9OvT+vxdnMgAf0s5m96bT1+/aFS7IUk9MK7DsCufAsCeSUMFGOJPFYlFAUY0tdQz2R3KQ+k4qtenE0a5PZXpT1YQVxWNmh8isGiHJJCZTYn5cwlHnggY6ymt7bczADHtDPwSSX30JsKyahAxi0UeSbPiyQm4Bii7JOtUiansenPRaPOzq9UR0k65tOYHfe4y+JYlcegIJOyFhn6kWCOCzi8Hwryiaf4QcwnCG67OtT78trcbYz4AH9bGdwiu3FtgaK2T3KVCJoOQI5wiSPqLgr9jiRrntsIyfmfIB+EbpV1J9Fa2v3sX4cikVk9lq5aMsgj7epF1j3fDfUHBd8G+wC/X+qs5BMJj1DmalP5lm3mM43eNY3vZA7ENtKJLcdkbcEcuyPoXYhK3mvTFWnO18lMjIU8V6LJxIV2YGbb775FNLwffmsbPArF0WrnU7aaCuIy2ERF8JhRmy8otrIUKZtoWcoU3mqZ/WsB/RZnd7KnbM7f137cqFPbqLQcwRy2idXB/o0OHesWbOyp8P8tckR81cYDjEmDuKpzpWKa0GFFpM55Qji/LDuxWHT1yDWcb4ihjKkuppMD16dmZ0BD+gzO5+T6i1em9zGDx/wOYEkMtZCbnyBmOLCTalARUMkfZCbaUNTfdXOI9Gadm0jXIeTsfcgz7sjUBh7qdoZ7u2TRRz3LgZtwDqk7xLEeYYy1aZsts97QJ/tGa7Qfwvsq78wuBMPUluyhFGOYMGm/XD1Mu7FCs3gFHJpwFUgjFQ9YRorFwJMDBRs4MoqRB+BnqLaTK0gH5AgDocbYsQCeJSJ2S7PUGZqkzijtT2gz+h0Tq4zZWqNsE+XsYrgm8GPPEh0mPGp9hQpuoZSyNB/sae2oaFquqPaWDwXhL2vZv2mpIziPKZ292FBXDABxgl+QYSZYqpjYK5nKKNv5V+keED/F5l2yadKu2MESBSAsoUAgJTLqj5Vptyjc5tPPGwlQbTE9GAiHK5qiSaJvCzWqkn9/QEnWMTE9xup4Qjiek0xRA4mHkeJKfy5gT0LPUOZkUk6x+88oJ/jCX/rdhjOhEpp+7GA+skK5ALVBXJK0zzVUsjgUFIs7LvpzjurGqgkkw2IAwkCacNCVV5kpkrPZREXxChIqjUh3Qcbj67eM5SZ6hc4g/U9oM/gZE6lq4bGJgxnBsldgnAcQq4Q0E4Mucq9KFDj1Ap0FdUaWVgOjdcu0VgHRSf0dEWjGPQDDK4of3QxG5MpeLsRp4Z754hhJ9dUAk8Uuj1DmcnM3SzW8YA+i5M7Xtfz5i3aGSyk9zn6c2zeidMWBiDVDGOmbm/ubAVi0VhFO3d3bMmGBtgIBYSoLHHTImRDQ7sNJjxiEYf+vITerogwDoRjKNNVkIvuhE29CrM2Ax7QZ21qx+/4sw8+eBoX1d2O5xoZUQktpfdioyuVoI0EU+lKtXPEj8f8NVwTJaRr9VLf2NhvtWtQ/4oFifnUzG8RxBV6AHkcToWglQjiSumunS1tSzxDmYoTfG5OekA/N/Nc8S5EdtoTJYmDihI5WBa6ooUcVFJoHF//dsY9rOob8NbGk+Py/MlEPRL5Uo+SOljJ2Rm9OKemcFvJ3mxwiSIWceIEAsRzD5RSO6RpGN219/nczYAH9HM312PuFAqGEMjJ/FTZW7RXJ6lDFQs5nEHGtK9+AqqKBF9qrURd3bhSvHBNjezdD5LhoUJ3SgGFRkC/EiF4wiL7fdSECN/kg65tvV+GMsYzlJlw6ma5ggf0WZ7g8bpvW7Bwb6DgeLJZgRy50SJVosJmMlmEYpMHeyGHZVo+QybVunEb3XTTTR0I3PYX85VZd+Hb56vurz76+chBg6mrXFMVbILFRoYyJbN/dD3v87mdAQ/o53a+z7jbilXrdgZNZp8itcoENUtyBwWPFEBGlxIWbooBP6kCr61wVbKKq29qrESqz+gmEArhwSYwj+3Ed/h2AAACM0lEQVRfbLu2AZMj6LDq+X5cU8m9hiAO33OED51DiabmfWfc0PtwzmfAA/o5n/KRG/6XT37yNE4ne8M2woxjIRfCFHaMaTlok92KI/2eFOTArAR7hHmub4C0j19isVhXIVuZomdzVc3kK3QqH/ReEi3GcdYhQQXWfsVM/6HFyxd5FL3CbJ3LUx7Qz+VsV7gXu+mjYcU6h5rKQk5msEFSG4+mobksemlSIE+uAHFcTyXBb2pqrIzgso5iUfTdeLo5HvJlF3hrLfJQkU2qwBAoK4sEcSUriBvCcCZzYtk6c2JS7b1KszYDHtBnbWon13FDc1M2SFw16c+VybSInZrSKY8ueYRlAeUwnyRBV2509t55LN+qR5UYvkltXaI1CBsRlLfbqCJjGSVknEwJoB7EWYdEjMrKAnUnMCQG97l58+6ccAyT6d+rM/0Z8KMjXTX95l7Ls5kB5r5u8dIV84OooGTnLpDnybYarRAsUvbjjinqWDCOHYOs4ixFD9Y3NCwfe33kDGNYXVtXdxkpVIfNYEeu6Z24iDxWbhOXYddUOAMbDJKtg0m3kzoquuCKK8jw6JV/sRkQxkXR/70H9nP/HTDnInu/u3zVqhtCqMGcWO8+k4Z9V7TU0YKxAtFiMspPPsmSy+Amiii/NpG4nXv9RrVmcBK7/vvnH7xe3ELAhow6cyERpxGyHmxnnh/Tn1h1Fhcb3dbuz8nblhswc+bOv6i5uflexnDJmDbeiXMyA3yHu/9/YIaCKs6Zv64AAAAASUVORK5CYII=", };
15,038
90,153
0.96562
c16192de0bb74e99a4770724d4a74d613cce2c73
402
js
JavaScript
src/util/mutable-image-data.js
TonyBogdanov/ocimp
59313c9009f070bab417305a907a0ee21018c908
[ "MIT" ]
null
null
null
src/util/mutable-image-data.js
TonyBogdanov/ocimp
59313c9009f070bab417305a907a0ee21018c908
[ "MIT" ]
null
null
null
src/util/mutable-image-data.js
TonyBogdanov/ocimp
59313c9009f070bab417305a907a0ee21018c908
[ "MIT" ]
null
null
null
export default class mutableImageData { constructor( width, height ) { this.data = []; for ( let i = 0, c = width * height * 4; i < c; i++ ) { this.data.push( 0 ); } this.width = width; this.height = height; } toImageData() { return new ImageData( new Uint8ClampedArray( this.data ), this.width, this.height ); } };
16.75
92
0.514925
c163eb9586fff2b9804448a37a7b4c28b90cea4b
5,319
js
JavaScript
hymnal/regi-adventi-enekek.js
sdahun/webworship
440a51d0009a12a8a62f74c59ead3726c2a2c2f3
[ "MIT" ]
1
2019-05-22T10:31:03.000Z
2019-05-22T10:31:03.000Z
hymnal/regi-adventi-enekek.js
sdahun/webworship
440a51d0009a12a8a62f74c59ead3726c2a2c2f3
[ "MIT" ]
2
2021-01-28T19:41:18.000Z
2022-03-25T18:36:35.000Z
hymnal/regi-adventi-enekek.js
sdahun/webworship
440a51d0009a12a8a62f74c59ead3726c2a2c2f3
[ "MIT" ]
null
null
null
book['regi-adventi-enekek'] = { title: 'Régi Adventi Énekek', abbreviation: 'RAÉ', lang: 'hu', publisher: '', year: '', description: 'Régi adventi énekek YouTube lejátszási lista', version: "1.0", speed: [], defaultSpeed: 0, markedSpeed: 0 } category['regi-adventi-enekek'] = { } song['regi-adventi-enekek/1'] = { music: '001', title: 'Zengjétek Jézus nagy voltát', 1: "" } song['regi-adventi-enekek/2'] = { music: '002', title: 'Uram, taníts engem', 1: "" } song['regi-adventi-enekek/3'] = { music: '003', title: 'Visszajön Jézus', 1: "" } song['regi-adventi-enekek/4'] = { music: '004', title: 'Hazavágyom', 1: "" } song['regi-adventi-enekek/5'] = { music: '005', title: 'Drága égi kegyelem', 1: "" } song['regi-adventi-enekek/6'] = { music: '006', title: 'Vajon fenn a fény honában', 1: "" } song['regi-adventi-enekek/7'] = { music: '007', title: 'Semmi kétség, Krisztus eljön', 1: "" } song['regi-adventi-enekek/8'] = { music: '008', title: 'Elrejt az Úr', 1: "" } song['regi-adventi-enekek/9'] = { music: '009', title: 'Béke nagy fejedelme', 1: "" } song['regi-adventi-enekek/10'] = { music: '010', title: 'Mily édes vagy te szeretet', 1: "" } song['regi-adventi-enekek/11'] = { music: '011', title: 'Egek nagy Királya', 1: "" } song['regi-adventi-enekek/12'] = { music: '012', title: 'Hálát adok, Uram', 1: "" } song['regi-adventi-enekek/13'] = { music: '013', title: 'Mennyei otthonom', 1: "" } song['regi-adventi-enekek/14'] = { music: '014', title: 'Napfény ömölt szivembe', 1: "" } song['regi-adventi-enekek/15'] = { music: '015', title: 'Ó, mily hű barátunk', 1: "" } song['regi-adventi-enekek/16'] = { music: '016', title: 'Örvendj, világ', 1: "" } song['regi-adventi-enekek/17'] = { music: '017', title: 'Feltámadt hős', 1: "" } song['regi-adventi-enekek/18'] = { music: '018', title: 'Bízom benned', 1: "" } song['regi-adventi-enekek/19'] = { music: '019', title: 'Ó jöjj le Messiásunk', 1: "" } song['regi-adventi-enekek/20'] = { music: '020', title: 'Mily szép', 1: "" } song['regi-adventi-enekek/21'] = { music: '021', title: 'Úr Isten mily nagy', 1: "" } song['regi-adventi-enekek/22'] = { music: '022', title: 'Hinni taníts', 1: "" } song['regi-adventi-enekek/23'] = { music: '023', title: 'Ó Jézus árva csendben', 1: "" } song['regi-adventi-enekek/24'] = { music: '024', title: 'Ha minden napot', 1: "" } song['regi-adventi-enekek/25'] = { music: '025', title: 'Emlékezz vissza az útra', 1: "" } song['regi-adventi-enekek/26'] = { music: '026', title: 'Te szent kezedre bízom', 1: "" } song['regi-adventi-enekek/27'] = { music: '027', title: 'Csak te vagy, én Istenem', 1: "" } song['regi-adventi-enekek/28'] = { music: '028', title: 'Ki Istenének', 1: "" } song['regi-adventi-enekek/29'] = { music: '029', title: 'Ha Jézus Krisztus jár velünk', 1: "" } song['regi-adventi-enekek/30'] = { music: '030', title: 'Úgy szeretett', 1: "" } song['regi-adventi-enekek/31'] = { music: '031', title: 'Isten dicsősége', 1: "" } song['regi-adventi-enekek/32'] = { music: '032', title: 'Áldott az Úr', 1: "" } song['regi-adventi-enekek/33'] = { music: '033', title: 'Én lelkem, zengj', 1: "" } song['regi-adventi-enekek/34'] = { music: '034', title: 'Az égbolt az Isten kezének műve', 1: "" } song['regi-adventi-enekek/35'] = { music: '035', title: 'Jövel, jövel', 1: "" } song['regi-adventi-enekek/36'] = { music: '036', title: 'Ami szép volt', 1: "" } song['regi-adventi-enekek/37'] = { music: '037', title: 'A trombita hangja harsog', 1: "" } song['regi-adventi-enekek/38'] = { music: '038', title: 'Csak halandó, elmúlandó', 1: "" } song['regi-adventi-enekek/39'] = { music: '039', title: 'Ó, áldjuk most őt', 1: "" } song['regi-adventi-enekek/40'] = { music: '040', title: 'Nem értem én', 1: "" } song['regi-adventi-enekek/41'] = { music: '041', title: 'Ó jöjjön el', 1: "" } song['regi-adventi-enekek/42'] = { music: '042', title: 'A világ Megváltója', 1: "" } song['regi-adventi-enekek/43'] = { music: '043', title: 'Hűséged végtelen', 1: "" } song['regi-adventi-enekek/44'] = { music: '044', title: 'Amint vagyok', 1: "" } song['regi-adventi-enekek/45'] = { music: '045', title: 'Az Úr irgalma', 1: "" } song['regi-adventi-enekek/46'] = { music: '046', title: 'Küldd Szentlelked', 1: "" } song['regi-adventi-enekek/47'] = { music: '047', title: 'Ha szívemben', 1: "" } song['regi-adventi-enekek/48'] = { music: '048', title: 'Nagy Istenem', 1: "" } song['regi-adventi-enekek/49'] = { music: '049', title: 'Jézus eljön', 1: "" } song['regi-adventi-enekek/50'] = { music: '050', title: 'Te adtad nékem lelkemet', 1: "" } song['regi-adventi-enekek/51'] = { music: '051', title: 'Gyúljon világ', 1: "" } song['regi-adventi-enekek/52'] = { music: '052', title: 'Ó, terjeszd ki', 1: "" } song['regi-adventi-enekek/53'] = { music: '053', title: 'Az Úr kezében', 1: "" } song['regi-adventi-enekek/54'] = { music: '054', title: 'Mindig velem', 1: "" }
18.533101
62
0.559504
c164fb1c9ff9804c7d2639dacf9afacbec35719b
955
js
JavaScript
tailwind.config.js
sandrobocon/StreamStats
68d6508cb404e89aae6b39557c671afa87abfa9a
[ "MIT" ]
null
null
null
tailwind.config.js
sandrobocon/StreamStats
68d6508cb404e89aae6b39557c671afa87abfa9a
[ "MIT" ]
null
null
null
tailwind.config.js
sandrobocon/StreamStats
68d6508cb404e89aae6b39557c671afa87abfa9a
[ "MIT" ]
null
null
null
const colors = require('tailwindcss/colors') module.exports = { presets: [ require('./vendor/wireui/wireui/tailwind.config.js') ], content: [ './vendor/wireui/wireui/resources/**/*.blade.php', './vendor/wireui/wireui/ts/**/*.ts', './vendor/wireui/wireui/src/View/**/*.php', './resources/**/*.blade.php', './resources/**/*.js', './resources/**/*.vue', './app/Http/Livewire/**/*Table.php', './vendor/power-components/livewire-powergrid/resources/views/**/*.php', './vendor/power-components/livewire-powergrid/src/Themes/Tailwind.php' ], theme: { extend: { colors: { primary: colors.purple, }, }, }, plugins: [ require("@tailwindcss/forms")({ strategy: 'class', }), require('@tailwindcss/typography'), require('@tailwindcss/aspect-ratio'), ], }
28.939394
80
0.52356
c165119a941f032e357dcc46aff660919540bf40
765
js
JavaScript
app/js/background/Set.js
ideoderek/twitch-tuner
5c181cf1b993d8c1ebdbdaf7948d4f3f787bdf9f
[ "Unlicense", "MIT" ]
null
null
null
app/js/background/Set.js
ideoderek/twitch-tuner
5c181cf1b993d8c1ebdbdaf7948d4f3f787bdf9f
[ "Unlicense", "MIT" ]
null
null
null
app/js/background/Set.js
ideoderek/twitch-tuner
5c181cf1b993d8c1ebdbdaf7948d4f3f787bdf9f
[ "Unlicense", "MIT" ]
null
null
null
export default class Set { constructor(seed) { this.data = seed === undefined ? [] : seed.slice() } get length() { return this.data.length } all() { return this.data.slice() } remove(value) { let index = this.index(value) if (index > -1) { this.data.splice(index, 1) } } add(value) { if (! this.has(value)) { this.data.push(value) } } insertBefore(insert, before) { this.data.splice(before, 0, insert) } has(value) { return this.index(value) > -1 } index(value) { return this.data.indexOf(value) } toggle(value, add) { if (add === true) { this.add(value) } else if (add === false) { this.remove(value) } else if (this.has(value)) { this.remove(value) } else { this.add(value) } } }
13.909091
52
0.583007
c1667a8a500d7a58523db884199f81f1381735c6
132
js
JavaScript
atm_project/enum/responseCode.js
Miguel-Guedelha/manifesto-tasks
b60f14820dc030345db9745c9dda27c0a994ee36
[ "MIT" ]
null
null
null
atm_project/enum/responseCode.js
Miguel-Guedelha/manifesto-tasks
b60f14820dc030345db9745c9dda27c0a994ee36
[ "MIT" ]
null
null
null
atm_project/enum/responseCode.js
Miguel-Guedelha/manifesto-tasks
b60f14820dc030345db9745c9dda27c0a994ee36
[ "MIT" ]
null
null
null
responseCodes = { FUNDS_ERR: "FUNDS_ERR", ACCOUNT_ERR: "ACCOUNT_ERR", ATM_ERR: "ATM_ERR", }; module.exports = responseCodes;
16.5
31
0.704545
c1669d6c3d87c96ea114a756a2b2926ab7be09cb
8,263
js
JavaScript
divine-form-validation/inc/form_validation.js
eyal670/wordpress-snippets
cdbeb1e27ab475bf447a1c23c46005e23ca54d9c
[ "MIT" ]
null
null
null
divine-form-validation/inc/form_validation.js
eyal670/wordpress-snippets
cdbeb1e27ab475bf447a1c23c46005e23ca54d9c
[ "MIT" ]
null
null
null
divine-form-validation/inc/form_validation.js
eyal670/wordpress-snippets
cdbeb1e27ab475bf447a1c23c46005e23ca54d9c
[ "MIT" ]
null
null
null
/* * $ Simply Countable plugin * Provides a character counter for any text input or textarea * * @version 0.4.2 * @homepage http://github.com/aaronrussell/$-simply-countable/ * @author Aaron Russell (http://www.aaronrussell.co.uk) * * Copyright (c) 2009-2010 Aaron Russell (aaron@gc4.co.uk) * Dual licensed under the MIT (http://www.opensource.org/licenses/mit-license.php) * and GPL (http://www.opensource.org/licenses/gpl-license.php) licenses. */ /** * Edit by: Eyal Ron, Divine Sites * how to use: call the function valueCounter() - see function definition for more options */ (function($){ $.fn.simplyCountable = function(options){ options = $.extend({ counter: '#counter', countType: 'characters', maxCount: 140, strictMax: false, countDirection: 'down', safeClass: 'safe', overClass: 'over', thousandSeparator: ',', onOverCount: function(){}, onSafeCount: function(){}, onMaxCount: function(){} }, options); var navKeys = [33,34,35,36,37,38,39,40]; return $(this).each(function(){ var countable = $(this); var counter = $(options.counter); if (!counter.length) { return false; } var countCheck = function(){ var count; var revCount; var reverseCount = function(ct){ return ct - (ct*2) + options.maxCount; } var countInt = function(){ return (options.countDirection === 'up') ? revCount : count; } var numberFormat = function(ct){ var prefix = ''; if (options.thousandSeparator){ ct = ct.toString(); // Handle large negative numbers if (ct.match(/^-/)) { ct = ct.substr(1); prefix = '-'; } for (var i = ct.length-3; i > 0; i -= 3){ ct = ct.substr(0,i) + options.thousandSeparator + ct.substr(i); } } return prefix + ct; } var changeCountableValue = function(val){ countable.val(val).trigger('change'); } /* Calculates count for either words or characters */ if (options.countType === 'words'){ count = options.maxCount - $.trim(countable.val()).split(/\s+/).length; if (countable.val() === ''){ count += 1; } } else { count = options.maxCount - countable.val().length; } revCount = reverseCount(count); /* If strictMax set restrict further characters */ if (options.strictMax && count <= 0){ var content = countable.val(); if (count < 0) { options.onMaxCount(countInt(), countable, counter); } if (options.countType === 'words'){ var allowedText = content.match( new RegExp('\\s?(\\S+\\s+){'+ options.maxCount +'}') ); if (allowedText) { changeCountableValue(allowedText[0]); } } else { changeCountableValue(content.substring(0, options.maxCount)); } count = 0, revCount = options.maxCount; } counter.text(numberFormat(countInt())); /* Set CSS class rules and API callbacks */ if (!counter.hasClass(options.safeClass) && !counter.hasClass(options.overClass)){ if (count < 0){ counter.addClass(options.overClass); } else { counter.addClass(options.safeClass); } } else if (count < 0 && counter.hasClass(options.safeClass)){ counter.removeClass(options.safeClass).addClass(options.overClass); options.onOverCount(countInt(), countable, counter); } else if (count >= 0 && counter.hasClass(options.overClass)){ counter.removeClass(options.overClass).addClass(options.safeClass); options.onSafeCount(countInt(), countable, counter); } }; countCheck(); countable.on('keyup blur paste', function(e) { switch(e.type) { case 'keyup': // Skip navigational key presses if ($.inArray(e.which, navKeys) < 0) { countCheck(); } //change counter graph width and color countCheckColors(options.counter,options.maxCount); break; case 'paste': // Wait a few miliseconds if a paste event setTimeout(countCheck, (e.type === 'paste' ? 5 : 0)); //change counter graph width and color countCheckColors(options.counter,options.maxCount); break; default: countCheck(); break; } }); }); }; })(jQuery); /** * set input element to run the words counter check * @param {jQuery selector} elementID * @param {int} maxCount the number of words/chars limit * @param {String} [prependText=' '] text to be prepend to the counter number * @param {String} [appendText=' '] text to be append to the counter number * @param {String} [countType='words'] counter type: words/characters * @param {Boolean} [strictMax=false] set to true to strict the input text to maxCount limit * @param {String} [countDirection='up'] the direction of the counting: up/down * use example: valueCounter('#form-field-field_2', 7, 'מספר מילים'); */ function valueCounter(elementID, maxCount, prependText=' ', appendText=' ', countType='words', strictMax=false, countDirection='up'){ var counterSelector = elementID+'_counter' counterSelector = counterSelector.substring(1); console.log( 'add limit validation for: '+elementID + ', limit to: '+maxCount +' '+ countType ); jQuery(elementID).parent().append('<div class="counterGraph"></div><div class="counter-wrapper">'+prependText+' &nbsp;<span dir="ltr" class="counter '+counterSelector+'">0</span>&nbsp;'+appendText+'</div>'); jQuery(elementID).focus(function(){ jQuery(elementID).parent().find('.counter-wrapper').slideDown(); }).blur(function(){ jQuery(elementID).parent().find('.counter-wrapper').slideUp(); }); jQuery(elementID).simplyCountable({ counter: '.'+counterSelector, countType: countType, maxCount: maxCount, strictMax: strictMax, countDirection: countDirection, safeClass: 'safe', overClass: 'over', thousandSeparator: ',', onOverCount: function(count, countable, counter){ }, onSafeCount: function(count, countable, counter){ }, onMaxCount: function(count, countable, counter){} }); } function countCheckColors(counter, maxCount){ var counter_percent = parseInt((jQuery(counter).text() / maxCount)*100); var graphSize = counter_percent; if(graphSize > 100){ graphSize = 100; } jQuery(counter).parent().parent().find('.counterGraph').css('width',graphSize+'%'); // change counter graph state by percentage - colors defined by css selectors: .counterGraph, .badCount, .midCount, .goodCount, .perfectCount, if(counter_percent > 20 && counter_percent <= 40){ jQuery(counter).parent().parent().find('.counterGraph').addClass('badCount').removeClass('midCount'); }else if(counter_percent > 40 && counter_percent <= 60){ jQuery(counter).parent().parent().find('.counterGraph').addClass('midCount').removeClass('badCount goodCount'); }else if(counter_percent > 60 && counter_percent <= 80){ jQuery(counter).parent().parent().find('.counterGraph').addClass('goodCount').removeClass('midCount perfectCount'); }else if(counter_percent > 80 && counter_percent <= 100){ jQuery(counter).parent().parent().find('.counterGraph').addClass('perfectCount').removeClass('goodCount'); }else{ jQuery(counter).parent().parent().find('.counterGraph').removeClass('badCount midCount goodCount perfectCount'); } }
39.347619
210
0.57582
c1673152dabd38d66359c6a0e52ae6be7d17b6b1
1,626
js
JavaScript
racoon/static/js/private/compete/create.js
onukura/Racoon
96c96f2a37b8d33b35ca368c085d90e7a7caf105
[ "MIT" ]
3
2020-05-21T12:11:43.000Z
2020-06-08T13:04:40.000Z
racoon/static/js/private/compete/create.js
onukura/Racoon
96c96f2a37b8d33b35ca368c085d90e7a7caf105
[ "MIT" ]
6
2020-05-14T11:52:16.000Z
2020-05-23T18:03:23.000Z
racoon/static/js/private/compete/create.js
onukura/Racoon
96c96f2a37b8d33b35ca368c085d90e7a7caf105
[ "MIT" ]
null
null
null
// Markdown to HTML $("#description_overview").keyup(function() { $('#marked-preview-overview').html(DOMPurify.sanitize(marked($(this).val()))); }); $("#description_eval").keyup(function() { $('#marked-preview-eval').html(DOMPurify.sanitize(marked($(this).val()))); }); $("#description_data").keyup(function() { $('#marked-preview-data').html(DOMPurify.sanitize(marked($(this).val()))); }); // This "type" and "val" must match with python functions in "racoon/lib/evals/__init__.py" var type_list = [ {type: "regression", val:"score_mae", txt:"Mean Absolute Error"}, {type: "regression", val:"score_mse", txt:"Mean Squared Error"}, {type: "regression", val:"score_msle", txt:"Mean Squared Logarithmic Error"}, {type: "regression", val:"score_rmse", txt:"Root Mean Squared Error"}, {type: "classification", val:"score_accuracy", txt:"Accuracy"}, {type: "classification", val:"score_auc", txt:"Area Under Curve(AUC)"}, {type: "classification", val:"score_f1", txt:"F1 Score"}, ]; function createSelectBox() { var compete_type = $('input:radio[name="metric_type"]:checked').val(); $("#metric_name").children().remove(); for(var i=0;i<type_list.length;i++){ if (compete_type === type_list[i].type) { $('#metric_name').append($('<option>').attr({ value: type_list[i].val, name: "metric_name" }).text(type_list[i].txt)); } } } $(function () { createSelectBox(); $("#expired_date").datepicker({ dateFormat: "yy-mm-dd", minDate: 0, }); }) $('input:radio[name="eval_type"]').change(function () { createSelectBox() })
38.714286
130
0.629766
c16759cd943c2bc18b25aff89d866366254978e4
5,106
js
JavaScript
packages/web/components/Technology/Details/Tabs/GeoLocation.js
samirsm/plataforma-sabia
5c86a7db0bbbc9c6027a9fe68242891c39106eef
[ "MIT" ]
37
2020-03-21T09:40:51.000Z
2022-02-11T18:01:02.000Z
packages/web/components/Technology/Details/Tabs/GeoLocation.js
samirsm/plataforma-sabia
5c86a7db0bbbc9c6027a9fe68242891c39106eef
[ "MIT" ]
924
2020-03-22T18:47:46.000Z
2022-02-02T13:27:05.000Z
packages/web/components/Technology/Details/Tabs/GeoLocation.js
samirsm/plataforma-sabia
5c86a7db0bbbc9c6027a9fe68242891c39106eef
[ "MIT" ]
6
2020-05-14T01:09:59.000Z
2021-11-12T12:33:37.000Z
import React, { useState } from 'react'; import styled, { css } from 'styled-components'; import PropTypes from 'prop-types'; import useTechnology from '../../../../hooks/useTechnology'; import * as Layout from '../../../Common/Layout'; import GoogleMaps, { getMarkerIconByTerm } from '../../../GoogleMaps'; import { LOCATIONS as technologyLocationsEnum } from '../../../../utils/enums/technology.enums'; import CheckBoxField from '../../../Form/CheckBoxField'; import { Protected } from '../../../Authorization'; const Geolocation = ({ stacked }) => { const { technology } = useTechnology(); const [markerFilters, setMarkerFilters] = useState([ technologyLocationsEnum.WHO_DEVELOP, technologyLocationsEnum.WHERE_CAN_BE_APPLIED, technologyLocationsEnum.WHERE_IS_ALREADY_IMPLEMENTED, ]); const handleMarkerFilterChange = (value) => { const previousMarkerFilters = [...markerFilters]; const checkBoxIndex = previousMarkerFilters.findIndex((filter) => filter === value); if (checkBoxIndex === -1) { previousMarkerFilters.push(value); } else { previousMarkerFilters.splice(checkBoxIndex, 1); } setMarkerFilters(previousMarkerFilters); }; const getMarkers = () => { const { locations = [] } = technology || {}; if (!locations?.length) { return null; } return locations .filter((location) => markerFilters.includes(location.pivot.location_type)) .map((location) => ({ type: location.pivot.location_type, description: location.pivot.location_type, latitude: location.lat, longitude: location.lng, })); }; return ( <Layout.Cell margin={stacked ? '0' : '0 1rem 0 0'}> <Protected inline> <Row direction={stacked ? 'column' : 'row'}> <Layout.Cell margin={stacked ? '0' : '0 1rem 0 0'}> <GoogleMapWrapper> <GoogleMaps markers={getMarkers()} /> </GoogleMapWrapper> </Layout.Cell> <Layout.Cell> <MapLegend> <Row> <Layout.Column flex align="center"> <CheckBoxField name={technologyLocationsEnum.WHO_DEVELOP} label={ <Row align="center" justify="center" mb={0}> <Icon src={getMarkerIconByTerm.get( technologyLocationsEnum.WHO_DEVELOP, )} size={32} /> <Label>Onde é desenvolvida</Label> </Row> } onChange={() => handleMarkerFilterChange( technologyLocationsEnum.WHO_DEVELOP, ) } value={markerFilters.includes( technologyLocationsEnum.WHO_DEVELOP, )} /> </Layout.Column> </Row> <Row> <Layout.Column flex align="center"> <CheckBoxField name={technologyLocationsEnum.WHERE_CAN_BE_APPLIED} label={ <Row align="center" justify="center" mb={0}> <Icon src={getMarkerIconByTerm.get( technologyLocationsEnum.WHERE_CAN_BE_APPLIED, )} size={32} /> <Label>Onde pode ser aplicada</Label> </Row> } onChange={() => handleMarkerFilterChange( technologyLocationsEnum.WHERE_CAN_BE_APPLIED, ) } value={markerFilters.includes( technologyLocationsEnum.WHERE_CAN_BE_APPLIED, )} /> </Layout.Column> </Row> <Row> <Layout.Column flex align="center"> <CheckBoxField name={technologyLocationsEnum.WHERE_IS_ALREADY_IMPLEMENTED} label={ <Row align="center" justify="center" mb={0}> <Icon src={getMarkerIconByTerm.get( technologyLocationsEnum.WHERE_IS_ALREADY_IMPLEMENTED, )} size={32} /> <Label>Onde já está implementada</Label> </Row> } onChange={() => handleMarkerFilterChange( technologyLocationsEnum.WHERE_IS_ALREADY_IMPLEMENTED, ) } value={markerFilters.includes( technologyLocationsEnum.WHERE_IS_ALREADY_IMPLEMENTED, )} /> </Layout.Column> </Row> </MapLegend> </Layout.Cell> </Row> </Protected> </Layout.Cell> ); }; const Row = styled(Layout.Row)` ${({ theme: { colors, screens } }) => css` background-color: ${colors.white}; & > *:not(:first-child):not(:last-child) { margin: 0 1rem; } @media (max-width: ${screens.large}px) { & > *:not(:first-child):not(:last-child) { margin-top: 1.5rem; } } `} `; export const MapLegend = styled.div` margin-top: 2rem; `; export const Icon = styled.img` ${({ size }) => (size ? 'height: 32px; width: 32px;' : '')} `; export const Label = styled.div``; export const GoogleMapWrapper = styled.div` flex: 1; position: relative; display: block; height: 60vh; width: 100%; `; Geolocation.propTypes = { stacked: PropTypes.bool, }; Geolocation.defaultProps = { stacked: false, }; export default Geolocation;
27.6
96
0.586173
c167943b93fd3b1eccb44dd1264df250c0c86825
449
js
JavaScript
js/script.min.js
aos-web/aosweb.github.io
1514ac079665f561d8c4fe91003c78b65738d00c
[ "MIT" ]
null
null
null
js/script.min.js
aos-web/aosweb.github.io
1514ac079665f561d8c4fe91003c78b65738d00c
[ "MIT" ]
null
null
null
js/script.min.js
aos-web/aosweb.github.io
1514ac079665f561d8c4fe91003c78b65738d00c
[ "MIT" ]
null
null
null
(function(a){'use strict';a(window).on('load',function(){a('.preloader').fadeOut(100)}),a(window).scroll(function(){a('.navigation').offset().top>1?a('.navigation').addClass('nav-bg'):a('.navigation').removeClass('nav-bg')}),a('#searchOpen').on('click',function(){a('.search-wrapper').addClass('open'),setTimeout(function(){a('.search-box').focus()},400)}),a('#searchClose').on('click',function(){a('.search-wrapper').removeClass('open')})})(jQuery)
449
449
0.672606
c167e7fc1f0698ea12860984d335d2dea94938be
6,467
js
JavaScript
src/models/Merchant/merchant.js
201244010/store
3e6abd4143c7bfdeedf821d87c40a5218fff5efe
[ "MIT" ]
1
2020-07-06T14:06:17.000Z
2020-07-06T14:06:17.000Z
src/models/Merchant/merchant.js
201244010/store
3e6abd4143c7bfdeedf821d87c40a5218fff5efe
[ "MIT" ]
null
null
null
src/models/Merchant/merchant.js
201244010/store
3e6abd4143c7bfdeedf821d87c40a5218fff5efe
[ "MIT" ]
null
null
null
import { message } from 'antd'; import { formatMessage } from 'umi/locale'; import Storage from '@konata9/storage.js'; import { format } from '@konata9/milk-shake'; import * as Actions from '@/services/Merchant/merchant'; import { ERROR_OK } from '@/constants/errorCode'; import * as CookieUtil from '@/utils/cookies'; export default { namespace: 'merchant', state: { currentCompanyId: CookieUtil.getCookieByKey(CookieUtil.COMPANY_ID_KEY), companyList: Storage.get(CookieUtil.COMPANY_LIST_KEY, 'local') || [], companyInfo: {}, loading: false, }, effects: { setCompanyListInStorage({ payload = {} }) { const { companyList = [] } = payload; Storage.set({ [CookieUtil.COMPANY_LIST_KEY]: companyList }, 'local'); }, setCompanyIdInCookie({ payload = {} }) { const { companyId } = payload; CookieUtil.setCookieByKey(CookieUtil.COMPANY_ID_KEY, companyId); }, *getCompanyNameById({ payload }, { take, select }) { const { companyId } = payload; let list = yield select(state => state.merchant.companyList); let name = ''; if (list.length === 0) { const { payload: result } = yield take('updateState'); list = result; } list.forEach(item => { if (item.companyId === companyId) { name = item.companyName; } }); return name; }, *initialCompany({ payload = {} }, { call }) { const { options = {} } = payload; yield call(Actions.initialCompany, format('toSnake')(options)); }, *setCurrentCompany({ payload }, { put }) { const { companyId } = payload; yield put({ type: 'updateState', payload: { currentCompanyId: companyId }, }); }, *companyCreate({ payload }, { put, call }) { yield put({ type: 'updateState', payload: { loading: true }, }); const response = yield call(Actions.companyCreate, payload); if (response && response.code === ERROR_OK) { const { data = {} } = format('toCamel')(response); const { companyId } = data; yield put({ type: 'setCompanyIdInCookie', payload: { companyId }, }); yield put({ type: 'updateState', payload: { currentCompanyId: companyId }, }); yield put.resolve({ type: 'initSetupAfterCreate', }); yield put({ type: 'updateState', payload: { loading: false }, }); message.success(formatMessage({ id: 'create.success' })); } else { yield put({ type: 'updateState', payload: { loading: false }, }); } return response; }, *getCompanyList(_, { call, put }) { yield put({ type: 'updateState', payload: { loading: true, }, }); const response = yield call(Actions.getCompanyList); if (response && response.code === ERROR_OK) { const { data = {} } = response || {}; const { companyList = [] } = format('toCamel')(data); yield put({ type: 'setCompanyListInStorage', payload: { companyList, }, }); if (companyList.length === 1) { const companyInfo = companyList[0] || {}; yield put({ type: 'setCompanyIdInCookie', payload: { companyId: companyInfo.companyId, }, }); yield put({ type: 'setCurrentCompany', payload: { companyId: companyInfo.companyId, }, }); } // TODO 移到前面,暂时不对错误情况做处理(等待云端评审结果) yield put({ type: 'initialCompany', payload: { options: { companyIdList: companyList.map(company => company.companyId), }, }, }); yield put({ type: 'updateState', payload: { companyList, loading: false, }, }); } else { yield put({ type: 'updateState', payload: { loading: false, }, }); yield put({ type: 'menu/goToPath', payload: { pathId: 'userLogin', }, }); // router.push('/user/login'); } return response; }, *companyGetInfo(_, { call, put }) { const response = yield call(Actions.companyGetInfo); yield put({ type: 'updateState', payload: { loading: true }, }); if (response && response.code === ERROR_OK) { const result = format('toCamel')(response.data) || {}; yield put({ type: 'updateState', payload: { companyInfo: result, loading: false }, }); } else { yield put({ type: 'updateState', payload: { loading: false }, }); } }, *companyUpdate({ payload }, { call, put }) { const { options } = payload; yield put({ type: 'updateState', payload: { loading: true }, }); const response = yield call(Actions.companyUpdate, options); if (response && response.code === ERROR_OK) { yield put({ type: 'updateState', payload: { companyInfo: options, loading: false }, }); message.success(formatMessage({ id: 'modify.success' })); yield put({ type: 'getCompanyList', }); yield put({ type: 'store/updateCompany', payload: options, }); yield put({ type: 'menu/goToPath', payload: { pathId: 'merchantView', }, }); // router.push(`${MENU_PREFIX.MERCHANT}/view`); } else { yield put({ type: 'updateState', payload: { loading: false }, }); } return response; }, *switchCompany({ payload = {} }, { put }) { const { companyId } = payload; yield put({ type: 'setCompanyIdInCookie', payload: { companyId }, }); yield put({ type: 'setCurrentCompany', payload: { companyId }, }); const result = yield put.resolve({ type: 'store/getStoreList', }); const { data: { shopList = [] } = {} } = format('toCamel')(result); yield put({ type: 'store/setShopListInStorage', payload: { shopList }, }); yield put({ type: 'store/setShopIdInCookie', payload: { shopId: 0 }, }); yield put({ type: 'menu/goToPath', payload: { pathId: 'root', linkType: 'href', }, }); }, *initSetupAfterCreate(_, { call, put }) { const res = yield call(Actions.getCompanyList); if (res && res.code === ERROR_OK) { const { data = {} } = res || {}; const { companyList = [] } = format('toCamel')(data); yield put.resolve({ type: 'initialCompany', payload: { options: { companyIdList: companyList.map(company => company.companyId), }, }, }); } }, }, reducers: { updateState(state, action) { return { ...state, ...action.payload, }; }, }, };
22.377163
73
0.566878
c168fafd2f051123430b8ee89cf6da83f906a586
2,783
js
JavaScript
packages/cli/neft-parcel-plugin-neft/NeftAsset.js
Neft-io/neftio
70b1d7c3c1aea5078405c88a8a822f11ef6e268d
[ "Apache-2.0" ]
23
2016-02-24T16:26:58.000Z
2019-02-27T09:05:09.000Z
packages/cli/neft-parcel-plugin-neft/NeftAsset.js
Neft-io/neft-cli
70b1d7c3c1aea5078405c88a8a822f11ef6e268d
[ "Apache-2.0" ]
255
2016-02-18T18:23:38.000Z
2018-09-01T16:28:33.000Z
packages/cli/neft-parcel-plugin-neft/NeftAsset.js
neftjs/neft
70b1d7c3c1aea5078405c88a8a822f11ef6e268d
[ "Apache-2.0" ]
1
2016-03-31T10:17:47.000Z
2016-03-31T10:17:47.000Z
/* eslint-disable import/no-dynamic-require */ /* eslint-disable global-require */ const { Asset } = require('parcel-bundler') require('@neft/parcel-util') const { logger } = require('@neft/core') const { parseToAst, parseToCode } = require('@neft/compiler-document') const defaultStyles = JSON.parse(process.env.NEFT_PARCEL_DEFAULT_STYLES || '[]') const defaultComponents = JSON.parse(process.env.NEFT_PARCEL_DEFAULT_COMPONENTS || '[]') const extensions = JSON.parse(process.env.NEFT_PARCEL_EXTENSIONS || '[]') extensions.forEach((extension) => { try { require(extension.path) } catch (error) { logger.log('') logger.error(`Cannot initialize extension **${extension.name}**`) throw error } }) class NeftAsset extends Asset { constructor(name, options) { super(name, options) this.type = 'js' this.scripts = {} this.styles = {} } parse(code) { return parseToAst(code) } generate() { const result = [] const scripts = this.ast.queryAll('script') const styles = this.ast.queryAll('style') scripts.forEach((script) => { const nComponent = script.queryParents('n-component') let key = this.id if (nComponent) key += `#${nComponent.props.name}` if (key in this.scripts) return this.scripts[key] = result.length result.push({ type: script.props.lang || 'js', value: script.stringifyChildren(), map: '', }) }) styles.forEach((style) => { const nComponent = style.queryParents('n-component') let key = this.id if (nComponent) key += `#${nComponent.props.name}` if (key in this.styles) return this.styles[key] = result.length result.push({ type: style.props.lang || 'nml', value: style.stringifyChildren(), map: '', }) }) return result } postProcess(generated) { const scripts = { ...this.scripts } const styles = { ...this.styles } Object.entries(scripts).forEach(([key, index]) => { scripts[key] = generated[index] }) Object.entries(styles).forEach(([key, index]) => { styles[key] = generated[index] }) const { code, dependencies } = parseToCode(this.ast, { defaultStyles, defaultComponents, resourcePath: this.id, scripts, styles, }) if (this.options.bundleNodeModules) { this.addDependency('@neft/core') defaultStyles.forEach(({ path }) => { this.addDependency(path) }) defaultComponents.forEach(({ path }) => { this.addDependency(path) }) } dependencies.forEach((name) => { this.addDependency(name) }) return [{ type: 'js', map: scripts.length > 0 ? scripts[0].map : null, value: code, }] } } module.exports = NeftAsset
26.759615
88
0.614804
c1690ff48d5bdc4c493fa840a60d12880d4488c3
1,127
js
JavaScript
test/mocks/gitlab_delete_key_when_absent.js
Justinidlerz/strider-gitlab
68e6e3261435780016aa5c68672ea1c3e882c406
[ "Unlicense", "MIT" ]
null
null
null
test/mocks/gitlab_delete_key_when_absent.js
Justinidlerz/strider-gitlab
68e6e3261435780016aa5c68672ea1c3e882c406
[ "Unlicense", "MIT" ]
null
null
null
test/mocks/gitlab_delete_key_when_absent.js
Justinidlerz/strider-gitlab
68e6e3261435780016aa5c68672ea1c3e882c406
[ "Unlicense", "MIT" ]
null
null
null
'use strict'; /* Here we simulate the response of the server when there no deploy keys registered in the project. nock will simulate a gitlab server running at localhost:80, where Strider Tester, a user is registered with the name "stridertester", and has been registered with api token - zRtVsmeznn7ySatTrnrp stridertester is an "owner" of a group named "testunion" and has admin access to three projects - testunion / unionproject1 Strider Tester / pubproject1 Strider Tester / privproject1 */ const nock = require('nock'); module.exports = function() { nock('http://localhost:80') .get('/api/v3/projects/5/deploy_keys') .query({"private_token": "zRtVsmeznn7ySatTrnrp"}) .reply(200, [], { server: 'nginx', date: 'Wed, 19 Aug 2015 07:44:07 GMT', 'content-type': 'application/json', 'content-length': '2', connection: 'close', status: '200 OK', etag: '"d751713988987e9331980363e24189ce"', 'cache-control': 'max-age=0, private, must-revalidate', 'x-request-id': '6335ed65-d224-42e7-bf6d-948559539f88', 'x-runtime': '0.015344' }); };
29.657895
61
0.677906
c169496f41e308f8ae94a718fb79e2061687f0e4
2,229
js
JavaScript
apps/electron/main/forge.config.js
TheUnderScorer/time-neko
9722f64137524081750639f3c4ae359d638a7031
[ "MIT" ]
null
null
null
apps/electron/main/forge.config.js
TheUnderScorer/time-neko
9722f64137524081750639f3c4ae359d638a7031
[ "MIT" ]
26
2022-03-25T20:50:54.000Z
2022-03-31T13:42:19.000Z
apps/electron/main/forge.config.js
TheUnderScorer/myr
9722f64137524081750639f3c4ae359d638a7031
[ "MIT" ]
null
null
null
const fs = require('fs-extra'); const path = require('path'); const pkg = require('./package.json'); // eslint-disable-next-line @typescript-eslint/no-unused-vars const electronPackager = require('electron-packager'); const publishers = []; if (process.env.GITHUB_TOKEN) { publishers.push({ name: '@electron-forge/publisher-github', config: { repository: { owner: 'TheUnderScorer', name: 'time-neko', }, authToken: process.env.GITHUB_TOKEN, tagPrefix: 'desktop-v', tagName: process.env.TAG_NAME, }, }); } const parseArtifact = (artifact, platform, arch) => { const dirname = path.dirname(artifact); const extension = path.extname(artifact); // TODO Reverse arch - platform naming const newFileName = `${pkg.productName}-${arch}-${platform}${extension}`.replace(/ /g, ''); const newPath = path.join(dirname, newFileName); fs.renameSync(artifact, newPath); console.log(`Created artifact ${newPath}`); return newFileName; }; const dist = path.resolve(__dirname, '../../../dist/apps/electron/main'); const paths = { dist, nodeModules: path.resolve(dist, 'node_modules'), }; /** * @type {electronPackager.Options} */ const packagerConfig = { ignore: (path) => /\/.bin\//.test(path), executableName: pkg.productName, icon: path.resolve(__dirname, 'assets/app-icons/icon'), asar: true, files: [paths.dist], mac: { type: 'distribution', hardenedRuntime: true, }, tmpdir: process.platform === 'win32' ? path.resolve(__dirname, '.tmp') : undefined, directories: { app: 'build', buildResources: 'assets', output: 'out', }, osxSign: { identity: 'Przemysław Żydek', 'gatekeeper-assess': false, }, extraResources: ['./assets/**'], protocols: [ { name: pkg.name, schemes: [pkg.name], role: 'Viewer', }, ], }; module.exports = { packagerConfig, publishers, makers: [ { name: '@electron-forge/maker-squirrel', }, { name: '@electron-forge/maker-dmg', }, { name: '@electron-forge/maker-zip', }, { name: '@electron-forge/maker-deb', config: { name: pkg.productName, }, }, ], };
21.852941
79
0.610139
c1694ed8e05f911f66e12b73441d809f0edcc181
1,974
js
JavaScript
react-native-uber-eats-clone/components/home/SearchBar.js
lexxyungcarter/online-courses-workbench
f6061b85ad32a655947fb80d8c378307b85c901e
[ "MIT" ]
null
null
null
react-native-uber-eats-clone/components/home/SearchBar.js
lexxyungcarter/online-courses-workbench
f6061b85ad32a655947fb80d8c378307b85c901e
[ "MIT" ]
null
null
null
react-native-uber-eats-clone/components/home/SearchBar.js
lexxyungcarter/online-courses-workbench
f6061b85ad32a655947fb80d8c378307b85c901e
[ "MIT" ]
null
null
null
import React from "react"; import { AntDesign, Ionicons } from "@expo/vector-icons"; import { StyleSheet, Text, View } from "react-native"; import { GooglePlacesAutocomplete } from "react-native-google-places-autocomplete"; const GOOGLE_PLACES_API_KEY = process.env.GOOGLE_PLACES_API_KEY function HeaderTabs({ cityHandler }) { return ( <View style={styles.container}> <GooglePlacesAutocomplete query={{ key: GOOGLE_PLACES_API_KEY, language: "en", }} onPress={(data, details = null) => { const city = data.description.split(",")[0]; cityHandler(city); }} onFail={(error) => console.log(error)} placeholder="Search" styles={{ textInput: styles.searchTextInput, textInputContainer: styles.searchTextInputContainer, }} renderLeftButton={() => ( <View style={styles.searchLeftButton}> <Ionicons name="location-sharp" size={24} /> </View> )} renderRightButton={() => ( <View style={styles.searchRightButton}> <AntDesign name="clockcircle" size={11} style={{ marginRight: 6 }} /> <Text>Search</Text> </View> )} /> </View> ); } const styles = StyleSheet.create({ container: { flexDirection: "row", marginTop: 15, }, searchBar: {}, searchTextInput: { backgroundColor: "#eee", borderRadius: 20, marginTop: 7, fontWeight: "700", }, searchTextInputContainer: { backgroundColor: "#eee", marginRight: 10, borderRadius: 50, flexDirection: "row", alignItems: "center", }, searchLeftButton: { marginLeft: 10, }, searchRightButton: { flexDirection: "row", backgroundColor: "white", marginRight: 9, padding: 9, borderRadius: 30, alignItems: "center", }, }); export default HeaderTabs;
24.987342
83
0.577508
c16962066e36eeaedd26d4ddfd275d0e43131df0
547
js
JavaScript
src/views/Dashboard/Dashboard.js
innerbyte/skybet-js-tech-test
9f3bd4a800722b326904b0a807314bf3a2b039bf
[ "MIT" ]
null
null
null
src/views/Dashboard/Dashboard.js
innerbyte/skybet-js-tech-test
9f3bd4a800722b326904b0a807314bf3a2b039bf
[ "MIT" ]
null
null
null
src/views/Dashboard/Dashboard.js
innerbyte/skybet-js-tech-test
9f3bd4a800722b326904b0a807314bf3a2b039bf
[ "MIT" ]
null
null
null
import React, { Component } from 'react'; import { Row, Col } from 'reactstrap'; class Dashboard extends Component { constructor(props) { super(props); } render() { return ( <div className="animated fadeIn"> <Row> <Col xs="12" sm="12" lg="12"> <div className="text-center"> <h3> Please select an event type from the side bar. </h3> </div> </Col> </Row> </div> ) } } export default Dashboard;
17.09375
62
0.482633
c169e234115667c6ef5329c2d2e04d8b13fef769
597
js
JavaScript
utility/node_modules/@dashevo/dpp/lib/util/errors/MaxEncodedBytesReachedError.js
PanzerknackerR/DASHPasswordManager
ca7a3c11be635d9a8ca24eeb14959e8f0b0aa216
[ "MIT" ]
2
2021-04-23T06:19:54.000Z
2021-11-06T20:36:29.000Z
utility/node_modules/@dashevo/dpp/lib/util/errors/MaxEncodedBytesReachedError.js
PanzerknackerR/DASHPasswordManager
ca7a3c11be635d9a8ca24eeb14959e8f0b0aa216
[ "MIT" ]
1
2021-02-14T18:45:53.000Z
2021-02-14T18:45:53.000Z
utility/node_modules/@dashevo/dpp/lib/util/errors/MaxEncodedBytesReachedError.js
PanzerknackerR/DASHPasswordManager
ca7a3c11be635d9a8ca24eeb14959e8f0b0aa216
[ "MIT" ]
null
null
null
class MaxEncodedBytesReachedError extends Error { /** * @param {*} payload * @param {number} maxSizeKBytes */ constructor(payload, maxSizeKBytes) { super(); this.message = `Payload reached a ${maxSizeKBytes}Kb limit`; this.name = this.constructor.name; this.payload = payload; this.maxSizeKBytes = maxSizeKBytes; } /** * @return {*} */ getPayload() { return this.payload; } /** * Get max payload size * @returns {number} */ getMaxSizeKBytes() { return this.maxSizeKBytes; } } module.exports = MaxEncodedBytesReachedError;
18.090909
64
0.634841
c16a2fbcdef2b9cb7e6384046b9100b5fa106f33
7,493
js
JavaScript
server/src/http/routes/specific/pds.js
mission-apprentissage/cerfa
e0b3d10f6d83aaf225841c85fc996cc4e19b067e
[ "MIT" ]
5
2021-11-19T17:46:56.000Z
2022-02-24T09:59:45.000Z
server/src/http/routes/specific/pds.js
mission-apprentissage/cerfa
e0b3d10f6d83aaf225841c85fc996cc4e19b067e
[ "MIT" ]
501
2021-11-10T07:43:03.000Z
2022-03-31T16:07:56.000Z
server/src/http/routes/specific/pds.js
mission-apprentissage/cerfa
e0b3d10f6d83aaf225841c85fc996cc4e19b067e
[ "MIT" ]
null
null
null
const express = require("express"); const { Issuer, generators } = require("openid-client"); const passport = require("passport"); const { Strategy: JWTStrategy } = require("passport-jwt"); const generator = require("generate-password"); const tryCatch = require("../../middlewares/tryCatchMiddleware"); const authMiddleware = require("../../middlewares/authMiddleware"); const config = require("../../../config"); const Boom = require("boom"); const Joi = require("joi"); const { createUserToken, createPdsToken } = require("../../../common/utils/jwtUtils"); const IS_OFFLINE = Boolean(config.isOffline); const cookieExtractor = (req) => { let jwt = null; if (req && req.cookies) { jwt = req.cookies[`cerfa-${config.env}-pds-code-verifier`]; } return jwt; }; module.exports = (components) => { const router = express.Router(); const { users, sessions, mailer } = components; const getPdsClient = async () => { const pdsIssuer = await Issuer.discover( config.env === "production" ? "https://mesdemarches.emploi.gouv.fr/identification/oidc/" : "https://agadir-app.rct01.kleegroup.com/identification/oidc/" ); const client = new pdsIssuer.Client({ client_id: config.pds.clientId, client_secret: config.pds.clientSecret, redirect_uris: [`${config.publicUrl}/api/v1/pds/loginOrRegister`], response_types: ["code"], }); return client; }; passport.use( "pds", new JWTStrategy( { jwtFromRequest: cookieExtractor, secretOrKey: config.auth.pds.jwtSecret, }, (jwtPayload, done) => { const { exp } = jwtPayload; if (Date.now() > exp * 1000) { done(new Error("Unauthorized"), false); } return done(null, jwtPayload); } ) ); router.get( "/getUrl", tryCatch(async (req, res) => { const client = await getPdsClient(); const code_verifier = generators.codeVerifier(); const code_challenge = generators.codeChallenge(code_verifier); const authorizationUrl = client.authorizationUrl({ scope: "openid email profile address phone portail", code_challenge, code_challenge_method: "S256", }); const token = createPdsToken({ payload: { code_verifier } }); return res .cookie(`cerfa-${config.env}-pds-code-verifier`, token, { maxAge: 30 * 24 * 3600000, httpOnly: !IS_OFFLINE, sameSite: "lax", secure: !IS_OFFLINE, }) .status(200) .json({ authorizationUrl }); }) ); router.get( "/loginOrRegister", passport.authenticate("pds", { session: false }), tryCatch(async (req, res) => { const client = await getPdsClient(); const params = client.callbackParams(req); const tokenSet = await client.callback(`${config.publicUrl}`, params, { code_verifier: req.user.code_verifier, }); const userinfo = await client.userinfo(tokenSet.access_token); const user = await users.getUser(userinfo.sub.toLowerCase()); if (user) { // TODO FIX du 23/03/2022 suite à une erreur de manipulation ABD - A supprimer en Juin/2022 let account_status = user.account_status; if (user.account_status === "FORCE_RESET_PASSWORD") { account_status = "CONFIRMED"; } const updatedUser = await users.updateUser(user._id, { orign_register: "PDS", account_status, }); // Login const payload = await users.structureUser(updatedUser); await users.loggedInUser(payload.email); const token = createUserToken({ payload }); await sessions.addJwt(token); return res .cookie(`cerfa-${config.env}-jwt`, token, { maxAge: 30 * 24 * 3600000, httpOnly: !IS_OFFLINE, sameSite: "lax", secure: !IS_OFFLINE, }) .status(200) .redirect("/mes-dossiers/mon-espace"); } else { // Register const alreadyExists = await users.getUser(userinfo.sub.toLowerCase()); if (alreadyExists) { throw Boom.conflict(`Unable to create`, { message: `Ce courriel est déjà utilisé. Merci de vous connecter directement sur la plateforme`, }); } const tmpPassword = generator.generate({ length: 10, numbers: true, lowercase: true, uppercase: true, strict: true, }); const user = await users.createUser(userinfo.sub, tmpPassword, { siret: userinfo.attributes.siret, nom: userinfo.attributes.name, prenom: userinfo.attributes.given_name, telephone: userinfo.attributes.phone_number ? "+33" + userinfo.attributes.phone_number.substr(1, 9) : null, civility: userinfo.attributes.civility, account_status: "FORCE_COMPLETE_PROFILE", confirmed: true, orign_register: "PDS", }); if (!user) { throw Boom.badRequest("Something went wrong"); } await mailer.sendEmail( user.email, `[${config.env} Contrat publique apprentissage] Bienvenue`, "simple-grettings", { username: user.username, civility: user.civility, publicUrl: config.publicUrl, } ); const payload = await users.structureUser(user); await users.loggedInUser(payload.email); const token = createUserToken({ payload }); await sessions.addJwt(token); return res .cookie(`cerfa-${config.env}-jwt`, token, { maxAge: 30 * 24 * 3600000, httpOnly: !IS_OFFLINE, sameSite: "lax", secure: !IS_OFFLINE, }) .status(200) .redirect("/auth/finalize"); } }) ); router.post( "/finalize", authMiddleware(components), tryCatch(async ({ body, user }, res) => { const { compte, siret } = await Joi.object({ compte: Joi.string().required(), siret: Joi.string().required(), }).validateAsync(body, { abortEarly: false }); const userDb = await users.getUser(user.email.toLowerCase()); if (!userDb) { throw Boom.conflict(`Unable to retrieve user`); } if (userDb.orign_register !== "PDS" && userDb.account_status !== "FORCE_COMPLETE_PROFILE") { throw Boom.badRequest("Something went wrong"); } // TODO warm user if siret different than the one in PDS const updateUser = await users.finalizePdsUser(userDb._id, { siret, roles: compte === "entreprise" || compte === "cfa" ? [compte] : [], }); if (!updateUser) { throw Boom.badRequest("Something went wrong"); } const payload = await users.structureUser(updateUser); await users.loggedInUser(payload.email); const token = createUserToken({ payload }); if (await sessions.findJwt(token)) { await sessions.removeJwt(token); } await sessions.addJwt(token); return res .cookie(`cerfa-${config.env}-jwt`, token, { maxAge: 30 * 24 * 3600000, httpOnly: !IS_OFFLINE, sameSite: "lax", secure: !IS_OFFLINE, }) .status(200) .json({ loggedIn: true, token, }); }) ); return router; };
29.5
117
0.586547
c16b8dfad723b67aefd74293165afd8d15c50b70
4,531
js
JavaScript
src/scenes/SearchResults/GeneSearchResultsList.js
KarrLab/datanator_frontend
2c1b3adb1f0aaf8a73bd5876f31ee9d4b4e17112
[ "MIT" ]
1
2020-10-12T11:02:12.000Z
2020-10-12T11:02:12.000Z
src/scenes/SearchResults/GeneSearchResultsList.js
KarrLab/datanator_frontend
2c1b3adb1f0aaf8a73bd5876f31ee9d4b4e17112
[ "MIT" ]
344
2019-12-06T20:08:59.000Z
2021-08-24T13:01:29.000Z
src/scenes/SearchResults/GeneSearchResultsList.js
KarrLab/datanator_frontend
2c1b3adb1f0aaf8a73bd5876f31ee9d4b4e17112
[ "MIT" ]
1
2020-02-06T18:30:42.000Z
2020-02-06T18:30:42.000Z
import React, { Component } from "react"; import SearchResultsList from "./SearchResultsList.js"; import { castToArray, isOrthoDbId } from "~/utils/utils"; export default class GeneSearchResultsList extends Component { getResultsUrl(query, pageCount, pageSize) { return ( "ftx/text_search/gene_ranked_by_ko/?" + [ "query_message=" + query, "from_=" + pageCount * pageSize, "size=" + pageSize, "fields=orthodb_id", "fields=orthodb_name", "fields=gene_name", "fields=gene_name_alt", "fields=gene_name_orf", "fields=gene_name_oln", "fields=entrez_id", "fields=protein_name", "fields=entry_name", "fields=uniprot_id", "fields=definition", "fields=ec_number", ].join("&") ); } formatResults(data, organism) { const results = data["top_kos"]["buckets"]; const numResults = data["total_buckets"]["value"]; const formattedResults = []; for (const result of results) { const orthoDbIdArr = castToArray( result.top_ko.hits.hits[0]?._source?.orthodb_id ); const orthoDbNameArr = castToArray( result.top_ko.hits.hits[0]?._source?.orthodb_name ); let orthoDbId = orthoDbIdArr.length ? orthoDbIdArr[0] : null; let orthoDbName = orthoDbNameArr.length ? orthoDbNameArr[0] : null; const uniprotId = result.top_ko.hits.hits[0]._source?.uniprot_id; const source = result.top_ko.hits.hits[0]._source; if (typeof orthoDbId !== "string" || !orthoDbId) { orthoDbId = null; orthoDbName = null; } if (typeof orthoDbName !== "string" || !orthoDbName) { orthoDbName = null; } let id; if ( orthoDbId == null || ["nan", "n/a"].includes(orthoDbId.toLowerCase()) ) { id = uniprotId; orthoDbId = null; } else { id = orthoDbId; } const formattedResult = {}; formattedResults.push(formattedResult); // title if (orthoDbId) { let name = orthoDbName; if (!name) { name = orthoDbId; } formattedResult["title"] = "Ortholog group: " + name; } else if ("definition" in source) { formattedResult["title"] = "Gene: " + source.definition; } else if ("protein_name" in source) { formattedResult["title"] = "Gene: " + source.protein_name.split("(")[0].trim(); } else { formattedResult["title"] = "Gene: " + source.uniprot_id; } // description const descriptions = []; if (orthoDbId == null) { if ("species_name" in source) { const taxonName = source.species_name; descriptions.push( <li key="taxonomy"> Organism:{" "} <a href={ "https://www.ncbi.nlm.nih.gov/Taxonomy/Browser/wwwtax.cgi?name=" + taxonName } target="_blank" rel="noopener noreferrer" > {taxonName} </a> </li> ); } descriptions.push( <li key="uniprot"> UniProt:{" "} <a href={"https://www.uniprot.org/uniprot/" + uniprotId} target="_blank" rel="noopener noreferrer" > {uniprotId} </a> </li> ); } else if (isOrthoDbId(orthoDbId)) { descriptions.push( <li key="orthodb"> OrthoDB:{" "} <a href={"https://www.orthodb.org/?query=" + orthoDbId} target="_blank" rel="noopener noreferrer" > {orthoDbId} </a> </li> ); } formattedResult["description"] = ( <ul className="comma-separated-list">{descriptions}</ul> ); //route formattedResult["route"] = "/gene/" + id + "/"; if (organism) { formattedResult["route"] += organism + "/"; } } return { results: formattedResults, numResults: numResults, }; } render() { return ( <SearchResultsList get-results-url={this.getResultsUrl} get-results={this.getResults} get-num-results={this.getNumResults} format-results={this.formatResults} html-anchor-id="genes" title="Genes" /> ); } }
26.810651
84
0.520856
c16c284483ab72f906e6736e68f20a497ad7d81e
890
js
JavaScript
app/js/locales/fr_jokes.js
theyellow/russian-bank
4498ddfacd143ab9a449d845e1f256182d2f22db
[ "MIT" ]
3
2021-03-02T22:28:40.000Z
2022-01-14T21:29:17.000Z
app/js/locales/fr_jokes.js
theyellow/russian-bank
4498ddfacd143ab9a449d845e1f256182d2f22db
[ "MIT" ]
9
2021-03-03T19:04:43.000Z
2021-07-03T09:06:11.000Z
app/js/locales/fr_jokes.js
theyellow/russian-bank
4498ddfacd143ab9a449d845e1f256182d2f22db
[ "MIT" ]
2
2021-03-10T22:36:25.000Z
2022-02-15T14:37:39.000Z
export const i18n_fr_jokes = { 1: "Une artiste demande à l'un de ses rares clients&#8239;: \"Eh bien cette sculpture que vous m'aviez achetée et que vous comptiez offrir à votre mari elle lui a fait plaisir&#8239;?\" <br/> " + "\"C'est à dire que... elle a été très efficace pour lui faire passer son hoquet.\"", 2: "Deux amis mettent au point leur premier saut à l'élastique&#8239;: \"Tu m'assures qu'il ne peut rien se passer avec l'élastique&#8239;?\" <br/>" + "\"Mais non ne t'inquiète pas&#8239;! D'ailleurs j'ai mis cinq mètres de plus pour être sûr&#8239;!\"", 3: "Dans une brasserie un policier passe commande&#8239;: \"Je prendrai du boeuf au cidre et du coq au vin et en dessert un baba au rhum.\" <br/>" + "\"Désirez-vous du vin pour accompagner votre repas&#8239;?\" <br/>" + "\"Ah non&#8239;! Je ne bois pas une goutte d'alcool lorsque je suis en service&#8239;!\"", };
89
196
0.689888
c16c55d6a390a1ceefcc5636d75fdaec2ec023b0
1,058
js
JavaScript
index.js
Josephmtsai/seo-crawler
cf8d8c63ad45150869a5675e4b56d79a3c0bd771
[ "MIT" ]
3
2019-07-15T07:54:36.000Z
2021-03-08T23:15:35.000Z
index.js
Josephmtsai/seo-crawler
cf8d8c63ad45150869a5675e4b56d79a3c0bd771
[ "MIT" ]
4
2017-08-19T16:01:30.000Z
2017-11-10T01:09:39.000Z
index.js
Josephmtsai/seo-crawler
cf8d8c63ad45150869a5675e4b56d79a3c0bd771
[ "MIT" ]
2
2019-07-15T07:54:51.000Z
2022-03-01T06:53:54.000Z
const moment = require('moment'); const { scheduleJob } = require('node-schedule'); const { initialize } = require('./crawler'); const { tasks } = require('./config'); const logger = require('./logger'); const { killChrome, runChromeHeadless } = require('./command'); function run() { logger.info(`Find ${tasks.length} tasks`); const startTime = moment().add(5, 'seconds'); const startMinute = startTime.minute(); const startSecond = startTime.second(); let startHour = startTime.hour(); tasks.forEach((task, index) => { if (index > 0) { startHour = (startHour + tasks[index - 1].maxDurationInHour) % 24 } logger.info(`Task ${task.startUrl} created, startTime: ${startHour}:${startMinute}:${startSecond}`); scheduleJob(`${startSecond} ${startMinute} ${startHour} * * *`, async function () { await killChrome(); await runChromeHeadless(); logger.info(`task ${JSON.stringify(task)} start!`); await initialize(task) }); }) } run();
37.785714
108
0.604915
c16cadd4dd7c8e4867503378b2e9fab497cb87f3
2,044
js
JavaScript
res/front-script/jq-ext.js
davidaq/nwa-js
d359c481a2c8bdb9f2de8b813bca04c15fcbc540
[ "MIT" ]
1
2015-12-29T07:39:39.000Z
2015-12-29T07:39:39.000Z
res/front-script/jq-ext.js
davidaq/nwa-js
d359c481a2c8bdb9f2de8b813bca04c15fcbc540
[ "MIT" ]
null
null
null
res/front-script/jq-ext.js
davidaq/nwa-js
d359c481a2c8bdb9f2de8b813bca04c15fcbc540
[ "MIT" ]
null
null
null
function extendJQuery() { function pathOf(key) { return key.match(/[^\[\]]+/g); } function set(obj, path, value) { var last = path.pop(); for(var k in path) { k = path[k]; if(!obj[k]) { obj[k] = {}; } obj = obj[k]; } obj[last] = value; } function get(obj, path) { for(var k in path) { k = path[k]; if(!obj[k]) { return null; } obj = obj[k]; } return obj; } var $ext = {}; $ext.formData = function(data) { if(!data) { var data = {}; $('input,textarea,select', this).each(function() { var key = $(this).attr('name'); if(key) { var type = $(this).attr('type'); if(type == 'radio' || type == 'checkbox') { if($(this)[0].checked) { set(data, pathOf(key), $(this).val() || true); } } else { set(data, pathOf(key), $(this).val()); } } }); return data; } else { $('input,textarea,select', this).each(function() { var key = $(this).attr('name'); if(key) { var type = $(this).attr('type'); if(type == 'checkbox') { $(this)[0].checked = !!get(data, pathOf(key)); } else if(type == 'radio') { $(this)[0].checked = get(data, pathOf(key)) == $(this).attr('value'); } else { var val = get(data, pathOf(key)); if(val !== null) { $(this).val(val); } } } }); return this; } }; $.fn.extend($ext); }
30.969697
93
0.328278
c16d2e6f58c917f4b82cf4d0b6e0d1985ceda898
898
js
JavaScript
create.js
IleJok/tmtaws
75e9e14c7c96114905052d790d4bbb1f5cff4aed
[ "MIT" ]
null
null
null
create.js
IleJok/tmtaws
75e9e14c7c96114905052d790d4bbb1f5cff4aed
[ "MIT" ]
null
null
null
create.js
IleJok/tmtaws
75e9e14c7c96114905052d790d4bbb1f5cff4aed
[ "MIT" ]
null
null
null
import uuid from "uuid"; import * as dynamoDbLib from "./libs/dynamodb-lib"; import { success, failure } from "./libs/response-lib"; export async function main(event, context) { const data = JSON.parse(event.body); var currentTime = new Date() const params = { TableName: process.env.tableName, Item: { tournamentYear: currentTime.getFullYear(), tournamentId: uuid.v1(), tournamentName: data.tournamentName, firstCourse: data.firstCourse, secondCourse: data.secondCourse, attachment: data.attachment, startDate: data.startDate, endDate: data.endDate, winner: data.winner, secondPlace: data.secondPlace, thirdPlace: data.thirdPlace, createdAt: Date.now() } }; try { await dynamoDbLib.call("put", params); return success(params.Item); } catch (e) { return failure({ status: false }); } }
27.212121
55
0.659243
c16e092a745f41a7522719dd16f370284cb16383
948
js
JavaScript
web/webpack.config.js
Codevka/rurikawa
a809b4a3e65e4d963f9fd304262342f9b7f947e8
[ "MIT" ]
40
2020-09-01T17:29:05.000Z
2022-01-05T12:27:20.000Z
web/webpack.config.js
Codevka/rurikawa
a809b4a3e65e4d963f9fd304262342f9b7f947e8
[ "MIT" ]
44
2020-09-26T14:15:04.000Z
2022-03-07T03:26:47.000Z
web/webpack.config.js
Codevka/rurikawa
a809b4a3e65e4d963f9fd304262342f9b7f947e8
[ "MIT" ]
11
2020-10-05T08:49:14.000Z
2021-12-22T14:03:49.000Z
var CompressionPlugin = require("compression-webpack-plugin"); module.exports = { plugins: [ new CompressionPlugin({ filename: "[path].gz", algorithm: "gzip", test: /\.js$|\.css$|\.html$/, threshold: 8192, minRatio: 0.8, }), new CompressionPlugin({ filename: "[path].br", algorithm: "brotliCompress", test: /\.(js|css|html|svg)$/, compressionOptions: { level: 14, }, threshold: 8192, minRatio: 0.8, }), ], module: { rules: [ { test: /\.css$/, use: [ { loader: "postcss-loader", options: { }, }, ], }, { test: /\.less$/, use: [ // "style-loader", // { // loader: "postcss-loader", // }, // { loader: "css-loader" }, "less-loader", ], }, ], }, };
19.346939
62
0.409283
c16f80a58e4805264b2e25e77c11f6c45b0b6365
5,414
js
JavaScript
javascript/script.js
gilorcilla/weather-dashboard
15c2c19473540b7ac1f049b9d2f331bf0e04525a
[ "MIT" ]
null
null
null
javascript/script.js
gilorcilla/weather-dashboard
15c2c19473540b7ac1f049b9d2f331bf0e04525a
[ "MIT" ]
null
null
null
javascript/script.js
gilorcilla/weather-dashboard
15c2c19473540b7ac1f049b9d2f331bf0e04525a
[ "MIT" ]
null
null
null
//Global Variables var citiesList = $("#city-list"); var cities = []; init(); //Local Storage function renderCities(cities) { var weather = ""; if (cities.length > 5) { weather = 5; } else { weather = cities.length - 1; } console.log("#cities", cities); for (var i = weather; i > 0; i--) { let city = cities[i]; let li = $("<li>"); let button = $("<button>"); button.text(city); button.attr("data-index", i); button.attr("style", "width: 100%"); // button.addClass("previousSearch bg-secondary"); li.append(button); $("#city-list").prepend(li); $("#city-list").prepend("<br>"); } currentWeather(cities[cities.length - 1] || "Denver"); forecastWeather(cities[cities.length - 1] || "Denver"); } $("#city-list").on("click", "button", function () { var city = $(this).text(); currentWeather(city); forecastWeather(city); }); function init() { $("#city-list").empty(); let storedCities = JSON.parse(localStorage.getItem("cities")) || []; if (storedCities !== null) { cities = storedCities; } renderCities(storedCities); } $(".search-button").on("click", function (event) { event.preventDefault(); var city = $("#search-term").val(); currentWeather(city); forecastWeather(city); // $("#current-day-forecast").empty(); // $("five-day-forecast").empty(); // let searchHistory = $("#search-term").val().trim(); let cities = JSON.parse(localStorage.getItem("cities")) || []; cities.push(city); localStorage.setItem("cities", JSON.stringify(cities)); init(); $("#search-term").val(null); }); function currentWeather(city) { queryURL = "https://api.openweathermap.org/data/2.5/weather?q=" + city + "&appid=d505d181bc232a369cacbc75835c8e23&units=imperial"; // Project1(Coding Bootcamp) // d505d181bc232a369cacbc75835c8e23" // let fiveDayQueryURL; $.ajax({ url: queryURL, method: "GET", }).then(function (fiveData) { // buildFiveDayForecast(fiveData) console.log(fiveData); $("#current-day-forecast").html(` <div class="bg-info"> <h1>${city}</h1> <h3>Temp: ${fiveData.main.temp}</h3> <img src="https://openweathermap.org/img/wn/${fiveData.weather[0].icon}@2x.png" /> <p>windspeed${fiveData.wind.speed}</p> <p>humidity${fiveData.main.humidity}</p> <p>${fiveData.weather[0].description}</p> </div> `); var lat = fiveData.coord.lat; var long = fiveData.coord.lon; uvInfo(lat, long); }); } function forecastWeather(city) { queryURL = "https://api.openweathermap.org/data/2.5/forecast?q=" + city + "&appid=d505d181bc232a369cacbc75835c8e23&units=imperial"; // api.openweathermap.org/data/2.5/forecast?q={city name}&appid={API key} // Project1(Coding Bootcamp) // d505d181bc232a369cacbc75835c8e23" // let fiveDayQueryURL; $.ajax({ url: queryURL, method: "GET", }).then(function (fiveData) { // buildFiveDayForecast(fiveData) console.log(fiveData); var data = fiveData.list; var htmlString = ""; for (let i = 0; i < data.length; i = i + 8) { htmlString += `<div class="card bg-primary m-3 p-3"> <h6>${data[i].dt_txt.split(" ")[0]}</h6> <h3>Temp: ${data[i].main.temp}</h3> <img src="https://openweathermap.org/img/wn/${ data[i].weather[0].icon }@2x.png" /> <h4>windspeed${data[i].wind.speed}</h4> <h4>humidity${data[i].main.humidity}</h4> <h4>${data[i].weather[0].description}</h4> </div>`; } console.log(htmlString); $("#five-day-forecast").html(htmlString); }); } function uvInfo(lat, lon) { var uvQueryURL = "https://api.openweathermap.org/data/2.5/uvi?" + "lat=" + lat + "&lon=" + lon + "&appid=d505d181bc232a369cacbc75835c8e23"; $.ajax({ url: uvQueryURL, method: "GET", }).then(function (response) { let uvIndexEl = response.value; uvIndexTag = $("<p>").text("UV Index: " + uvIndexEl); $("#uv").html(uvIndexTag); if (uvIndexEl > 8) { $("#uv").addClass("bg-danger"); } else if (uvIndexEl > 6) { $("#uv").addClass("bg-warning"); } else { $("#uv").addClass("bg-success"); } //console.log(response); }); } // $("#city-list").on("click", "button", function () { // $("#current-day-forecast").empty(); // $("#five-day-forecast").empty(); // let searchHistory = $(this).text(); // queryURLHist = buildQueryUrl(searchHistory); // $.ajax({ // url: queryURLHist, // method: "GET", // }).then(function (data) { // buildCurrentWeatherCard(data); // let uvQueryURL = // "https://api.openweathermap.org/data/2.5/uvi?" + // "lat=" + // data.coord.lat + // "&lon=" + // data.coord.lon + // "&appid=d505d181bc232a369cacbc75835c8e23"; // $.ajax({ // url: uvIndexTag, // method: "GET", // }).then(function (response) { // let uvIndexEl = response.value; // uvIndexTag = $("<p>").text("UV Index: " + uvIndexEl); // $(".current-day-weather").append(uvIndexTag); // }); // fiveDayQueryURL = buildFiveDayQueryUrl(data); // $.ajax({ // url: fiveDayQueryURL, // method: "GET", // }).then(function (fiveData) { // buildFiveDayForecast(fiveData); // }); // }); // });
27.764103
90
0.573513
c16fb7f36ebed166cc9d4a5c8067a1bd3431fce7
3,082
js
JavaScript
server/modules/linkedin_learning/index.integration.test.js
almasen/rdf-mapped
9829fbab02d3746603fbc6354a05a7ffe871312b
[ "MIT" ]
5
2020-09-16T20:23:54.000Z
2021-12-31T00:18:58.000Z
server/modules/linkedin_learning/index.integration.test.js
almasen/rdf-mapped
9829fbab02d3746603fbc6354a05a7ffe871312b
[ "MIT" ]
50
2020-09-14T07:18:15.000Z
2021-06-27T15:32:54.000Z
server/modules/linkedin_learning/index.integration.test.js
almasen/rdf-mapped
9829fbab02d3746603fbc6354a05a7ffe871312b
[ "MIT" ]
null
null
null
const linkedinLearning = require("./"); const testHelpers = require("../../test/helpers"); const learningObjectRepository = require("../../repositories/learning_object"); jest.mock("../../repositories/learning_object"); let learningObject1; let learningObject2; let outdatedLearningObject1; beforeEach(() => { linkedinLearning.resetFailedRenewalsCounter(); learningObject1 = testHelpers.getLearningObject1(); learningObject2 = testHelpers.getLearningObject2(); return testHelpers.clearDatabase(); }); afterEach(() => { jest.clearAllMocks(); return testHelpers.clearDatabase(); }); test("API token renewal is automatically attempted when fetching learning object returns 401 once", async () => { process.env.LINKEDIN_LEARNING_TOKEN = 'expiredToken'; process.env.LINKEDIN_LEARNING_ID = 'elephant'; process.env.LINKEDIN_LEARNING_SECRET = 'tnahpele'; learningObjectRepository.findByURN.mockResolvedValue({ rows: [], }); learningObjectRepository.insert.mockResolvedValue(); const fetchedData = await linkedinLearning.fetchLearningObject("urn:li:example42"); expect(process.env.LINKEDIN_LEARNING_TOKEN).toStrictEqual("expiredToken"); }); test("API token renewal is no longer attempted when fetching learning object returns 401 multiple times", async () => { process.env.LINKEDIN_LEARNING_TOKEN = 'expiredToken'; process.env.LINKEDIN_LEARNING_ID = 'elephant'; process.env.LINKEDIN_LEARNING_SECRET = 'tnahpele'; learningObjectRepository.findByURN.mockResolvedValue({ rows: [], }); learningObjectRepository.insert.mockResolvedValue(); await linkedinLearning.fetchLearningObject("urn:li:example42"); await linkedinLearning.fetchLearningObject("urn:li:example42"); expect(process.env.LINKEDIN_LEARNING_TOKEN).toStrictEqual("expiredToken"); }); test("API token renewal is automatically attempted when fetching URN returns 401 once", async () => { process.env.LINKEDIN_LEARNING_TOKEN = 'expiredToken'; process.env.LINKEDIN_LEARNING_ID = 'elephant'; process.env.LINKEDIN_LEARNING_SECRET = 'tnahpele'; learningObjectRepository.findByURN.mockResolvedValue({ rows: [], }); learningObjectRepository.insert.mockResolvedValue(); const fetchedData = await linkedinLearning.fetchURNByContent(learningObject1, "COURSE"); expect(process.env.LINKEDIN_LEARNING_TOKEN).toStrictEqual("expiredToken"); }); test("API token renewal is no longer attempted when fetching URN returns 401 multiple times", async () => { process.env.LINKEDIN_LEARNING_TOKEN = 'expiredToken'; process.env.LINKEDIN_LEARNING_ID = 'elephant'; process.env.LINKEDIN_LEARNING_SECRET = 'tnahpele'; learningObjectRepository.findByURN.mockResolvedValue({ rows: [], }); learningObjectRepository.insert.mockResolvedValue(); await linkedinLearning.fetchURNByContent(learningObject1, "COURSE"); await linkedinLearning.fetchURNByContent(learningObject1, "COURSE"); expect(process.env.LINKEDIN_LEARNING_TOKEN).toStrictEqual("expiredToken"); });
40.552632
119
0.751785
c17049c692ef8e8b864e1b2bcf7e3aff5006f5c3
1,999
js
JavaScript
ServerProcessDashboard/app/user/components/changePasswordForm/changePasswordForm.js
QuinntyneBrown/ServerProcessDashboardApp
973c807ac4d5585ce9c60b3bea532791d06e80dd
[ "MIT" ]
null
null
null
ServerProcessDashboard/app/user/components/changePasswordForm/changePasswordForm.js
QuinntyneBrown/ServerProcessDashboardApp
973c807ac4d5585ce9c60b3bea532791d06e80dd
[ "MIT" ]
null
null
null
ServerProcessDashboard/app/user/components/changePasswordForm/changePasswordForm.js
QuinntyneBrown/ServerProcessDashboardApp
973c807ac4d5585ce9c60b3bea532791d06e80dd
[ "MIT" ]
null
null
null
var UserModule; (function (UserModule) { "use strict"; var ChangePasswordForm = (function () { function ChangePasswordForm(identityService, userService, $location, $routeParams) { var _this = this; this.identityService = identityService; this.userService = userService; this.$location = $location; this.$routeParams = $routeParams; this.templateUrl = "/app/user/components/changePasswordForm/changePasswordForm.html"; this.restrict = "E"; this.scope = {}; this.replace = true; this.link = function (scope) { scope.vm = {}; scope.tryToChangePassword = function (form) { return _this.userService.changePassword({ model: scope.vm }).then(function (results) { _this.$location.path("/user/list"); }).catch(function (error) { }); }; if (_this.$routeParams.changepasswordid) { return _this.userService.getById({ id: _this.$routeParams.changepasswordid }).then(function (results) { scope.vm = results; }); } else { return _this.identityService.getCurrentUser().then(function (results) { scope.vm = results; }); } }; this.$inject = ["identityService", "userService", "$location", "$routeParams"]; } ChangePasswordForm.componentId = "changePasswordForm"; return ChangePasswordForm; })(); angular.module("user").directive(ChangePasswordForm.componentId, function (identityService, userService, $location, $routeParams) { return new ChangePasswordForm(identityService, userService, $location, $routeParams); }); })(UserModule || (UserModule = {})); //# sourceMappingURL=changePasswordForm.js.map
48.756098
225
0.556778
c1706964db4c2bf41d6743a089faedcc93e27620
1,648
js
JavaScript
src/js/bookmark-component.js
dhtestM/bookmark-component
790e30fa985a4c405b42ed8ac9db0dd51444de16
[ "MIT" ]
1
2017-05-26T12:45:14.000Z
2017-05-26T12:45:14.000Z
src/js/bookmark-component.js
dhtestM/bookmark-component
790e30fa985a4c405b42ed8ac9db0dd51444de16
[ "MIT" ]
null
null
null
src/js/bookmark-component.js
dhtestM/bookmark-component
790e30fa985a4c405b42ed8ac9db0dd51444de16
[ "MIT" ]
null
null
null
import React, {PropTypes} from 'react'; import {intlShape, injectIntl} from 'react-intl'; import {messages} from './defaultMessages'; class bookmarkComponent extends React.Component { constructor(props) { super(props); const _isBookmarked = this.props.data.isCurrentPageBookmarked(); this.state ={ 'isBookmarked': _isBookmarked }; } toggleBookmark(bool) { const that = this; function removedBookmarkCbk() { that.setState({isBookmarked: false}); } function addedBookmarkCbk() { that.setState({isBookmarked: true}); } if (bool) { this.props.data.removeBookmarkHandler(removedBookmarkCbk); } else { this.props.data.addBookmarkHandler(addedBookmarkCbk); } } render() { const isBookmarked = this.props.data.isCurrentPageBookmarked(); return ( <button id="o-bookmark-overlay-icon" role="checkbox" onClick={this.toggleBookmark.bind(this, isBookmarked)} aria-checked={isBookmarked} title={this.props.intl.formatMessage(isBookmarked ? messages.bookmarkedIconText : messages.bookmarkIconText)} aria-label={this.props.intl.formatMessage(isBookmarked ? messages.bookmarkedIconText : messages.bookmarkIconText)} className={isBookmarked ? 'o-bookmarked' : 'o-not-bookmarked'}> </button> ) } } bookmarkComponent.propTypes = { intl: intlShape.isRequired, locale: PropTypes.string, data: PropTypes.shape({ addBookmarkHandler: PropTypes.func, removeBookmarkHandler: PropTypes.func, isCurrentPageBookmarked: PropTypes.func }) }; export default injectIntl(bookmarkComponent);
27.466667
122
0.696602
c1708561cfeb173a1f1eaeaf1b48fa95fda2c9e9
1,594
js
JavaScript
tests/spec/string/spec-replace.js
diasbruno/mout
a7ecd36a06568b96fc13a0a6ada6725c24fb3d7a
[ "MIT" ]
784
2015-01-03T00:39:27.000Z
2022-03-13T13:12:10.000Z
tests/spec/string/spec-replace.js
diasbruno/mout
a7ecd36a06568b96fc13a0a6ada6725c24fb3d7a
[ "MIT" ]
61
2015-01-03T19:21:46.000Z
2021-09-25T13:12:32.000Z
tests/spec/string/spec-replace.js
diasbruno/mout
a7ecd36a06568b96fc13a0a6ada6725c24fb3d7a
[ "MIT" ]
100
2015-01-06T19:19:07.000Z
2022-01-27T10:46:04.000Z
define(['mout/string/replace'], function(replace){ describe('string/replace', function(){ it('should replace single string', function(){ var result = replace('test foo', 'foo', 'result'); expect(result).toEqual('test result'); }); it('should replace multiple searches with single string', function(){ var result = replace('test one two', ['one', 'two'], 'n'); expect(result).toEqual('test n n'); }); it('should replace multiple searches with multiple strings', function(){ var result = replace('test one two', ['one', 'two'], ['1', '2']); expect(result).toEqual('test 1 2'); }); it('should replace with regexp', function(){ var result = replace('test 1 2', /\d+/g, 'n'); expect(result).toEqual('test n n'); }); it('should replace with function replacer', function(){ function replaceNum(m) { return (+m) * (+m); } function replaceLetter(m) { return m.charCodeAt(0); } var result = replace('1 2 3 a', [/\d+/g, /[a-z]/g], [replaceNum, replaceLetter]); expect(result).toEqual('1 4 9 97'); }); it('should treat null as empty string', function(){ expect( replace(null, 'a', 'b') ).toBe(''); }); it('should treat undefined as empty string', function(){ expect( replace(void 0, 'a', 'b') ).toBe(''); }); }); });
31.88
80
0.493099
c172369f1a20666b50847ade6288199373090054
1,797
js
JavaScript
template/mocks/editor.js
FaureWu/steer-react-scripts
ea00fa156fa5206295d6e776638a147b7a49ad7e
[ "MIT" ]
2
2020-08-12T03:47:28.000Z
2020-09-07T15:48:44.000Z
template/mocks/editor.js
FaureWu/steer-react-scripts
ea00fa156fa5206295d6e776638a147b7a49ad7e
[ "MIT" ]
3
2021-10-06T20:27:15.000Z
2022-02-19T05:24:05.000Z
template/mocks/editor.js
FaureWu/steer-react-scripts
ea00fa156fa5206295d6e776638a147b7a49ad7e
[ "MIT" ]
null
null
null
/** * 本文件用于代码模版编辑器服务 * 请勿删除,否则编辑器功能将无法使用 */ import faker from 'faker' function createUser() { return { id: faker.random.uuid(), name: faker.name.findName(), age: faker.random.number({ min: 10, max: 100 }), gender: faker.random.arrayElement(['man', 'woman']), birthday: new Date(), address: faker.random.words(5), intro: faker.random.words(50), } } function createCity({ currentLevel, maxLevel }) { const key = faker.random.uuid(); return { key, title: faker.name.findName(), children: currentLevel === maxLevel ? [] : Array.from({ length: 5 }).map(() => createCity({ currentLevel: currentLevel + 1, maxLevel }), ), }; } function crudQuery(req, res) { const { current, pageSize } = req.query; if (!current) { return res.status(200).json({ code: 200, data: Array.from({ length: 50 }).map(createUser), }) } const list = Array.from({ length: 50 }).map(createUser); const count = parseInt(pageSize); const pos = parseInt(current); const data = list.slice(count * (pos - 1), count * (pos - 1) + count); res.status(200).json({ code: 200, total: list.length, data, }); } function crudTree(req, res) { res.status(200).json({ code: 200, data: Array.from({ length: 10 }).map(() => createCity({ currentLevel: 0, maxLevel: 3 })), }) } export default { 'GET /crud/query': crudQuery, 'POST /crud/create': { code: 200, data: createUser(), }, 'POST /crud/edit': { code: 200, data: createUser(), }, 'GET /crud/detail': { code: 200, data: { ...createUser(), list: Array.from({ length: 10 }).map(createUser), }, }, 'DELETE /crud/delete': { code: 200, }, 'GET /crud/tree': crudTree, }
20.895349
93
0.573734
c172bb6e68af4932521e7194a5a172c958bc34e5
817
js
JavaScript
lint-directory.js
medikoo/json-linter-2
161fb9ed06fbc0ba28b9276d52a91126dcf5e0dc
[ "0BSD" ]
null
null
null
lint-directory.js
medikoo/json-linter-2
161fb9ed06fbc0ba28b9276d52a91126dcf5e0dc
[ "0BSD" ]
null
null
null
lint-directory.js
medikoo/json-linter-2
161fb9ed06fbc0ba28b9276d52a91126dcf5e0dc
[ "0BSD" ]
null
null
null
"use strict"; const { resolve } = require("path") , readdir = require("fs2/readdir") , log = require("log").get("json-lint").info , lintFile = require("./lint-file"); module.exports = dirName => { const errors = [], promises = []; return readdir(dirName, { type: { file: true }, ignoreRules: "git", pattern: /\.json$/u, depth: Infinity, stream: true }) .on("change", ({ added }) => { for (const fileName of added) { log("lint %s", fileName); promises.push( lintFile(resolve(dirName, fileName)).catch(error => { error.fileName = fileName; errors.push(error); }) ); } }) .then(() => Promise.all(promises)) .then(() => { if (!errors.length) return; throw Object.assign(new Error("Some files errored"), { errors }); }); };
24.029412
68
0.563035
c173c8b8844667f97238fd3d9c0868fb22b7a91e
1,228
js
JavaScript
lib.test.js
Polyconseil/ini2js
55d49352e5c96456cad9702bab4c0d23e9bb0837
[ "MIT" ]
null
null
null
lib.test.js
Polyconseil/ini2js
55d49352e5c96456cad9702bab4c0d23e9bb0837
[ "MIT" ]
null
null
null
lib.test.js
Polyconseil/ini2js
55d49352e5c96456cad9702bab4c0d23e9bb0837
[ "MIT" ]
null
null
null
const lib = require('.') describe ('parseConfig', function () { it('parses an empty file', function () { expect(lib.parseConfig(['./test_files/empty.ini'])).toEqual({}) }) it('raises when parsing a file with a global key', function () { expect(() => lib.parseConfig(['./test_files/global.ini'])).toThrowError(/Global section/) }) it('raises when parsing a file with dotted section keys', function () { expect(() => lib.parseConfig(['./test_files/dotted_sections.ini'])).toThrowError(/Keyed sections/) }) it('parses a simple file', function () { expect(lib.parseConfig(['./test_files/simple.ini'])).toEqual({section: {foo: "bar"}}) }) it('parses a file with typed values', function () { expect(lib.parseConfig(['./test_files/typed_values.ini'])).toEqual({ bool: {vrai: true, faux: false}, numbers: {number: 42}, }) }) it('parses multiple files and merge them', function () { expect(lib.parseConfig(['./test_files/merge1.ini', './test_files/merge2.ini'])).toEqual({ mergedSection: { key1: "value1", key2: "value2", }, section1: { key: "value", }, section2: { key: "value", }, }) }) })
27.288889
102
0.595277
c175c2bd1d36791ec7da9aaee98b03675e888647
936
js
JavaScript
server/errors.js
vatseek/comedian
2860dd4538538ff9ae30123dc507a2c5c19f3eae
[ "MIT" ]
null
null
null
server/errors.js
vatseek/comedian
2860dd4538538ff9ae30123dc507a2c5c19f3eae
[ "MIT" ]
null
null
null
server/errors.js
vatseek/comedian
2860dd4538538ff9ae30123dc507a2c5c19f3eae
[ "MIT" ]
null
null
null
class ExtError extends Error { constructor(status=400, message, responseType=null) { super(); this.responseType = responseType; this.message = message; this.stack = (new Error()).stack; this.name = this.constructor.name; this.status = status; } } export default ExtError; class HttpException extends ExtError { constructor(status=400, message, responseType=null) { super(status, message, responseType); Error.apply(this, arguments); Error.captureStackTrace(this, HttpError); this.message = message || http.STATUS_CODES[status] || "Error"; this.name = this.constructor.name; } } export const HttpError = HttpException; class ValidationException extends ExtError { constructor(status=400, message, responseType=null) { super(status, message, responseType); } } export const ValidationError = ValidationException;
28.363636
71
0.674145
c175ea34ceee31fa1a755c568f47ab81bf53bfce
3,003
js
JavaScript
behaviors/rex_rotate/runtime.js
Releed/Construct-2
63f6ca06ab276c027b277526c71736a362abb26c
[ "MIT" ]
null
null
null
behaviors/rex_rotate/runtime.js
Releed/Construct-2
63f6ca06ab276c027b277526c71736a362abb26c
[ "MIT" ]
null
null
null
behaviors/rex_rotate/runtime.js
Releed/Construct-2
63f6ca06ab276c027b277526c71736a362abb26c
[ "MIT" ]
null
null
null
// ECMAScript 5 strict mode "use strict"; assert2(cr, "cr namespace not created"); assert2(cr.behaviors, "cr.behaviors not created"); ///////////////////////////////////// // Behavior class cr.behaviors.Rex_Rotate = function(runtime) { this.runtime = runtime; }; (function () { var behaviorProto = cr.behaviors.Rex_Rotate.prototype; ///////////////////////////////////// // Behavior type class behaviorProto.Type = function(behavior, objtype) { this.behavior = behavior; this.objtype = objtype; this.runtime = behavior.runtime; }; var behtypeProto = behaviorProto.Type.prototype; behtypeProto.onCreate = function() { }; ///////////////////////////////////// // Behavior instance class behaviorProto.Instance = function(type, inst) { this.type = type; this.behavior = type.behavior; this.inst = inst; // associated object instance to modify this.runtime = type.runtime; }; var behinstProto = behaviorProto.Instance.prototype; behinstProto.onCreate = function() { this.enable = (this.properties[0]==1); this.direction = this.properties[1]; this.speed = this.properties[2]; this.acc = this.properties[3]; }; behinstProto.tick = function () { if (!this.enable) return; var dt = this.runtime.getDt(this.inst); // Apply acceleration this.speed += (this.acc * dt); // Apply movement to the object if (this.speed != 0) { var angle = this.speed * dt; // in degree if ( this.direction == 0) angle = -angle; this.inst.angle += cr.to_clamped_radians(angle); this.inst.set_bbox_changed(); } }; behinstProto.saveToJSON = function () { return { "en": this.enable, "d": this.direction, "s": this.speed, "a": this.acc}; }; behinstProto.loadFromJSON = function (o) { this.enable = o["en"]; this.direction = o["d"]; this.speed = o["s"]; this.acc = o["a"]; }; ////////////////////////////////////// // Conditions function Cnds() {}; behaviorProto.cnds = new Cnds(); Cnds.prototype.CompareSpeed = function (cmp, s) { return cr.do_cmp(this.speed, cmp, s); }; ////////////////////////////////////// // Actions function Acts() {}; behaviorProto.acts = new Acts(); Acts.prototype.SetActivated = function (s) { this.enable = (s==1); }; Acts.prototype.SetDirection = function (d) { this.direction = d; }; Acts.prototype.SetSpeed = function (s) { this.speed = s; }; Acts.prototype.SetAcceleration = function (a) { this.acc = a; }; ////////////////////////////////////// // Expressions function Exps() {}; behaviorProto.exps = new Exps(); Exps.prototype.Speed = function (ret) { ret.set_float(this.speed); }; Exps.prototype.Acceleration = function (ret) { ret.set_float(this.acc); }; Exps.prototype.Activated = function (ret) { ret.set_int((this.enable)? 1:0); }; }());
20.710345
62
0.566101
c177aaca193915654f9cfe6dba37aa66cead7ba4
480
js
JavaScript
src/873-length-of-longest-fibonacci-subsequence/pro.js
tangweikun/leetcode
74a5c0be58fe7aa9346132c3eb07007a334017bf
[ "MIT" ]
174
2018-01-30T01:22:48.000Z
2022-02-03T20:41:54.000Z
src/873-length-of-longest-fibonacci-subsequence/pro.js
tangweikun/long-claw
74a5c0be58fe7aa9346132c3eb07007a334017bf
[ "MIT" ]
3
2017-11-08T14:09:16.000Z
2017-12-21T11:51:58.000Z
src/873-length-of-longest-fibonacci-subsequence/pro.js
tangweikun/leetcode
74a5c0be58fe7aa9346132c3eb07007a334017bf
[ "MIT" ]
9
2018-05-31T16:09:21.000Z
2020-07-12T20:34:20.000Z
// HELP: /** * @param {number[]} A * @return {number} */ var lenLongestFibSubseq = function(A) { let map = new Set(); for (let num of A) map.add(num); let res = 2; for (let i = 0; i < A.length; i++) { for (let j = i + 1; j < A.length; j++) { let a = A[i]; let b = A[j]; let len = 2; while (map.has(a + b)) { [a, b] = [b, a + b]; len++; } res = Math.max(res, len); } } return res === 2 ? 0 : res; };
16
44
0.425
c177e4f39e949e9732d635119edf2ceefd4623d1
611
js
JavaScript
beginner/algorithm0084.js
AlissonRaphael/programming_challenge
1ba0fc43e2a7293a3bf9a2692af26bd19c9d9e6e
[ "MIT" ]
null
null
null
beginner/algorithm0084.js
AlissonRaphael/programming_challenge
1ba0fc43e2a7293a3bf9a2692af26bd19c9d9e6e
[ "MIT" ]
null
null
null
beginner/algorithm0084.js
AlissonRaphael/programming_challenge
1ba0fc43e2a7293a3bf9a2692af26bd19c9d9e6e
[ "MIT" ]
null
null
null
/** * Divisors I * Read an integer N and compute all its divisors. * * Input * The input file contains an integer value. * * Output * Write all positive divisors of N, one value per line. */ var readline = require('readline') var interface = readline.createInterface({ input: process.stdin, output: process.stdout }) async function init(){ var num = await new Promise(resolve => { interface.question(': ', input => resolve(Number(input))) }) for(var i = 0; i <= num; i++){ if(num%i === 0) interface.write(`${i} `) } interface.close() } init()
19.709677
62
0.603928
c17806f62aa2b4fe4561786a4fc07f23534e1faa
480
js
JavaScript
example/oakssr/index.js
DougAnderson444/svelte
ad22283ceb440e07afe0d14b558a6fb4853f3058
[ "MIT" ]
null
null
null
example/oakssr/index.js
DougAnderson444/svelte
ad22283ceb440e07afe0d14b558a6fb4853f3058
[ "MIT" ]
null
null
null
example/oakssr/index.js
DougAnderson444/svelte
ad22283ceb440e07afe0d14b558a6fb4853f3058
[ "MIT" ]
null
null
null
export default ` <!doctype html> <html lang=\"en\"> <head> <meta charset=\"utf-8\"> <title>Deno Svelte Server Side App</title> <meta name=\"theme-color\" content=\"#1e88e5\"> <meta name=\"mobile-web-app-capable\" content=\"yes\"> <meta name=\"apple-mobile-web-app-capable\" content=\"yes\"> <meta name=\"viewport\" content=\"width=device-width,initial-scale=1\"> <!-- {{INJECT.HEAD}} --> </head> <body> <!-- {{INJECT.BODY}} --> </body> </html>`
24
75
0.591667
c1788e0d96e6264d79a3bb49f45b236f1896b3a0
1,327
js
JavaScript
src/controls/menu/Menu.js
AlexanderKosianchuk/luche-front
b6fd8c9f41b6172d160f29b2d24b6426fe1b5051
[ "MIT" ]
null
null
null
src/controls/menu/Menu.js
AlexanderKosianchuk/luche-front
b6fd8c9f41b6172d160f29b2d24b6426fe1b5051
[ "MIT" ]
null
null
null
src/controls/menu/Menu.js
AlexanderKosianchuk/luche-front
b6fd8c9f41b6172d160f29b2d24b6426fe1b5051
[ "MIT" ]
null
null
null
import React from 'react'; import { bindActionCreators } from 'redux'; import { connect } from 'react-redux'; import TopMenu from 'controls/top-menu/TopMenu'; import MainMenu from 'controls/main-menu/MainMenu'; import redirect from 'actions/redirect'; class Menu extends React.Component { constructor(props) { super (props); this.state = { showMenu: false }; } handleToggleMenu (target) { if ((target.nodeName !== 'svg') && !target.ownerSVGElement && (target.className.includes('main-menu-toggle')) && !this.state.showMenu ) { this.setState({ showMenu: true }); } else { this.setState({ showMenu: false }); } } handleMenuItemClick (url) { this.setState({ showMenu: false }); this.props.redirect(url); } render () { return ( <div> <TopMenu toggleMenu={ this.handleToggleMenu.bind(this) } /> <MainMenu isShown={ this.state.showMenu } toggleMenu={ this.handleToggleMenu.bind(this) } handleMenuItemClick={ this.handleMenuItemClick.bind(this) } /> </div> ); } } function mapDispatchToProps(dispatch) { return { redirect: bindActionCreators(redirect, dispatch), } } export default connect(() => { return {} }, mapDispatchToProps)(Menu);
22.87931
70
0.618689
c178ea7726e07cf8560d75b14ef5822c82f3c691
295
js
JavaScript
web/frontend/src/js/components/EntriesTable.js
tomal00/barometer
46580f12cd8a37b4f563284175fae2672e4ec851
[ "MIT" ]
null
null
null
web/frontend/src/js/components/EntriesTable.js
tomal00/barometer
46580f12cd8a37b4f563284175fae2672e4ec851
[ "MIT" ]
null
null
null
web/frontend/src/js/components/EntriesTable.js
tomal00/barometer
46580f12cd8a37b4f563284175fae2672e4ec851
[ "MIT" ]
null
null
null
import TableEntry from './TableEntry' import React from 'react' const EntriesTable = ({ data }) => ( <table className = "entriesTable"> <tbody> {data.map((itm) => <TableEntry {...itm} key = {itm.datetime}/>)} </tbody> </table> ) export default EntriesTable
22.692308
76
0.589831
c179519ab99d9cad13330ecbdca498872a6fa4bd
1,454
js
JavaScript
controllers/home-routes.js
dancl6/PrayersForUkraine
20ffaa26345e6b970e55669aa2028b7c332fb760
[ "MIT" ]
null
null
null
controllers/home-routes.js
dancl6/PrayersForUkraine
20ffaa26345e6b970e55669aa2028b7c332fb760
[ "MIT" ]
null
null
null
controllers/home-routes.js
dancl6/PrayersForUkraine
20ffaa26345e6b970e55669aa2028b7c332fb760
[ "MIT" ]
null
null
null
const router = require('express').Router(); const sequelize = require('../config/connection'); const { Op } = require('sequelize'); const { Prayers } = require('../models'); router.get('/', (req, res) => { Prayers.findAll({ }) .then(dbPostData => { let parsePost = JSON.parse(JSON.stringify(dbPostData)); function shuffle(array) { let currentIndex = array.length, randomIndex; // While there remain elements to shuffle... while (currentIndex != 0) { // Pick a remaining element... randomIndex = Math.floor(Math.random() * currentIndex); currentIndex--; // And swap it with the current element. [array[currentIndex], array[randomIndex]] = [ array[randomIndex], array[currentIndex]]; } return array; } shuffle(parsePost); console.log("parse post on st pattys day is:", parsePost) res.render('homepage', { parsePost }); }) .catch(err => { console.log(err); res.status(500).json(err); }); }); //Submit Prayer Page router.get('/prayers', (req, res) => { res.render('submit-prayer'); }); module.exports = router;
24.644068
73
0.47868
c17aded4e4c0b042200f4d974e11fe7e869a2457
2,087
js
JavaScript
templates/newProject/webpack.config.babel.js
GikuyuNderitu/rg
f57625731658ae6343749fa519c663bc9a0f55bd
[ "Apache-2.0" ]
1
2017-11-20T15:31:49.000Z
2017-11-20T15:31:49.000Z
templates/newProject/webpack.config.babel.js
GikuyuNderitu/rg
f57625731658ae6343749fa519c663bc9a0f55bd
[ "Apache-2.0" ]
null
null
null
templates/newProject/webpack.config.babel.js
GikuyuNderitu/rg
f57625731658ae6343749fa519c663bc9a0f55bd
[ "Apache-2.0" ]
null
null
null
import webpack from 'webpack' import { resolve } from 'path' import HtmlWebpackPlugin from 'html-webpack-plugin' const HtmlWebpackPluginConfig = new HtmlWebpackPlugin({ template: resolve(__dirname, 'src', 'index.html'), filename: 'index.html', inject: 'body', }) const PATHS = { entry: resolve(__dirname, "src"), app: resolve(__dirname, "src", "app"), build: resolve(__dirname, "dist"), } const productionPlugin = new webpack.DefinePlugin({ 'process.env': { NODE_ENV: JSON.stringify('production') } }) // Set up environment things const LaunchCommand = process.env.npm_lifecycle_event const isProduction = LaunchCommand === 'build' process.env.BABEL_ENV = LaunchCommand const baseConfig = { context: resolve(__dirname, "src"), entry: PATHS.entry, output: { path: PATHS.build, filename: "bundle.js" }, module: { rules: [ {test: /\.js$/, use: 'babel-loader' }, {test: /\.css$/, use: ['style-loader', 'css-loader?modules&importLoaders=1&localIdentName=[name]__[local]___[hash:base64:5]']}, {test: /\.sass$/, use: ['style-loader', 'css-loader?modules&importLoaders=1&localIdentName=[name]__[local]___[hash:base64:5]', 'sass-loader?indentedSyntax']}, { test: /\.(ico|eot|otf|webp|ttf|woff|woff2)$/i, use: `file-loader?limit=100000&name=assets/[name].[hash].[ext]`, }, { test: /\.(jpe?g|png|gif|svg)$/i, use: [ `file-loader?limit=100000&name=assets/[name].[hash].[ext]`, ], }, ], }, resolve: { alias: { state: resolve(PATHS.app, "state"), components: resolve(PATHS.app, "components"), utils: resolve(PATHS.app, "utils"), }, }, } const devConfig = { devtool: 'cheap-module-inline-source-map', devServer: { historyApiFallback: true, contentBase: PATHS.build, hot: true, inline: true, }, plugins: [HtmlWebpackPluginConfig, new webpack.HotModuleReplacementPlugin()], } const prodConfig = { devtool: 'cheap-module-source-map', plugins: [HtmlWebpackPluginConfig, productionPlugin], } const configToUse = isProduction ? prodConfig : devConfig export default {...baseConfig, ...configToUse}
25.765432
161
0.679444
c17b3c9d9d463c888a0e8885fbb43cbfb94d0c0f
137
js
JavaScript
src/middleware/logger.js
zakeyah/basic-express-server
12c204084fe7fe82987e5297f74f7aa5d889f552
[ "MIT" ]
null
null
null
src/middleware/logger.js
zakeyah/basic-express-server
12c204084fe7fe82987e5297f74f7aa5d889f552
[ "MIT" ]
null
null
null
src/middleware/logger.js
zakeyah/basic-express-server
12c204084fe7fe82987e5297f74f7aa5d889f552
[ "MIT" ]
null
null
null
'use strict'; module.exports=(req,res,next)=>{ console.log(`This is Method->${req.method} This is Path-> ${req.path}`); next(); };
22.833333
76
0.613139
c17bab044b5b19a73cb230e174db4ab89c4cab14
390
js
JavaScript
tasks/test/test-builder.js
darcy-buttrose/angular2-typescript-start
4fea6bddbd6fd13aa816ea0acab65af16cd0c52c
[ "MIT" ]
null
null
null
tasks/test/test-builder.js
darcy-buttrose/angular2-typescript-start
4fea6bddbd6fd13aa816ea0acab65af16cd0c52c
[ "MIT" ]
null
null
null
tasks/test/test-builder.js
darcy-buttrose/angular2-typescript-start
4fea6bddbd6fd13aa816ea0acab65af16cd0c52c
[ "MIT" ]
null
null
null
/** * Created by Darcy on 26/05/2015. */ module.exports = function(options) { var path = require('path'); options = options || {}; return function(gulp) { gulp.task('test', function (cb) { var jasmine = require('gulp-jasmine'); gulp.src('test/*-spec.js') .pipe(jasmine()) .on('end', cb); }); } }
19.5
50
0.479487
c17bcb38ed1cc55985576ac3ffb43dbcf100b63a
700
js
JavaScript
auth-token-header.js
mirceaalexandru/seneca-auth-token-header
55d0b10608ea02da98efc1be884e5098e37576d0
[ "MIT" ]
2
2016-08-23T16:14:03.000Z
2016-10-17T03:27:11.000Z
auth-token-header.js
mirceaalexandru/seneca-auth-token-header
55d0b10608ea02da98efc1be884e5098e37576d0
[ "MIT" ]
2
2016-02-05T13:59:41.000Z
2016-02-05T16:24:27.000Z
auth-token-header.js
mirceaalexandru/seneca-auth-token-header
55d0b10608ea02da98efc1be884e5098e37576d0
[ "MIT" ]
2
2016-02-05T13:59:27.000Z
2016-02-24T15:42:39.000Z
'use strict' var _ = require('lodash') var Default_options = require('./default-options.js') module.exports = function (options) { var seneca = this options = _.extend({}, Default_options, options || {}) function setToken (msg, done) { var tokenkey = msg.tokenkey || options.tokenkey var token = msg.token var res = this.fixedargs.res$ res.set(tokenkey, token) done(null, {token: token}) } function getToken (msg, done) { var tokenkey = msg.tokenkey || options.tokenkey var req = this.fixedargs.req$ done(null, {token: req.get(tokenkey)}) } seneca.add({role: 'auth', set: 'token'}, setToken) seneca.add({role: 'auth', get: 'token'}, getToken) }
24.137931
56
0.648571
c17c75cae2e4683d8ef4c072e4b3a3ddbb737ac1
854
js
JavaScript
src/components/Portfolio/index.js
TheHebi/react-portfolio
da0f2719dbec5ef861f76e9e0a3f985f0b938415
[ "MIT" ]
null
null
null
src/components/Portfolio/index.js
TheHebi/react-portfolio
da0f2719dbec5ef861f76e9e0a3f985f0b938415
[ "MIT" ]
null
null
null
src/components/Portfolio/index.js
TheHebi/react-portfolio
da0f2719dbec5ef861f76e9e0a3f985f0b938415
[ "MIT" ]
null
null
null
import React from "react"; import "./style.css"; import ProjectCard from "../ProjectCard"; import portfolio from "../../portfolio.json"; export default function Portfolio() { function Wrapper(props) { return <div className="wrapper">{props.children}</div>; } return ( <div className="portfolio container"> <div className="project"> <h2 className="top-title">My Projects</h2> <hr></hr> </div> <Wrapper id="card-data"> {portfolio.map((project) => ( <ProjectCard key={project.id} image={project.image} name={project.name} github={project.github} deploy={project.deploy} description={project.description} technologies={project.technologies} /> ))} </Wrapper> </div> ); }
23.722222
59
0.563232
c17cb11c682fd477c32a54ffc4f1cf18e29d1d4f
3,585
js
JavaScript
controllers/index.js
Groundhog-Day/relatedHomes-service
9af9d0ad503ab9960df80a8da9749d0b036aa40b
[ "MIT" ]
null
null
null
controllers/index.js
Groundhog-Day/relatedHomes-service
9af9d0ad503ab9960df80a8da9749d0b036aa40b
[ "MIT" ]
5
2020-02-14T04:22:13.000Z
2021-04-06T17:53:12.000Z
controllers/index.js
Groundhog-Day/relatedHomes-service
9af9d0ad503ab9960df80a8da9749d0b036aa40b
[ "MIT" ]
1
2020-04-02T16:14:43.000Z
2020-04-02T16:14:43.000Z
const db = require('../pg-database/database.js'); module.exports = { // Required input is a homeId and zipcode // Returns a promise getSimilarHomes: (homeId, state, zipcode) => { const queryString = `SELECT homes.home_id, homes.beds, homes.title, homes.category, homes.stars, homes.reviewcount, homes.pricepernight, images.image_url, images.showrank FROM homes INNER JOIN images ON homes.home_id = images.home_id WHERE homes.home_id IN (SELECT homes.home_id FROM homes WHERE homes.state = $1 AND homes.zip = $2 AND homes.home_id != $3 ORDER BY homes.stars DESC LIMIT 12 )` const queryValues = [state, zipcode, homeId] return db.query(queryString, queryValues) }, getHome: (homeId) => { const queryString = `Select * from homes WHERE homes.home_id = $1`; const queryValues = [homeId]; return db.query(queryString, queryValues); }, deleteHome: (homeId, userId) => { const queryString = `DELETE from homes WHERE homes.home_id = $1 AND home.user_id = $2` const queryValues = [homeId, userId]; return db.query(queryString, queryValues); }, deleteImage: (imageId) => { const queryString = `DELETE from images WHERE images.id = $1` const queryValues = [imageId]; return db.query(queryString, queryValues); }, insertHome: (homeObj) => { const queryString = `INSERT into homes (beds, title, user_id, category, pricepernight, city, state, zip) values ($1, $2, $3, $4, $5, $6, $7, $8)` const queryValues = [ homeObj.beds, homeObj.title, homeObj.user_id, homeObj.category, homeObj.pricepernight, homeObj.city, homeObj.state, homeObj.zip, ]; return db.query(queryString, queryValues) }, testGetHome: (homeId) => { const queryString = `EXPLAIN ANALYZE Select * from homes WHERE homes.home_id = $1;` const queryValues = [homeId]; return db.query(queryString, queryValues); }, updateHome: (homeId, userId, updateObj) => { let queryValues = [homeId, userId]; // change updateObj to a string let updateListString = ''; let first = true; let start = 3; for (const key in updateObj) { if (first === true) { updateListString += `${key} = $${start}` queryValues.push(updateObj[key]); start += 1; first = false; } else { updateListString += `, ${key} = $${start}` queryValues.push(updateObj[key]); start += 1; } } // console.log(updateListString, queryValues) const queryString = `UPDATE homes SET ${updateListString} WHERE homes.home_id = $1 and homes.user_id = $2`; return db.query(queryString, queryValues) } } // const homeObj = { // beds: 1, // title: 'insertionTest', // category: 'Entire Place', // pricepernight: 100, // city: 'San Francisco', // state: 'CA', // zip: '94110' // } // const updateHomeObj = { // beds: 10, // title: 'updateTest', // user_id: 100, // category: 'Entire Place', // pricepernight: 100, // city: 'San Francisco', // state: 'CA', // zip: '94110' // } // module.exports.updateHome(10000002, 54313, updateHomeObj) // .then((res)=> {console.log(res)}) // .catch(()=>{'stop messing up'}) // module.exports.insertHome(homeObj) // .then((data)=>console.log(data)) // .catch((err)=> console.log(err, 'Error')); // module.exports.getSimilarHomes(15,'TX','77063') // .then((result)=>console.log(result)) // module.exports.testGetHome(9997) // .then((res)=>console.log(res.rows)) // .then(()=> {db.closeConnection()})
30.12605
174
0.627336
c17de36cc377ae501eaa4840eeb42c71c4c38564
570
js
JavaScript
stories/doc.stories.js
equinor/developer
9df0ff4243738f96818d6353f70c0a8fa4afc24b
[ "MIT" ]
2
2019-04-30T09:41:24.000Z
2019-10-10T08:26:22.000Z
stories/doc.stories.js
equinor/developer
9df0ff4243738f96818d6353f70c0a8fa4afc24b
[ "MIT" ]
18
2019-04-10T07:19:35.000Z
2020-09-08T00:58:42.000Z
stories/doc.stories.js
equinor/developer
9df0ff4243738f96818d6353f70c0a8fa4afc24b
[ "MIT" ]
3
2019-04-10T07:15:44.000Z
2019-06-24T07:57:41.000Z
import { storiesOf } from "@storybook/react"; import React from "react"; import DocListing from "../src/components/DocListing"; import { DocHeader } from "../src/components/DocHeader"; import { LayoutDecorator } from "./index.stories"; import { docNodes } from "./mock/mockData"; storiesOf("Doc", module) .addDecorator(LayoutDecorator) .add("DocListing", () => <DocListing node={docNodes[0].node} />) .add("DocHeader api", () => <DocHeader tags={["api"]} title="Api" />) .add("DocHeader tech", () => ( <DocHeader tags={["tech"]} title="Technology" /> ));
38
71
0.659649
c17df31d32aa47be854a9ebe774219562350914c
1,478
js
JavaScript
src/App.js
andresilveira/jsrulez
26465750387be0764cc643a76d7b54698ed1f765
[ "MIT" ]
null
null
null
src/App.js
andresilveira/jsrulez
26465750387be0764cc643a76d7b54698ed1f765
[ "MIT" ]
2
2022-02-26T02:33:43.000Z
2022-03-08T22:49:48.000Z
src/App.js
andresilveirah/jsrulez
26465750387be0764cc643a76d7b54698ed1f765
[ "MIT" ]
2
2017-12-18T16:51:48.000Z
2017-12-25T17:00:50.000Z
import React, { Component } from 'react'; import ValidatorMessage from './ValidatorMessage'; import CreateRuleForm from './CreateRuleForm'; import RulesList from './RulesList'; import FlowExecutor from './FlowExecutor'; import './App.css'; class App extends Component { constructor() { super(); this.state = { flow: [], error: null }; this.addRuleToFlow = this.addRuleToFlow.bind(this); this.removeRuleFromFlow = this.removeRuleFromFlow.bind(this); this.validateFlowCycle = this.validateFlowCycle.bind(this); } addRuleToFlow(rule) { this.setState({ flow: [...this.state.flow, rule], error: null }); } removeRuleFromFlow(ruleId) { this.setState({ flow: this.state.flow.filter(({ id }) => id !== ruleId) }); } validateFlowCycle(newRule) { const { valid, message } = this.props.flowValidator([...this.state.flow, newRule]); if(!valid) { this.setState({ error: message }); } return valid; } render() { return ( <div className="App"> <h1>JS RULEZ</h1> <CreateRuleForm onCreateRule={this.addRuleToFlow} ruleValidator={this.validateFlowCycle} ruleErrorMessage={<ValidatorMessage message={this.state.error} />} /> <RulesList rules={this.state.flow} onRemoveClick={this.removeRuleFromFlow} /> <FlowExecutor engine={this.props.flowEngine(this.state.flow)} /> </div> ); } } export default App;
25.482759
87
0.636671
c17e04b7a4b6b178520a6abc33744dd77977fd34
75
js
JavaScript
org.gecko.vaadin.whiteboard.bower/bower_components/vaadin-menu-bar/test/test-suites.js
geckoprojects-org/org.gecko.vaadin
49c7bc25744bf6ee67150bc1c3ec027c9b109f66
[ "Apache-2.0" ]
5
2019-05-11T21:11:57.000Z
2021-01-14T19:07:16.000Z
test/test-suites.js
vaadin/vaadin-menu-bar
8ebab0cbdf13a7f093d84010e48050f54cac3fb3
[ "Apache-2.0" ]
95
2019-03-20T11:02:42.000Z
2022-02-15T07:42:39.000Z
org.gecko.vaadin.whiteboard.bower/bower_components/vaadin-menu-bar/test/test-suites.js
geckoprojects-org/org.gecko.vaadin
49c7bc25744bf6ee67150bc1c3ec027c9b109f66
[ "Apache-2.0" ]
5
2019-04-20T10:49:23.000Z
2021-08-12T20:29:51.000Z
window.VaadinMenuBarElementSuites = [ 'basic.html', 'sub-menu.html' ];
15
37
0.693333
c17ef960dd06dcbfef84bc36ef03c181c248216d
354
js
JavaScript
src/icons/qrcode.js
scyclops/vue-awesome
7af9c4988aebc244ceae1bdb03d091a190d6d7ad
[ "MIT" ]
2
2018-07-02T12:03:11.000Z
2019-08-09T06:30:49.000Z
src/icons/qrcode.js
scyclops/vue-awesome
7af9c4988aebc244ceae1bdb03d091a190d6d7ad
[ "MIT" ]
null
null
null
src/icons/qrcode.js
scyclops/vue-awesome
7af9c4988aebc244ceae1bdb03d091a190d6d7ad
[ "MIT" ]
1
2019-02-26T13:35:24.000Z
2019-02-26T13:35:24.000Z
import Icon from '../components/Icon.vue' Icon.register({"qrcode":{"width":448,"height":512,"paths":[{"d":"M0 224H192V32H0V224zM64 96H128V160H64V96zM256 32V224H448V32H256zM384 160H320V96H384V160zM0 480H192V288H0V480zM64 352H128V416H64V352zM416 288H448V416H352V384H320V480H256V288H352V320H416V288zM416 448H448V480H416V448zM352 448H384V480H352V448z"}]}})
88.5
310
0.853107
c1806493b9db66d155f2d735eadb4d8e32ba1897
8,683
js
JavaScript
test/test-files/brighterscript/project-with-bsfmt/node_modules/brighterscript/dist/parser/tests/expression/TemplateStringExpression.spec.js
andersondanilo/ale
843c8f9dfa8f8982fc455459158c55bc4bc061c2
[ "BSD-2-Clause" ]
null
null
null
test/test-files/brighterscript/project-with-bsfmt/node_modules/brighterscript/dist/parser/tests/expression/TemplateStringExpression.spec.js
andersondanilo/ale
843c8f9dfa8f8982fc455459158c55bc4bc061c2
[ "BSD-2-Clause" ]
null
null
null
test/test-files/brighterscript/project-with-bsfmt/node_modules/brighterscript/dist/parser/tests/expression/TemplateStringExpression.spec.js
andersondanilo/ale
843c8f9dfa8f8982fc455459158c55bc4bc061c2
[ "BSD-2-Clause" ]
null
null
null
"use strict"; /* eslint-disable @typescript-eslint/no-for-in-array */ /* eslint no-template-curly-in-string: 0 */ Object.defineProperty(exports, "__esModule", { value: true }); const chai_1 = require("chai"); const DiagnosticMessages_1 = require("../../../DiagnosticMessages"); const lexer_1 = require("../../../lexer"); const Parser_1 = require("../../Parser"); const Statement_1 = require("../../Statement"); const BrsFile_spec_1 = require("../../../files/BrsFile.spec"); const Program_1 = require("../../../Program"); describe('TemplateStringExpression', () => { describe('parser template String', () => { it('throws exception when used in brightscript scope', () => { var _a; let { tokens } = lexer_1.Lexer.scan(`a = \`hello \=world`); let { diagnostics } = Parser_1.Parser.parse(tokens, { mode: Parser_1.ParseMode.BrightScript }); chai_1.expect((_a = diagnostics[0]) === null || _a === void 0 ? void 0 : _a.code).to.equal(DiagnosticMessages_1.DiagnosticMessages.bsFeatureNotSupportedInBrsFiles('').code); }); describe('in assignment', () => { it(`simple case`, () => { let { tokens } = lexer_1.Lexer.scan(`a = \`hello world\``); let { statements, diagnostics } = Parser_1.Parser.parse(tokens, { mode: Parser_1.ParseMode.BrighterScript }); chai_1.expect(diagnostics).to.be.lengthOf(0); chai_1.expect(statements[0]).instanceof(Statement_1.AssignmentStatement); }); it(`complex case`, () => { let { tokens } = lexer_1.Lexer.scan(`a = \`hello \${a.text} world \${"template" + m.getChars()} test\``); let { statements, diagnostics } = Parser_1.Parser.parse(tokens, { mode: Parser_1.ParseMode.BrighterScript }); chai_1.expect(diagnostics).to.be.lengthOf(0); chai_1.expect(statements[0]).instanceof(Statement_1.AssignmentStatement); }); it(`complex case`, () => { var _a; let { tokens } = lexer_1.Lexer.scan(`a = \`hello \${"world"}! I am a \${"template" + "\`string\`"} and I am very \${["pleased"][0]} to meet you \${m.top.getChildCount()} the end. goodnight\` `); let { statements, diagnostics } = Parser_1.Parser.parse(tokens, { mode: Parser_1.ParseMode.BrighterScript }); chai_1.expect((_a = diagnostics[0]) === null || _a === void 0 ? void 0 : _a.message).not.to.exist; chai_1.expect(statements[0]).instanceof(Statement_1.AssignmentStatement); }); it(`complex case that tripped up the transpile tests`, () => { let { tokens } = lexer_1.Lexer.scan('a = ["one", "two", `I am a complex example\n${a.isRunning(["a","b","c"])}`]'); let { statements, diagnostics } = Parser_1.Parser.parse(tokens, { mode: Parser_1.ParseMode.BrighterScript }); chai_1.expect(diagnostics).to.be.lengthOf(0); chai_1.expect(statements[0]).instanceof(Statement_1.AssignmentStatement); }); }); it('catches missing closing backtick', () => { var _a; let { tokens } = lexer_1.Lexer.scan('name = `hello world'); let parser = Parser_1.Parser.parse(tokens, { mode: Parser_1.ParseMode.BrighterScript }); chai_1.expect((_a = parser.diagnostics[0]) === null || _a === void 0 ? void 0 : _a.message).to.equal(DiagnosticMessages_1.DiagnosticMessages.unterminatedTemplateStringAtEndOfFile().message); }); }); describe('transpile', () => { let rootDir = process.cwd(); let program; let testTranspile = BrsFile_spec_1.getTestTranspile(() => [program, rootDir]); beforeEach(() => { program = new Program_1.Program({ rootDir: rootDir }); }); afterEach(() => { program.dispose(); }); it('properly transpiles simple template string', async () => { await testTranspile('a = `hello world`', 'a = "hello world"'); }); it('properly transpiles one line template string with expressions', async () => { await testTranspile('a = `hello ${a.text} world ${"template" + m.getChars()} test`', `a = "hello " + bslib_toString(a.text) + " world " + bslib_toString("template" + m.getChars()) + " test"`); }); it('handles escaped characters', async () => { await testTranspile('a = `\\r\\n\\`\\$`', `a = chr(13) + chr(10) + chr(96) + chr(36)`); }); it('handles escaped unicode char codes', async () => { await testTranspile('a = `\\c2\\c987`', `a = chr(2) + chr(987)`); }); it('properly transpiles simple multiline template string', async () => { await testTranspile('a = `hello world\nI am multiline`', 'a = "hello world" + chr(10) + "I am multiline"'); }); it('properly handles newlines', async () => { await testTranspile('a = `\n`', 'a = chr(10)'); }); it('properly handles clrf', async () => { await testTranspile('a = `\r\n`', 'a = chr(13) + chr(10)'); }); it('properly transpiles more complex multiline template string', async () => { await testTranspile('a = `I am multiline\n${a.isRunning()}\nmore`', 'a = "I am multiline" + chr(10) + bslib_toString(a.isRunning()) + chr(10) + "more"'); }); it('properly transpiles complex multiline template string in array def', async () => { await testTranspile(`a = [ "one", "two", \`I am a complex example\${a.isRunning(["a", "b", "c"])}\` ] `, ` a = [ "one", "two", "I am a complex example" + bslib_toString(a.isRunning([ "a", "b", "c" ])) ] `); }); it('properly transpiles complex multiline template string in array def, with nested template', async () => { await testTranspile(` a = [ "one", "two", \`I am a complex example \${a.isRunning([ "a", "b", "c", \`d_open \${"inside" + m.items[i]} d_close\` ])}\` ] `, ` a = [ "one", "two", "I am a complex example " + bslib_toString(a.isRunning([ "a", "b", "c", "d_open " + bslib_toString("inside" + m.items[i]) + " d_close" ])) ] `); }); it('skips calling toString on strings', async () => { await testTranspile(` text = \`Hello \${"world"}\` `, ` text = "Hello " + "world" `); }); describe('tagged template strings', () => { it('properly transpiles with escaped characters and quasis', async () => { await testTranspile(` function zombify(strings, values) end function sub main() zombie = zombify\`Hello \${"world"}\` end sub `, ` function zombify(strings, values) end function sub main() zombie = zombify(["Hello ", ""], ["world"]) end sub `); }); it('handles multiple embedded expressions', async () => { await testTranspile(` function zombify(strings, values) end function sub main() zombie = zombify\`Hello \${"world"} I am \${12} years old\` end sub `, ` function zombify(strings, values) end function sub main() zombie = zombify(["Hello ", " I am ", " years old"], ["world", 12]) end sub `); }); }); }); }); //# sourceMappingURL=TemplateStringExpression.spec.js.map
48.50838
204
0.478867
c180c6a9f0ce99e33d294d9aa999ab487816d87a
1,126
js
JavaScript
templates/js/app/utils/server/pwa-utils.server.js
ShafSpecs/remix-pwa
0854b6dd6fc68da09159f272bf398cb254ffcfad
[ "MIT" ]
48
2022-02-15T20:35:59.000Z
2022-03-31T17:52:05.000Z
templates/js/app/utils/server/pwa-utils.server.js
ShafSpecs/remix-pwa
0854b6dd6fc68da09159f272bf398cb254ffcfad
[ "MIT" ]
3
2022-02-19T00:03:09.000Z
2022-03-29T12:01:10.000Z
templates/js/app/utils/server/pwa-utils.server.js
ShafSpecs/remix-pwa
0854b6dd6fc68da09159f272bf398cb254ffcfad
[ "MIT" ]
null
null
null
const storage = require("node-persist"); const webPush = require("web-push"); export async function SaveSubscription(sub) { await storage.init(); await storage.setItem("subscription", sub); } export async function PushNotification(content, delay = 0) { if (!process.env.VAPID_PUBLIC_KEY || !process.env.VAPID_PRIVATE_KEY) { console.log( "You must set the VAPID_PUBLIC_KEY and VAPID_PRIVATE_KEY " + "environment variables. You can use the following ones:" ); console.log(webPush.generateVAPIDKeys()); return; } webPush.setVapidDetails( "https://serviceworke.rs/", process.env.VAPID_PUBLIC_KEY, process.env.VAPID_PRIVATE_KEY ); await storage.init(); const subscription = await storage.getItem("subscription"); setTimeout(() => { webPush .sendNotification(subscription, JSON.stringify(content)) .then(() => { return new Response("success", { status: 200, }); }) .catch((e) => { console.log(e); return new Response("Failed!", { status: 500, }); }); }, delay * 1000); }
25.590909
72
0.629663
c180e15300805a5c2187095bae2b5cf30706ee8e
938
js
JavaScript
www/1121.22659612f10410023bf0.js
fantapioppe/fantapioppe.github.io
e82052fbf9ea1709a39a350077bd40b42d7438ef
[ "MIT" ]
null
null
null
www/1121.22659612f10410023bf0.js
fantapioppe/fantapioppe.github.io
e82052fbf9ea1709a39a350077bd40b42d7438ef
[ "MIT" ]
null
null
null
www/1121.22659612f10410023bf0.js
fantapioppe/fantapioppe.github.io
e82052fbf9ea1709a39a350077bd40b42d7438ef
[ "MIT" ]
null
null
null
(self.webpackChunkfantapioppe=self.webpackChunkfantapioppe||[]).push([[1121],{1121:(e,n,t)=>{"use strict";t.r(n),t.d(n,{RosePageModule:()=>u});var o=t(8583),r=t(665),s=t(3083),c=t(2316),a=t(639);const p=[{path:"",component:(()=>{class e{constructor(){}ngOnInit(){}}return e.\u0275fac=function(n){return new(n||e)},e.\u0275cmp=a.Xpm({type:e,selectors:[["app-rose"]],decls:5,vars:0,consts:[["color","dark"]],template:function(e,n){1&e&&(a.TgZ(0,"ion-header"),a.TgZ(1,"ion-toolbar",0),a.TgZ(2,"ion-title"),a._uU(3,"Rose"),a.qZA(),a.qZA(),a.qZA(),a._UZ(4,"ion-content",0))},directives:[s.Gu,s.sr,s.wd,s.W2],styles:[""]}),e})()}];let i=(()=>{class e{}return e.\u0275fac=function(n){return new(n||e)},e.\u0275mod=a.oAB({type:e}),e.\u0275inj=a.cJS({imports:[[c.Bz.forChild(p)],c.Bz]}),e})(),u=(()=>{class e{}return e.\u0275fac=function(n){return new(n||e)},e.\u0275mod=a.oAB({type:e}),e.\u0275inj=a.cJS({imports:[[o.ez,r.u5,s.Pc,i]]}),e})()}}]);
938
938
0.626866
c180f841256412876dd985f7b9989f926c54d5ad
142
js
JavaScript
options.js
ldenoue/screegle-extension
795579bf17ac036b1b5d9d455aef2f12f5802ceb
[ "MIT" ]
1
2022-02-25T21:24:28.000Z
2022-02-25T21:24:28.000Z
options.js
ldenoue/screegle-extension
795579bf17ac036b1b5d9d455aef2f12f5802ceb
[ "MIT" ]
null
null
null
options.js
ldenoue/screegle-extension
795579bf17ac036b1b5d9d455aef2f12f5802ceb
[ "MIT" ]
null
null
null
/*gdm.addEventListener('click', () => { chrome.runtime.sendMessage({ pickWindow: true }, (res) => console.log(res)) window.close() })*/
35.5
78
0.626761
c1816d3bbe0ec346b10b551b71bcef9d652e7483
16,593
js
JavaScript
ios/playground/bundlejs/component/slider-tab.js
xusw/incubator-weex
aaa1bdbada2053afe8407e776ca2bd770f87302d
[ "Apache-2.0" ]
3
2019-11-20T06:24:39.000Z
2019-11-20T06:55:03.000Z
ios/playground/bundlejs/component/slider-tab.js
szch/incubator-weex
75101d59ff2501a48852f68ffd0c2611ac2801ab
[ "Apache-2.0" ]
null
null
null
ios/playground/bundlejs/component/slider-tab.js
szch/incubator-weex
75101d59ff2501a48852f68ffd0c2611ac2801ab
[ "Apache-2.0" ]
1
2017-09-13T13:51:21.000Z
2017-09-13T13:51:21.000Z
/******/ (function(modules) { // webpackBootstrap /******/ // The module cache /******/ var installedModules = {}; /******/ // 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] = { /******/ exports: {}, /******/ id: moduleId, /******/ loaded: false /******/ }; /******/ // Execute the module function /******/ modules[moduleId].call(module.exports, module, module.exports, __webpack_require__); /******/ // Flag the module as loaded /******/ module.loaded = true; /******/ // Return the exports of the module /******/ return module.exports; /******/ } /******/ // expose the modules object (__webpack_modules__) /******/ __webpack_require__.m = modules; /******/ // expose the module cache /******/ __webpack_require__.c = installedModules; /******/ // __webpack_public_path__ /******/ __webpack_require__.p = ""; /******/ // Load entry module and return exports /******/ return __webpack_require__(0); /******/ }) /************************************************************************/ /******/ ({ /***/ 0: /***/ function(module, exports, __webpack_require__) { var __weex_template__ = __webpack_require__(165) var __weex_style__ = __webpack_require__(166) var __weex_script__ = __webpack_require__(167) __weex_define__('@weex-component/80b287cd7ee83071ff869144c4552259', [], function(__weex_require__, __weex_exports__, __weex_module__) { __weex_script__(__weex_module__, __weex_exports__, __weex_require__) if (__weex_exports__.__esModule && __weex_exports__.default) { __weex_module__.exports = __weex_exports__.default } __weex_module__.exports.template = __weex_template__ __weex_module__.exports.style = __weex_style__ }) __weex_bootstrap__('@weex-component/80b287cd7ee83071ff869144c4552259',undefined,undefined) /***/ }, /***/ 32: /***/ function(module, exports, __webpack_require__) { var global = __webpack_require__(33) , core = __webpack_require__(34) , ctx = __webpack_require__(35) , hide = __webpack_require__(37) , PROTOTYPE = 'prototype'; var $export = function(type, name, source){ var IS_FORCED = type & $export.F , IS_GLOBAL = type & $export.G , IS_STATIC = type & $export.S , IS_PROTO = type & $export.P , IS_BIND = type & $export.B , IS_WRAP = type & $export.W , exports = IS_GLOBAL ? core : core[name] || (core[name] = {}) , expProto = exports[PROTOTYPE] , target = IS_GLOBAL ? global : IS_STATIC ? global[name] : (global[name] || {})[PROTOTYPE] , key, own, out; if(IS_GLOBAL)source = name; for(key in source){ // contains in native own = !IS_FORCED && target && target[key] !== undefined; if(own && key in exports)continue; // export native or passed out = own ? target[key] : source[key]; // prevent global pollution for namespaces exports[key] = IS_GLOBAL && typeof target[key] != 'function' ? source[key] // bind timers to global for call from export context : IS_BIND && own ? ctx(out, global) // wrap global constructors for prevent change them in library : IS_WRAP && target[key] == out ? (function(C){ var F = function(a, b, c){ if(this instanceof C){ switch(arguments.length){ case 0: return new C; case 1: return new C(a); case 2: return new C(a, b); } return new C(a, b, c); } return C.apply(this, arguments); }; F[PROTOTYPE] = C[PROTOTYPE]; return F; // make static versions for prototype methods })(out) : IS_PROTO && typeof out == 'function' ? ctx(Function.call, out) : out; // export proto methods to core.%CONSTRUCTOR%.methods.%NAME% if(IS_PROTO){ (exports.virtual || (exports.virtual = {}))[key] = out; // export proto methods to core.%CONSTRUCTOR%.prototype.%NAME% if(type & $export.R && expProto && !expProto[key])hide(expProto, key, out); } } }; // type bitmap $export.F = 1; // forced $export.G = 2; // global $export.S = 4; // static $export.P = 8; // proto $export.B = 16; // bind $export.W = 32; // wrap $export.U = 64; // safe $export.R = 128; // real proto method for `library` module.exports = $export; /***/ }, /***/ 33: /***/ function(module, exports) { // https://github.com/zloirock/core-js/issues/86#issuecomment-115759028 var global = module.exports = typeof window != 'undefined' && window.Math == Math ? window : typeof self != 'undefined' && self.Math == Math ? self : Function('return this')(); if(typeof __g == 'number')__g = global; // eslint-disable-line no-undef /***/ }, /***/ 34: /***/ function(module, exports) { var core = module.exports = {version: '2.4.0'}; if(typeof __e == 'number')__e = core; // eslint-disable-line no-undef /***/ }, /***/ 35: /***/ function(module, exports, __webpack_require__) { // optional / simple context binding var aFunction = __webpack_require__(36); module.exports = function(fn, that, length){ aFunction(fn); if(that === undefined)return fn; switch(length){ case 1: return function(a){ return fn.call(that, a); }; case 2: return function(a, b){ return fn.call(that, a, b); }; case 3: return function(a, b, c){ return fn.call(that, a, b, c); }; } return function(/* ...args */){ return fn.apply(that, arguments); }; }; /***/ }, /***/ 36: /***/ function(module, exports) { module.exports = function(it){ if(typeof it != 'function')throw TypeError(it + ' is not a function!'); return it; }; /***/ }, /***/ 37: /***/ function(module, exports, __webpack_require__) { var dP = __webpack_require__(38) , createDesc = __webpack_require__(46); module.exports = __webpack_require__(42) ? function(object, key, value){ return dP.f(object, key, createDesc(1, value)); } : function(object, key, value){ object[key] = value; return object; }; /***/ }, /***/ 38: /***/ function(module, exports, __webpack_require__) { var anObject = __webpack_require__(39) , IE8_DOM_DEFINE = __webpack_require__(41) , toPrimitive = __webpack_require__(45) , dP = Object.defineProperty; exports.f = __webpack_require__(42) ? Object.defineProperty : function defineProperty(O, P, Attributes){ anObject(O); P = toPrimitive(P, true); anObject(Attributes); if(IE8_DOM_DEFINE)try { return dP(O, P, Attributes); } catch(e){ /* empty */ } if('get' in Attributes || 'set' in Attributes)throw TypeError('Accessors not supported!'); if('value' in Attributes)O[P] = Attributes.value; return O; }; /***/ }, /***/ 39: /***/ function(module, exports, __webpack_require__) { var isObject = __webpack_require__(40); module.exports = function(it){ if(!isObject(it))throw TypeError(it + ' is not an object!'); return it; }; /***/ }, /***/ 40: /***/ function(module, exports) { module.exports = function(it){ return typeof it === 'object' ? it !== null : typeof it === 'function'; }; /***/ }, /***/ 41: /***/ function(module, exports, __webpack_require__) { module.exports = !__webpack_require__(42) && !__webpack_require__(43)(function(){ return Object.defineProperty(__webpack_require__(44)('div'), 'a', {get: function(){ return 7; }}).a != 7; }); /***/ }, /***/ 42: /***/ function(module, exports, __webpack_require__) { // Thank's IE8 for his funny defineProperty module.exports = !__webpack_require__(43)(function(){ return Object.defineProperty({}, 'a', {get: function(){ return 7; }}).a != 7; }); /***/ }, /***/ 43: /***/ function(module, exports) { module.exports = function(exec){ try { return !!exec(); } catch(e){ return true; } }; /***/ }, /***/ 44: /***/ function(module, exports, __webpack_require__) { var isObject = __webpack_require__(40) , document = __webpack_require__(33).document // in old IE typeof document.createElement is 'object' , is = isObject(document) && isObject(document.createElement); module.exports = function(it){ return is ? document.createElement(it) : {}; }; /***/ }, /***/ 45: /***/ function(module, exports, __webpack_require__) { // 7.1.1 ToPrimitive(input [, PreferredType]) var isObject = __webpack_require__(40); // instead of the ES6 spec version, we didn't implement @@toPrimitive case // and the second argument - flag - preferred type is a string module.exports = function(it, S){ if(!isObject(it))return it; var fn, val; if(S && typeof (fn = it.toString) == 'function' && !isObject(val = fn.call(it)))return val; if(typeof (fn = it.valueOf) == 'function' && !isObject(val = fn.call(it)))return val; if(!S && typeof (fn = it.toString) == 'function' && !isObject(val = fn.call(it)))return val; throw TypeError("Can't convert object to primitive value"); }; /***/ }, /***/ 46: /***/ function(module, exports) { module.exports = function(bitmap, value){ return { enumerable : !(bitmap & 1), configurable: !(bitmap & 2), writable : !(bitmap & 4), value : value }; }; /***/ }, /***/ 165: /***/ function(module, exports) { module.exports = { "type": "div", "style": { "padding": 25 }, "children": [ { "type": "div", "style": { "height": 80, "flexDirection": "row" }, "children": [ { "type": "div", "style": { "flex": 1, "backgroundColor": "#008B8B", "justifyContent": "center", "alignItems": "center" }, "events": { "click": function ($event) {this.goto(0,$event)} }, "children": [ { "type": "text", "classList": [ "page-title" ], "attr": { "value": "Page 1" } } ] }, { "type": "div", "style": { "flex": 1, "backgroundColor": "#7FFFD4", "justifyContent": "center", "alignItems": "center" }, "events": { "click": function ($event) {this.goto(1,$event)} }, "children": [ { "type": "text", "classList": [ "page-title" ], "attr": { "value": "Page 2" } } ] }, { "type": "div", "style": { "flex": 1, "backgroundColor": "#008B8B", "justifyContent": "center", "alignItems": "center" }, "events": { "click": function ($event) {this.goto(2,$event)} }, "children": [ { "type": "text", "classList": [ "page-title" ], "attr": { "value": "Page 3" } } ] } ] }, { "type": "div", "style": { "height": 10, "backgroundColor": "#87CEEB" }, "children": [ { "type": "div", "style": { "width": 233, "height": 10, "marginLeft": function () {return this.progress}, "backgroundColor": "#00008B" } } ] }, { "type": "slider", "classList": [ "slider" ], "attr": { "interval": "4500", "index": function () {return this.index}, "offsetXAccuracy": "0.01" }, "events": { "change": "onchange", "scroll": "onscroll" }, "append": "tree", "children": [ { "type": "div", "classList": [ "frame" ], "repeat": { "expression": function () {return this.imageList}, "value": "img" }, "children": [ { "type": "image", "classList": [ "image" ], "attr": { "resize": "cover", "src": function () {return this.img.src} } }, { "type": "text", "classList": [ "title" ], "attr": { "value": function () {return this.img.title} } } ] }, { "type": "indicator", "style": { "height": 20 } } ] } ] } /***/ }, /***/ 166: /***/ function(module, exports) { module.exports = { "page-title": { "color": "#000000", "fontSize": 40, "fontWeight": "bold" }, "image": { "width": 700, "height": 700 }, "slider": { "width": 700, "height": 700, "position": "absolute", "borderWidth": 2, "borderStyle": "solid", "borderColor": "#41B883" }, "title": { "position": "absolute", "top": 20, "left": 20, "paddingLeft": 20, "width": 200, "color": "#FFFFFF", "fontSize": 36, "lineHeight": 60, "backgroundColor": "rgba(0,0,0,0.3)" }, "frame": { "width": 700, "height": 700 } } /***/ }, /***/ 167: /***/ function(module, exports, __webpack_require__) { module.exports = function(module, exports, __weex_require__){'use strict'; Object.defineProperty(exports, "__esModule", { value: true }); var _defineProperty2 = __webpack_require__(168); var _defineProperty3 = _interopRequireDefault(_defineProperty2); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } exports.default = { data: { imageList: [{ title: 'Page 1', src: 'https://gd2.alicdn.com/bao/uploaded/i2/T14H1LFwBcXXXXXXXX_!!0-item_pic.jpg' }, { title: 'Page 2', src: 'https://gd1.alicdn.com/bao/uploaded/i1/TB1PXJCJFXXXXciXFXXXXXXXXXX_!!0-item_pic.jpg' }, { title: 'Page 3', src: 'https://gd3.alicdn.com/bao/uploaded/i3/TB1x6hYLXXXXXazXVXXXXXXXXXX_!!0-item_pic.jpg' }], index: 0, progress: 0 }, methods: (0, _defineProperty3.default)({ onchange: function onchange(event) { console.log('changed:', event.index); }, goto: function goto(i) { this.index = i; this.progress = i * 233; }, onscroll: function onscroll(e) { var ratio = parseFloat(e.offsetXRatio); this.progress = 233 * this.index + 233 * -ratio; } }, 'onchange', function onchange(e) { this.goto(parseInt(e.index)); }) };} /* generated by weex-loader */ /***/ }, /***/ 168: /***/ function(module, exports, __webpack_require__) { "use strict"; exports.__esModule = true; var _defineProperty = __webpack_require__(169); var _defineProperty2 = _interopRequireDefault(_defineProperty); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } exports.default = function (obj, key, value) { if (key in obj) { (0, _defineProperty2.default)(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }; /***/ }, /***/ 169: /***/ function(module, exports, __webpack_require__) { module.exports = { "default": __webpack_require__(170), __esModule: true }; /***/ }, /***/ 170: /***/ function(module, exports, __webpack_require__) { __webpack_require__(171); var $Object = __webpack_require__(34).Object; module.exports = function defineProperty(it, key, desc){ return $Object.defineProperty(it, key, desc); }; /***/ }, /***/ 171: /***/ function(module, exports, __webpack_require__) { var $export = __webpack_require__(32); // 19.1.2.4 / 15.2.3.6 Object.defineProperty(O, P, Attributes) $export($export.S + $export.F * !__webpack_require__(42), 'Object', {defineProperty: __webpack_require__(38).f}); /***/ } /******/ });
26.21327
136
0.534382
c1826af7ae94d7a9e16e141571e33950fb6b5b2b
602
js
JavaScript
src/occurrenceCollectionToTimes.js
logiclogue/football-score-sim
749e55d1d287a8a44ca9051baf452d985500a532
[ "MIT" ]
3
2017-10-15T21:38:13.000Z
2021-01-18T09:44:34.000Z
src/occurrenceCollectionToTimes.js
logiclogue/football-score-sim
749e55d1d287a8a44ca9051baf452d985500a532
[ "MIT" ]
1
2018-04-27T05:49:41.000Z
2018-04-27T05:49:41.000Z
src/occurrenceCollectionToTimes.js
logiclogue/football-score-sim
749e55d1d287a8a44ca9051baf452d985500a532
[ "MIT" ]
1
2017-03-17T08:53:51.000Z
2017-03-17T08:53:51.000Z
const OccurrenceCollection = require("./OccurrenceCollection"); const times = require("./times"); // OccurrenceCollection Occurrences -> Time -> Seed // -> OccurrenceCollection OccurrenceTimes function occurrenceCollectionToTimes(collection, time, seed) { return collection.map((o, name) => o.times(time, seed.append(name))); } // OccurrenceCollection Occurrences ~> Time -> Seed // -> OccurrenceCollection OccurrenceTimes OccurrenceCollection.prototype.toTimes = function (time, seed) { return occurrenceCollectionToTimes(this, time, seed); }; module.exports = occurrenceCollectionToTimes;
35.411765
73
0.76412
c186462a3e60b38b5852c844bea2cec41560d170
914
js
JavaScript
dist/pretty/transformInput.js
pealpjpain/pino-grigio
0ede2431a8f22521d5c3135f4ba89633d8310300
[ "MIT" ]
null
null
null
dist/pretty/transformInput.js
pealpjpain/pino-grigio
0ede2431a8f22521d5c3135f4ba89633d8310300
[ "MIT" ]
null
null
null
dist/pretty/transformInput.js
pealpjpain/pino-grigio
0ede2431a8f22521d5c3135f4ba89633d8310300
[ "MIT" ]
null
null
null
"use strict"; Object.defineProperty(exports, "__esModule", { value: true }); function transformInput(input, eol) { if (isObject(input)) return { input: input, doLog: true, }; if (isString(input)) try { var parsed = JSON.parse(input); if (isPino(parsed)) return { input: parsed, doLog: true, }; } catch (err) { } return { input: input.toString() + eol, doLog: false, }; } exports.transformInput = transformInput; var isObject = function (o) { return (Object.prototype.toString.apply(o) === '[object Object]'); }; var isString = function (o) { return (typeof o === 'string'); }; var isPino = function (o) { return (o !== undefined && o.hasOwnProperty('v') && o.v === 1); }; //# sourceMappingURL=transformInput.js.map
31.517241
99
0.525164
c1864633f357de1a1a45137ebf32788e626f7373
3,867
js
JavaScript
server/src/utils/validation-utils.js
jonringer-comm/comm
ea754e988aac80756673f47a1b501c861ec66c15
[ "BSD-3-Clause" ]
null
null
null
server/src/utils/validation-utils.js
jonringer-comm/comm
ea754e988aac80756673f47a1b501c861ec66c15
[ "BSD-3-Clause" ]
null
null
null
server/src/utils/validation-utils.js
jonringer-comm/comm
ea754e988aac80756673f47a1b501c861ec66c15
[ "BSD-3-Clause" ]
null
null
null
// @flow import { ServerError } from 'lib/utils/errors'; import { tCookie, tPassword, tPlatform, tPlatformDetails, } from 'lib/utils/validation-utils'; import { verifyClientSupported } from '../session/version'; import type { Viewer } from '../session/viewer'; async function validateInput(viewer: Viewer, inputValidator: *, input: *) { if (!viewer.isSocket) { await checkClientSupported(viewer, inputValidator, input); } checkInputValidator(inputValidator, input); } function checkInputValidator(inputValidator: *, input: *) { if (!inputValidator || inputValidator.is(input)) { return; } const error = new ServerError('invalid_parameters'); error.sanitizedInput = input ? sanitizeInput(inputValidator, input) : null; throw error; } async function checkClientSupported( viewer: Viewer, inputValidator: *, input: *, ) { let platformDetails; if (inputValidator) { platformDetails = findFirstInputMatchingValidator( inputValidator, tPlatformDetails, input, ); } if (!platformDetails && inputValidator) { const platform = findFirstInputMatchingValidator( inputValidator, tPlatform, input, ); if (platform) { platformDetails = { platform }; } } if (!platformDetails) { ({ platformDetails } = viewer); } await verifyClientSupported(viewer, platformDetails); } const redactedString = '********'; const redactedTypes = [tPassword, tCookie]; function sanitizeInput(inputValidator: *, input: *) { if (!inputValidator) { return input; } if (redactedTypes.includes(inputValidator) && typeof input === 'string') { return redactedString; } if ( inputValidator.meta.kind === 'maybe' && redactedTypes.includes(inputValidator.meta.type) && typeof input === 'string' ) { return redactedString; } if ( inputValidator.meta.kind !== 'interface' || typeof input !== 'object' || !input ) { return input; } const result = {}; for (const key in input) { const value = input[key]; const validator = inputValidator.meta.props[key]; result[key] = sanitizeInput(validator, value); } return result; } function findFirstInputMatchingValidator( wholeInputValidator: *, inputValidatorToMatch: *, input: *, ): any { if (!wholeInputValidator || input === null || input === undefined) { return null; } if ( wholeInputValidator === inputValidatorToMatch && wholeInputValidator.is(input) ) { return input; } if (wholeInputValidator.meta.kind === 'maybe') { return findFirstInputMatchingValidator( wholeInputValidator.meta.type, inputValidatorToMatch, input, ); } if ( wholeInputValidator.meta.kind === 'interface' && typeof input === 'object' ) { for (const key in input) { const value = input[key]; const validator = wholeInputValidator.meta.props[key]; const innerResult = findFirstInputMatchingValidator( validator, inputValidatorToMatch, value, ); if (innerResult) { return innerResult; } } } if (wholeInputValidator.meta.kind === 'union') { for (const validator of wholeInputValidator.meta.types) { if (validator.is(input)) { return findFirstInputMatchingValidator( validator, inputValidatorToMatch, input, ); } } } if (wholeInputValidator.meta.kind === 'list' && Array.isArray(input)) { const validator = wholeInputValidator.meta.type; for (const value of input) { const innerResult = findFirstInputMatchingValidator( validator, inputValidatorToMatch, value, ); if (innerResult) { return innerResult; } } } return null; } export { validateInput, checkInputValidator, checkClientSupported };
24.630573
77
0.649341
c188385c842ca285878a997ea21a437d6c997d5c
130
js
JavaScript
src/components/Error.js
wvxbs/chorao
e42b78b12a339c6d8a9a9dbfc68ebf5dea727d74
[ "MIT" ]
1
2022-01-21T22:04:51.000Z
2022-01-21T22:04:51.000Z
src/components/Error.js
wvxbs/chorao
e42b78b12a339c6d8a9a9dbfc68ebf5dea727d74
[ "MIT" ]
5
2020-09-07T12:04:21.000Z
2022-02-10T19:31:22.000Z
src/components/Error.js
wvxbs/chorao
e42b78b12a339c6d8a9a9dbfc68ebf5dea727d74
[ "MIT" ]
null
null
null
import React from 'react' const Error = props => { return <h1 className="title is-red is-4">Erro</h1> } export default Error
18.571429
54
0.684615
c18845d3a3c21de78a457ac7dac6b3ef806b1da7
726
js
JavaScript
src/js/components/bootstrap.js
markom01/mcd-store
39002d21c32d52591cf1ed988903ec5c30fb5d27
[ "ISC" ]
null
null
null
src/js/components/bootstrap.js
markom01/mcd-store
39002d21c32d52591cf1ed988903ec5c30fb5d27
[ "ISC" ]
null
null
null
src/js/components/bootstrap.js
markom01/mcd-store
39002d21c32d52591cf1ed988903ec5c30fb5d27
[ "ISC" ]
null
null
null
import * as bootstrap from 'bootstrap'; import { body } from '../selectors'; const initTooltips = () => { const tooltips = document.querySelectorAll('[data-bs-toggle="tooltip"]'); tooltips.forEach((t) => { new bootstrap.Tooltip(t); }); } const alertWrapper = document.createElement("div"); function alert(message, type) { alertWrapper.innerHTML = '<div class="alert alert-' + type + ' alert-dismissible custom-alert fade show" role="alert">' + message + '<button type="button" class="btn-close" data-bs-dismiss="alert" aria-label="Close"></button></div>'; body.appendChild(alertWrapper); } function removeAlert() { alertWrapper.remove(); } export {initTooltips, alert, removeAlert};
25.928571
105
0.673554
c188d233e7590493818a977243681b170c45cfd1
708
js
JavaScript
packages/core/src/helpers/adapters/adaptMerchant.js
Gaspard-Bruno/blackout
3a3e6b494b20c91a60296e0da825524d2446ec8b
[ "MIT" ]
20
2021-11-30T09:50:39.000Z
2022-03-24T16:15:24.000Z
packages/core/src/helpers/adapters/adaptMerchant.js
Gaspard-Bruno/blackout
3a3e6b494b20c91a60296e0da825524d2446ec8b
[ "MIT" ]
18
2021-11-30T19:35:43.000Z
2022-03-25T16:30:08.000Z
packages/core/src/helpers/adapters/adaptMerchant.js
Gaspard-Bruno/blackout
3a3e6b494b20c91a60296e0da825524d2446ec8b
[ "MIT" ]
16
2021-11-30T09:46:08.000Z
2022-03-02T12:38:24.000Z
/** * Adapt merchant to a structure that allows to create an entity. * * @function adaptMerchant * @memberof module:helpers/adapters * * @param {object} merchant - Merchant object with all related informations. * @param {number} merchant.merchantId - Merchant id to adapt. * @param {string} merchant.merchantName - Merchant name to adapt. * @param {string} merchant.merchantShoppingUrl - Merchant shopping url to adapt. * * @returns {object} Merchand adapted ready to be an entity. */ export default ({ merchantId, merchantName, merchantShoppingUrl }) => { if (!merchantId) { return; } return { id: merchantId, name: merchantName, shoppingUrl: merchantShoppingUrl, }; };
28.32
81
0.707627
c1891395a54f545d4c90b8631ccd6bcd8c6f94ea
460
js
JavaScript
src/components/Header.js
Danail-Irinkov/react-renderer
69da807a2f2d913a9d5a7b104c78bf4d887a4a66
[ "MIT" ]
null
null
null
src/components/Header.js
Danail-Irinkov/react-renderer
69da807a2f2d913a9d5a7b104c78bf4d887a4a66
[ "MIT" ]
null
null
null
src/components/Header.js
Danail-Irinkov/react-renderer
69da807a2f2d913a9d5a7b104c78bf4d887a4a66
[ "MIT" ]
null
null
null
import logo from "../assets/logos/tallrock-t-small.png"; export default function Header() { return ( <div className="header text-black font-bold xl:rounded-t-lg xl:border xl:shadow-lg p-4 m-0 w-full"> <div className={"container"}> {/*<Logo className={"w-80"} />*/} <img src={logo} className={"h-32 px-4 w-auto logo"}/> </div> <div className={"py-2 px-4 w-full"}> Webpack 5 + React HTML -`&gt; PDF renderer </div> </div> ); }
28.75
101
0.613043
c189f9e84891e297b6385aff55511b95de58c205
2,075
js
JavaScript
dist/System/Env.js
sprkdev/onebe
3dcffc93fe5c8ee3dcaedd94ebf3c31145811489
[ "MIT" ]
null
null
null
dist/System/Env.js
sprkdev/onebe
3dcffc93fe5c8ee3dcaedd94ebf3c31145811489
[ "MIT" ]
null
null
null
dist/System/Env.js
sprkdev/onebe
3dcffc93fe5c8ee3dcaedd94ebf3c31145811489
[ "MIT" ]
null
null
null
"use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports.default = exports.Environment = void 0; var _dotenv = require("dotenv"); (0, _dotenv.config)(); /** * The environment handling class. Use the object exported * by the module to get various environment variable values. */ class Environment { /** * Returns the value of a given environment variable. * * @param field The name of the environmental variable. * @param defaultValue The default value if the variable doesn't exists. */ get(field, defaultValue = null) { return process.env[field] || defaultValue; } /** * Returns the integer value of a given environment variable. * * @param field The name of the environmental variable. * @param defaultValue The default value if the variable doesn't exists. */ int(field, defaultValue = 0) { return parseInt(this.get(field)) || Math.floor(defaultValue); } /** * Returns the number value of a given environment variable. * * @param field The name of the environmental variable. * @param defaultValue The default value if the variable doesn't exists. */ number(field, defaultValue = 0) { return Number(this.get(field)) || Math.floor(defaultValue); } /** * Returns the boolean value of a given environment variable. * * @param field The name of the flag. */ boolean(field) { const fieldValue = this.get(field) || ""; return fieldValue.toUpperCase() === "TRUE"; } /** * An alias for the Env.get method. * * @param field The name of the environmental variable. * @param defaultValue The default value if the variable doesn't exists. */ string(field, defaultValue = "") { return this.get(field) || defaultValue; } /** * An alias for the Env.bool method. * * @param flagName The name of the flag. */ flag(flagName) { return this.boolean(flagName); } } exports.Environment = Environment; const Env = new Environment(); global.env = Env; var _default = Env; exports.default = _default;
23.850575
74
0.668434