text
stringlengths 3
1.05M
|
---|
import {OPTIONS} from './options'
// importing these files allows them to register with PyType
import {PyString} from './PyString'
import {PyInteger} from './PyInteger'
import {PyFloat} from './PyFloat'
// see ../index.js, where these are added to the format function
export {
PyString,
PyInteger,
PyFloat,
}
export {
PyError,
FormatError,
IllegalArgumentException,
IndexError,
KeyError,
ValueError,
} from './exceptions'
/**
* MAIN FUNCTION exported by the library.
* Formats a string using Python's .format() mini-language.
* This is really just a wrapper around PyString.format.
*
* If st is undefined or null, it is simply returned. This is different from the TypeError
* that python throws, but it makes this interface function follow JS culture.
*
* See also PyType.js :: format (which this calls).
* See also enable.js for shimming the global String prototype.
*/
export function format(st, ...args) {
if (st === undefined || st === null) {
return st
}
st = new PyString(st)
return st.format(...args)
}
/**
* Sets global options for the entire library.
* Example:
*
* format.setOptions({
* global: true,
* strict: false,
* })
*
* ../index.js exports this function as format.setOptions.
*/
export function setOptions(options) {
// update the OPTIONS object
Object.assign(OPTIONS, options)
// adjust the global .format function
const desc = Object.getOwnPropertyDescriptor(String.prototype, 'format')
if (!OPTIONS.global && desc) { // need to remove
try {
delete String.prototype.format
}catch(err) {
console.warn('string-format-full could not remove String.prototype.format')
throw err
}
}else if (OPTIONS.global) { // need to add
try {
Object.defineProperty(String.prototype, 'format', {
configurable: true,
writable: true,
value: function (...args) {
return format(this, ...args)
},
})
}catch(err) {
console.warn('string-format-full failed monkey-patching String.prototype.format')
throw err
}
}
}
////////////////////////////////////////////////
/// DEPRECATED
// instead of enableGlobal: format.setOptions({global: true})
export function enableGlobal() {
Object.defineProperty(String.prototype, 'format', {
value: function (...args) {
return format(this, ...args)
},
})
}
|
import {
fireEvent,
render,
} from '@testing-library/react';
import { createMemoryHistory } from 'history';
import noop from 'lodash/noop';
import Harness from '../../../../test/jest/helpers/harness';
import TitleShow from './title-show';
const history = createMemoryHistory();
const historyReplaceSpy = jest.spyOn(history, 'replace');
jest.mock('../../scroll-view', () => () => (<div>ScrollView component</div>));
jest.mock('../../../features/usage-consolidation-accordion', () => () => (<div>UsageConsolidationAccordion component</div>));
jest.mock('../_field-groups/add-title-to-package', () => () => (<div>AddTitleToPackage component</div>));
jest.mock('@folio/stripes/smart-components', () => ({
NotesSmartAccordion: jest.fn(() => <div>NotesSmartAccordion component</div>),
}));
const mapMock = jest.fn();
const testCostPerUse = {
data: {
attributes: {
analysis: {
cost: 123,
costPerUse: 456,
usage: 789,
},
parameters: {
currency: '',
startMonth: '',
},
},
id: 'testCostPerUse-data-id',
type: 'testCostPerUse-data-type',
},
errors: [],
isFailed: false,
isLoaded: false,
isLoading: false,
};
const testModel = {
id: 'model-id',
name: 'model-name',
edition: 'model-edition',
publisherName: 'model-publisher',
publicationType: 'Book',
isPeerReviewed: false,
isTitleCustom: false,
description: 'model-description',
isLoaded: true,
isLoading: false,
contributors: [
{
contributor: 'Jane Doe',
type: 'author',
},
],
resources: {
records: [],
},
hasSelectedResources: true,
identifiers: [
{
id: 'identifier-id',
type: 'ISBN',
subtype: 'Online',
},
],
subjects: [
{
subject: 'model-subject',
type: 'model-subject-type',
},
],
update: {
errors: [],
isPending: false,
isRejected: false,
isResolved: false,
},
request: {
errors: [],
isPending: false,
isRejected: false,
isResolved: false,
},
destroy: {
errors: [],
isPending: false,
isRejected: false,
isResolved: false,
},
};
const testModelExtended = {
...testModel,
resources: {
records: [
{
id: 'package-id1',
packageName: 'package-name1',
isSelected: true,
},
{
id: 'package-id2',
packageName: 'package-name2',
isSelected: false,
}
],
length: 2,
map: mapMock,
},
};
const testRequest = {
errors: [],
isPending: false,
isRejected: false,
isResolved: false,
};
const renderTitleShow = (props = {}) => render(
<Harness history={history}>
<TitleShow
addCustomPackage={noop}
costPerUse={testCostPerUse}
customPackages={{
map: mapMock,
}}
fetchTitleCostPerUse={noop}
model={testModel}
onEdit={noop}
request={testRequest}
{...props}
/>
</Harness>
);
describe('Given TitleShow', () => {
it('should display title name in the pane and in the headline', () => {
const { getAllByText } = renderTitleShow();
expect(getAllByText('model-name')).toHaveLength(2);
});
it('should display `Collapse all` button', () => {
const { getByRole } = renderTitleShow();
expect(getByRole('button', { name: 'stripes-components.collapseAll' })).toBeDefined();
});
describe('when all sections are collapsed', () => {
it('should all be expanded after click on the `Expand all` button', () => {
const { getByRole } = renderTitleShow();
fireEvent.click(getByRole('button', {
name: 'ui-eholdings.title.titleInformation',
expanded: true,
}));
fireEvent.click(getByRole('button', {
name: 'ui-eholdings.listType.packages',
expanded: true,
}));
fireEvent.click(getByRole('button', { name: 'stripes-components.expandAll' }));
expect(getByRole('button', {
name: 'ui-eholdings.title.titleInformation',
expanded: true,
})).toBeDefined();
expect(getByRole('button', {
name: 'ui-eholdings.listType.packages',
expanded: true,
})).toBeDefined();
});
});
describe('title information accordion', () => {
it('should be rendered', () => {
const { getByText } = renderTitleShow();
expect(getByText('ui-eholdings.title.titleInformation')).toBeDefined();
});
it('should display title author', () => {
const { getByText } = renderTitleShow();
expect(getByText('ui-eholdings.contributorType.author')).toBeDefined();
expect(getByText('Jane Doe')).toBeDefined();
});
it('should display title edition', () => {
const { getByText } = renderTitleShow();
expect(getByText('ui-eholdings.title.edition')).toBeDefined();
expect(getByText('model-edition')).toBeDefined();
});
it('should display title publisher', () => {
const { getByText } = renderTitleShow();
expect(getByText('ui-eholdings.title.publisherName')).toBeDefined();
expect(getByText('model-publisher')).toBeDefined();
});
it('should display title publication type', () => {
const { getByText } = renderTitleShow();
expect(getByText('ui-eholdings.title.publicationType')).toBeDefined();
expect(getByText('Book')).toBeDefined();
});
it('should display title identifiers list', () => {
const { getByText } = renderTitleShow();
expect(getByText('ISBN (Online)')).toBeDefined();
expect(getByText('identifier-id')).toBeDefined();
});
it('should display title subjects', () => {
const { getByText } = renderTitleShow();
expect(getByText('ui-eholdings.title.subjects')).toBeDefined();
expect(getByText('model-subject')).toBeDefined();
});
it('should display `No` for title peer reviewed', () => {
const { getByText } = renderTitleShow();
expect(getByText('ui-eholdings.title.peerReviewed')).toBeDefined();
expect(getByText('ui-eholdings.no')).toBeDefined();
});
it('should display `Yes` for title peer reviewed', () => {
const { getByText } = renderTitleShow({
model: {
...testModel,
isPeerReviewed: true,
},
});
expect(getByText('ui-eholdings.title.peerReviewed')).toBeDefined();
expect(getByText('ui-eholdings.yes')).toBeDefined();
});
it('should display `Managed` for title type', () => {
const { getByText } = renderTitleShow();
expect(getByText('ui-eholdings.title.titleType')).toBeDefined();
expect(getByText('ui-eholdings.managed')).toBeDefined();
});
it('should display `Custom` for title type', () => {
const { getByText } = renderTitleShow({
model: {
...testModel,
isTitleCustom: true,
},
});
expect(getByText('ui-eholdings.title.titleType')).toBeDefined();
expect(getByText('ui-eholdings.custom')).toBeDefined();
});
it('should render `Add to custom package` button', () => {
const { getByRole } = renderTitleShow();
expect(getByRole('button', { name: 'ui-eholdings.title.addToCustomPackage' })).toBeDefined();
});
it('should be collapsed after click on the heading', () => {
const { getByRole } = renderTitleShow();
fireEvent.click(getByRole('button', {
name: 'ui-eholdings.title.titleInformation',
expanded: true,
}));
expect(getByRole('button', {
name: 'ui-eholdings.title.titleInformation',
expanded: false,
})).toBeDefined();
});
describe('add title to custom package modal window', () => {
it('should be called when clicked on the `Add to custom package` button', () => {
const { getByText } = renderTitleShow({
model: testModelExtended,
});
fireEvent.click(getByText('ui-eholdings.title.addToCustomPackage'));
expect(getByText('ui-eholdings.title.modalMessage.addTitleToCustomPackage')).toBeDefined();
});
it('should display AddTitleToPackage component', () => {
const { getByText } = renderTitleShow({
model: testModelExtended,
});
fireEvent.click(getByText('ui-eholdings.title.addToCustomPackage'));
expect(getByText('AddTitleToPackage component')).toBeDefined();
});
it('should display Cancel button', () => {
const { getByText, getByRole } = renderTitleShow({
model: testModelExtended,
});
fireEvent.click(getByText('ui-eholdings.title.addToCustomPackage'));
expect(getByRole('button', { name: 'ui-eholdings.cancel' })).toBeDefined();
});
it('should display Submit button', () => {
const { getByText, getByRole } = renderTitleShow({
model: testModelExtended,
});
fireEvent.click(getByText('ui-eholdings.title.addToCustomPackage'));
expect(getByRole('button', { name: 'ui-eholdings.submit' })).toBeDefined();
});
it('should display Saving button', () => {
const { getByText, getByRole } = renderTitleShow({
model: testModelExtended,
request: {
...testRequest,
isPending: true,
},
});
fireEvent.click(getByText('ui-eholdings.title.addToCustomPackage'));
expect(getByRole('button', { name: 'ui-eholdings.saving' })).toBeDefined();
});
});
});
it('should render NotesSmartAccordion component', () => {
const { getByText } = renderTitleShow();
expect(getByText('NotesSmartAccordion component')).toBeDefined();
});
it('should render UsageConsolidationAccordion component', () => {
const { getByText } = renderTitleShow();
expect(getByText('UsageConsolidationAccordion component')).toBeDefined();
});
describe('packages accordion', () => {
it('should be rendered', () => {
const { getByText } = renderTitleShow();
expect(getByText('ui-eholdings.listType.packages')).toBeDefined();
});
it('should not display packages', () => {
const { getByText } = renderTitleShow();
expect(getByText('ui-eholdings.notFound')).toBeDefined();
});
it('should display number of packages', () => {
const { getByText } = renderTitleShow({
model: testModelExtended,
});
expect(getByText('ui-eholdings.label.accordionList')).toBeDefined();
expect(getByText('2')).toBeDefined();
});
it('should render ScrollView component', () => {
const { getByText } = renderTitleShow({
model: testModelExtended,
});
expect(getByText('ScrollView component')).toBeDefined();
});
describe('filter packages modal window', () => {
it('should be called when click on the Filter packages button', () => {
const { getByLabelText, getByText } = renderTitleShow({
model: testModelExtended,
});
fireEvent.click(getByLabelText('ui-eholdings.filter.togglePane'));
expect(getByText('ui-eholdings.filter.filterType.packages')).toBeDefined();
});
it('should filter packages when click on the Search button', () => {
const { getByLabelText, getByText } = renderTitleShow({
model: testModelExtended,
});
fireEvent.click(getByLabelText('ui-eholdings.filter.togglePane'));
fireEvent.click(getByText('ui-eholdings.selected'));
fireEvent.click(getByText('ui-eholdings.filter.search'));
expect(historyReplaceSpy).toBeCalled();
});
});
});
describe('when coming from creating a new custom package', () => {
it('should show a corresponding success toast', () => {
const { getByText } = renderTitleShow({
isNewRecord: true,
});
expect(getByText('ui-eholdings.title.toast.isNewRecord')).toBeDefined();
});
});
describe('when coming from saving edits to the package', () => {
it('should show a corresponding success toast', () => {
const { getByText } = renderTitleShow({
isFreshlySaved: true,
});
expect(getByText('ui-eholdings.title.toast.isFreshlySaved')).toBeDefined();
});
});
});
|
import mri from 'mri';
import chalk from 'chalk';
import Now from '../util';
import createOutput from '../util/output';
import logo from '../util/output/logo';
import elapsed from '../util/output/elapsed.ts';
import { maybeURL, normalizeURL } from '../util/url';
import printEvents from '../util/events';
import Client from '../util/client.ts';
import getScope from '../util/get-scope.ts';
import { getPkgName } from '../util/pkg-name.ts';
const help = () => {
console.log(`
${chalk.bold(`${logo} ${getPkgName()} logs`)} <url|deploymentId>
${chalk.dim('Options:')}
-h, --help Output usage information
-A ${chalk.bold.underline('FILE')}, --local-config=${chalk.bold.underline(
'FILE'
)} Path to the local ${'`vercel.json`'} file
-Q ${chalk.bold.underline('DIR')}, --global-config=${chalk.bold.underline(
'DIR'
)} Path to the global ${'`.vercel`'} directory
-d, --debug Debug mode [off]
-f, --follow Wait for additional data [off]
-n ${chalk.bold.underline(
'NUMBER'
)} Number of logs [100]
-t ${chalk.bold.underline('TOKEN')}, --token=${chalk.bold.underline(
'TOKEN'
)} Login token
--since=${chalk.bold.underline(
'SINCE'
)} Only return logs after date (ISO 8601)
--until=${chalk.bold.underline(
'UNTIL'
)} Only return logs before date (ISO 8601), ignored for ${'`-f`'}
-S, --scope Set a custom scope
-o ${chalk.bold.underline('MODE')}, --output=${chalk.bold.underline(
'MODE'
)} Specify the output format (${Object.keys(logPrinters).join(
'|'
)}) [short]
${chalk.dim('Examples:')}
${chalk.gray('–')} Print the logs for the deployment ${chalk.dim(
'`deploymentId`'
)}
${chalk.cyan(`$ ${getPkgName()} logs deploymentId`)}
`);
};
export default async function main(ctx) {
let argv;
let deploymentIdOrURL;
let debug;
let apiUrl;
let head;
let limit;
let follow;
let outputMode;
let since;
let until;
argv = mri(ctx.argv.slice(2), {
string: ['since', 'until', 'output'],
boolean: ['help', 'debug', 'head', 'follow'],
alias: {
help: 'h',
debug: 'd',
follow: 'f',
output: 'o',
},
});
argv._ = argv._.slice(1);
deploymentIdOrURL = argv._[0];
if (argv.help || !deploymentIdOrURL || deploymentIdOrURL === 'help') {
help();
return 2;
}
const debugEnabled = argv.debug;
const output = createOutput({ debug: debugEnabled });
try {
since = argv.since ? toTimestamp(argv.since) : 0;
} catch (err) {
output.error(`Invalid date string: ${argv.since}`);
return 1;
}
try {
until = argv.until ? toTimestamp(argv.until) : 0;
} catch (err) {
output.error(`Invalid date string: ${argv.until}`);
return 1;
}
if (maybeURL(deploymentIdOrURL)) {
const normalizedURL = normalizeURL(deploymentIdOrURL);
if (normalizedURL.includes('/')) {
output.error(
`Invalid deployment url: can't include path (${deploymentIdOrURL})`
);
return 1;
}
deploymentIdOrURL = normalizedURL;
}
debug = argv.debug;
apiUrl = ctx.apiUrl;
head = argv.head;
limit = typeof argv.n === 'number' ? argv.n : 100;
follow = argv.f;
if (follow) until = 0;
outputMode = argv.output in logPrinters ? argv.output : 'short';
const {
authConfig: { token },
config,
} = ctx;
const { currentTeam } = config;
const now = new Now({ apiUrl, token, debug, currentTeam });
const client = new Client({
apiUrl,
token,
currentTeam,
debug: debugEnabled,
});
let contextName = null;
try {
({ contextName } = await getScope(client));
} catch (err) {
if (err.code === 'NOT_AUTHORIZED' || err.code === 'TEAM_DELETED') {
output.error(err.message);
return 1;
}
throw err;
}
let deployment;
const id = deploymentIdOrURL;
const depFetchStart = Date.now();
const cancelWait = output.spinner(
`Fetching deployment "${id}" in ${chalk.bold(contextName)}`
);
try {
deployment = await now.findDeployment(id);
} catch (err) {
cancelWait();
now.close();
if (err.status === 404) {
output.error(
`Failed to find deployment "${id}" in ${chalk.bold(contextName)}`
);
return 1;
}
if (err.status === 403) {
output.error(
`No permission to access deployment "${id}" in ${chalk.bold(
contextName
)}`
);
return 1;
}
// unexpected
throw err;
}
cancelWait();
output.log(
`Fetched deployment "${deployment.url}" in ${chalk.bold(
contextName
)} ${elapsed(Date.now() - depFetchStart)}`
);
let direction = head ? 'forward' : 'backward';
if (since && !until) direction = 'forward';
const findOpts1 = {
direction,
limit,
since,
until,
}; // no follow
const storage = [];
const storeEvent = event => storage.push(event);
await printEvents(now, deployment.uid || deployment.id, currentTeam, {
mode: 'logs',
onEvent: storeEvent,
quiet: false,
debug,
findOpts: findOpts1,
});
const printedEventIds = new Set();
const printEvent = event => {
if (printedEventIds.has(event.id)) return 0;
printedEventIds.add(event.id);
return logPrinters[outputMode](event);
};
storage.sort(compareEvents).forEach(printEvent);
if (follow) {
const lastEvent = storage[storage.length - 1];
// NOTE: the API ignores `since` on follow mode.
// (but not sure if it's always true on legacy deployments)
const since2 = lastEvent ? lastEvent.date : Date.now();
const findOpts2 = {
direction: 'forward',
since: since2,
follow: true,
};
await printEvents(now, deployment.uid || deployment.id, currentTeam, {
mode: 'logs',
onEvent: printEvent,
quiet: false,
debug,
findOpts: findOpts2,
});
}
now.close();
return 0;
}
function compareEvents(d1, d2) {
const c1 = d1.date || d1.created;
const c2 = d2.date || d2.created;
if (c1 !== c2) return c1 - c2;
const s1 = d1.serial || '';
const s2 = d2.serial || '';
const sc = s1.localeCompare(s2);
if (sc !== 0) return sc;
return d1.created - d2.created; // if date are equal and no serial
}
function printLogShort(log) {
if (!log.created) return; // keepalive
let data;
const obj = log.object;
if (log.type === 'request') {
data =
`REQ "${obj.method} ${obj.uri} ${obj.protocol}"` +
` ${obj.remoteAddr} - ${obj.remoteUser || ''}` +
` "${obj.referer || ''}" "${obj.userAgent || ''}"`;
} else if (log.type === 'response') {
data =
`RES "${obj.method} ${obj.uri} ${obj.protocol}"` +
` ${obj.status} ${obj.bodyBytesSent}`;
} else if (log.type === 'event') {
data = `EVENT ${log.event} ${JSON.stringify(log.payload)}`;
} else if (obj) {
data = JSON.stringify(obj, null, 2);
} else {
data = (log.text || '')
.replace(/\n$/, '')
.replace(/^\n/, '')
// eslint-disable-next-line no-control-regex
.replace(/\x1b\[1000D/g, '')
.replace(/\x1b\[0K/g, '')
.replace(/\x1b\[1A/g, '');
if (/warning/i.test(data)) {
data = chalk.yellow(data);
} else if (log.type === 'stderr') {
data = chalk.red(data);
}
}
const date = new Date(log.created).toISOString();
data.split('\n').forEach((line, i) => {
if (
line.includes('START RequestId:') ||
line.includes('END RequestId:') ||
line.includes('XRAY TraceId:')
) {
return;
}
if (line.includes('REPORT RequestId:')) {
line = line.substring(line.indexOf('Duration:'), line.length);
if (line.includes('Init Duration:')) {
line = line.substring(0, line.indexOf('Init Duration:'));
}
}
if (i === 0) {
console.log(
`${chalk.dim(date)} ${line.replace('[now-builder-debug] ', '')}`
);
} else {
console.log(
`${' '.repeat(date.length)} ${line.replace(
'[now-builder-debug] ',
''
)}`
);
}
});
return 0;
}
function printLogRaw(log) {
if (!log.created) return; // keepalive
if (log.object) {
console.log(log.object);
} else if (typeof log.text === 'string') {
console.log(
log.text
.replace(/\n$/, '')
.replace(/^\n/, '')
// eslint-disable-next-line no-control-regex
.replace(/\x1b\[1000D/g, '')
.replace(/\x1b\[0K/g, '')
.replace(/\x1b\[1A/g, '')
);
}
return 0;
}
const logPrinters = {
short: printLogShort,
raw: printLogRaw,
};
function toTimestamp(datestr) {
const t = Date.parse(datestr);
if (isNaN(t)) {
throw new TypeError('Invalid date string');
}
return t;
}
|
import React from 'react'
import PropTypes from 'prop-types'
import './style.scss'
const Picture = ({ content, onImageLoaded }) => {
return <img onLoad={onImageLoaded} src={content} className={'RecastAppPicture'} />
}
Picture.propTypes = {
content: PropTypes.string,
onImageLoaded: PropTypes.func,
}
export default Picture
|
var dir_60925fc218da8ca7908795bf5f624060 =
[
[ "Board", "dir_1ad147b45c81532355ec7c0823e09208.html", "dir_1ad147b45c81532355ec7c0823e09208" ],
[ "Misc", "dir_b25b8390048ff4b4042af5ceece298cc.html", "dir_b25b8390048ff4b4042af5ceece298cc" ],
[ "Peripheral", "dir_4df0177c882f2ab2ad53417880dc6afe.html", "dir_4df0177c882f2ab2ad53417880dc6afe" ],
[ "USB", "dir_e75f4b3e420b592e193641d7e490cb7e.html", "dir_e75f4b3e420b592e193641d7e490cb7e" ]
]; |
import React from 'react';
import { Button as ButtonReactstrap } from 'reactstrap';
import PropTypes from 'prop-types';
/**
* Button component
*
* @param {string} className - Button class
* @param {string} color - Button color
* @param {node} children - Button children
* @param {Function} onClick - Function to execute in the onClick event
* @return {ReactElement} React element
* @public
*/
const Button = ({
className,
color,
children,
onClick
}) => {
return (
<ButtonReactstrap className={className} color={color} onClick={onClick}>
{children}
</ButtonReactstrap>
);
};
/**
* Button defaultProps
* @type {Object}
*/
Button.defaultProps = {
color: "success"
};
/**
* Button propTypes
* @type {Object}
*/
Button.propTypes = {
className: PropTypes.string,
color: PropTypes.string,
children: PropTypes.node,
onClick: PropTypes.func
};
export default Button;
|
const movie = {
id:'109',
name:'Their Finest 2016BluRay 720p',
cover:'"http://www.film2movie.co/content/uploads/Their_Finest_2016.jpg"',
thumb:'http://www.film2movie.co/content/uploads/Their_Finest_2016.jpg'
}
movie.inline={inline_keyboard: [
[
{
text:"دانلود با کیفیت 720p BluRay x265",
url:"http://opizo.com/81105/?http://dl4.film2movie.co/film/Their.Finest.2016.720p.BluRay.x265.HEVC.Film2Movie_CO.mkv"
} ],
[
{
text: "زیرنویس",
url:"http://subf2m.co/subtitles/"
}
],[
{
text: "share",
switch_inline_query: movie.name
}
]
]
}
module.exports = movie;
module.exports.prop = "middle";
module.exports.path = "../examples/" + movie.id + " db.js"; |
"""Setup file. The package can be installed for development by running
pip install -e .
or similar where . is replaced by the path to package root
"""
import pathlib
from setuptools import find_packages, setup
README_FILE_PATH = pathlib.Path(__file__).parent / "README.md"
with open(README_FILE_PATH) as f:
README = f.read()
s = setup( # pylint: disable=invalid-name
name="awesome-panel",
version="20200512.1",
license="MIT",
description="""This package supports the Awesome Panel Project and
provides highly experimental features!""",
long_description_content_type="text/markdown",
long_description=README,
url="https://github.com/MarcSkovMadsen/awesome-panel",
author="Marc Skov Madsen",
author_email="[email protected]",
# package_data={"awesome_panel": ["py.typed"]},
include_package_data=True,
packages=find_packages(include=["awesome_panel", "awesome_panel.*"]),
install_requires=["panel"],
python_requires=">= 3.7",
zip_safe=False,
)
|
OC.L10N.register(
"settings",
{
"Authentication error" : "සත්යාපන දෝෂයක්",
"Invalid request" : "අවලංගු අයැදුමක්",
"Email saved" : "වි-තැපෑල සුරකින ලදී",
"All" : "සියල්ල",
"Disable" : "අක්රිය කරන්න",
"Enable" : "සක්රිය කරන්න",
"Delete" : "මකා දමන්න",
"Groups" : "කණ්ඩායම්",
"undo" : "නිෂ්ප්රභ කරන්න",
"never" : "කවදාවත්",
"__language_name__" : "සිංහල",
"None" : "කිසිවක් නැත",
"Login" : "ප්රවිශ්ටය",
"Encryption" : "ගුප්ත කේතනය",
"Server address" : "සේවාදායකයේ ලිපිනය",
"Port" : "තොට",
"Sharing" : "හුවමාරු කිරීම",
"Allow resharing" : "යළි යළිත් හුවමාරුවට අවසර දෙමි",
"Cancel" : "එපා",
"Email" : "විද්යුත් තැපෑල",
"Your email address" : "ඔබගේ විද්යුත් තැපෑල",
"Password" : "මුර පදය",
"Current password" : "වත්මන් මුරපදය",
"New password" : "නව මුරපදය",
"Change password" : "මුරපදය වෙනස් කිරීම",
"Language" : "භාෂාව",
"Help translate" : "පරිවර්ථන සහය",
"Name" : "නම",
"Username" : "පරිශීලක නම",
"Create" : "තනන්න",
"Other" : "වෙනත්",
"Quota" : "සලාකය",
"Unable to add user to group %s" : "පරිශීලකයා %s කණ්ඩායමට එකතු කළ නොහැක",
"Unable to remove user from group %s" : "පරිශීලකයා %s කණ්ඩායමින් ඉවත් කළ නොහැක"
},
"nplurals=2; plural=(n != 1);");
|
/*!-----------------------------------------------------------
* Copyright (c) Microsoft Corporation. All rights reserved.
* Version: 0.5.3(793ede49d53dba79d39e52205f16321278f5183c)
* Released under the MIT license
* https://github.com/Microsoft/vscode/blob/master/LICENSE.txt
*-----------------------------------------------------------*/
(function(){var e=["vs/editor/common/services/modeService","vs/languages/php/common/php","exports","vs/base/common/objects","vs/editor/common/modes","vs/editor/common/modes/abstractMode","vs/editor/common/modes/abstractState","require","vs/editor/common/modes/languageConfigurationRegistry","vs/editor/common/modes/supports/tokenizationSupport","vs/editor/common/modes/supports/suggestSupport","vs/editor/common/services/editorWorkerService","vs/platform/configuration/common/configuration","vs/editor/common/services/compatWorkerService"],t=function(t){for(var n=[],r=0,o=t.length;o>r;r++)n[r]=e[t[r]];return n},n=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=this&&this.__decorate||function(e,t,n,r){var o,i=arguments.length,s=3>i?t:null===r?r=Object.getOwnPropertyDescriptor(t,n):r;if("object"==typeof Reflect&&"function"==typeof Reflect.decorate)s=Reflect.decorate(e,t,n,r);else for(var a=e.length-1;a>=0;a--)(o=e[a])&&(s=(3>i?o(s):i>3?o(t,n,s):o(t,n))||s);return i>3&&s&&Object.defineProperty(t,n,s),s},o=this&&this.__param||function(e,t){return function(n,r){t(n,r,e)}};define(e[1],t([7,2,3,4,5,6,0,8,9,10,11,12,13]),function(e,t,i,s,a,p,c,u,l,f,h,g,d){"use strict";var m=function(){for(var e=[{tokenType:"delimiter.bracket.php",open:"{",close:"}"},{tokenType:"delimiter.array.php",open:"[",close:"]"},{tokenType:"delimiter.parenthesis.php",open:"(",close:")"}],t=Object.create(null),n=0;n<e.length;n++){var r=e[n];t[r.open]={tokenType:r.tokenType},t[r.close]={tokenType:r.tokenType}}return{stringIsBracket:function(e){return!!t[e]},tokenTypeFromString:function(e){return t[e].tokenType}}}(),y="+-*%&|^~!=<>(){}[]/?;:.,@",S="+-*/%&|^~!=<>(){}[]\"'\\/?;:.,#",v=" ",k=i.createKeywordMatcher(["abstract","and","array","as","break","callable","case","catch","cfunction","class","clone","const","continue","declare","default","do","else","elseif","enddeclare","endfor","endforeach","endif","endswitch","endwhile","extends","false","final","for","foreach","function","global","goto","if","implements","interface","instanceof","insteadof","namespace","new","null","object","old_function","or","private","protected","public","resource","static","switch","throw","trait","try","true","use","var","while","xor","die","echo","empty","exit","eval","include","include_once","isset","list","require","require_once","return","print","unset","yield","__construct"]),_=i.createKeywordMatcher(["__CLASS__","__DIR__","__FILE__","__LINE__","__NAMESPACE__","__METHOD__","__FUNCTION__","__TRAIT__"]),x=i.createKeywordMatcher(["$GLOBALS","$_SERVER","$_GET","$_POST","$_FILES","$_REQUEST","$_SESSION","$_ENV","$_COOKIE","$php_errormsg","$HTTP_RAW_POST_DATA","$http_response_header","$argc","$argv"]),w=function(e){return y.indexOf(e)>-1},T=function(e){return"$"===e[0]},b=function(e){function t(t,n,r,o){void 0===o&&(o=""),e.call(this,t),this.name=n,this.parent=r,this.whitespaceTokenType=o}return n(t,e),t.prototype.equals=function(n){return n instanceof t?e.prototype.equals.call(this,n)&&this.name===n.name&&this.whitespaceTokenType===n.whitespaceTokenType&&p.AbstractState.safeEquals(this.parent,n.parent):!1},t.prototype.tokenize=function(e){return e.setTokenRules(S,v),e.skipWhitespace().length>0?{type:this.whitespaceTokenType}:this.stateTokenize(e)},t.prototype.stateTokenize=function(e){throw new Error("To be implemented")},t}(p.AbstractState);t.PHPState=b;var C=function(e){function t(t,n,r,o){void 0===o&&(o=!0),e.call(this,t,"string",n,"string.php"),this.delimiter=r,this.isAtBeginning=o}return n(t,e),t.prototype.makeClone=function(){return new t(this.getMode(),p.AbstractState.safeClone(this.parent),this.delimiter,this.isAtBeginning)},t.prototype.equals=function(n){return n instanceof t?e.prototype.equals.call(this,n)&&this.delimiter===n.delimiter&&this.isAtBeginning===n.isAtBeginning:!1},t.prototype.tokenize=function(e){var t=this.isAtBeginning?1:0;for(this.isAtBeginning=!1;!e.eos();){var n=e.next();if("\\"===n){if(0!==t)return e.goBack(1),{type:"string.php"};if(e.eos())return{type:"string.php",nextState:this.parent};e.next()}else if(n===this.delimiter)return{type:"string.php",nextState:this.parent};t+=1}return{type:"string.php"}},t}(b);t.PHPString=C;var M=function(e){function t(t,n,r){e.call(this,t,"number",n),this.firstDigit=r}return n(t,e),t.prototype.makeClone=function(){return new t(this.getMode(),p.AbstractState.safeClone(this.parent),this.firstDigit)},t.prototype.equals=function(n){return n instanceof t?e.prototype.equals.call(this,n)&&this.firstDigit===n.firstDigit:!1},t.prototype.tokenize=function(e){var t=this.firstDigit,n=10,r=!1,o=!1;if("0"===t&&!e.eos()){if(t=e.peek(),"x"===t.toLowerCase())n=16;else if("b"===t.toLowerCase())n=2;else if("."===t)n=10;else{if(!a.isDigit(t,8))return{type:"number.php",nextState:this.parent};n=8}e.next()}for(;!e.eos();)if(t=e.peek(),a.isDigit(t,n))e.next();else if(10===n)if("."!==t||o||r){if("e"!==t||o)break;o=!0,e.next(),e.eos()||"-"!==e.peek()||e.next()}else r=!0,e.next();else{if(8!==n||!a.isDigit(t,10))break;n=10,e.next()}var i="number";return 16===n?i+=".hex":8===n?i+=".octal":2===n&&(i+=".binary"),{type:i+".php",nextState:this.parent}},t}(b);t.PHPNumber=M;var I=function(e){function t(t,n){e.call(this,t,"comment",n,"comment.php")}return n(t,e),t.prototype.makeClone=function(){return new P(this.getMode(),p.AbstractState.safeClone(this.parent))},t.prototype.equals=function(n){return n instanceof t?e.prototype.equals.call(this,n):!1},t.prototype.tokenize=function(e){for(;!e.eos();){var t=e.next();if("?"===t&&!e.eos()&&">"===e.peek())return e.goBack(1),{type:"comment.php",nextState:this.parent}}return{type:"comment.php",nextState:this.parent}},t}(b);t.PHPLineComment=I;var P=function(e){function t(t,n){e.call(this,t,"comment",n,"comment.php")}return n(t,e),t.prototype.makeClone=function(){return new t(this.getMode(),p.AbstractState.safeClone(this.parent))},t.prototype.equals=function(n){return n instanceof t?e.prototype.equals.call(this,n):!1},t.prototype.tokenize=function(e){for(;!e.eos();){var t=e.next();if("*"===t&&!e.eos()&&!e.peekWhitespace()&&"/"===e.peek())return e.next(),{type:"comment.php",nextState:this.parent}}return{type:"comment.php"}},t}(b);t.PHPDocComment=P;var A=function(e){function t(t,n){e.call(this,t,"expression",n)}return n(t,e),t.prototype.makeClone=function(){return new t(this.getMode(),p.AbstractState.safeClone(this.parent))},t.prototype.equals=function(n){return n instanceof t?e.prototype.equals.call(this,n):!1},t.prototype.stateTokenize=function(e){if(a.isDigit(e.peek(),10))return{nextState:new M(this.getMode(),this,e.next())};if(e.advanceIfString("?>").length)return{type:"metatag.php",nextState:this.parent};var t=e.nextToken();if(k(t.toString().toLowerCase()))return{type:"keyword.php"};if(_(t))return{type:"constant.php"};if(x(t))return{type:"variable.predefined.php"};if(T(t))return{type:"variable.php"};if("/"===t){if(!e.eos()&&!e.peekWhitespace())switch(e.peekToken()){case"/":return{nextState:new I(this.getMode(),this)};case"*":return e.nextToken(),{nextState:new P(this.getMode(),this)}}}else{if("#"===t)return{nextState:new I(this.getMode(),this)};if('"'===t||"'"===t)return{nextState:new C(this.getMode(),this,t)};if(m.stringIsBracket(t))return{type:m.tokenTypeFromString(t)};if(w(t))return{type:"delimiter.php"}}return{type:""}},t}(b);t.PHPStatement=A;var q=function(e){function t(t,n){e.call(this,t,"plain",n)}return n(t,e),t.prototype.makeClone=function(){return new t(this.getMode(),p.AbstractState.safeClone(this.parent))},t.prototype.equals=function(n){return n instanceof t?e.prototype.equals.call(this,n):!1},t.prototype.stateTokenize=function(e){return e.advanceIfStringCaseInsensitive("<?php").length||e.advanceIfString("<?=").length||e.advanceIfString("<%=").length||e.advanceIfString("<?").length||e.advanceIfString("<%").length?{type:"metatag.php",nextState:new A(this.getMode(),new E(this.getMode(),this.parent))}:(e.next(),{type:""})},t}(b);t.PHPPlain=q;var E=function(e){function t(t,n){e.call(this,t,"enterHTML",n)}return n(t,e),t.prototype.makeClone=function(){return new t(this.getMode(),p.AbstractState.safeClone(this.parent))},t.prototype.equals=function(n){return n instanceof t?e.prototype.equals.call(this,n):!1},t}(b);t.PHPEnterHTMLState=E;var N=function(e){function t(n,r,o,i,a){e.call(this,n.id,a),this.modeService=r,this.tokenizationSupport=new l.TokenizationSupport(this,this,!0),u.LanguageConfigurationRegistry.register(this.getId(),t.LANG_CONFIG),i&&s.SuggestRegistry.register(this.getId(),new f.TextualSuggestSupport(i,o),!0)}return n(t,e),t.prototype.getInitialState=function(){var e=this.modeService.getMode("text/html"),t=e.tokenizationSupport.getInitialState();return t.setStateData(new E(this,null)),t},t.prototype.enterNestedMode=function(e){return e instanceof E},t.prototype.getNestedModeInitialState=function(e){var t=e.parent;return e.parent=null,{state:t,missingModePromise:null}},t.prototype.getLeavingNestedModeData=function(e,t){var n=/<\?/i.exec(e);return null!==n?{nestedModeBuffer:e.substring(0,n.index),bufferAfterNestedMode:e.substring(n.index),stateAfterNestedMode:new q(this,null)}:null},t.prototype.onReturningFromNestedMode=function(e,t){e.parent=t},t.LANG_CONFIG={wordPattern:a.createWordRegExp("$_"),comments:{lineComment:"//",blockComment:["/*","*/"]},brackets:[["{","}"],["[","]"],["(",")"]],autoClosingPairs:[{open:"{",close:"}",notIn:["string.php"]},{open:"[",close:"]",notIn:["string.php"]},{open:"(",close:")",notIn:["string.php"]},{open:'"',close:'"',notIn:["string.php"]},{open:"'",close:"'",notIn:["string.php"]}]},t=r([o(1,c.IModeService),o(2,g.IConfigurationService),o(3,h.IEditorWorkerService),o(4,d.ICompatWorkerService)],t)}(a.CompatMode);t.PHPMode=N})}).call(this);
//# sourceMappingURL=../../../../../min-maps/vs/languages/php/common/php.js.map |
# -*- coding: utf-8 -*-
# Copyright 2019 The Matrix.org Foundation C.I.C.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
import json
import logging
import random
import time
import attr
from twisted.internet import defer
from twisted.web.client import RedirectAgent, readBody
from twisted.web.http import stringToDatetime
from synapse.logging.context import make_deferred_yieldable
from synapse.util import Clock
from synapse.util.caches.ttlcache import TTLCache
from synapse.util.metrics import Measure
# period to cache .well-known results for by default
WELL_KNOWN_DEFAULT_CACHE_PERIOD = 24 * 3600
# jitter to add to the .well-known default cache ttl
WELL_KNOWN_DEFAULT_CACHE_PERIOD_JITTER = 10 * 60
# period to cache failure to fetch .well-known for
WELL_KNOWN_INVALID_CACHE_PERIOD = 1 * 3600
# cap for .well-known cache period
WELL_KNOWN_MAX_CACHE_PERIOD = 48 * 3600
# lower bound for .well-known cache period
WELL_KNOWN_MIN_CACHE_PERIOD = 5 * 60
logger = logging.getLogger(__name__)
_well_known_cache = TTLCache("well-known")
@attr.s(slots=True, frozen=True)
class WellKnownLookupResult(object):
delegated_server = attr.ib()
class WellKnownResolver(object):
"""Handles well-known lookups for matrix servers.
"""
def __init__(self, reactor, agent, well_known_cache=None):
self._reactor = reactor
self._clock = Clock(reactor)
if well_known_cache is None:
well_known_cache = _well_known_cache
self._well_known_cache = well_known_cache
self._well_known_agent = RedirectAgent(agent)
@defer.inlineCallbacks
def get_well_known(self, server_name):
"""Attempt to fetch and parse a .well-known file for the given server
Args:
server_name (bytes): name of the server, from the requested url
Returns:
Deferred[WellKnownLookupResult]: The result of the lookup
"""
try:
result = self._well_known_cache[server_name]
except KeyError:
# TODO: should we linearise so that we don't end up doing two .well-known
# requests for the same server in parallel?
with Measure(self._clock, "get_well_known"):
result, cache_period = yield self._do_get_well_known(server_name)
if cache_period > 0:
self._well_known_cache.set(server_name, result, cache_period)
return WellKnownLookupResult(delegated_server=result)
@defer.inlineCallbacks
def _do_get_well_known(self, server_name):
"""Actually fetch and parse a .well-known, without checking the cache
Args:
server_name (bytes): name of the server, from the requested url
Returns:
Deferred[Tuple[bytes|None|object],int]:
result, cache period, where result is one of:
- the new server name from the .well-known (as a `bytes`)
- None if there was no .well-known file.
- INVALID_WELL_KNOWN if the .well-known was invalid
"""
uri = b"https://%s/.well-known/matrix/server" % (server_name,)
uri_str = uri.decode("ascii")
logger.info("Fetching %s", uri_str)
try:
response = yield make_deferred_yieldable(
self._well_known_agent.request(b"GET", uri)
)
body = yield make_deferred_yieldable(readBody(response))
if response.code != 200:
raise Exception("Non-200 response %s" % (response.code,))
parsed_body = json.loads(body.decode("utf-8"))
logger.info("Response from .well-known: %s", parsed_body)
if not isinstance(parsed_body, dict):
raise Exception("not a dict")
if "m.server" not in parsed_body:
raise Exception("Missing key 'm.server'")
except Exception as e:
logger.info("Error fetching %s: %s", uri_str, e)
# add some randomness to the TTL to avoid a stampeding herd every hour
# after startup
cache_period = WELL_KNOWN_INVALID_CACHE_PERIOD
cache_period += random.uniform(0, WELL_KNOWN_DEFAULT_CACHE_PERIOD_JITTER)
return (None, cache_period)
result = parsed_body["m.server"].encode("ascii")
cache_period = _cache_period_from_headers(
response.headers, time_now=self._reactor.seconds
)
if cache_period is None:
cache_period = WELL_KNOWN_DEFAULT_CACHE_PERIOD
# add some randomness to the TTL to avoid a stampeding herd every 24 hours
# after startup
cache_period += random.uniform(0, WELL_KNOWN_DEFAULT_CACHE_PERIOD_JITTER)
else:
cache_period = min(cache_period, WELL_KNOWN_MAX_CACHE_PERIOD)
cache_period = max(cache_period, WELL_KNOWN_MIN_CACHE_PERIOD)
return (result, cache_period)
def _cache_period_from_headers(headers, time_now=time.time):
cache_controls = _parse_cache_control(headers)
if b"no-store" in cache_controls:
return 0
if b"max-age" in cache_controls:
try:
max_age = int(cache_controls[b"max-age"])
return max_age
except ValueError:
pass
expires = headers.getRawHeaders(b"expires")
if expires is not None:
try:
expires_date = stringToDatetime(expires[-1])
return expires_date - time_now()
except ValueError:
# RFC7234 says 'A cache recipient MUST interpret invalid date formats,
# especially the value "0", as representing a time in the past (i.e.,
# "already expired").
return 0
return None
def _parse_cache_control(headers):
cache_controls = {}
for hdr in headers.getRawHeaders(b"cache-control", []):
for directive in hdr.split(b","):
splits = [x.strip() for x in directive.split(b"=", 1)]
k = splits[0].lower()
v = splits[1] if len(splits) > 1 else None
cache_controls[k] = v
return cache_controls
|
const pool = require('./pool');
let records = {
getRecords: async(user) => {
let client = null;
try {
client = await pool.getClient();
let sql = 'select * from records where "user" = $1 order by date';
const res = await client.query(sql, [user]);
//console.log('returned ' + res.rows.length + ' rows for user ' + user);
return res.rows;
}
catch (error) {
console.error('Error selecting records for user ' + user);
throw(error);
}
finally {
if (client) {
client.release();
}
}
},
setRecord: async(fields, data) => {
let client = null;
try {
client = await pool.getClient();
values = [];
for(var i = 0; i < fields.length; i++) {
let value = 'null';
if (fields[i] == 'date') {
if (!data.date.match(/[0-9]+\/[0-9]+\/[0-9]+/)) {
console.log('date field ' + data.date + ' could not be parsed');
return false;
}
value = "'" + data[fields[i]] + "'";
}
else if (data[fields[i]] && !isNaN(data[fields[i]])) {
value = Number(data[fields[i]]);
}
fields[i] = '"' +fields[i] + '"';
values.push(value);
}
fields.push('modified');
values.push('NOW()');
let sql = '';
if (data.id && data.id > 0) {
let pairs = [];
for (let i=0; i<fields.length; i++) {
pairs.push(fields[i] + '=' + values[i]);
}
sql += 'update records set ' + pairs.join() + ' where id = ' + data.id;
}
else if (data.user && data.user > 0) {
sql = 'insert into records ('+ fields.join() +') values (' + values.join() + ')';
}
console.log('Running: ' + sql);
const res = await client.query(sql);
return res;
}
catch (error) {
console.error('Error modifying record')
throw(error);
}
finally {
if (client) {
client.release();
}
}
},
getFields: async() => {
let client = null;
try {
client = await pool.getClient();
sql = "select column_name from information_schema.columns " +
"where table_name = 'records' and column_name not in ('date','id','modified','user')";
const res = await client.query(sql);
let fields = [];
for(var i=0; i<res.rows.length; i++) {
fields.push(res.rows[i].column_name);
}
return fields;
}
catch (error) {
console.error('Error selecting fields');
throw(error);
}
finally {
if (client) {
client.release();
}
}
},
getCsv: async(user, fields) => {
try {
var rows = await records.getRecords(user);
fields.unshift('user');
fields.unshift('date');
var csv = fields.join() + '\n';
for(var i=0; i<rows.length; i++) {
var vals = []
for(var ii=0; ii<fields.length; ii++) {
var val = rows[i][fields[ii]];
if (fields[ii] == 'date' || fields[ii] == 'modified') {
var dt = new Date(rows[i][fields[ii]]);
val = dt.toLocaleDateString('en-US')
}
vals.push(val);
}
csv += vals.join() + '\n';
}
return csv;
}
catch (error) {
console.error('Error generating records csv for user ' + user);
throw(error);
}
},
deleteRecord: async(user, id) => {
let client = null;
try {
client = await pool.getClient();
let sql = 'delete from records where "user" = $1 and "id" = $2';
const res = await client.query(sql, [user,id]);
//console.log(JSON.stringify(res));
console.log('Deleted ' + res.rowCount + ' record(s)');
return res.rowCount;
}
catch (error) {
console.error('Error selecting records for user ' + user);
throw(error);
}
finally {
if (client) {
client.release();
}
}
}
}
module.exports = records;
|
import template from './template.html';
import controller from './controller';
export default {
bindings: {
goBack: '<',
trackingPrefix: '<',
trackClick: '<',
orderHostHitTracking: '<',
},
template,
controller,
};
|
/**
* @param {Object} opts
* @param {Function[]} opts.modules
* @param {Functio} cls
*/
const store = (opts = {}) => descriptor => {
descriptor.finisher = constructor => decorateStore(constructor, opts.modules || [])
}
class Triple {
constructor (module, type, key) {
this.module = module
this.type = type
this.key = key
this.handlers = []
}
exec (action) {
this.execHandlers(action)
try {
const result = this.module[this.key](this.module[store.key], action)
if (result && typeof result.catch === 'function') {
result.catch(e => {
console.log(`action execution failed: ${this.type}`)
console.log(e.message)
console.log(e.stack)
})
}
return result
} catch (e) {
console.log(`action execution failed: ${this.type}`)
throw e
}
}
addHandler (handler) {
this.handlers.push(handler)
}
execHandlers (action) {
this.handlers.forEach(handler => {
try {
handler(action)
} catch (e) {
console.log(`action handler execution failed: type=${this.type}`)
console.log(e.message)
console.log(e.stack)
}
})
}
}
/**
* @param {Functio} cls
* @param {Function[]} modules
*/
const decorateStore = (cls, modules) => {
return class Store extends cls {
constructor () {
super()
this.triples = {}
this.installModules([this])
}
installDefaultModules () {
this.installModules(modules.map(Module => new Module()))
}
/**
* Installs the given modules into the store.
* @param {Object[]} modules The list of modules
*/
installModules (modules) {
modules.forEach(module => {
// Stashes the store in module at the hidden key
module[store.key] = this
const actions = module.constructor.actions
if (!actions) {
return
}
Object.keys(actions).forEach(type => {
this.triples[type] = new Triple(
module,
type,
actions[type]
)
})
})
}
__mount__ () {
if (typeof super.__mount__ === 'function') {
super.__mount__()
}
this.installDefaultModules()
this[store.bindEventHandlers](this.el)
}
[store.bindEventHandlers] (el) {
Object.keys(this.triples).forEach(type => {
el.addEventListener(type, e => this.dispatch(e))
})
}
/**
* Dispatches the action.
* @param {Object} action
*/
dispatch (action) {
const triple = this.triples[action.type]
if (triple) {
return triple.exec(action)
} else {
console.log(`No such action type: ${action.type}`)
}
}
/**
* Adds the handler of action type.
*/
on (type, handler) {
this.triples[type].addHandler(handler)
}
}
}
store.bindEventHandlers = ':evex:store:bindEventHandlers'
store.key = ':evex:store:key'
export default store
|
import React, { Component } from 'react';
import gesture from 'pixi-simple-gesture';
import KeyboardShortcuts from '../UI/KeyboardShortcuts';
import SimpleDropTarget from '../Utils/DragDropHelpers/SimpleDropTarget';
import InstancesRenderer from './InstancesRenderer';
import ViewPosition from './ViewPosition';
import SelectedInstances from './SelectedInstances';
import HighlightedInstance from './HighlightedInstance';
import SelectionRectangle from './SelectionRectangle';
import InstancesResizer from './InstancesResizer';
import InstancesRotator from './InstancesRotator';
import InstancesMover from './InstancesMover';
import Grid from './Grid';
import WindowBorder from './WindowBorder';
import WindowMask from './WindowMask';
import DropHandler from './DropHandler';
import BackgroundColor from './BackgroundColor';
import * as PIXI from 'pixi.js';
import FpsLimiter from './FpsLimiter';
import { startPIXITicker, stopPIXITicker } from '../Utils/PIXITicker';
import StatusBar from './StatusBar';
import CanvasCursor from './CanvasCursor';
const styles = {
canvasArea: { flex: 1, position: 'absolute', overflow: 'hidden' },
dropCursor: { cursor: 'copy' },
};
export default class InstancesEditorContainer extends Component {
constructor() {
super();
this.lastContextMenuX = 0;
this.lastContextMenuY = 0;
this.lastCursorX = 0;
this.lastCursorY = 0;
this.fpsLimiter = new FpsLimiter(28);
}
componentDidMount() {
// Initialize the PIXI renderer, if possible
if (this.canvasArea && !this.pixiRenderer) {
this._initializeCanvasAndRenderer();
}
}
componentDidUpdate() {
// Initialize the PIXI renderer, if not already done.
// This can happen if canvasArea was not rendered
// just after the mount (depends on react-dnd versions?).
if (this.canvasArea && !this.pixiRenderer) {
this._initializeCanvasAndRenderer();
}
}
_initializeCanvasAndRenderer() {
// project can be used here for initializing stuff, but don't keep references to it.
// Instead, create editors in _mountEditorComponents (as they will be destroyed/recreated
// if the project changes).
const { project } = this.props;
this.pixiRenderer = PIXI.autoDetectRenderer(
this.props.width,
this.props.height,
{ antialias: true } //fixes jaggy edges
);
this.canvasArea.appendChild(this.pixiRenderer.view);
this.pixiRenderer.view.addEventListener('contextmenu', e => {
e.preventDefault();
this.lastContextMenuX = e.offsetX;
this.lastContextMenuY = e.offsetY;
if (this.props.onContextMenu)
this.props.onContextMenu(e.clientX, e.clientY);
return false;
});
this.pixiRenderer.view.addEventListener('pointerup', event => {
this.props.onPointerUp();
});
this.pixiRenderer.view.addEventListener('pointerover', event => {
this.props.onPointerOver();
});
this.pixiRenderer.view.addEventListener('pointerout', event => {
this.props.onPointerOut();
});
this.pixiRenderer.view.onmousewheel = event => {
if (this.keyboardShortcuts.shouldZoom()) {
this.zoomBy(event.wheelDelta / 5000);
} else if (this.keyboardShortcuts.shouldScrollHorizontally()) {
this.viewPosition.scrollBy(-event.wheelDelta / 10, 0);
} else {
this.viewPosition.scrollBy(event.deltaX / 10, event.deltaY / 10);
}
if (this.props.onViewPositionChanged) {
this.props.onViewPositionChanged(this.viewPosition);
}
event.preventDefault();
};
this.pixiRenderer.view.setAttribute('tabIndex', -1);
this.pixiRenderer.view.addEventListener('focus', e => {
this.keyboardShortcuts.focus();
});
this.pixiRenderer.view.addEventListener('blur', e => {
this.keyboardShortcuts.blur();
});
this.pixiRenderer.view.addEventListener('mouseover', e => {
this.keyboardShortcuts.focus();
});
this.pixiRenderer.view.addEventListener('mouseout', e => {
this.keyboardShortcuts.blur();
});
this.pixiContainer = new PIXI.Container();
this.backgroundArea = new PIXI.Container();
this.backgroundArea.hitArea = new PIXI.Rectangle(
0,
0,
this.props.width,
this.props.height
);
gesture.panable(this.backgroundArea);
this.backgroundArea.on('mousedown', event =>
this._onBackgroundClicked(event.data.global.x, event.data.global.y)
);
this.backgroundArea.on('touchstart', event =>
this._onBackgroundClicked(event.data.global.x, event.data.global.y)
);
this.backgroundArea.on('mousemove', event =>
this._onMouseMove(event.data.global.x, event.data.global.y)
);
this.backgroundArea.on('panmove', event =>
this._onPanMove(
event.deltaX,
event.deltaY,
event.data.global.x,
event.data.global.y
)
);
this.backgroundArea.on('panend', event => this._onPanEnd());
this.pixiContainer.addChild(this.backgroundArea);
this.viewPosition = new ViewPosition({
initialViewX: project ? project.getMainWindowDefaultWidth() / 2 : 0,
initialViewY: project ? project.getMainWindowDefaultHeight() / 2 : 0,
width: this.props.width,
height: this.props.height,
options: this.props.options,
});
this.pixiContainer.addChild(this.viewPosition.getPixiContainer());
this.grid = new Grid({
viewPosition: this.viewPosition,
options: this.props.options,
});
this.pixiContainer.addChild(this.grid.getPixiObject());
this.keyboardShortcuts = new KeyboardShortcuts({
onDelete: this.props.onDeleteSelection,
onMove: this.moveSelection,
onCopy: this.props.onCopy,
onCut: this.props.onCut,
onPaste: this.props.onPaste,
onUndo: this.props.onUndo,
onRedo: this.props.onRedo,
onZoomOut: this.props.onZoomOut,
onZoomIn: this.props.onZoomIn,
});
this.dropHandler = new DropHandler({
canvas: this.canvasArea,
onDrop: this._onDrop,
});
this.canvasCursor = new CanvasCursor({
canvas: this.canvasArea,
shouldMoveView: () => this.keyboardShortcuts.shouldMoveView(),
});
this._mountEditorComponents(this.props);
this._renderScene();
}
/**
* Force the internal InstancesRenderer to be destroyed and recreated
* (as well as other components holding references to instances). Call
* this when the initial instances were recreated to ensure that there
* is not mismatch between renderers and the instances that were updated.
*/
forceRemount() {
this._mountEditorComponents(this.props);
}
_mountEditorComponents(props) {
//Remove and delete any existing editor component
if (this.highlightedInstance) {
this.pixiContainer.removeChild(this.highlightedInstance.getPixiObject());
}
if (this.selectedInstances) {
this.pixiContainer.removeChild(this.selectedInstances.getPixiContainer());
}
if (this.instancesRenderer) {
this.viewPosition
.getPixiContainer()
.removeChild(this.instancesRenderer.getPixiContainer());
this.instancesRenderer.delete();
}
if (this.selectionRectangle) {
this.pixiContainer.removeChild(this.selectionRectangle.getPixiObject());
this.selectionRectangle.delete();
}
if (this.windowBorder) {
this.pixiContainer.removeChild(this.windowBorder.getPixiObject());
}
if (this.windowMask) {
this.pixiContainer.removeChild(this.windowMask.getPixiObject());
}
if (this.statusBar) {
this.pixiContainer.removeChild(this.statusBar.getPixiObject());
}
this.backgroundColor = new BackgroundColor({
layout: props.layout,
pixiRenderer: this.pixiRenderer,
});
this.instancesRenderer = new InstancesRenderer({
project: props.project,
layout: props.layout,
instances: props.initialInstances,
viewPosition: this.viewPosition,
onOverInstance: this._onOverInstance,
onMoveInstance: this._onMoveInstance,
onMoveInstanceEnd: this._onMoveInstanceEnd,
onDownInstance: this._onDownInstance,
onOutInstance: this._onOutInstance,
onInstanceClicked: this._onInstanceClicked,
});
this.selectionRectangle = new SelectionRectangle({
instances: props.initialInstances,
instanceMeasurer: this.instancesRenderer.getInstanceMeasurer(),
toSceneCoordinates: this.viewPosition.toSceneCoordinates,
});
this.selectedInstances = new SelectedInstances({
instancesSelection: this.props.instancesSelection,
onResize: this._onResize,
onResizeEnd: this._onResizeEnd,
onRotate: this._onRotate,
onRotateEnd: this._onRotateEnd,
instanceMeasurer: this.instancesRenderer.getInstanceMeasurer(),
toCanvasCoordinates: this.viewPosition.toCanvasCoordinates,
});
this.highlightedInstance = new HighlightedInstance({
instanceMeasurer: this.instancesRenderer.getInstanceMeasurer(),
toCanvasCoordinates: this.viewPosition.toCanvasCoordinates,
});
this.instancesResizer = new InstancesResizer({
instanceMeasurer: this.instancesRenderer.getInstanceMeasurer(),
options: this.props.options,
});
this.instancesRotator = new InstancesRotator();
this.instancesMover = new InstancesMover({
instanceMeasurer: this.instancesRenderer.getInstanceMeasurer(),
options: this.props.options,
});
this.windowBorder = new WindowBorder({
project: props.project,
layout: props.layout,
toCanvasCoordinates: this.viewPosition.toCanvasCoordinates,
});
this.windowMask = new WindowMask({
project: props.project,
viewPosition: this.viewPosition,
options: this.props.options,
});
this.statusBar = new StatusBar({
width: this.props.width,
height: this.props.height,
getLastCursorPosition: this.getLastCursorPosition,
});
this.pixiContainer.addChild(this.selectionRectangle.getPixiObject());
this.viewPosition
.getPixiContainer()
.addChild(this.instancesRenderer.getPixiContainer());
this.pixiContainer.addChild(this.windowBorder.getPixiObject());
this.pixiContainer.addChild(this.windowMask.getPixiObject());
this.pixiContainer.addChild(this.selectedInstances.getPixiContainer());
this.pixiContainer.addChild(this.highlightedInstance.getPixiObject());
this.pixiContainer.addChild(this.statusBar.getPixiObject());
}
componentWillUnmount() {
// This is an antipattern and is theorically not needed, but help
// to protect against renders after the component is unmounted.
this._unmounted = true;
this.keyboardShortcuts.unmount();
this.selectionRectangle.delete();
this.instancesRenderer.delete();
if (this.nextFrame) cancelAnimationFrame(this.nextFrame);
stopPIXITicker();
}
componentWillReceiveProps(nextProps) {
if (
nextProps.width !== this.props.width ||
nextProps.height !== this.props.height
) {
this.pixiRenderer.resize(nextProps.width, nextProps.height);
this.viewPosition.resize(nextProps.width, nextProps.height);
this.statusBar.resize(nextProps.width, nextProps.height);
this.backgroundArea.hitArea = new PIXI.Rectangle(
0,
0,
nextProps.width,
nextProps.height
);
// Avoid flickering that could happen while waiting for next animation frame.
this.fpsLimiter.forceNextUpdate();
this._renderScene();
}
if (nextProps.options !== this.props.options) {
this.grid.setOptions(nextProps.options);
this.instancesMover.setOptions(nextProps.options);
this.instancesResizer.setOptions(nextProps.options);
this.windowMask.setOptions(nextProps.options);
this.viewPosition.setOptions(nextProps.options);
}
if (
this.props.layout !== nextProps.layout ||
this.props.initialInstances !== nextProps.initialInstances ||
this.props.project !== nextProps.project
) {
this._mountEditorComponents(nextProps);
}
// For avoiding useless renderings, which is costly for CPU/GPU, when the editor
// is not displayed, `pauseRendering` prop can be set to true.
if (nextProps.pauseRendering && !this.props.pauseRendering)
this.pauseSceneRendering();
if (!nextProps.pauseRendering && this.props.pauseRendering)
this.restartSceneRendering();
}
/**
* Delete instance renderers of the specified objects, which will then be recreated during
* the next render. Call this when an object resources may have changed (for example, a modified image),
* and you want the instances of objects to reflect the changes.
* See also ResourcesLoader and PixiResourcesLoader.
* @param {string} objectName The name of the object for which instance must be re-rendered.
*/
resetRenderersFor(objectName) {
if (this.instancesRenderer)
this.instancesRenderer.resetRenderersFor(objectName);
}
zoomBy(value) {
this.setZoomFactor(this.getZoomFactor() + value);
}
getZoomFactor() {
return this.props.options.zoomFactor;
}
setZoomFactor(zoomFactor) {
this.props.onChangeOptions({
zoomFactor: Math.max(Math.min(zoomFactor, 10), 0.01),
});
}
_onMouseMove = (x, y) => {
this.lastCursorX = x;
this.lastCursorY = y;
};
_onBackgroundClicked = (x, y) => {
this.lastCursorX = x;
this.lastCursorY = y;
this.pixiRenderer.view.focus();
if (
!this.keyboardShortcuts.shouldMultiSelect() &&
!this.keyboardShortcuts.shouldMoveView()
) {
this.props.instancesSelection.clearSelection();
this.props.onInstancesSelected([]);
}
};
_onPanMove = (deltaX, deltaY, x, y) => {
if (this.keyboardShortcuts.shouldMoveView()) {
const sceneDeltaX = deltaX / this.getZoomFactor();
const sceneDeltaY = deltaY / this.getZoomFactor();
this.viewPosition.scrollBy(-sceneDeltaX, -sceneDeltaY);
if (this.props.onViewPositionChanged) {
this.props.onViewPositionChanged(this.viewPosition);
}
} else {
this.selectionRectangle.makeSelectionRectangle(x, y);
}
};
_getLayersVisibility = () => {
const { layout } = this.props;
const layersVisibility = {};
for (let i = 0; i < layout.getLayersCount(); i++) {
layersVisibility[layout.getLayerAt(i).getName()] = layout
.getLayerAt(i)
.getVisibility();
}
return layersVisibility;
};
_onPanEnd = () => {
// When a pan is ended, this can be that either the user was making
// a selection, or that the user was moving the view.
if (this.selectionRectangle.hasStartedSelectionRectangle()) {
let instancesSelected = this.selectionRectangle.endSelectionRectangle();
this.props.instancesSelection.selectInstances(
instancesSelected,
this.keyboardShortcuts.shouldMultiSelect(),
this._getLayersVisibility()
);
instancesSelected = this.props.instancesSelection.getSelectedInstances();
this.props.onInstancesSelected(instancesSelected);
}
};
_onInstanceClicked = instance => {
this.pixiRenderer.view.focus();
};
_onOverInstance = instance => {
this.highlightedInstance.setInstance(instance);
};
_onDownInstance = instance => {
if (this.keyboardShortcuts.shouldMoveView()) {
// If the user wants to move the view, discard the click on an instance:
// it's just the beginning of the user panning the view.
return;
}
if (this.keyboardShortcuts.shouldCloneInstances()) {
const selectedInstances = this.props.instancesSelection.getSelectedInstances();
for (var i = 0; i < selectedInstances.length; i++) {
const instance = selectedInstances[i];
this.props.initialInstances.insertInitialInstance(instance);
}
} else {
this.props.instancesSelection.selectInstance(
instance,
this.keyboardShortcuts.shouldMultiSelect(),
this._getLayersVisibility()
);
if (this.props.onInstancesSelected) {
this.props.onInstancesSelected(
this.props.instancesSelection.getSelectedInstances()
);
}
}
};
_onOutInstance = instance => {
if (instance === this.highlightedInstance.getInstance())
this.highlightedInstance.setInstance(null);
};
_onMoveInstance = (instance, deltaX, deltaY) => {
const sceneDeltaX = deltaX / this.getZoomFactor();
const sceneDeltaY = deltaY / this.getZoomFactor();
// It is possible for the user to start moving an instance, then press the button
// to move the view, move it, then unpress it and continue to move the instance.
// This means that while we're in "_onMoveInstance", we must handle view moving.
if (this.keyboardShortcuts.shouldMoveView()) {
this.viewPosition.scrollBy(-sceneDeltaX, -sceneDeltaY);
if (this.props.onViewPositionChanged) {
this.props.onViewPositionChanged(this.viewPosition);
}
return;
}
if (!this.props.instancesSelection.isInstanceSelected(instance)) {
this._onInstanceClicked(instance);
}
const selectedInstances = this.props.instancesSelection.getSelectedInstances();
this.instancesMover.moveBy(
selectedInstances,
sceneDeltaX,
sceneDeltaY,
this.keyboardShortcuts.shouldFollowAxis(),
this.keyboardShortcuts.shouldNotSnapToGrid()
);
};
_onMoveInstanceEnd = () => {
this.instancesMover.endMove();
const selectedInstances = this.props.instancesSelection.getSelectedInstances();
this.props.onInstancesMoved(selectedInstances);
};
_onResize = (deltaX, deltaY) => {
const sceneDeltaX = deltaX / this.getZoomFactor();
const sceneDeltaY = deltaY / this.getZoomFactor();
const selectedInstances = this.props.instancesSelection.getSelectedInstances();
this.instancesResizer.resizeBy(
selectedInstances,
sceneDeltaX,
sceneDeltaY,
this.keyboardShortcuts.shouldResizeProportionally()
);
};
_onResizeEnd = () => {
this.instancesResizer.endResize();
const selectedInstances = this.props.instancesSelection.getSelectedInstances();
this.props.onInstancesResized(selectedInstances);
};
_onRotate = (deltaX, deltaY) => {
const sceneDeltaX = deltaX / this.getZoomFactor();
const sceneDeltaY = deltaY / this.getZoomFactor();
const selectedInstances = this.props.instancesSelection.getSelectedInstances();
this.instancesRotator.rotateBy(
selectedInstances,
sceneDeltaX,
sceneDeltaY,
this.keyboardShortcuts.shouldResizeProportionally()
);
};
_onRotateEnd = () => {
this.instancesRotator.endRotate();
const selectedInstances = this.props.instancesSelection.getSelectedInstances();
this.props.onInstancesRotated(selectedInstances);
};
_onDrop = (x, y, objectName) => {
const newPos = this.viewPosition.toSceneCoordinates(x, y);
if (this.props.onAddInstance) {
this.props.onAddInstance(newPos[0], newPos[1], objectName);
}
};
clearHighlightedInstance = () => {
this.highlightedInstance.setInstance(null);
};
moveSelection = (x, y) => {
const selectedInstances = this.props.instancesSelection.getSelectedInstances();
selectedInstances.forEach(instance => {
instance.setX(instance.getX() + x);
instance.setY(instance.getY() + y);
});
this.props.onInstancesMoved(selectedInstances);
};
scrollTo(x, y) {
this.viewPosition.scrollTo(x, y);
}
centerView() {
const x = this.props.project.getMainWindowDefaultWidth() / 2;
const y = this.props.project.getMainWindowDefaultHeight() / 2;
this.viewPosition.scrollTo(x, y);
}
centerViewOn(instances) {
if (!instances.length) return;
this.viewPosition.scrollToInstance(instances[instances.length - 1]);
if (this.props.onViewPositionChanged) {
this.props.onViewPositionChanged(this.viewPosition);
}
}
getLastContextMenuPosition = () => {
return this.viewPosition.toSceneCoordinates(
this.lastContextMenuX,
this.lastContextMenuY
);
};
getLastCursorPosition = () => {
return this.viewPosition.toSceneCoordinates(
this.lastCursorX,
this.lastCursorY
);
};
getViewPosition = () /*: ?ViewPosition */ => {
return this.viewPosition;
};
_renderScene = () => {
// Protect against rendering scheduled after the component is unmounted.
if (this._unmounted) return;
if (this._renderingPaused) return;
// Avoid killing the CPU by limiting the rendering calls.
if (this.fpsLimiter.shouldUpdate()) {
this.backgroundColor.render();
this.viewPosition.render();
this.canvasCursor.render();
this.grid.render();
this.instancesRenderer.render();
this.highlightedInstance.render();
this.selectedInstances.render();
this.selectionRectangle.render();
this.windowBorder.render();
this.windowMask.render();
this.statusBar.render();
this.pixiRenderer.render(this.pixiContainer);
}
this.nextFrame = requestAnimationFrame(this._renderScene);
};
pauseSceneRendering = () => {
if (this.nextFrame) cancelAnimationFrame(this.nextFrame);
this._renderingPaused = true;
stopPIXITicker();
};
restartSceneRendering = () => {
this._renderingPaused = false;
this._renderScene();
startPIXITicker();
};
render() {
if (!this.props.project) return null;
return (
<SimpleDropTarget>
<div
ref={canvasArea => (this.canvasArea = canvasArea)}
style={{
...styles.canvasArea,
...(this.props.showDropCursor ? styles.dropCursor : undefined),
}}
/>
</SimpleDropTarget>
);
}
}
|
import { Apis } from '../../services/api';
const { bSchoolApis: { queryBschoolBasicInfo } } = Apis;
export default {
namespace: 'bschoolBasicInfo',
state: {
basicInfoEditVisible: false,
confirmLoadding: false,
basicInfos: {},
},
effects: {
*getSchoolBasicInfo({ payload }, { call, put }) {
const response = yield call(queryBschoolBasicInfo, { ...payload });
yield put({
type: 'setState',
payload: {
basicInfos: response,
},
});
},
},
reducers: {
setState(state, { payload }) {
return {
...state,
...payload,
};
},
},
};
|
# coding=utf-8
import json
import socket
import re
# s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
# s.connect(('183.232.189.31', 80))
# get_str = 'GET {0} HTTP/1.1\r\nConnection: close\r\n' \
# 'Host: %s\r\n' \
# 'User-Agent: Mozilla/5.0 (Windows NT 6.3; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/44.0.2403.125 Safari/537.36' \
# '\r\nAccept: */*\r\n' \
# '\r\n'
# post_str = "POST {0} HTTP/1.1\r\n" \
# "Host: kyfw.12306.cn\r\n" \
# "Connection: close\r\n"\
# "Origin: https://kyfw.12306.cn\r\n" \
# "X-Requested-With: XMLHttpRequest\r\n" \
# "Referer: https://kyfw.12306.cn/otn/leftTicket/init\r\n" \
# "Accept-Language: zh-CN,zh;q=0.9,en;q=0.8\r\n" \
# "Content-Type: application/x-www-form-urlencoded; charset=UTF-8\r\n" \
# "Accept: application/json, text/javascript, */*; q=0.01\r\n" \
# "User-Agent: Mozilla/5.0 (Macintosh; Intel Mac OS X 10_13_1) AppleWebKit/604.3.5 (KHTML, like Gecko) Version/11.0.1 Safari/604.3.5\r\n" \
# "Content-Length: 9\r\n"\
# "Cookie: _passport_session=a459aba69761497eb31de76c27795e999613; _passport_ct=9116b2cb0bf443e1a01d22ac8c1ae449t5007; route=9036359bb8a8a461c164a04f8f50b252; BIGipServerpool_passport=200081930.50215.0000; BIGipServerotn=484704778.64545.0000\r\n\n"\
# "appid=otn\r\n"
# # s.sendall(get_str.format("https://kyfw.12306.cn/otn/resources/login.html"))
# s.sendall(post_str.format("https://kyfw.12306.cn/passport/web/auth/uamtk"))
from config.urlConf import urls
def default_get_data():
"""
get请求默认组装字符串
需要拼接的字符串
-- url 发送请求的全连接
:return:
"""
return 'GET {0} HTTP/1.1\r\nConnection: close\r\n' \
'Host: kyfw.12306.cn\r\n' \
"Referer: {1}\r\n" \
'User-Agent: Mozilla/5.0 (Windows NT 6.3; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/44.0.2403.125 Safari/537.36' \
'\r\nAccept: */*\r\n' \
"Cookie: {2}\r\n\n"\
'\r\n'
# return 'GET {0} HTTP/1.1\r\nConnection: close\r\n' \
# 'Host: kyfw.12306.cn\r\n' \
# 'User-Agent: Mozilla/5.0 (Windows NT 6.3; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/44.0.2403.125 Safari/537.36' \
# '\r\nAccept: */*\r\n' \
# '\r\n'
def default_post_data():
"""
post请求默认组装字符串
需要拼接的字符串
-- url 发送请求的全连接
-- Referer 请求页面来源
-- Content-Length: body 长度
-- Cookie 页面请求的身份认证
-- appid 接口请求报文
:return:
"""
return "POST https://kyfw.12306.cn{0} HTTP/1.1\r\n" \
"Host: kyfw.12306.cn\r\n" \
"Connection: close\r\n"\
"Origin: https://kyfw.12306.cn\r\n" \
"X-Requested-With: XMLHttpRequest\r\n" \
"Referer: {3}\r\n" \
"Accept-Language: zh-CN,zh;q=0.9,en;q=0.8\r\n" \
"Content-Type: application/x-www-form-urlencoded; charset=UTF-8\r\n" \
"Accept: application/json, text/javascript, */*; q=0.01\r\n" \
"User-Agent: Mozilla/5.0 (Macintosh; Intel Mac OS X 10_14_6) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/77.0.3865.90 Safari/537.36\r\n" \
"Content-Length: {2}\r\n"\
"Cookie: {4}\r\n\n"\
"{1}\r\n"\
# "\r\n"
class socketUtils:
def __init__(self, host, port=80):
self.host = host
self.port = port
self.s = self.connect_socket(self.host, self.port)
def connect_socket(self, host, port):
"""
连接socket
:param host:
:param port:
:return:
"""
s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
s.connect((host if isinstance(host, str) else str(host),
port if isinstance(port, int) else int(port)))
return s
def close_s(self):
self.s.close()
# def send(self, urls, Cookie=None, data=None):
# """
# 发送请求
# :param urls:
# :param data:
# :param cookie:
# :return:
# """
# url = urls.get("req_url", "")
# Referer = urls.get("Referer", "")
# if urls.get("req_type", "get") == "post":
# Content_Length = len(data)
# Cookie = "tk=pnidlCoFy2B7wxO_X_pESbrkZFSq3OtVA_xzXwuba2a0; JSESSIONID=C6144324BFCE36AC5082E543E934E8B3; current_captcha_type=Z; _jc_save_fromDate=2018-08-03; _jc_save_fromStation=%u6DF1%u5733%2CSZQ; _jc_save_toDate=2018-08-03; _jc_save_toStation=%u957F%u6C99%2CCSQ; _jc_save_wfdc_flag=dc; ten_key=b5L6aMWfnzBm8CgQe8pcAKQsmVBS2PYH; BIGipServerpool_passport=166527498.50215.0000; BIGipServerotn=165937674.50210.0000; route=c5c62a339e7744272a54643b3be5bf64; RAIL_DEVICEID=fC-yepiUqNjsBiRvtLBXW4JqQmabCfB9QxI3FifJZK9YDRsImhJLSz4sAQ4HiGF7uQAFdFyISg6jA7KAhtpEldJV9ZMNsn6Dzm_psA5CBDwSNfiORf42w-LIRvkeGvdKFtegZwWGlkA2fVuEWKu-1xAYdCXRnsMD; RAIL_EXPIRATION=1533420302032; _jc_save_detail=true"
# if data:
# send_value = default_post_data().format(url,
# data,
# Content_Length,
# Referer,
# Cookie
# )
# print("send_value: " + send_value)
# self.s.sendall(send_value)
# else:
# self.s.sendall(default_get_data().format(url,
# Referer,
# Cookie))
# total_data = ""
# while 1:
# data = self.s.recv(1024)
# total_data += data
# if not data:
# break
# self.close_s()
# print(total_data)
# return self.recv_data(total_data)
def recv_data(self, r_data):
cookie = self.get_cookie(r_data)
status_code = self.get_status_code(r_data)
r_body = self.get_rep_body(r_data)
return {
"cookie": cookie,
"status_code": status_code,
"r_body": r_body
}
@staticmethod
def get_cookie(recv_data):
"""
提取cookie
:param recv_data:
:return:
"""
if not isinstance(recv_data, str):
recv_data = str(recv_data)
cookies_re = re.compile(r"Set-Cookie: (\S+);")
cookies = re.findall(cookies_re, recv_data)
return "; ".join(cookies)
@staticmethod
def get_status_code(recv_data):
"""
获取状态码
:return:
"""
if not isinstance(recv_data, str):
recv_data = str(recv_data)
http_code_re = re.compile(r"HTTP/1.1 (\S+) ")
status_code = re.search(http_code_re, recv_data).group(1)
return status_code
@staticmethod
def get_rep_body(recv_data):
"""
获取返回值
:param recv_data:
:return:
"""
if not isinstance(recv_data, str):
recv_data = str(recv_data)
if recv_data.find("{") != -1 and recv_data.find("}") != -1:
data = json.loads(recv_data.split("\n")[-1])
return data
else:
print(recv_data)
if __name__ == "__main__":
so = socketUtils('183.232.189.31', 80)
train_date = "2018-08-03"
from_station = "SZQ"
to_station = "CSQ"
urls["select_url"]["req_url"] = "https://kyfw.12306.cn" + urls["select_url"]["req_url"].format(train_date, from_station, to_station)
result = so.send(urls=urls["select_url"])
print(result)
so = socketUtils('183.232.189.31', 80)
data = "secretStr=Vgo534nDZiCH8NCvyEPcGepzJoRCjvYr34gKFv5CW1K1XtM6mtKHoiFPjUYvaVKoe06SMhUUpT%2FK%0AxIEIsBD4zHgJPpVyKiTPx80y6OCWhNgcKjib2LLMXMJfgTgh0RKPISjkDjVFmO9p905O%2FegDeKjp%0A1fhIeqCuYraHjNhI0PjQY39BAY4AHLzW0iGgDq8b%2FtpyOY8Td2XfIWNZJCWzgyPkNXOk0HUguB2G%0AKh2T8nlko6zb5ra%2B%2BA%3D%3D&train_date=2018-08-03&back_train_date=2018-08-03&tour_flag=dc&purpose_codes=ADULT&query_from_station_name=深圳&query_to_station_name=长沙&undefined"
result1 = so.send(urls=urls["submit_station_url"], data=data)
print(result1)
# so = socketUtils('183.232.189.31', 80)
# result = so.send(url="https://kyfw.12306.cn/passport/web/login", s_data="")
# print(result) |
/*jshint browser: true */
/*global performance, console */
'use strict';
var _xstart = performance.timing.fetchStart -
performance.timing.navigationStart;
function plog(msg) {
console.log(msg + ' ' + (performance.now() - _xstart));
}
/**
* Apparently the event catching done for the startup events from
* performance_testing_helper record the last event received of that type as
* the official time, instead of using the first. So unfortunately, we need a
* global to make sure we do not emit the same events later.
* @type {Boolean}
*/
var startupCacheEventsSent = false;
/**
* Version number for cache, allows expiring cache.
* Set by build process. Set as a global because it
* is also used in html_cache.js.
*/
var HTML_COOKIE_CACHE_VERSION = '2';
// Use a global to work around issue with
// navigator.mozHasPendingMessage only returning
// true to the first call made to it.
window.htmlCacheRestorePendingMessage = [];
(function() {
var selfNode = document.querySelector('[data-loadsrc]'),
loader = selfNode.dataset.loader,
loadSrc = selfNode.dataset.loadsrc;
/**
* Gets the HTML string from cache, as well as language direction.
* This method assumes all cookie keys that have pattern
* /htmlc(\d+)/ are part of the object value. This method could
* throw given vagaries of cookie cookie storage and encodings.
* Be prepared.
*/
function retrieve() {
var value = document.cookie;
var pairRegExp = /htmlc(\d+)=([^;]+)/g;
var segments = [];
var match, index, version, langDir;
while ((match = pairRegExp.exec(value))) {
segments[parseInt(match[1], 10)] = match[2] || '';
}
value = decodeURIComponent(segments.join(''));
index = value.indexOf(':');
if (index === -1) {
value = '';
} else {
version = value.substring(0, index);
value = value.substring(index + 1);
// Version is further subdivided to include lang direction. See email's
// l10n.js for logic to reset the dir back to the actual language choice
// if the language direction changes between email invocations.
var versionParts = version.split(',');
version = versionParts[0];
langDir = versionParts[1];
}
if (version !== HTML_COOKIE_CACHE_VERSION) {
console.log('Skipping cookie cache, out of date. Expected ' +
HTML_COOKIE_CACHE_VERSION + ' but found ' + version);
value = '';
}
return {
langDir: langDir,
contents: value
};
}
/*
* Automatically restore the HTML as soon as module is executed.
* ASSUMES card node is available (DOMContentLoaded or execution of
* module after DOM node is in doc)
*/
var cardsNode = document.getElementById(selfNode.dataset.targetid);
function startApp() {
var scriptNode = document.createElement('script');
if (loader) {
scriptNode.setAttribute('data-main', loadSrc);
scriptNode.src = loader;
} else {
scriptNode.src = loadSrc;
}
document.head.appendChild(scriptNode);
}
// TODO: mozHasPendingMessage can only be called once?
// Need to set up variable to delay normal code logic later
if (navigator.mozHasPendingMessage) {
if (navigator.mozHasPendingMessage('activity')) {
window.htmlCacheRestorePendingMessage.push('activity');
}
if (navigator.mozHasPendingMessage('alarm')) {
window.htmlCacheRestorePendingMessage.push('alarm');
}
if (navigator.mozHasPendingMessage('notification')) {
window.htmlCacheRestorePendingMessage.push('notification');
}
}
if (window.htmlCacheRestorePendingMessage.length) {
startApp();
} else {
var parsedResults = retrieve();
if (parsedResults.langDir) {
document.querySelector('html').setAttribute('dir', parsedResults.langDir);
}
var contents = parsedResults.contents;
cardsNode.innerHTML = contents;
startupCacheEventsSent = !!contents;
window.addEventListener('load', startApp, false);
}
// START COPY performance_testing_helper.js
// A copy instead of a separate script because the gaia build system is not
// set up to inline this with our main script element, and we want this work
// to be done after the cache restore, but want to trigger the events that
// may be met by the cache right away without waiting for another script
// load after html_cache_restore.
function dispatch(name) {
if (!window.mozPerfHasListener) {
return;
}
var now = window.performance.now();
var epoch = Date.now();
setTimeout(function() {
var detail = {
name: name,
timestamp: now,
epoch: epoch
};
var event = new CustomEvent('x-moz-perf', { detail: detail });
window.dispatchEvent(event);
});
}
([
'moz-chrome-dom-loaded',
'moz-chrome-interactive',
'moz-app-visually-complete',
'moz-content-interactive',
'moz-app-loaded'
].forEach(function(eventName) {
window.addEventListener(eventName, function mozPerfLoadHandler() {
dispatch(eventName);
}, false);
}));
window.PerformanceTestingHelper = {
dispatch: dispatch
};
// END COPY performance_testing_helper.js
if (startupCacheEventsSent) {
window.dispatchEvent(new CustomEvent('moz-chrome-dom-loaded'));
window.dispatchEvent(new CustomEvent('moz-app-visually-complete'));
}
}());
|
//-------------------------------------------------------------------------------------------------------
// Copyright (C) Microsoft. All rights reserved.
// Licensed under the MIT license. See LICENSE.txt file in the project root for full license information.
//-------------------------------------------------------------------------------------------------------
var strvar1 = "";
function foo() {
switch (strvar1) {
case 1:
this();
case "":
}
}
for (let i = 0; i < 1000; ++i) {
foo();
}
console.log("pass");
|
import React from "react";
const HeaderNav = () => {
return (
<nav className="navbar navbar-expand-lg navbar-light fixed-top" id="mainNav">
<div className="container">
<a className="navbar-brand" href="index.html">Logo</a>
<button className="navbar-toggler navbar-toggler-right" type="button" data-toggle="collapse" data-target="#navbarResponsive" aria-controls="navbarResponsive" aria-expanded="false" aria-label="Toggle navigation">
Menu
<i className="fas fa-bars ml-1"></i>
</button>
<div className="collapse navbar-collapse" id="navbarResponsive">
<ul className="navbar-nav ml-auto">
<li className="nav-item">
<a className="nav-link" href="/">Home</a>
</li>
<li className="nav-item">
<a className="nav-link" href="about">About</a>
</li>
<li className="nav-item">
<a className="nav-link" href="login">Login</a>
</li>
</ul>
</div>
</div>
</nav>
);
};
export default HeaderNav;
|
class FullScreenUtils {
/** Enters fullscreen. */
enterFullScreen() {
if (!document.fullscreenElement) {
document.documentElement.requestFullscreen({ navigationUI: "hide" });
}
}
/** Exits fullscreen */
exitFullScreen() {
if (document.exitFullscreen) {
document.exitFullscreen();
}
}
/**
* Adds cross-browser fullscreenchange event
*
* @param exitHandler Function to be called on fullscreenchange event
*/
addFullScreenListener(exitHandler) {
document.addEventListener("fullscreenchange", exitHandler, false);
}
/**
* Checks fullscreen state.
*
* @return `true` if fullscreen is active, `false` if not
*/
isFullScreen() {
return !!document.fullscreenElement;
}
}
class BinaryDataLoader {
static async load(url) {
const response = await fetch(url);
return response.arrayBuffer();
}
}
class UncompressedTextureLoader {
static load(url, gl, minFilter = gl.LINEAR, magFilter = gl.LINEAR, clamp = false) {
return new Promise((resolve, reject) => {
const texture = gl.createTexture();
if (texture === null) {
reject("Error creating WebGL texture");
return;
}
const image = new Image();
image.src = url;
image.onload = () => {
gl.bindTexture(gl.TEXTURE_2D, texture);
gl.texImage2D(gl.TEXTURE_2D, 0, gl.RGBA, gl.RGBA, gl.UNSIGNED_BYTE, image);
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_MIN_FILTER, minFilter);
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_MAG_FILTER, magFilter);
if (clamp === true) {
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_S, gl.CLAMP_TO_EDGE);
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_T, gl.CLAMP_TO_EDGE);
}
else {
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_S, gl.REPEAT);
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_T, gl.REPEAT);
}
gl.bindTexture(gl.TEXTURE_2D, null);
if (image && image.src) {
console.log(`Loaded texture ${url} [${image.width}x${image.height}]`);
}
resolve(texture);
};
image.onerror = () => reject("Cannot load image");
});
}
static async loadCubemap(url, gl) {
const texture = gl.createTexture();
if (texture === null) {
throw new Error("Error creating WebGL texture");
}
gl.bindTexture(gl.TEXTURE_CUBE_MAP, texture);
gl.texParameteri(gl.TEXTURE_CUBE_MAP, gl.TEXTURE_WRAP_S, gl.CLAMP_TO_EDGE);
gl.texParameteri(gl.TEXTURE_CUBE_MAP, gl.TEXTURE_WRAP_T, gl.CLAMP_TO_EDGE);
gl.texParameteri(gl.TEXTURE_CUBE_MAP, gl.TEXTURE_MAG_FILTER, gl.LINEAR);
gl.texParameteri(gl.TEXTURE_CUBE_MAP, gl.TEXTURE_MIN_FILTER, gl.NEAREST);
const promises = [
{ type: gl.TEXTURE_CUBE_MAP_POSITIVE_X, suffix: "-posx.png" },
{ type: gl.TEXTURE_CUBE_MAP_NEGATIVE_X, suffix: "-negx.png" },
{ type: gl.TEXTURE_CUBE_MAP_POSITIVE_Y, suffix: "-posy.png" },
{ type: gl.TEXTURE_CUBE_MAP_NEGATIVE_Y, suffix: "-negy.png" },
{ type: gl.TEXTURE_CUBE_MAP_POSITIVE_Z, suffix: "-posz.png" },
{ type: gl.TEXTURE_CUBE_MAP_NEGATIVE_Z, suffix: "-negz.png" }
].map(face => new Promise((resolve, reject) => {
const image = new Image();
image.src = url + face.suffix;
image.onload = () => {
gl.bindTexture(gl.TEXTURE_CUBE_MAP, texture);
gl.texImage2D(face.type, 0, gl.RGBA, gl.RGBA, gl.UNSIGNED_BYTE, image);
if (image && image.src) {
console.log(`Loaded texture ${url}${face.suffix} [${image.width}x${image.height}]`);
}
resolve();
};
image.onerror = () => reject("Cannot load image");
}));
await Promise.all(promises);
gl.bindTexture(gl.TEXTURE_2D, null);
return texture;
}
}
class FullModel {
/** Default constructor. */
constructor() {
/** Number of model indices. */
this.numIndices = 0;
}
loadBuffer(gl, buffer, target, arrayBuffer) {
var byteArray = new Uint8Array(arrayBuffer, 0, arrayBuffer.byteLength);
gl.bindBuffer(target, buffer);
gl.bufferData(target, byteArray, gl.STATIC_DRAW);
}
/**
* Loads model.
*
* @param url Base URL to model indices and strides files.
* @param gl WebGL context.
* @returns Promise which resolves when model is loaded.
*/
async load(url, gl) {
const [dataIndices, dataStrides] = await Promise.all([
BinaryDataLoader.load(`${url}-indices.bin`),
BinaryDataLoader.load(`${url}-strides.bin`)
]);
console.log(`Loaded ${url}-indices.bin (${dataIndices.byteLength} bytes)`);
console.log(`Loaded ${url}-strides.bin (${dataStrides.byteLength} bytes)`);
this.bufferIndices = gl.createBuffer();
this.loadBuffer(gl, this.bufferIndices, gl.ELEMENT_ARRAY_BUFFER, dataIndices);
this.numIndices = dataIndices.byteLength / 2 / 3;
this.bufferStrides = gl.createBuffer();
this.loadBuffer(gl, this.bufferStrides, gl.ARRAY_BUFFER, dataStrides);
}
/**
* Binds buffers for a `glDrawElements()` call.
*
* @param gl WebGL context.
*/
bindBuffers(gl) {
gl.bindBuffer(gl.ARRAY_BUFFER, this.bufferStrides);
gl.bindBuffer(gl.ELEMENT_ARRAY_BUFFER, this.bufferIndices);
}
/**
* Returns number of indices in model.
*
* @return Number of indices
*/
getNumIndices() {
return this.numIndices;
}
}
class BaseShader {
/**
* Constructor. Compiles shader.
*
* @param gl WebGL context.
*/
constructor(gl) {
this.gl = gl;
this.vertexShaderCode = "";
this.fragmentShaderCode = "";
this.fillCode();
this.initShader();
}
/**
* Creates WebGL shader from code.
*
* @param type Shader type.
* @param code GLSL code.
* @returns Shader or `undefined` if there were errors during shader compilation.
*/
getShader(type, code) {
const shader = this.gl.createShader(type);
if (!shader) {
console.warn('Error creating shader.');
return undefined;
}
this.gl.shaderSource(shader, code);
this.gl.compileShader(shader);
if (!this.gl.getShaderParameter(shader, this.gl.COMPILE_STATUS)) {
console.warn(this.gl.getShaderInfoLog(shader));
return undefined;
}
return shader;
}
/**
* Get shader unform location.
*
* @param uniform Uniform name.
* @return Uniform location.
*/
getUniform(uniform) {
if (this.program === undefined) {
throw new Error('No program for shader.');
}
const result = this.gl.getUniformLocation(this.program, uniform);
if (result !== null) {
return result;
}
else {
throw new Error(`Cannot get uniform "${uniform}".`);
}
}
/**
* Get shader attribute location.
*
* @param attrib Attribute name.
* @return Attribute location.
*/
getAttrib(attrib) {
if (this.program === undefined) {
throw new Error("No program for shader.");
}
return this.gl.getAttribLocation(this.program, attrib);
}
/** Initializes shader. */
initShader() {
const fragmentShader = this.getShader(this.gl.FRAGMENT_SHADER, this.fragmentShaderCode);
const vertexShader = this.getShader(this.gl.VERTEX_SHADER, this.vertexShaderCode);
const shaderProgram = this.gl.createProgram();
if (fragmentShader === undefined || vertexShader === undefined || shaderProgram === null) {
return;
}
this.gl.attachShader(shaderProgram, vertexShader);
this.gl.attachShader(shaderProgram, fragmentShader);
this.gl.linkProgram(shaderProgram);
if (!this.gl.getProgramParameter(shaderProgram, this.gl.LINK_STATUS)) {
console.warn(this.constructor.name + ": Could not initialise shader");
}
else {
console.log(this.constructor.name + ": Initialised shader");
}
this.gl.useProgram(shaderProgram);
this.program = shaderProgram;
this.fillUniformsAttributes();
}
/** Activates shader. */
use() {
if (this.program) {
this.gl.useProgram(this.program);
}
}
/** Deletes shader. */
deleteProgram() {
if (this.program) {
this.gl.deleteProgram(this.program);
}
}
}
/**
* Common utilities
* @module glMatrix
*/
// Configuration Constants
var EPSILON = 0.000001;
var ARRAY_TYPE = typeof Float32Array !== 'undefined' ? Float32Array : Array;
if (!Math.hypot) Math.hypot = function () {
var y = 0,
i = arguments.length;
while (i--) {
y += arguments[i] * arguments[i];
}
return Math.sqrt(y);
};
/**
* 3x3 Matrix
* @module mat3
*/
/**
* Creates a new identity mat3
*
* @returns {mat3} a new 3x3 matrix
*/
function create$2() {
var out = new ARRAY_TYPE(9);
if (ARRAY_TYPE != Float32Array) {
out[1] = 0;
out[2] = 0;
out[3] = 0;
out[5] = 0;
out[6] = 0;
out[7] = 0;
}
out[0] = 1;
out[4] = 1;
out[8] = 1;
return out;
}
/**
* 4x4 Matrix<br>Format: column-major, when typed out it looks like row-major<br>The matrices are being post multiplied.
* @module mat4
*/
/**
* Creates a new identity mat4
*
* @returns {mat4} a new 4x4 matrix
*/
function create$3() {
var out = new ARRAY_TYPE(16);
if (ARRAY_TYPE != Float32Array) {
out[1] = 0;
out[2] = 0;
out[3] = 0;
out[4] = 0;
out[6] = 0;
out[7] = 0;
out[8] = 0;
out[9] = 0;
out[11] = 0;
out[12] = 0;
out[13] = 0;
out[14] = 0;
}
out[0] = 1;
out[5] = 1;
out[10] = 1;
out[15] = 1;
return out;
}
/**
* Set a mat4 to the identity matrix
*
* @param {mat4} out the receiving matrix
* @returns {mat4} out
*/
function identity$3(out) {
out[0] = 1;
out[1] = 0;
out[2] = 0;
out[3] = 0;
out[4] = 0;
out[5] = 1;
out[6] = 0;
out[7] = 0;
out[8] = 0;
out[9] = 0;
out[10] = 1;
out[11] = 0;
out[12] = 0;
out[13] = 0;
out[14] = 0;
out[15] = 1;
return out;
}
/**
* Multiplies two mat4s
*
* @param {mat4} out the receiving matrix
* @param {ReadonlyMat4} a the first operand
* @param {ReadonlyMat4} b the second operand
* @returns {mat4} out
*/
function multiply$3(out, a, b) {
var a00 = a[0],
a01 = a[1],
a02 = a[2],
a03 = a[3];
var a10 = a[4],
a11 = a[5],
a12 = a[6],
a13 = a[7];
var a20 = a[8],
a21 = a[9],
a22 = a[10],
a23 = a[11];
var a30 = a[12],
a31 = a[13],
a32 = a[14],
a33 = a[15]; // Cache only the current line of the second matrix
var b0 = b[0],
b1 = b[1],
b2 = b[2],
b3 = b[3];
out[0] = b0 * a00 + b1 * a10 + b2 * a20 + b3 * a30;
out[1] = b0 * a01 + b1 * a11 + b2 * a21 + b3 * a31;
out[2] = b0 * a02 + b1 * a12 + b2 * a22 + b3 * a32;
out[3] = b0 * a03 + b1 * a13 + b2 * a23 + b3 * a33;
b0 = b[4];
b1 = b[5];
b2 = b[6];
b3 = b[7];
out[4] = b0 * a00 + b1 * a10 + b2 * a20 + b3 * a30;
out[5] = b0 * a01 + b1 * a11 + b2 * a21 + b3 * a31;
out[6] = b0 * a02 + b1 * a12 + b2 * a22 + b3 * a32;
out[7] = b0 * a03 + b1 * a13 + b2 * a23 + b3 * a33;
b0 = b[8];
b1 = b[9];
b2 = b[10];
b3 = b[11];
out[8] = b0 * a00 + b1 * a10 + b2 * a20 + b3 * a30;
out[9] = b0 * a01 + b1 * a11 + b2 * a21 + b3 * a31;
out[10] = b0 * a02 + b1 * a12 + b2 * a22 + b3 * a32;
out[11] = b0 * a03 + b1 * a13 + b2 * a23 + b3 * a33;
b0 = b[12];
b1 = b[13];
b2 = b[14];
b3 = b[15];
out[12] = b0 * a00 + b1 * a10 + b2 * a20 + b3 * a30;
out[13] = b0 * a01 + b1 * a11 + b2 * a21 + b3 * a31;
out[14] = b0 * a02 + b1 * a12 + b2 * a22 + b3 * a32;
out[15] = b0 * a03 + b1 * a13 + b2 * a23 + b3 * a33;
return out;
}
/**
* Translate a mat4 by the given vector
*
* @param {mat4} out the receiving matrix
* @param {ReadonlyMat4} a the matrix to translate
* @param {ReadonlyVec3} v vector to translate by
* @returns {mat4} out
*/
function translate$2(out, a, v) {
var x = v[0],
y = v[1],
z = v[2];
var a00, a01, a02, a03;
var a10, a11, a12, a13;
var a20, a21, a22, a23;
if (a === out) {
out[12] = a[0] * x + a[4] * y + a[8] * z + a[12];
out[13] = a[1] * x + a[5] * y + a[9] * z + a[13];
out[14] = a[2] * x + a[6] * y + a[10] * z + a[14];
out[15] = a[3] * x + a[7] * y + a[11] * z + a[15];
} else {
a00 = a[0];
a01 = a[1];
a02 = a[2];
a03 = a[3];
a10 = a[4];
a11 = a[5];
a12 = a[6];
a13 = a[7];
a20 = a[8];
a21 = a[9];
a22 = a[10];
a23 = a[11];
out[0] = a00;
out[1] = a01;
out[2] = a02;
out[3] = a03;
out[4] = a10;
out[5] = a11;
out[6] = a12;
out[7] = a13;
out[8] = a20;
out[9] = a21;
out[10] = a22;
out[11] = a23;
out[12] = a00 * x + a10 * y + a20 * z + a[12];
out[13] = a01 * x + a11 * y + a21 * z + a[13];
out[14] = a02 * x + a12 * y + a22 * z + a[14];
out[15] = a03 * x + a13 * y + a23 * z + a[15];
}
return out;
}
/**
* Scales the mat4 by the dimensions in the given vec3 not using vectorization
*
* @param {mat4} out the receiving matrix
* @param {ReadonlyMat4} a the matrix to scale
* @param {ReadonlyVec3} v the vec3 to scale the matrix by
* @returns {mat4} out
**/
function scale$3(out, a, v) {
var x = v[0],
y = v[1],
z = v[2];
out[0] = a[0] * x;
out[1] = a[1] * x;
out[2] = a[2] * x;
out[3] = a[3] * x;
out[4] = a[4] * y;
out[5] = a[5] * y;
out[6] = a[6] * y;
out[7] = a[7] * y;
out[8] = a[8] * z;
out[9] = a[9] * z;
out[10] = a[10] * z;
out[11] = a[11] * z;
out[12] = a[12];
out[13] = a[13];
out[14] = a[14];
out[15] = a[15];
return out;
}
/**
* Rotates a mat4 by the given angle around the given axis
*
* @param {mat4} out the receiving matrix
* @param {ReadonlyMat4} a the matrix to rotate
* @param {Number} rad the angle to rotate the matrix by
* @param {ReadonlyVec3} axis the axis to rotate around
* @returns {mat4} out
*/
function rotate$3(out, a, rad, axis) {
var x = axis[0],
y = axis[1],
z = axis[2];
var len = Math.hypot(x, y, z);
var s, c, t;
var a00, a01, a02, a03;
var a10, a11, a12, a13;
var a20, a21, a22, a23;
var b00, b01, b02;
var b10, b11, b12;
var b20, b21, b22;
if (len < EPSILON) {
return null;
}
len = 1 / len;
x *= len;
y *= len;
z *= len;
s = Math.sin(rad);
c = Math.cos(rad);
t = 1 - c;
a00 = a[0];
a01 = a[1];
a02 = a[2];
a03 = a[3];
a10 = a[4];
a11 = a[5];
a12 = a[6];
a13 = a[7];
a20 = a[8];
a21 = a[9];
a22 = a[10];
a23 = a[11]; // Construct the elements of the rotation matrix
b00 = x * x * t + c;
b01 = y * x * t + z * s;
b02 = z * x * t - y * s;
b10 = x * y * t - z * s;
b11 = y * y * t + c;
b12 = z * y * t + x * s;
b20 = x * z * t + y * s;
b21 = y * z * t - x * s;
b22 = z * z * t + c; // Perform rotation-specific matrix multiplication
out[0] = a00 * b00 + a10 * b01 + a20 * b02;
out[1] = a01 * b00 + a11 * b01 + a21 * b02;
out[2] = a02 * b00 + a12 * b01 + a22 * b02;
out[3] = a03 * b00 + a13 * b01 + a23 * b02;
out[4] = a00 * b10 + a10 * b11 + a20 * b12;
out[5] = a01 * b10 + a11 * b11 + a21 * b12;
out[6] = a02 * b10 + a12 * b11 + a22 * b12;
out[7] = a03 * b10 + a13 * b11 + a23 * b12;
out[8] = a00 * b20 + a10 * b21 + a20 * b22;
out[9] = a01 * b20 + a11 * b21 + a21 * b22;
out[10] = a02 * b20 + a12 * b21 + a22 * b22;
out[11] = a03 * b20 + a13 * b21 + a23 * b22;
if (a !== out) {
// If the source and destination differ, copy the unchanged last row
out[12] = a[12];
out[13] = a[13];
out[14] = a[14];
out[15] = a[15];
}
return out;
}
/**
* Rotates a matrix by the given angle around the X axis
*
* @param {mat4} out the receiving matrix
* @param {ReadonlyMat4} a the matrix to rotate
* @param {Number} rad the angle to rotate the matrix by
* @returns {mat4} out
*/
function rotateX(out, a, rad) {
var s = Math.sin(rad);
var c = Math.cos(rad);
var a10 = a[4];
var a11 = a[5];
var a12 = a[6];
var a13 = a[7];
var a20 = a[8];
var a21 = a[9];
var a22 = a[10];
var a23 = a[11];
if (a !== out) {
// If the source and destination differ, copy the unchanged rows
out[0] = a[0];
out[1] = a[1];
out[2] = a[2];
out[3] = a[3];
out[12] = a[12];
out[13] = a[13];
out[14] = a[14];
out[15] = a[15];
} // Perform axis-specific matrix multiplication
out[4] = a10 * c + a20 * s;
out[5] = a11 * c + a21 * s;
out[6] = a12 * c + a22 * s;
out[7] = a13 * c + a23 * s;
out[8] = a20 * c - a10 * s;
out[9] = a21 * c - a11 * s;
out[10] = a22 * c - a12 * s;
out[11] = a23 * c - a13 * s;
return out;
}
/**
* Rotates a matrix by the given angle around the Y axis
*
* @param {mat4} out the receiving matrix
* @param {ReadonlyMat4} a the matrix to rotate
* @param {Number} rad the angle to rotate the matrix by
* @returns {mat4} out
*/
function rotateY(out, a, rad) {
var s = Math.sin(rad);
var c = Math.cos(rad);
var a00 = a[0];
var a01 = a[1];
var a02 = a[2];
var a03 = a[3];
var a20 = a[8];
var a21 = a[9];
var a22 = a[10];
var a23 = a[11];
if (a !== out) {
// If the source and destination differ, copy the unchanged rows
out[4] = a[4];
out[5] = a[5];
out[6] = a[6];
out[7] = a[7];
out[12] = a[12];
out[13] = a[13];
out[14] = a[14];
out[15] = a[15];
} // Perform axis-specific matrix multiplication
out[0] = a00 * c - a20 * s;
out[1] = a01 * c - a21 * s;
out[2] = a02 * c - a22 * s;
out[3] = a03 * c - a23 * s;
out[8] = a00 * s + a20 * c;
out[9] = a01 * s + a21 * c;
out[10] = a02 * s + a22 * c;
out[11] = a03 * s + a23 * c;
return out;
}
/**
* Rotates a matrix by the given angle around the Z axis
*
* @param {mat4} out the receiving matrix
* @param {ReadonlyMat4} a the matrix to rotate
* @param {Number} rad the angle to rotate the matrix by
* @returns {mat4} out
*/
function rotateZ(out, a, rad) {
var s = Math.sin(rad);
var c = Math.cos(rad);
var a00 = a[0];
var a01 = a[1];
var a02 = a[2];
var a03 = a[3];
var a10 = a[4];
var a11 = a[5];
var a12 = a[6];
var a13 = a[7];
if (a !== out) {
// If the source and destination differ, copy the unchanged last row
out[8] = a[8];
out[9] = a[9];
out[10] = a[10];
out[11] = a[11];
out[12] = a[12];
out[13] = a[13];
out[14] = a[14];
out[15] = a[15];
} // Perform axis-specific matrix multiplication
out[0] = a00 * c + a10 * s;
out[1] = a01 * c + a11 * s;
out[2] = a02 * c + a12 * s;
out[3] = a03 * c + a13 * s;
out[4] = a10 * c - a00 * s;
out[5] = a11 * c - a01 * s;
out[6] = a12 * c - a02 * s;
out[7] = a13 * c - a03 * s;
return out;
}
/**
* Generates a frustum matrix with the given bounds
*
* @param {mat4} out mat4 frustum matrix will be written into
* @param {Number} left Left bound of the frustum
* @param {Number} right Right bound of the frustum
* @param {Number} bottom Bottom bound of the frustum
* @param {Number} top Top bound of the frustum
* @param {Number} near Near bound of the frustum
* @param {Number} far Far bound of the frustum
* @returns {mat4} out
*/
function frustum(out, left, right, bottom, top, near, far) {
var rl = 1 / (right - left);
var tb = 1 / (top - bottom);
var nf = 1 / (near - far);
out[0] = near * 2 * rl;
out[1] = 0;
out[2] = 0;
out[3] = 0;
out[4] = 0;
out[5] = near * 2 * tb;
out[6] = 0;
out[7] = 0;
out[8] = (right + left) * rl;
out[9] = (top + bottom) * tb;
out[10] = (far + near) * nf;
out[11] = -1;
out[12] = 0;
out[13] = 0;
out[14] = far * near * 2 * nf;
out[15] = 0;
return out;
}
/**
* 3 Dimensional Vector
* @module vec3
*/
/**
* Creates a new, empty vec3
*
* @returns {vec3} a new 3D vector
*/
function create$4() {
var out = new ARRAY_TYPE(3);
if (ARRAY_TYPE != Float32Array) {
out[0] = 0;
out[1] = 0;
out[2] = 0;
}
return out;
}
/**
* Calculates the length of a vec3
*
* @param {ReadonlyVec3} a vector to calculate length of
* @returns {Number} length of a
*/
function length(a) {
var x = a[0];
var y = a[1];
var z = a[2];
return Math.hypot(x, y, z);
}
/**
* Creates a new vec3 initialized with the given values
*
* @param {Number} x X component
* @param {Number} y Y component
* @param {Number} z Z component
* @returns {vec3} a new 3D vector
*/
function fromValues$4(x, y, z) {
var out = new ARRAY_TYPE(3);
out[0] = x;
out[1] = y;
out[2] = z;
return out;
}
/**
* Normalize a vec3
*
* @param {vec3} out the receiving vector
* @param {ReadonlyVec3} a vector to normalize
* @returns {vec3} out
*/
function normalize(out, a) {
var x = a[0];
var y = a[1];
var z = a[2];
var len = x * x + y * y + z * z;
if (len > 0) {
//TODO: evaluate use of glm_invsqrt here?
len = 1 / Math.sqrt(len);
}
out[0] = a[0] * len;
out[1] = a[1] * len;
out[2] = a[2] * len;
return out;
}
/**
* Calculates the dot product of two vec3's
*
* @param {ReadonlyVec3} a the first operand
* @param {ReadonlyVec3} b the second operand
* @returns {Number} dot product of a and b
*/
function dot(a, b) {
return a[0] * b[0] + a[1] * b[1] + a[2] * b[2];
}
/**
* Computes the cross product of two vec3's
*
* @param {vec3} out the receiving vector
* @param {ReadonlyVec3} a the first operand
* @param {ReadonlyVec3} b the second operand
* @returns {vec3} out
*/
function cross(out, a, b) {
var ax = a[0],
ay = a[1],
az = a[2];
var bx = b[0],
by = b[1],
bz = b[2];
out[0] = ay * bz - az * by;
out[1] = az * bx - ax * bz;
out[2] = ax * by - ay * bx;
return out;
}
/**
* Alias for {@link vec3.length}
* @function
*/
var len = length;
/**
* Perform some operation over an array of vec3s.
*
* @param {Array} a the array of vectors to iterate over
* @param {Number} stride Number of elements between the start of each vec3. If 0 assumes tightly packed
* @param {Number} offset Number of elements to skip at the beginning of the array
* @param {Number} count Number of vec3s to iterate over. If 0 iterates over entire array
* @param {Function} fn Function to call for each vector in the array
* @param {Object} [arg] additional argument to pass to fn
* @returns {Array} a
* @function
*/
var forEach = function () {
var vec = create$4();
return function (a, stride, offset, count, fn, arg) {
var i, l;
if (!stride) {
stride = 3;
}
if (!offset) {
offset = 0;
}
if (count) {
l = Math.min(count * stride + offset, a.length);
} else {
l = a.length;
}
for (i = offset; i < l; i += stride) {
vec[0] = a[i];
vec[1] = a[i + 1];
vec[2] = a[i + 2];
fn(vec, vec, arg);
a[i] = vec[0];
a[i + 1] = vec[1];
a[i + 2] = vec[2];
}
return a;
};
}();
/**
* 4 Dimensional Vector
* @module vec4
*/
/**
* Creates a new, empty vec4
*
* @returns {vec4} a new 4D vector
*/
function create$5() {
var out = new ARRAY_TYPE(4);
if (ARRAY_TYPE != Float32Array) {
out[0] = 0;
out[1] = 0;
out[2] = 0;
out[3] = 0;
}
return out;
}
/**
* Normalize a vec4
*
* @param {vec4} out the receiving vector
* @param {ReadonlyVec4} a vector to normalize
* @returns {vec4} out
*/
function normalize$1(out, a) {
var x = a[0];
var y = a[1];
var z = a[2];
var w = a[3];
var len = x * x + y * y + z * z + w * w;
if (len > 0) {
len = 1 / Math.sqrt(len);
}
out[0] = x * len;
out[1] = y * len;
out[2] = z * len;
out[3] = w * len;
return out;
}
/**
* Perform some operation over an array of vec4s.
*
* @param {Array} a the array of vectors to iterate over
* @param {Number} stride Number of elements between the start of each vec4. If 0 assumes tightly packed
* @param {Number} offset Number of elements to skip at the beginning of the array
* @param {Number} count Number of vec4s to iterate over. If 0 iterates over entire array
* @param {Function} fn Function to call for each vector in the array
* @param {Object} [arg] additional argument to pass to fn
* @returns {Array} a
* @function
*/
var forEach$1 = function () {
var vec = create$5();
return function (a, stride, offset, count, fn, arg) {
var i, l;
if (!stride) {
stride = 4;
}
if (!offset) {
offset = 0;
}
if (count) {
l = Math.min(count * stride + offset, a.length);
} else {
l = a.length;
}
for (i = offset; i < l; i += stride) {
vec[0] = a[i];
vec[1] = a[i + 1];
vec[2] = a[i + 2];
vec[3] = a[i + 3];
fn(vec, vec, arg);
a[i] = vec[0];
a[i + 1] = vec[1];
a[i + 2] = vec[2];
a[i + 3] = vec[3];
}
return a;
};
}();
/**
* Quaternion
* @module quat
*/
/**
* Creates a new identity quat
*
* @returns {quat} a new quaternion
*/
function create$6() {
var out = new ARRAY_TYPE(4);
if (ARRAY_TYPE != Float32Array) {
out[0] = 0;
out[1] = 0;
out[2] = 0;
}
out[3] = 1;
return out;
}
/**
* Sets a quat from the given angle and rotation axis,
* then returns it.
*
* @param {quat} out the receiving quaternion
* @param {ReadonlyVec3} axis the axis around which to rotate
* @param {Number} rad the angle in radians
* @returns {quat} out
**/
function setAxisAngle(out, axis, rad) {
rad = rad * 0.5;
var s = Math.sin(rad);
out[0] = s * axis[0];
out[1] = s * axis[1];
out[2] = s * axis[2];
out[3] = Math.cos(rad);
return out;
}
/**
* Performs a spherical linear interpolation between two quat
*
* @param {quat} out the receiving quaternion
* @param {ReadonlyQuat} a the first operand
* @param {ReadonlyQuat} b the second operand
* @param {Number} t interpolation amount, in the range [0-1], between the two inputs
* @returns {quat} out
*/
function slerp(out, a, b, t) {
// benchmarks:
// http://jsperf.com/quaternion-slerp-implementations
var ax = a[0],
ay = a[1],
az = a[2],
aw = a[3];
var bx = b[0],
by = b[1],
bz = b[2],
bw = b[3];
var omega, cosom, sinom, scale0, scale1; // calc cosine
cosom = ax * bx + ay * by + az * bz + aw * bw; // adjust signs (if necessary)
if (cosom < 0.0) {
cosom = -cosom;
bx = -bx;
by = -by;
bz = -bz;
bw = -bw;
} // calculate coefficients
if (1.0 - cosom > EPSILON) {
// standard case (slerp)
omega = Math.acos(cosom);
sinom = Math.sin(omega);
scale0 = Math.sin((1.0 - t) * omega) / sinom;
scale1 = Math.sin(t * omega) / sinom;
} else {
// "from" and "to" quaternions are very close
// ... so we can do a linear interpolation
scale0 = 1.0 - t;
scale1 = t;
} // calculate final values
out[0] = scale0 * ax + scale1 * bx;
out[1] = scale0 * ay + scale1 * by;
out[2] = scale0 * az + scale1 * bz;
out[3] = scale0 * aw + scale1 * bw;
return out;
}
/**
* Creates a quaternion from the given 3x3 rotation matrix.
*
* NOTE: The resultant quaternion is not normalized, so you should be sure
* to renormalize the quaternion yourself where necessary.
*
* @param {quat} out the receiving quaternion
* @param {ReadonlyMat3} m rotation matrix
* @returns {quat} out
* @function
*/
function fromMat3(out, m) {
// Algorithm in Ken Shoemake's article in 1987 SIGGRAPH course notes
// article "Quaternion Calculus and Fast Animation".
var fTrace = m[0] + m[4] + m[8];
var fRoot;
if (fTrace > 0.0) {
// |w| > 1/2, may as well choose w > 1/2
fRoot = Math.sqrt(fTrace + 1.0); // 2w
out[3] = 0.5 * fRoot;
fRoot = 0.5 / fRoot; // 1/(4w)
out[0] = (m[5] - m[7]) * fRoot;
out[1] = (m[6] - m[2]) * fRoot;
out[2] = (m[1] - m[3]) * fRoot;
} else {
// |w| <= 1/2
var i = 0;
if (m[4] > m[0]) i = 1;
if (m[8] > m[i * 3 + i]) i = 2;
var j = (i + 1) % 3;
var k = (i + 2) % 3;
fRoot = Math.sqrt(m[i * 3 + i] - m[j * 3 + j] - m[k * 3 + k] + 1.0);
out[i] = 0.5 * fRoot;
fRoot = 0.5 / fRoot;
out[3] = (m[j * 3 + k] - m[k * 3 + j]) * fRoot;
out[j] = (m[j * 3 + i] + m[i * 3 + j]) * fRoot;
out[k] = (m[k * 3 + i] + m[i * 3 + k]) * fRoot;
}
return out;
}
/**
* Normalize a quat
*
* @param {quat} out the receiving quaternion
* @param {ReadonlyQuat} a quaternion to normalize
* @returns {quat} out
* @function
*/
var normalize$2 = normalize$1;
/**
* Sets a quaternion to represent the shortest rotation from one
* vector to another.
*
* Both vectors are assumed to be unit length.
*
* @param {quat} out the receiving quaternion.
* @param {ReadonlyVec3} a the initial vector
* @param {ReadonlyVec3} b the destination vector
* @returns {quat} out
*/
var rotationTo = function () {
var tmpvec3 = create$4();
var xUnitVec3 = fromValues$4(1, 0, 0);
var yUnitVec3 = fromValues$4(0, 1, 0);
return function (out, a, b) {
var dot$$1 = dot(a, b);
if (dot$$1 < -0.999999) {
cross(tmpvec3, xUnitVec3, a);
if (len(tmpvec3) < 0.000001) cross(tmpvec3, yUnitVec3, a);
normalize(tmpvec3, tmpvec3);
setAxisAngle(out, tmpvec3, Math.PI);
return out;
} else if (dot$$1 > 0.999999) {
out[0] = 0;
out[1] = 0;
out[2] = 0;
out[3] = 1;
return out;
} else {
cross(tmpvec3, a, b);
out[0] = tmpvec3[0];
out[1] = tmpvec3[1];
out[2] = tmpvec3[2];
out[3] = 1 + dot$$1;
return normalize$2(out, out);
}
};
}();
/**
* Performs a spherical linear interpolation with two control points
*
* @param {quat} out the receiving quaternion
* @param {ReadonlyQuat} a the first operand
* @param {ReadonlyQuat} b the second operand
* @param {ReadonlyQuat} c the third operand
* @param {ReadonlyQuat} d the fourth operand
* @param {Number} t interpolation amount, in the range [0-1], between the two inputs
* @returns {quat} out
*/
var sqlerp = function () {
var temp1 = create$6();
var temp2 = create$6();
return function (out, a, b, c, d, t) {
slerp(temp1, a, d, t);
slerp(temp2, b, c, t);
slerp(out, temp1, temp2, 2 * t * (1 - t));
return out;
};
}();
/**
* Sets the specified quaternion with values corresponding to the given
* axes. Each axis is a vec3 and is expected to be unit length and
* perpendicular to all other specified axes.
*
* @param {ReadonlyVec3} view the vector representing the viewing direction
* @param {ReadonlyVec3} right the vector representing the local "right" direction
* @param {ReadonlyVec3} up the vector representing the local "up" direction
* @returns {quat} out
*/
var setAxes = function () {
var matr = create$2();
return function (out, view, right, up) {
matr[0] = right[0];
matr[3] = right[1];
matr[6] = right[2];
matr[1] = up[0];
matr[4] = up[1];
matr[7] = up[2];
matr[2] = -view[0];
matr[5] = -view[1];
matr[8] = -view[2];
return normalize$2(out, fromMat3(out, matr));
};
}();
/**
* 2 Dimensional Vector
* @module vec2
*/
/**
* Creates a new, empty vec2
*
* @returns {vec2} a new 2D vector
*/
function create$8() {
var out = new ARRAY_TYPE(2);
if (ARRAY_TYPE != Float32Array) {
out[0] = 0;
out[1] = 0;
}
return out;
}
/**
* Perform some operation over an array of vec2s.
*
* @param {Array} a the array of vectors to iterate over
* @param {Number} stride Number of elements between the start of each vec2. If 0 assumes tightly packed
* @param {Number} offset Number of elements to skip at the beginning of the array
* @param {Number} count Number of vec2s to iterate over. If 0 iterates over entire array
* @param {Function} fn Function to call for each vector in the array
* @param {Object} [arg] additional argument to pass to fn
* @returns {Array} a
* @function
*/
var forEach$2 = function () {
var vec = create$8();
return function (a, stride, offset, count, fn, arg) {
var i, l;
if (!stride) {
stride = 2;
}
if (!offset) {
offset = 0;
}
if (count) {
l = Math.min(count * stride + offset, a.length);
} else {
l = a.length;
}
for (i = offset; i < l; i += stride) {
vec[0] = a[i];
vec[1] = a[i + 1];
fn(vec, vec, arg);
a[i] = vec[0];
a[i + 1] = vec[1];
}
return a;
};
}();
class BaseRenderer {
constructor() {
this.mMMatrix = create$3();
this.mVMatrix = create$3();
this.mMVPMatrix = create$3();
this.mProjMatrix = create$3();
this.matOrtho = create$3();
this.m_boundTick = this.tick.bind(this);
this.isWebGL2 = false;
this.viewportWidth = 0;
this.viewportHeight = 0;
}
/** Getter for current WebGL context. */
get gl() {
if (this.m_gl === undefined) {
throw new Error("No WebGL context");
}
return this.m_gl;
}
/** Logs last GL error to console */
logGLError() {
var err = this.gl.getError();
if (err !== this.gl.NO_ERROR) {
console.warn(`WebGL error # + ${err}`);
}
}
/**
* Binds 2D texture.
*
* @param textureUnit A texture unit to use
* @param texture A texture to be used
* @param uniform Shader's uniform ID
*/
setTexture2D(textureUnit, texture, uniform) {
this.gl.activeTexture(this.gl.TEXTURE0 + textureUnit);
this.gl.bindTexture(this.gl.TEXTURE_2D, texture);
this.gl.uniform1i(uniform, textureUnit);
}
/**
* Binds cubemap texture.
*
* @param textureUnit A texture unit to use
* @param texture A texture to be used
* @param uniform Shader's uniform ID
*/
setTextureCubemap(textureUnit, texture, uniform) {
this.gl.activeTexture(this.gl.TEXTURE0 + textureUnit);
this.gl.bindTexture(this.gl.TEXTURE_CUBE_MAP, texture);
this.gl.uniform1i(uniform, textureUnit);
}
/**
* Calculates FOV for matrix.
*
* @param matrix Output matrix
* @param fovY Vertical FOV in degrees
* @param aspect Aspect ratio of viewport
* @param zNear Near clipping plane distance
* @param zFar Far clipping plane distance
*/
setFOV(matrix, fovY, aspect, zNear, zFar) {
const fH = Math.tan(fovY / 360.0 * Math.PI) * zNear;
const fW = fH * aspect;
frustum(matrix, -fW, fW, -fH, fH, zNear, zFar);
}
/**
* Calculates MVP matrix. Saved in this.mMVPMatrix
*/
calculateMVPMatrix(tx, ty, tz, rx, ry, rz, sx, sy, sz) {
identity$3(this.mMMatrix);
rotate$3(this.mMMatrix, this.mMMatrix, 0, [1, 0, 0]);
translate$2(this.mMMatrix, this.mMMatrix, [tx, ty, tz]);
scale$3(this.mMMatrix, this.mMMatrix, [sx, sy, sz]);
rotateX(this.mMMatrix, this.mMMatrix, rx);
rotateY(this.mMMatrix, this.mMMatrix, ry);
rotateZ(this.mMMatrix, this.mMMatrix, rz);
multiply$3(this.mMVPMatrix, this.mVMatrix, this.mMMatrix);
multiply$3(this.mMVPMatrix, this.mProjMatrix, this.mMVPMatrix);
}
/** Perform each frame's draw calls here. */
drawScene() {
this.gl.viewport(0, 0, this.gl.canvas.width, this.gl.canvas.height);
this.gl.clearColor(0.0, 0.0, 0.0, 1.0);
this.gl.clear(this.gl.COLOR_BUFFER_BIT | this.gl.DEPTH_BUFFER_BIT);
}
/** Called on each frame. */
tick() {
requestAnimationFrame(this.m_boundTick);
this.resizeCanvas();
this.drawScene();
this.animate();
}
/**
* Initializes WebGL context.
*
* @param canvas Canvas to initialize WebGL.
*/
initGL(canvas) {
const gl = canvas.getContext("webgl", { alpha: false });
if (gl === null) {
throw new Error("Cannot initialize WebGL context");
}
// this.isETC1Supported = !!gl.getExtension('WEBGL_compressed_texture_etc1');
return gl;
}
;
/**
* Initializes WebGL 2 context
*
* @param canvas Canvas to initialize WebGL 2.
*/
initGL2(canvas) {
let gl = canvas.getContext("webgl2", { alpha: false });
if (gl === null) {
console.warn('Could not initialise WebGL 2, falling back to WebGL 1');
return this.initGL(canvas);
}
return gl;
}
;
/**
* Initializes WebGL and calls all callbacks.
*
* @param canvasID ID of canvas element to initialize WebGL.
* @param requestWebGL2 Set to `true` to initialize WebGL 2 context.
*/
init(canvasID, requestWebGL2 = false) {
this.onBeforeInit();
this.canvas = document.getElementById(canvasID);
if (this.canvas === null) {
throw new Error("Cannot find canvas element");
}
this.viewportWidth = this.canvas.width;
this.viewportHeight = this.canvas.height;
this.m_gl = !!requestWebGL2 ? this.initGL2(this.canvas) : this.initGL(this.canvas);
if (this.m_gl) {
this.resizeCanvas();
this.onAfterInit();
this.initShaders();
this.loadData();
this.m_boundTick();
}
else {
this.onInitError();
}
}
/** Adjusts viewport according to resizing of canvas. */
resizeCanvas() {
if (this.canvas === undefined) {
return;
}
const cssToRealPixels = window.devicePixelRatio || 1;
const displayWidth = Math.floor(this.canvas.clientWidth * cssToRealPixels);
const displayHeight = Math.floor(this.canvas.clientHeight * cssToRealPixels);
if (this.canvas.width != displayWidth || this.canvas.height != displayHeight) {
this.canvas.width = displayWidth;
this.canvas.height = displayHeight;
}
}
/**
* Logs GL error to console.
*
* @param operation Operation name.
*/
checkGlError(operation) {
let error;
while ((error = this.gl.getError()) !== this.gl.NO_ERROR) {
console.error(`${operation}: glError ${error}`);
}
}
/** @inheritdoc */
unbindBuffers() {
this.gl.bindBuffer(this.gl.ARRAY_BUFFER, null);
this.gl.bindBuffer(this.gl.ELEMENT_ARRAY_BUFFER, null);
}
/** @inheritdoc */
getMVPMatrix() {
return this.mMVPMatrix;
}
/** @inheritdoc */
getOrthoMatrix() {
return this.matOrtho;
}
/** @inheritdoc */
getModelMatrix() {
return this.mMMatrix;
}
/** @inheritdoc */
getViewMatrix() {
return this.mVMatrix;
}
}
class FrameBuffer {
/** Constructor. */
constructor(gl) {
this.gl = gl;
this.m_textureHandle = null;
this.m_depthTextureHandle = null;
this.m_framebufferHandle = null;
this.m_depthbufferHandle = null;
}
/** Creates OpenGL objects */
createGLData(width, height) {
this.m_width = width;
this.m_height = height;
if (this.m_textureHandle !== null && this.m_width > 0 && this.m_height > 0) {
this.m_framebufferHandle = this.gl.createFramebuffer(); // alternative to GLES20.glGenFramebuffers()
if (this.m_textureHandle !== null) {
this.gl.bindTexture(this.gl.TEXTURE_2D, this.m_textureHandle);
this.gl.bindFramebuffer(this.gl.FRAMEBUFFER, this.m_framebufferHandle);
this.gl.framebufferTexture2D(this.gl.FRAMEBUFFER, this.gl.COLOR_ATTACHMENT0, this.gl.TEXTURE_2D, this.m_textureHandle, 0);
this.checkGlError("FB");
}
if (this.m_depthTextureHandle === null) {
this.m_depthbufferHandle = this.gl.createRenderbuffer();
this.gl.bindRenderbuffer(this.gl.RENDERBUFFER, this.m_depthbufferHandle);
this.checkGlError("FB - glBindRenderbuffer");
this.gl.renderbufferStorage(this.gl.RENDERBUFFER, this.gl.DEPTH_COMPONENT16, this.m_width, this.m_height);
this.checkGlError("FB - glRenderbufferStorage");
this.gl.framebufferRenderbuffer(this.gl.FRAMEBUFFER, this.gl.DEPTH_ATTACHMENT, this.gl.RENDERBUFFER, this.m_depthbufferHandle);
this.checkGlError("FB - glFramebufferRenderbuffer");
}
else {
this.gl.bindTexture(this.gl.TEXTURE_2D, this.m_depthTextureHandle);
this.gl.bindFramebuffer(this.gl.FRAMEBUFFER, this.m_framebufferHandle);
this.gl.framebufferTexture2D(this.gl.FRAMEBUFFER, this.gl.DEPTH_ATTACHMENT, this.gl.TEXTURE_2D, this.m_depthTextureHandle, 0);
this.checkGlError("FB depth");
}
const result = this.gl.checkFramebufferStatus(this.gl.FRAMEBUFFER);
if (result != this.gl.FRAMEBUFFER_COMPLETE) {
console.error(`Error creating framebufer: ${result}`);
}
this.gl.bindRenderbuffer(this.gl.RENDERBUFFER, null);
// this.gl.bindTexture(this.gl.TEXTURE_2D, 0);
this.gl.bindFramebuffer(this.gl.FRAMEBUFFER, null);
}
}
checkGlError(op) {
let error;
while ((error = this.gl.getError()) !== this.gl.NO_ERROR) {
console.error(`${op}: glError ${error}`);
}
}
get width() {
return this.m_width;
}
set width(value) {
this.m_width = value;
}
get height() {
return this.m_height;
}
set height(value) {
this.m_height = value;
}
get textureHandle() {
return this.m_textureHandle;
}
set textureHandle(value) {
this.m_textureHandle = value;
}
get depthbufferHandle() {
return this.m_depthbufferHandle;
}
set depthbufferHandle(value) {
this.m_depthbufferHandle = value;
}
get framebufferHandle() {
return this.m_framebufferHandle;
}
set framebufferHandle(value) {
this.m_framebufferHandle = value;
}
get depthTextureHandle() {
return this.m_depthTextureHandle;
}
set depthTextureHandle(value) {
this.m_depthTextureHandle = value;
}
}
/** Utilities to create various textures. */
class TextureUtils {
/**
* Creates non-power-of-two (NPOT) texture.
*
* @param gl WebGL context.
* @param texWidth Texture width.
* @param texHeight Texture height.
* @param hasAlpha Set to `true` to create texture with alpha channel.
*/
static createNpotTexture(gl, texWidth, texHeight, hasAlpha = false) {
const textureID = gl.createTexture();
gl.bindTexture(gl.TEXTURE_2D, textureID);
gl.texParameterf(gl.TEXTURE_2D, gl.TEXTURE_MIN_FILTER, gl.NEAREST);
gl.texParameterf(gl.TEXTURE_2D, gl.TEXTURE_MAG_FILTER, gl.LINEAR);
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_S, gl.CLAMP_TO_EDGE);
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_T, gl.CLAMP_TO_EDGE);
let glFormat = null, glInternalFormat = null;
if (hasAlpha) {
glFormat = gl.RGBA;
glInternalFormat = gl.RGBA;
}
else {
glFormat = gl.RGB;
glInternalFormat = gl.RGB;
}
gl.texImage2D(gl.TEXTURE_2D, 0, glInternalFormat, texWidth, texHeight, 0, glFormat, gl.UNSIGNED_BYTE, null);
return textureID;
}
/**
* Creates depth texture.
*
* @param gl WebGL context.
* @param texWidth Texture width.
* @param texHeight Texture height.
*/
static createDepthTexture(gl, texWidth, texHeight) {
const textureID = gl.createTexture();
gl.bindTexture(gl.TEXTURE_2D, textureID);
gl.texParameterf(gl.TEXTURE_2D, gl.TEXTURE_MIN_FILTER, gl.NEAREST);
gl.texParameterf(gl.TEXTURE_2D, gl.TEXTURE_MAG_FILTER, gl.NEAREST);
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_S, gl.CLAMP_TO_EDGE);
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_T, gl.CLAMP_TO_EDGE);
const version = gl.getParameter(gl.VERSION) || "";
const glFormat = gl.DEPTH_COMPONENT;
const glInternalFormat = version.includes("WebGL 2")
? gl.DEPTH_COMPONENT16
: gl.DEPTH_COMPONENT;
const type = gl.UNSIGNED_SHORT;
// In WebGL, we cannot pass array to depth texture.
gl.texImage2D(gl.TEXTURE_2D, 0, glInternalFormat, texWidth, texHeight, 0, glFormat, type, null);
return textureID;
}
}
class DiffuseShader extends BaseShader {
/** @inheritdoc */
fillCode() {
this.vertexShaderCode = 'uniform mat4 view_proj_matrix;\n' +
'attribute vec4 rm_Vertex;\n' +
'attribute vec2 rm_TexCoord0;\n' +
'varying vec2 vTextureCoord;\n' +
'\n' +
'void main() {\n' +
' gl_Position = view_proj_matrix * rm_Vertex;\n' +
' vTextureCoord = rm_TexCoord0;\n' +
'}';
this.fragmentShaderCode = 'precision mediump float;\n' +
'varying vec2 vTextureCoord;\n' +
'uniform sampler2D sTexture;\n' +
'\n' +
'void main() {\n' +
' gl_FragColor = texture2D(sTexture, vTextureCoord);\n' +
'}';
}
/** @inheritdoc */
fillUniformsAttributes() {
this.view_proj_matrix = this.getUniform('view_proj_matrix');
this.rm_Vertex = this.getAttrib('rm_Vertex');
this.rm_TexCoord0 = this.getAttrib('rm_TexCoord0');
this.sTexture = this.getUniform('sTexture');
}
/** @inheritdoc */
drawModel(renderer, model, tx, ty, tz, rx, ry, rz, sx, sy, sz) {
if (this.rm_Vertex === undefined || this.rm_TexCoord0 === undefined || this.view_proj_matrix === undefined) {
return;
}
const gl = renderer.gl;
model.bindBuffers(gl);
gl.enableVertexAttribArray(this.rm_Vertex);
gl.enableVertexAttribArray(this.rm_TexCoord0);
gl.vertexAttribPointer(this.rm_Vertex, 3, gl.FLOAT, false, 4 * (3 + 2), 0);
gl.vertexAttribPointer(this.rm_TexCoord0, 2, gl.FLOAT, false, 4 * (3 + 2), 4 * 3);
renderer.calculateMVPMatrix(tx, ty, tz, rx, ry, rz, sx, sy, sz);
gl.uniformMatrix4fv(this.view_proj_matrix, false, renderer.getMVPMatrix());
gl.drawElements(gl.TRIANGLES, model.getNumIndices() * 3, gl.UNSIGNED_SHORT, 0);
renderer.checkGlError("DiffuseShader glDrawElements");
}
}
/**
* Common utilities
* @module glMatrix
*/
// Configuration Constants
var EPSILON$1 = 0.000001;
var ARRAY_TYPE$1 = typeof Float32Array !== 'undefined' ? Float32Array : Array;
var RANDOM = Math.random;
if (!Math.hypot) Math.hypot = function () {
var y = 0,
i = arguments.length;
while (i--) {
y += arguments[i] * arguments[i];
}
return Math.sqrt(y);
};
/**
* 4x4 Matrix<br>Format: column-major, when typed out it looks like row-major<br>The matrices are being post multiplied.
* @module mat4
*/
/**
* Creates a new identity mat4
*
* @returns {mat4} a new 4x4 matrix
*/
function create() {
var out = new ARRAY_TYPE$1(16);
if (ARRAY_TYPE$1 != Float32Array) {
out[1] = 0;
out[2] = 0;
out[3] = 0;
out[4] = 0;
out[6] = 0;
out[7] = 0;
out[8] = 0;
out[9] = 0;
out[11] = 0;
out[12] = 0;
out[13] = 0;
out[14] = 0;
}
out[0] = 1;
out[5] = 1;
out[10] = 1;
out[15] = 1;
return out;
}
/**
* Creates a new mat4 initialized with values from an existing matrix
*
* @param {ReadonlyMat4} a matrix to clone
* @returns {mat4} a new 4x4 matrix
*/
function clone(a) {
var out = new ARRAY_TYPE$1(16);
out[0] = a[0];
out[1] = a[1];
out[2] = a[2];
out[3] = a[3];
out[4] = a[4];
out[5] = a[5];
out[6] = a[6];
out[7] = a[7];
out[8] = a[8];
out[9] = a[9];
out[10] = a[10];
out[11] = a[11];
out[12] = a[12];
out[13] = a[13];
out[14] = a[14];
out[15] = a[15];
return out;
}
/**
* Set a mat4 to the identity matrix
*
* @param {mat4} out the receiving matrix
* @returns {mat4} out
*/
function identity(out) {
out[0] = 1;
out[1] = 0;
out[2] = 0;
out[3] = 0;
out[4] = 0;
out[5] = 1;
out[6] = 0;
out[7] = 0;
out[8] = 0;
out[9] = 0;
out[10] = 1;
out[11] = 0;
out[12] = 0;
out[13] = 0;
out[14] = 0;
out[15] = 1;
return out;
}
/**
* Inverts a mat4
*
* @param {mat4} out the receiving matrix
* @param {ReadonlyMat4} a the source matrix
* @returns {mat4} out
*/
function invert(out, a) {
var a00 = a[0],
a01 = a[1],
a02 = a[2],
a03 = a[3];
var a10 = a[4],
a11 = a[5],
a12 = a[6],
a13 = a[7];
var a20 = a[8],
a21 = a[9],
a22 = a[10],
a23 = a[11];
var a30 = a[12],
a31 = a[13],
a32 = a[14],
a33 = a[15];
var b00 = a00 * a11 - a01 * a10;
var b01 = a00 * a12 - a02 * a10;
var b02 = a00 * a13 - a03 * a10;
var b03 = a01 * a12 - a02 * a11;
var b04 = a01 * a13 - a03 * a11;
var b05 = a02 * a13 - a03 * a12;
var b06 = a20 * a31 - a21 * a30;
var b07 = a20 * a32 - a22 * a30;
var b08 = a20 * a33 - a23 * a30;
var b09 = a21 * a32 - a22 * a31;
var b10 = a21 * a33 - a23 * a31;
var b11 = a22 * a33 - a23 * a32; // Calculate the determinant
var det = b00 * b11 - b01 * b10 + b02 * b09 + b03 * b08 - b04 * b07 + b05 * b06;
if (!det) {
return null;
}
det = 1.0 / det;
out[0] = (a11 * b11 - a12 * b10 + a13 * b09) * det;
out[1] = (a02 * b10 - a01 * b11 - a03 * b09) * det;
out[2] = (a31 * b05 - a32 * b04 + a33 * b03) * det;
out[3] = (a22 * b04 - a21 * b05 - a23 * b03) * det;
out[4] = (a12 * b08 - a10 * b11 - a13 * b07) * det;
out[5] = (a00 * b11 - a02 * b08 + a03 * b07) * det;
out[6] = (a32 * b02 - a30 * b05 - a33 * b01) * det;
out[7] = (a20 * b05 - a22 * b02 + a23 * b01) * det;
out[8] = (a10 * b10 - a11 * b08 + a13 * b06) * det;
out[9] = (a01 * b08 - a00 * b10 - a03 * b06) * det;
out[10] = (a30 * b04 - a31 * b02 + a33 * b00) * det;
out[11] = (a21 * b02 - a20 * b04 - a23 * b00) * det;
out[12] = (a11 * b07 - a10 * b09 - a12 * b06) * det;
out[13] = (a00 * b09 - a01 * b07 + a02 * b06) * det;
out[14] = (a31 * b01 - a30 * b03 - a32 * b00) * det;
out[15] = (a20 * b03 - a21 * b01 + a22 * b00) * det;
return out;
}
/**
* Multiplies two mat4s
*
* @param {mat4} out the receiving matrix
* @param {ReadonlyMat4} a the first operand
* @param {ReadonlyMat4} b the second operand
* @returns {mat4} out
*/
function multiply(out, a, b) {
var a00 = a[0],
a01 = a[1],
a02 = a[2],
a03 = a[3];
var a10 = a[4],
a11 = a[5],
a12 = a[6],
a13 = a[7];
var a20 = a[8],
a21 = a[9],
a22 = a[10],
a23 = a[11];
var a30 = a[12],
a31 = a[13],
a32 = a[14],
a33 = a[15]; // Cache only the current line of the second matrix
var b0 = b[0],
b1 = b[1],
b2 = b[2],
b3 = b[3];
out[0] = b0 * a00 + b1 * a10 + b2 * a20 + b3 * a30;
out[1] = b0 * a01 + b1 * a11 + b2 * a21 + b3 * a31;
out[2] = b0 * a02 + b1 * a12 + b2 * a22 + b3 * a32;
out[3] = b0 * a03 + b1 * a13 + b2 * a23 + b3 * a33;
b0 = b[4];
b1 = b[5];
b2 = b[6];
b3 = b[7];
out[4] = b0 * a00 + b1 * a10 + b2 * a20 + b3 * a30;
out[5] = b0 * a01 + b1 * a11 + b2 * a21 + b3 * a31;
out[6] = b0 * a02 + b1 * a12 + b2 * a22 + b3 * a32;
out[7] = b0 * a03 + b1 * a13 + b2 * a23 + b3 * a33;
b0 = b[8];
b1 = b[9];
b2 = b[10];
b3 = b[11];
out[8] = b0 * a00 + b1 * a10 + b2 * a20 + b3 * a30;
out[9] = b0 * a01 + b1 * a11 + b2 * a21 + b3 * a31;
out[10] = b0 * a02 + b1 * a12 + b2 * a22 + b3 * a32;
out[11] = b0 * a03 + b1 * a13 + b2 * a23 + b3 * a33;
b0 = b[12];
b1 = b[13];
b2 = b[14];
b3 = b[15];
out[12] = b0 * a00 + b1 * a10 + b2 * a20 + b3 * a30;
out[13] = b0 * a01 + b1 * a11 + b2 * a21 + b3 * a31;
out[14] = b0 * a02 + b1 * a12 + b2 * a22 + b3 * a32;
out[15] = b0 * a03 + b1 * a13 + b2 * a23 + b3 * a33;
return out;
}
/**
* Translate a mat4 by the given vector
*
* @param {mat4} out the receiving matrix
* @param {ReadonlyMat4} a the matrix to translate
* @param {ReadonlyVec3} v vector to translate by
* @returns {mat4} out
*/
function translate(out, a, v) {
var x = v[0],
y = v[1],
z = v[2];
var a00, a01, a02, a03;
var a10, a11, a12, a13;
var a20, a21, a22, a23;
if (a === out) {
out[12] = a[0] * x + a[4] * y + a[8] * z + a[12];
out[13] = a[1] * x + a[5] * y + a[9] * z + a[13];
out[14] = a[2] * x + a[6] * y + a[10] * z + a[14];
out[15] = a[3] * x + a[7] * y + a[11] * z + a[15];
} else {
a00 = a[0];
a01 = a[1];
a02 = a[2];
a03 = a[3];
a10 = a[4];
a11 = a[5];
a12 = a[6];
a13 = a[7];
a20 = a[8];
a21 = a[9];
a22 = a[10];
a23 = a[11];
out[0] = a00;
out[1] = a01;
out[2] = a02;
out[3] = a03;
out[4] = a10;
out[5] = a11;
out[6] = a12;
out[7] = a13;
out[8] = a20;
out[9] = a21;
out[10] = a22;
out[11] = a23;
out[12] = a00 * x + a10 * y + a20 * z + a[12];
out[13] = a01 * x + a11 * y + a21 * z + a[13];
out[14] = a02 * x + a12 * y + a22 * z + a[14];
out[15] = a03 * x + a13 * y + a23 * z + a[15];
}
return out;
}
/**
* Scales the mat4 by the dimensions in the given vec3 not using vectorization
*
* @param {mat4} out the receiving matrix
* @param {ReadonlyMat4} a the matrix to scale
* @param {ReadonlyVec3} v the vec3 to scale the matrix by
* @returns {mat4} out
**/
function scale(out, a, v) {
var x = v[0],
y = v[1],
z = v[2];
out[0] = a[0] * x;
out[1] = a[1] * x;
out[2] = a[2] * x;
out[3] = a[3] * x;
out[4] = a[4] * y;
out[5] = a[5] * y;
out[6] = a[6] * y;
out[7] = a[7] * y;
out[8] = a[8] * z;
out[9] = a[9] * z;
out[10] = a[10] * z;
out[11] = a[11] * z;
out[12] = a[12];
out[13] = a[13];
out[14] = a[14];
out[15] = a[15];
return out;
}
/**
* Rotates a matrix by the given angle around the X axis
*
* @param {mat4} out the receiving matrix
* @param {ReadonlyMat4} a the matrix to rotate
* @param {Number} rad the angle to rotate the matrix by
* @returns {mat4} out
*/
function rotateX$1(out, a, rad) {
var s = Math.sin(rad);
var c = Math.cos(rad);
var a10 = a[4];
var a11 = a[5];
var a12 = a[6];
var a13 = a[7];
var a20 = a[8];
var a21 = a[9];
var a22 = a[10];
var a23 = a[11];
if (a !== out) {
// If the source and destination differ, copy the unchanged rows
out[0] = a[0];
out[1] = a[1];
out[2] = a[2];
out[3] = a[3];
out[12] = a[12];
out[13] = a[13];
out[14] = a[14];
out[15] = a[15];
} // Perform axis-specific matrix multiplication
out[4] = a10 * c + a20 * s;
out[5] = a11 * c + a21 * s;
out[6] = a12 * c + a22 * s;
out[7] = a13 * c + a23 * s;
out[8] = a20 * c - a10 * s;
out[9] = a21 * c - a11 * s;
out[10] = a22 * c - a12 * s;
out[11] = a23 * c - a13 * s;
return out;
}
/**
* Rotates a matrix by the given angle around the Y axis
*
* @param {mat4} out the receiving matrix
* @param {ReadonlyMat4} a the matrix to rotate
* @param {Number} rad the angle to rotate the matrix by
* @returns {mat4} out
*/
function rotateY$1(out, a, rad) {
var s = Math.sin(rad);
var c = Math.cos(rad);
var a00 = a[0];
var a01 = a[1];
var a02 = a[2];
var a03 = a[3];
var a20 = a[8];
var a21 = a[9];
var a22 = a[10];
var a23 = a[11];
if (a !== out) {
// If the source and destination differ, copy the unchanged rows
out[4] = a[4];
out[5] = a[5];
out[6] = a[6];
out[7] = a[7];
out[12] = a[12];
out[13] = a[13];
out[14] = a[14];
out[15] = a[15];
} // Perform axis-specific matrix multiplication
out[0] = a00 * c - a20 * s;
out[1] = a01 * c - a21 * s;
out[2] = a02 * c - a22 * s;
out[3] = a03 * c - a23 * s;
out[8] = a00 * s + a20 * c;
out[9] = a01 * s + a21 * c;
out[10] = a02 * s + a22 * c;
out[11] = a03 * s + a23 * c;
return out;
}
/**
* Rotates a matrix by the given angle around the Z axis
*
* @param {mat4} out the receiving matrix
* @param {ReadonlyMat4} a the matrix to rotate
* @param {Number} rad the angle to rotate the matrix by
* @returns {mat4} out
*/
function rotateZ$1(out, a, rad) {
var s = Math.sin(rad);
var c = Math.cos(rad);
var a00 = a[0];
var a01 = a[1];
var a02 = a[2];
var a03 = a[3];
var a10 = a[4];
var a11 = a[5];
var a12 = a[6];
var a13 = a[7];
if (a !== out) {
// If the source and destination differ, copy the unchanged last row
out[8] = a[8];
out[9] = a[9];
out[10] = a[10];
out[11] = a[11];
out[12] = a[12];
out[13] = a[13];
out[14] = a[14];
out[15] = a[15];
} // Perform axis-specific matrix multiplication
out[0] = a00 * c + a10 * s;
out[1] = a01 * c + a11 * s;
out[2] = a02 * c + a12 * s;
out[3] = a03 * c + a13 * s;
out[4] = a10 * c - a00 * s;
out[5] = a11 * c - a01 * s;
out[6] = a12 * c - a02 * s;
out[7] = a13 * c - a03 * s;
return out;
}
/**
* Returns the translation vector component of a transformation
* matrix. If a matrix is built with fromRotationTranslation,
* the returned vector will be the same as the translation vector
* originally supplied.
* @param {vec3} out Vector to receive translation component
* @param {ReadonlyMat4} mat Matrix to be decomposed (input)
* @return {vec3} out
*/
function getTranslation(out, mat) {
out[0] = mat[12];
out[1] = mat[13];
out[2] = mat[14];
return out;
}
/**
* Generates a orthogonal projection matrix with the given bounds.
* The near/far clip planes correspond to a normalized device coordinate Z range of [-1, 1],
* which matches WebGL/OpenGL's clip volume.
*
* @param {mat4} out mat4 frustum matrix will be written into
* @param {number} left Left bound of the frustum
* @param {number} right Right bound of the frustum
* @param {number} bottom Bottom bound of the frustum
* @param {number} top Top bound of the frustum
* @param {number} near Near bound of the frustum
* @param {number} far Far bound of the frustum
* @returns {mat4} out
*/
function orthoNO(out, left, right, bottom, top, near, far) {
var lr = 1 / (left - right);
var bt = 1 / (bottom - top);
var nf = 1 / (near - far);
out[0] = -2 * lr;
out[1] = 0;
out[2] = 0;
out[3] = 0;
out[4] = 0;
out[5] = -2 * bt;
out[6] = 0;
out[7] = 0;
out[8] = 0;
out[9] = 0;
out[10] = 2 * nf;
out[11] = 0;
out[12] = (left + right) * lr;
out[13] = (top + bottom) * bt;
out[14] = (far + near) * nf;
out[15] = 1;
return out;
}
/**
* Alias for {@link mat4.orthoNO}
* @function
*/
var ortho = orthoNO;
/**
* Generates a look-at matrix with the given eye position, focal point, and up axis.
* If you want a matrix that actually makes an object look at another object, you should use targetTo instead.
*
* @param {mat4} out mat4 frustum matrix will be written into
* @param {ReadonlyVec3} eye Position of the viewer
* @param {ReadonlyVec3} center Point the viewer is looking at
* @param {ReadonlyVec3} up vec3 pointing up
* @returns {mat4} out
*/
function lookAt(out, eye, center, up) {
var x0, x1, x2, y0, y1, y2, z0, z1, z2, len;
var eyex = eye[0];
var eyey = eye[1];
var eyez = eye[2];
var upx = up[0];
var upy = up[1];
var upz = up[2];
var centerx = center[0];
var centery = center[1];
var centerz = center[2];
if (Math.abs(eyex - centerx) < EPSILON$1 && Math.abs(eyey - centery) < EPSILON$1 && Math.abs(eyez - centerz) < EPSILON$1) {
return identity(out);
}
z0 = eyex - centerx;
z1 = eyey - centery;
z2 = eyez - centerz;
len = 1 / Math.hypot(z0, z1, z2);
z0 *= len;
z1 *= len;
z2 *= len;
x0 = upy * z2 - upz * z1;
x1 = upz * z0 - upx * z2;
x2 = upx * z1 - upy * z0;
len = Math.hypot(x0, x1, x2);
if (!len) {
x0 = 0;
x1 = 0;
x2 = 0;
} else {
len = 1 / len;
x0 *= len;
x1 *= len;
x2 *= len;
}
y0 = z1 * x2 - z2 * x1;
y1 = z2 * x0 - z0 * x2;
y2 = z0 * x1 - z1 * x0;
len = Math.hypot(y0, y1, y2);
if (!len) {
y0 = 0;
y1 = 0;
y2 = 0;
} else {
len = 1 / len;
y0 *= len;
y1 *= len;
y2 *= len;
}
out[0] = x0;
out[1] = y0;
out[2] = z0;
out[3] = 0;
out[4] = x1;
out[5] = y1;
out[6] = z1;
out[7] = 0;
out[8] = x2;
out[9] = y2;
out[10] = z2;
out[11] = 0;
out[12] = -(x0 * eyex + x1 * eyey + x2 * eyez);
out[13] = -(y0 * eyex + y1 * eyey + y2 * eyez);
out[14] = -(z0 * eyex + z1 * eyey + z2 * eyez);
out[15] = 1;
return out;
}
/**
* 3 Dimensional Vector
* @module vec3
*/
/**
* Creates a new, empty vec3
*
* @returns {vec3} a new 3D vector
*/
function create$1() {
var out = new ARRAY_TYPE$1(3);
if (ARRAY_TYPE$1 != Float32Array) {
out[0] = 0;
out[1] = 0;
out[2] = 0;
}
return out;
}
/**
* Adds two vec3's
*
* @param {vec3} out the receiving vector
* @param {ReadonlyVec3} a the first operand
* @param {ReadonlyVec3} b the second operand
* @returns {vec3} out
*/
function add(out, a, b) {
out[0] = a[0] + b[0];
out[1] = a[1] + b[1];
out[2] = a[2] + b[2];
return out;
}
/**
* Scales a vec3 by a scalar number
*
* @param {vec3} out the receiving vector
* @param {ReadonlyVec3} a the vector to scale
* @param {Number} b amount to scale the vector by
* @returns {vec3} out
*/
function scale$1(out, a, b) {
out[0] = a[0] * b;
out[1] = a[1] * b;
out[2] = a[2] * b;
return out;
}
/**
* Normalize a vec3
*
* @param {vec3} out the receiving vector
* @param {ReadonlyVec3} a vector to normalize
* @returns {vec3} out
*/
function normalize$3(out, a) {
var x = a[0];
var y = a[1];
var z = a[2];
var len = x * x + y * y + z * z;
if (len > 0) {
//TODO: evaluate use of glm_invsqrt here?
len = 1 / Math.sqrt(len);
}
out[0] = a[0] * len;
out[1] = a[1] * len;
out[2] = a[2] * len;
return out;
}
/**
* Generates a random vector with the given scale
*
* @param {vec3} out the receiving vector
* @param {Number} [scale] Length of the resulting vector. If ommitted, a unit vector will be returned
* @returns {vec3} out
*/
function random(out, scale) {
scale = scale || 1.0;
var r = RANDOM() * 2.0 * Math.PI;
var z = RANDOM() * 2.0 - 1.0;
var zScale = Math.sqrt(1.0 - z * z) * scale;
out[0] = Math.cos(r) * zScale;
out[1] = Math.sin(r) * zScale;
out[2] = z * scale;
return out;
}
/**
* Transforms the vec3 with a mat4.
* 4th vector component is implicitly '1'
*
* @param {vec3} out the receiving vector
* @param {ReadonlyVec3} a the vector to transform
* @param {ReadonlyMat4} m matrix to transform with
* @returns {vec3} out
*/
function transformMat4(out, a, m) {
var x = a[0],
y = a[1],
z = a[2];
var w = m[3] * x + m[7] * y + m[11] * z + m[15];
w = w || 1.0;
out[0] = (m[0] * x + m[4] * y + m[8] * z + m[12]) / w;
out[1] = (m[1] * x + m[5] * y + m[9] * z + m[13]) / w;
out[2] = (m[2] * x + m[6] * y + m[10] * z + m[14]) / w;
return out;
}
/**
* Perform some operation over an array of vec3s.
*
* @param {Array} a the array of vectors to iterate over
* @param {Number} stride Number of elements between the start of each vec3. If 0 assumes tightly packed
* @param {Number} offset Number of elements to skip at the beginning of the array
* @param {Number} count Number of vec3s to iterate over. If 0 iterates over entire array
* @param {Function} fn Function to call for each vector in the array
* @param {Object} [arg] additional argument to pass to fn
* @returns {Array} a
* @function
*/
var forEach$3 = function () {
var vec = create$1();
return function (a, stride, offset, count, fn, arg) {
var i, l;
if (!stride) {
stride = 3;
}
if (!offset) {
offset = 0;
}
if (count) {
l = Math.min(count * stride + offset, a.length);
} else {
l = a.length;
}
for (i = offset; i < l; i += stride) {
vec[0] = a[i];
vec[1] = a[i + 1];
vec[2] = a[i + 2];
fn(vec, vec, arg);
a[i] = vec[0];
a[i + 1] = vec[1];
a[i + 2] = vec[2];
}
return a;
};
}();
class DiffuseColoredShader extends DiffuseShader {
constructor() {
super(...arguments);
this._color = [1, 1, 0, 0];
}
// Attributes are numbers.
// rm_Vertex: number | undefined;
fillCode() {
super.fillCode();
this.fragmentShaderCode = `precision mediump float;
varying vec2 vTextureCoord;
uniform sampler2D sTexture;
uniform vec4 color;
void main() {
gl_FragColor = texture2D(sTexture, vTextureCoord) * color;
}`;
}
fillUniformsAttributes() {
super.fillUniformsAttributes();
this.color = this.getUniform("color");
}
setColor(r, g, b, a) {
this._color = [r, g, b, a];
}
drawModel(renderer, model, tx, ty, tz, rx, ry, rz, sx, sy, sz) {
if (this.rm_Vertex === undefined || this.view_proj_matrix === undefined || this.color === undefined) {
return;
}
const gl = renderer.gl;
gl.uniform4f(this.color, this._color[0], this._color[1], this._color[2], this._color[3]);
super.drawModel(renderer, model, tx, ty, tz, rx, ry, rz, sx, sy, sz);
}
}
class BendShader extends DiffuseShader {
constructor() {
super(...arguments);
this._color = [1, 1, 0, 0];
this._radius = 50.0;
this._length = 1.0;
}
// Attributes are numbers.
// rm_Vertex: number | undefined;
fillCode() {
//super.fillCode();
this.vertexShaderCode = `
uniform mat4 view_proj_matrix;
attribute vec4 rm_Vertex;
attribute vec2 rm_TexCoord0;
varying vec2 vTextureCoord;
uniform float R;
uniform float lengthToRadius;
void main() {
float theta = rm_Vertex.x * lengthToRadius;
gl_Position = view_proj_matrix * vec4(R * sin(theta), R * cos(theta), rm_Vertex.z, 1.0);
vTextureCoord = rm_TexCoord0;
}`;
this.fragmentShaderCode = `precision mediump float;
varying vec2 vTextureCoord;
uniform sampler2D sTexture;
uniform vec4 color;
void main() {
float alpha = texture2D(sTexture, vTextureCoord).r * color.a;
gl_FragColor = vec4(color.rgb * alpha, alpha);
//gl_FragColor = texture2D(sTexture, vTextureCoord) * color;
}`;
}
fillUniformsAttributes() {
super.fillUniformsAttributes();
this.color = this.getUniform("color");
this.radius = this.getUniform("R");
this.lengthToRadius = this.getUniform("lengthToRadius");
}
setColor(r, g, b, a) {
this._color = [r, g, b, a];
}
setRadius(r) {
this._radius = r;
}
setLength(l) {
this._length = l;
}
drawModel(renderer, model, tx, ty, tz, rx, ry, rz, sx, sy, sz) {
if (this.rm_Vertex === undefined || this.view_proj_matrix === undefined || this.color === undefined || this.radius == undefined || this.lengthToRadius == undefined) {
return;
}
const gl = renderer.gl;
gl.uniform4f(this.color, this._color[0], this._color[1], this._color[2], this._color[3]);
gl.uniform1f(this.radius, this._radius);
gl.uniform1f(this.lengthToRadius, this._length / this._radius);
super.drawModel(renderer, model, tx, ty, tz, rx, ry, rz, sx, sy, sz);
}
}
var CameraMode;
(function (CameraMode) {
CameraMode[CameraMode["Rotating"] = 0] = "Rotating";
CameraMode[CameraMode["Random"] = 1] = "Random";
})(CameraMode || (CameraMode = {}));
class CameraPositionInterpolator {
constructor() {
this._speed = 0;
this.duration = 0;
this._minDuration = 3000;
this._timer = 0;
this.lastTime = 0;
this._reverse = false;
this._cameraPosition = create$1();
this._cameraRotation = create$1();
this._matrix = create();
}
get cameraPosition() {
return this._cameraPosition;
}
get cameraRotation() {
return this._cameraRotation;
}
set reverse(value) {
this._reverse = value;
}
set minDuration(value) {
this._minDuration = value;
}
get matrix() {
return this._matrix;
}
get speed() {
return this._speed;
}
set speed(value) {
this._speed = value;
}
get position() {
return this._position;
}
set position(value) {
this._position = value;
this.duration = Math.max(this.getLength() / this.speed, this._minDuration);
}
get timer() {
return this._timer;
}
getLength() {
if (this.position === undefined) {
return 0;
}
const start = this.position.start.position;
const end = this.position.end.position;
return Math.sqrt((end[0] - start[0]) ** 2 + (end[1] - start[1]) ** 2 + (end[2] - start[2]) ** 2);
}
iterate(timeNow) {
if (this.lastTime != 0) {
const elapsed = timeNow - this.lastTime;
this._timer += elapsed / this.duration;
if (this._timer > 1.0) {
this._timer = 1.0;
}
}
this.lastTime = timeNow;
this.updateMatrix();
}
reset() {
this._timer = 0;
this.updateMatrix();
}
updateMatrix() {
if (this._position === undefined) {
return;
}
const start = this._reverse ? this._position.end : this._position.start;
const end = this._reverse ? this._position.start : this._position.end;
this._cameraPosition[0] = start.position[0] + this._timer * (end.position[0] - start.position[0]);
this._cameraPosition[1] = start.position[1] + this._timer * (end.position[1] - start.position[1]);
this._cameraPosition[2] = start.position[2] + this._timer * (end.position[2] - start.position[2]);
this._cameraRotation[0] = start.rotation[0] + this._timer * (end.rotation[0] - start.rotation[0]);
this._cameraRotation[1] = start.rotation[1] + this._timer * (end.rotation[1] - start.rotation[1]);
this._cameraRotation[2] = start.rotation[2] + this._timer * (end.rotation[2] - start.rotation[2]);
identity(this.matrix);
rotateX$1(this.matrix, this.matrix, this._cameraRotation[0] - Math.PI / 2.0);
rotateZ$1(this.matrix, this.matrix, this._cameraRotation[1]);
rotateY$1(this.matrix, this.matrix, this._cameraRotation[2]);
translate(this.matrix, this.matrix, [-this._cameraPosition[0], -this._cameraPosition[1], -this._cameraPosition[2]]);
}
}
class DiffuseAlphaShader extends DiffuseShader {
fillCode() {
super.fillCode();
this.fragmentShaderCode = `precision mediump float;
varying vec2 vTextureCoord;
uniform sampler2D sTexture;
uniform sampler2D sAlphaTexture;
void main() {
float alpha = texture2D(sAlphaTexture, vTextureCoord).r;
gl_FragColor = texture2D(sTexture, vTextureCoord);
gl_FragColor.rgb *= alpha;
gl_FragColor.a = alpha;
}`;
}
fillUniformsAttributes() {
super.fillUniformsAttributes();
this.sAlphaTexture = this.getUniform("sAlphaTexture");
}
}
class DiffuseAnimatedTextureShader extends DiffuseShader {
// Attributes are numbers.
// rm_Vertex: number | undefined;
fillCode() {
this.vertexShaderCode = "#version 300 es\n" +
"precision highp float;\n" +
"uniform sampler2D sPositions;\n" +
"uniform vec3 uTexelSizes; // x = vertex count; y = texel half width; z = sampler y coord (animation frame)\n" +
"uniform mat4 view_proj_matrix;\n" +
"in vec2 rm_TexCoord0;\n" +
"out vec2 vTextureCoord;\n" +
"\n" +
"void main() {\n" +
" float id = float(gl_VertexID);" +
" vec4 position = texture(sPositions, vec2(id / uTexelSizes.x + uTexelSizes.y, uTexelSizes.z));" +
" gl_Position = view_proj_matrix * position;\n" +
" vTextureCoord = rm_TexCoord0;\n" +
"}";
this.fragmentShaderCode = "#version 300 es\n" +
"precision mediump float;\n" +
"in vec2 vTextureCoord;\n" +
"uniform sampler2D sTexture;\n" +
"out vec4 fragColor;\n" +
"\n" +
"void main() {\n" +
" fragColor = texture(sTexture, vTextureCoord);\n" +
"}";
}
fillUniformsAttributes() {
// super.fillUniformsAttributes();
this.view_proj_matrix = this.getUniform('view_proj_matrix');
// this.rm_Vertex = this.getAttrib('rm_Vertex');
this.rm_TexCoord0 = this.getAttrib('rm_TexCoord0');
this.sTexture = this.getUniform('sTexture');
this.sPositions = this.getUniform("sPositions");
this.uTexelSizes = this.getUniform("uTexelSizes");
}
/** @inheritdoc */
drawModel(renderer, model, tx, ty, tz, rx, ry, rz, sx, sy, sz) {
if (this.rm_TexCoord0 === undefined || this.view_proj_matrix === undefined) {
return;
}
const gl = renderer.gl;
model.bindBuffers(gl);
// gl.enableVertexAttribArray(this.rm_Vertex);
gl.enableVertexAttribArray(this.rm_TexCoord0);
// gl.vertexAttribPointer(this.rm_Vertex, 3, gl.FLOAT, false, 4 * (3 + 2), 0);
gl.vertexAttribPointer(this.rm_TexCoord0, 2, gl.HALF_FLOAT, false, 4, 0);
renderer.calculateMVPMatrix(tx, ty, tz, rx, ry, rz, sx, sy, sz);
gl.uniformMatrix4fv(this.view_proj_matrix, false, renderer.getMVPMatrix());
gl.drawElements(gl.TRIANGLES, model.getNumIndices() * 3, gl.UNSIGNED_SHORT, 0);
renderer.checkGlError("DiffuseShader glDrawElements");
}
}
class DiffuseAnimatedTextureChunkedShader extends DiffuseAnimatedTextureShader {
// Attributes are numbers.
// rm_Vertex: number | undefined;
fillCode() {
super.fillCode();
this.vertexShaderCode = "#version 300 es\n" +
"precision highp float;\n" +
"uniform sampler2D sPositions;\n" +
"// x = texture width; y = texel half width; z = sampler y coord (animation frame); w = chunk size\n" +
"uniform vec4 uTexelSizes;\n" +
"uniform float uTexelHeight;\n" +
"uniform int uTextureWidthInt;\n" +
"uniform mat4 view_proj_matrix;\n" +
"in vec2 rm_TexCoord0;\n" +
"out vec2 vTextureCoord;\n" +
"\n" +
"float getCenter(float y) {\n" +
" return y - mod(y, uTexelHeight) + uTexelHeight * 0.5;\n" +
"}\n" +
"\n" +
"vec4 linearFilter(vec2 coords) {\n" +
" vec2 coords1 = vec2(coords.x, coords.y - uTexelHeight * 0.49);\n" +
" vec2 coords2 = vec2(coords.x, coords.y + uTexelHeight * 0.49);\n" +
" float center1 = getCenter(coords1.y);\n" +
" float center2 = getCenter(coords2.y);\n" +
" vec4 v1 = texture(sPositions, vec2(coords1.x, center1));\n" +
" vec4 v2 = texture(sPositions, vec2(coords2.x, center2));\n" +
" float d1 = abs(coords.y - center1);\n" +
" float d2 = abs(coords.y - center2);\n" +
" if (d1 > d2) {\n" +
" return mix( v1, v2, d1 / (uTexelHeight) );\n" +
" } else {\n" +
" return mix( v2, v1, d2 / (uTexelHeight) );\n" +
" }\n" +
"}\n" +
"\n" +
"void main() {\n" +
" float id = float(gl_VertexID % uTextureWidthInt);" +
" float chunk = float(gl_VertexID / uTextureWidthInt);" +
" vec2 coords = vec2(id / uTexelSizes.x + uTexelSizes.y, uTexelSizes.z);" +
" coords.y += chunk * uTexelSizes.w;" +
" vec4 position = linearFilter(coords);" +
" gl_Position = view_proj_matrix * position;\n" +
" vTextureCoord = rm_TexCoord0;\n" +
"}";
}
fillUniformsAttributes() {
super.fillUniformsAttributes();
this.uTextureWidthInt = this.getUniform("uTextureWidthInt");
this.uTexelHeight = this.getUniform("uTexelHeight");
}
}
class TextureAnimationChunked {
constructor(textureWidth, vertices, frames) {
this.m_frames = 0;
this.m_vertices = 0;
this.m_texelHalfWidth = 0;
this.m_texelHalfHeight = 0;
this.m_texelHeight = 0;
this.m_textureWidth = 0;
this.m_textureHeight = 0;
this.m_chunkSize = 0;
this.m_textureWidth = textureWidth;
this.m_vertices = vertices;
this.m_frames = frames;
this.m_textureHeight = Math.ceil(vertices / textureWidth) * (frames + 1);
this.m_texelHalfWidth = 1.0 / textureWidth * 0.5;
this.m_texelHalfHeight = 1.0 / this.m_textureHeight * 0.5;
this.m_texelHeight = 1.0 / this.m_textureHeight;
this.m_chunkSize = 1.0 / Math.ceil(vertices / textureWidth);
}
get chunkSize() {
return this.m_chunkSize;
}
get vertices() {
return this.m_vertices;
}
get frames() {
return this.m_frames;
}
get texelHalfWidth() {
return this.m_texelHalfWidth;
}
get texelHalfHeight() {
return this.m_texelHalfHeight;
}
get textureWidth() {
return this.m_textureWidth;
}
get textureHeight() {
return this.m_textureHeight;
}
animateStartEndStart(timer) {
const coeff = timer < 0.5
? timer * 2
: (1 - timer) * 2;
const y = this.m_texelHeight * coeff * (this.frames - 1) + this.m_texelHalfHeight;
return y;
}
animateStartToEnd(timer) {
return this.m_texelHeight * timer * (this.frames - 1) + this.m_texelHalfHeight;
}
}
class PointSpriteColoredShader extends BaseShader {
fillCode() {
this.vertexShaderCode = "uniform mat4 uMvp;\n" +
"uniform float uThickness;\n" +
"\n" +
"attribute vec4 aPosition;\n" +
"\n" +
"void main() {\n" +
// " vec4 position = uMvp * vec4(aPosition.xyz, 1.0);\n" +
" vec4 position = uMvp * aPosition;\n" +
// " vec3 ndc = position.xyz / position.w; // perspective divide.\n" +
// " float zDist = 1.0 - ndc.z; // 1 is close (right up in your face,)\n" +
// " gl_PointSize = uThickness * zDist;\n" +
" gl_PointSize = uThickness;\n" +
" gl_Position = position;\n" +
"}";
this.fragmentShaderCode = "precision mediump float;\n" +
"uniform sampler2D tex0;\n" +
"uniform vec4 color;\n" +
"\n" +
"void main() \n" +
"{\n" +
" gl_FragColor = texture2D(tex0, gl_PointCoord) * color;\n" +
"}";
}
fillUniformsAttributes() {
this.uMvp = this.getUniform("uMvp");
this.uThickness = this.getUniform("uThickness");
this.aPosition = this.getAttrib("aPosition");
this.tex0 = this.getUniform("tex0");
this.color = this.getUniform("color");
}
}
class AtAnimatedTextureChunkedShader extends DiffuseAnimatedTextureChunkedShader {
fillCode() {
super.fillCode();
this.fragmentShaderCode = "#version 300 es\n" +
"precision mediump float;\n" +
"in vec2 vTextureCoord;\n" +
"uniform sampler2D sTexture;\n" +
"out vec4 fragColor;\n" +
"\n" +
"void main() {\n" +
" vec4 color = texture(sTexture, vTextureCoord);\n" +
" fragColor = color;\n" +
" if (fragColor.a < 0.1) {\n" +
" discard;\n" +
" }\n" +
"}";
}
}
class LitAnimatedTextureChunkedShader extends DiffuseAnimatedTextureChunkedShader {
fillCode() {
this.vertexShaderCode = "#version 300 es\n" +
"precision highp float;\n" +
"uniform sampler2D sPositions;\n" +
"uniform sampler2D sNormals;\n" +
"// x = texture width; y = texel half width; z = sampler y coord (animation frame); w = chunk size\n" +
"uniform vec4 uTexelSizes;\n" +
"uniform float uTexelHeight;\n" +
"uniform int uTextureWidthInt;\n" +
"uniform vec4 uLightDir;\n" +
"uniform float uLightIntensity;\n" +
"uniform mat4 view_proj_matrix;\n" +
"in vec2 rm_TexCoord0;\n" +
"out vec2 vTextureCoord;\n" +
"out float vVertexLight;\n" +
"\n" +
"float getCenter(float y) {\n" +
" return y - mod(y, uTexelHeight) + uTexelHeight * 0.5;\n" +
"}\n" +
"\n" +
"vec4 linearFilter(vec2 coords, sampler2D sTexture) {\n" +
" vec2 coords1 = vec2(coords.x, coords.y - uTexelHeight * 0.49);\n" +
" vec2 coords2 = vec2(coords.x, coords.y + uTexelHeight * 0.49);\n" +
" float center1 = getCenter(coords1.y);\n" +
" float center2 = getCenter(coords2.y);\n" +
" vec4 v1 = texture(sTexture, vec2(coords1.x, center1));\n" +
" vec4 v2 = texture(sTexture, vec2(coords2.x, center2));\n" +
" float d1 = abs(coords.y - center1);\n" +
" float d2 = abs(coords.y - center2);\n" +
" if (d1 > d2) {\n" +
" return mix( v1, v2, d1 / (uTexelHeight) );\n" +
" } else {\n" +
" return mix( v2, v1, d2 / (uTexelHeight) );\n" +
" }\n" +
"}\n" +
"\n" +
"void main() {\n" +
" float id = float(gl_VertexID % uTextureWidthInt);" +
" float chunk = float(gl_VertexID / uTextureWidthInt);" +
" vec2 coords = vec2(id / uTexelSizes.x + uTexelSizes.y, uTexelSizes.z);" +
" coords.y += chunk * uTexelSizes.w;" +
" vec4 position = linearFilter(coords, sPositions);" +
" vec4 normal = linearFilter(coords, sNormals);" +
" gl_Position = view_proj_matrix * position;\n" +
" vTextureCoord = rm_TexCoord0;\n" +
// " vec4 lightDir = vec4(1.0, 0.0, 0.0, 0.0);\n" +
" float d = pow( max(0.0, dot(normal, uLightDir)), 5.0 );\n" +
// " float d = clamp(pow(dot(normal, lightDir), 13.0), 0.0, 1.0);\n" +
" vVertexLight = d * uLightIntensity;\n" +
// " vVertexLight = mix(vec4(0.0, 0.0, 0.0, 1.0), vec4(1.0, 1.0, 1.0, 1.0), d);\n" +
"}";
this.fragmentShaderCode = "#version 300 es\n" +
"precision mediump float;\n" +
"in vec2 vTextureCoord;\n" +
"in float vVertexLight;\n" +
"uniform sampler2D sTexture;\n" +
"uniform vec4 uLightColor;\n" +
"out vec4 fragColor;\n" +
"\n" +
"void main() {\n" +
" vec4 color = texture(sTexture, vTextureCoord);\n" +
// " fragColor = color;\n" +
// " fragColor *= 0.1; fragColor += vVertexLight;\n" +
" vec4 highlight = color + uLightColor;\n" +
" fragColor = mix(color, highlight, vVertexLight);\n" +
// " fragColor = color * vVertexLight;\n" +
"}";
}
fillUniformsAttributes() {
super.fillUniformsAttributes();
this.sNormals = this.getUniform("sNormals");
this.uLightDir = this.getUniform("uLightDir");
this.uLightColor = this.getUniform("uLightColor");
this.uLightIntensity = this.getUniform("uLightIntensity");
}
}
class SoftDiffuseColoredShader extends DiffuseShader {
fillCode() {
this.vertexShaderCode = "uniform mat4 view_proj_matrix;\n" +
"attribute vec4 rm_Vertex;\n" +
"attribute vec2 rm_TexCoord0;\n" +
"varying vec2 vTextureCoord;\n" +
"\n" +
"void main() {\n" +
" gl_Position = view_proj_matrix * rm_Vertex;\n" +
" vTextureCoord = rm_TexCoord0;\n" +
"}";
this.fragmentShaderCode = "precision highp float;\n" +
"uniform vec2 uCameraRange;\n" +
"uniform vec2 uInvViewportSize;\n" +
"uniform float uTransitionSize;\n" +
"float calc_depth(in float z)\n" +
"{\n" +
" return (2.0 * uCameraRange.x) / (uCameraRange.y + uCameraRange.x - z*(uCameraRange.y - uCameraRange.x));\n" +
"}\n" +
"uniform sampler2D sDepth;\n" +
"varying vec2 vTextureCoord;\n" +
"uniform sampler2D sTexture;\n" +
"uniform vec4 color;\n" +
"\n" +
"void main() {\n" +
" vec4 diffuse = texture2D(sTexture, vTextureCoord) * color;\n" + // particle base diffuse color
// " diffuse += vec4(0.0, 0.0, 1.0, 1.0);\n"+ // uncomment to visualize particle shape
" vec2 coords = gl_FragCoord.xy * uInvViewportSize;\n" + // calculate depth texture coordinates
" float geometryZ = calc_depth(texture2D(sDepth, coords).r);\n" + // lineriarize particle depth
" float sceneZ = calc_depth(gl_FragCoord.z);\n" + // lineriarize scene depth
" float a = clamp(geometryZ - sceneZ, 0.0, 1.0);\n" + // linear clamped diff between scene and particle depth
" float b = smoothstep(0.0, uTransitionSize, a);\n" + // apply smoothstep to make soft transition
" gl_FragColor = diffuse * b;\n" + // final color with soft edge
// " gl_FragColor *= pow(1.0 - gl_FragCoord.z, 0.3);\n" +
// " gl_FragColor = vec4(a, a, a, 1.0);\n" + // uncomment to visualize raw Z difference
// " gl_FragColor = vec4(b, b, b, 1.0);\n" + // uncomment to visualize blending coefficient
"}";
}
fillUniformsAttributes() {
this.view_proj_matrix = this.getUniform("view_proj_matrix");
this.rm_Vertex = this.getAttrib("rm_Vertex");
this.rm_TexCoord0 = this.getAttrib("rm_TexCoord0");
this.sTexture = this.getUniform("sTexture");
this.cameraRange = this.getUniform("uCameraRange");
this.sDepth = this.getUniform("sDepth");
this.invViewportSize = this.getUniform("uInvViewportSize");
this.transitionSize = this.getUniform("uTransitionSize");
this.color = this.getUniform("color");
}
}
class SoftDiffuseColoredAlphaShader extends SoftDiffuseColoredShader {
fillCode() {
super.fillCode();
this.fragmentShaderCode = "precision highp float;\n" +
"uniform vec2 uCameraRange;\n" +
"uniform vec2 uInvViewportSize;\n" +
"uniform float uTransitionSize;\n" +
"float calc_depth(in float z)\n" +
"{\n" +
" return (2.0 * uCameraRange.x) / (uCameraRange.y + uCameraRange.x - z*(uCameraRange.y - uCameraRange.x));\n" +
"}\n" +
"uniform sampler2D sDepth;\n" +
"varying vec2 vTextureCoord;\n" +
"uniform sampler2D sTexture;\n" +
"uniform vec4 color;\n" +
"\n" +
"void main() {\n" +
" vec4 mask = vec4(texture2D(sTexture, vTextureCoord).rrr, 1.0);\n" + // particle base diffuse color
" vec4 diffuse = mask * color;\n" + // particle base diffuse color
// " diffuse += vec4(0.0, 0.0, 1.0, 1.0);\n"+ // uncomment to visualize particle shape
" vec2 coords = gl_FragCoord.xy * uInvViewportSize;\n" + // calculate depth texture coordinates
" float geometryZ = calc_depth(texture2D(sDepth, coords).r);\n" + // lineriarize particle depth
" float sceneZ = calc_depth(gl_FragCoord.z);\n" + // lineriarize scene depth
" float a = clamp(geometryZ - sceneZ, 0.0, 1.0);\n" + // linear clamped diff between scene and particle depth
" float b = smoothstep(0.0, uTransitionSize, a);\n" + // apply smoothstep to make soft transition
" b = b * mask.r * color.w;\n" +
" gl_FragColor = vec4(diffuse.rgb * b, b);\n" + // final color is multiplied by alpha, with soft edge
"}";
}
fillUniformsAttributes() {
this.view_proj_matrix = this.getUniform("view_proj_matrix");
this.rm_Vertex = this.getAttrib("rm_Vertex");
this.rm_TexCoord0 = this.getAttrib("rm_TexCoord0");
this.sTexture = this.getUniform("sTexture");
this.cameraRange = this.getUniform("uCameraRange");
this.sDepth = this.getUniform("sDepth");
this.invViewportSize = this.getUniform("uInvViewportSize");
this.transitionSize = this.getUniform("uTransitionSize");
this.color = this.getUniform("color");
}
}
class DiffuseAnimatedTextureChunkedColoredShader extends DiffuseAnimatedTextureChunkedShader {
fillCode() {
super.fillCode();
this.fragmentShaderCode = "#version 300 es\n" +
"precision mediump float;\n" +
"in vec2 vTextureCoord;\n" +
"uniform sampler2D sTexture;\n" +
"uniform vec4 uColor;\n" +
"out vec4 fragColor;\n" +
"\n" +
"void main() {\n" +
" fragColor = uColor * texture(sTexture, vTextureCoord);\n" +
"}";
}
fillUniformsAttributes() {
super.fillUniformsAttributes();
this.uColor = this.getUniform("uColor");
}
}
class SkyShader extends DiffuseColoredShader {
// Attributes are numbers.
fillCode() {
super.fillCode();
this.vertexShaderCode = `uniform mat4 view_proj_matrix;
attribute vec4 rm_Vertex;
attribute vec2 rm_TexCoord0;
varying vec2 vTextureCoord;
varying vec2 vTextureCoordDisplacement;
uniform float uTime;
void main() {
gl_Position = view_proj_matrix * rm_Vertex;
vTextureCoord = rm_TexCoord0;
// vTextureCoordDisplacement = rm_TexCoord0 * 0.35 + vec2(uTime, uTime);
vTextureCoordDisplacement = rm_TexCoord0 + vec2(uTime, uTime);
}`;
this.fragmentShaderCode = `precision mediump float;
varying vec2 vTextureCoord;
varying vec2 vTextureCoordDisplacement;
uniform sampler2D sTexture;
uniform sampler2D sDisplacement;
uniform vec4 color;
uniform float uLightning;
uniform vec4 uLightningExponent;
void main() {
vec2 offset = texture2D(sDisplacement, vTextureCoordDisplacement).xz * 0.025;
vec2 texCoord = vTextureCoord + offset;
vec4 grayscale = vec4(texture2D(sTexture, texCoord).rrr, 1.0);
grayscale += pow(grayscale, uLightningExponent) * uLightning;
gl_FragColor = grayscale * color;
}`;
}
fillUniformsAttributes() {
super.fillUniformsAttributes();
this.sDisplacement = this.getUniform("sDisplacement");
this.uTime = this.getUniform("uTime");
this.uLightning = this.getUniform("uLightning");
this.uLightningExponent = this.getUniform("uLightningExponent");
}
drawModel(renderer, model, tx, ty, tz, rx, ry, rz, sx, sy, sz) {
if (this.rm_Vertex === undefined || this.view_proj_matrix === undefined || this.color === undefined) {
return;
}
const gl = renderer.gl;
gl.uniform4f(this.color, this._color[0], this._color[1], this._color[2], this._color[3]);
super.drawModel(renderer, model, tx, ty, tz, rx, ry, rz, sx, sy, sz);
}
}
class DiffuseOneChannelShader extends DiffuseShader {
fillCode() {
super.fillCode();
this.fragmentShaderCode = `precision mediump float;
varying vec2 vTextureCoord;
uniform sampler2D sTexture;
void main() {
float color = texture2D(sTexture, vTextureCoord).r;
gl_FragColor = vec4(color, color, color, 1.0);
}`;
}
}
class DepthAnimatedTextureChunkedShader extends BaseShader {
fillCode() {
this.vertexShaderCode = "#version 300 es\n" +
"precision highp float;\n" +
"uniform sampler2D sPositions;\n" +
"// x = texture width; y = texel half width; z = sampler y coord (animation frame); w = chunk size\n" +
"uniform vec4 uTexelSizes;\n" +
"uniform float uTexelHeight;\n" +
"uniform int uTextureWidthInt;\n" +
"uniform mat4 view_proj_matrix;\n" +
"\n" +
"float getCenter(float y) {\n" +
" return y - mod(y, uTexelHeight) + uTexelHeight * 0.5;\n" +
"}\n" +
"\n" +
"vec4 linearFilter(vec2 coords) {\n" +
" vec2 coords1 = vec2(coords.x, coords.y - uTexelHeight * 0.49);\n" +
" vec2 coords2 = vec2(coords.x, coords.y + uTexelHeight * 0.49);\n" +
" float center1 = getCenter(coords1.y);\n" +
" float center2 = getCenter(coords2.y);\n" +
" vec4 v1 = texture(sPositions, vec2(coords1.x, center1));\n" +
" vec4 v2 = texture(sPositions, vec2(coords2.x, center2));\n" +
" float d1 = abs(coords.y - center1);\n" +
" float d2 = abs(coords.y - center2);\n" +
" if (d1 > d2) {\n" +
" return mix( v1, v2, d1 / (uTexelHeight) );\n" +
" } else {\n" +
" return mix( v2, v1, d2 / (uTexelHeight) );\n" +
" }\n" +
"}\n" +
"\n" +
"void main() {\n" +
" float id = float(gl_VertexID % uTextureWidthInt);" +
" float chunk = float(gl_VertexID / uTextureWidthInt);" +
" vec2 coords = vec2(id / uTexelSizes.x + uTexelSizes.y, uTexelSizes.z);" +
" coords.y += chunk * uTexelSizes.w;" +
" vec4 position = linearFilter(coords);" +
" gl_Position = view_proj_matrix * position;\n" +
"}";
this.fragmentShaderCode = "#version 300 es\n" +
"precision mediump float;\n" +
"out vec4 fragColor;\n" +
"\n" +
"void main() {\n" +
" fragColor = vec4(0.0, 1.0, 0.0, 1.0);\n" +
"}";
}
fillUniformsAttributes() {
this.view_proj_matrix = this.getUniform('view_proj_matrix');
this.uTextureWidthInt = this.getUniform("uTextureWidthInt");
this.uTexelHeight = this.getUniform("uTexelHeight");
this.sPositions = this.getUniform("sPositions");
this.uTexelSizes = this.getUniform("uTexelSizes");
}
/** @inheritdoc */
drawModel(renderer, model, tx, ty, tz, rx, ry, rz, sx, sy, sz) {
if (this.view_proj_matrix === undefined) {
return;
}
const gl = renderer.gl;
model.bindBuffers(gl);
renderer.calculateMVPMatrix(tx, ty, tz, rx, ry, rz, sx, sy, sz);
gl.uniformMatrix4fv(this.view_proj_matrix, false, renderer.getMVPMatrix());
gl.drawElements(gl.TRIANGLES, model.getNumIndices() * 3, gl.UNSIGNED_SHORT, 0);
renderer.checkGlError("DiffuseShader glDrawElements");
}
}
const FOV_LANDSCAPE = 60.0; // FOV for landscape
const FOV_PORTRAIT = 80.0; // FOV for portrait
const YAW_COEFF_NORMAL = 200.0; // camera rotation time
const particlesCoordinates = [
[0, 0, 0],
[0, 1, 0],
[0, -1, 0],
[1, 0, 0],
[-1, 0, 0],
[0, 1.2, 0],
[0, -1.2, 0],
[1.2, 0, 0],
[-1.2, 0, 0],
[0, -6, 0],
[2, -5, 0],
[-2, -5, 0],
];
class Renderer extends BaseRenderer {
constructor() {
super();
this.lastTime = 0;
this.angleYaw = 0;
this.loaded = false;
this.fmSky = new FullModel();
this.fmStripe = new FullModel();
this.fmDust = new FullModel();
this.fmBody = new FullModel();
this.fmScythe = new FullModel();
this.fmCloth = new FullModel();
this.fmEyes = new FullModel();
this.fmSmoke = new FullModel();
this.Z_NEAR = 1.0;
this.Z_FAR = 110.0;
this.timerDustRotation = 0;
this.DUST_ROTATION_SPEED = 18003333;
this.timerDustFlickering = 0;
this.DUST_FLICKERING_SPEED = 2100;
this.timerCharacterAnimation = 0;
this.REAPER_ANIMATION_PERIOD = 5000;
this.timerSkyAnimation = 0;
this.SKY_ANIMATION_PERIOD = 90000;
this.timerSmokeMovement = 0;
this.SMOKE_MOVEMENT_PERIOD = 8000;
this.timerSmokeRotation = 0;
this.SMOKE_ROTATION_PERIOD = 903333;
this.timerSkyRotation = 0;
this.SKY_ROTATION_PERIOD = 350333;
this.timerGhostsRotation = 0;
this.GHOSTS_ROTATION_PERIOD = 4200;
this.timerGhostsRotation2 = 0;
this.GHOSTS_ROTATION_PERIOD2 = 4100;
this.timerEyes = 0;
this.EYES_PERIOD = 2500;
this.timerLightning = 0;
this.LIGHTNING_PERIOD = 3500;
this.SMOKE_SOFTNESS = 0.01;
this.SMOKE_SCALE = 0.09;
this.SMOKE_TRAVEL_Z = 16.0;
this.ANIMATION_TEXTURE_WIDTH = 1000;
this.REAPER_ANIMATION_TEXTURE_WIDTH = 512;
this.animationsBody = {
"idle1": new TextureAnimationChunked(this.REAPER_ANIMATION_TEXTURE_WIDTH, 2535, 51),
"idle2": new TextureAnimationChunked(this.REAPER_ANIMATION_TEXTURE_WIDTH, 2535, 51),
"fly": new TextureAnimationChunked(this.REAPER_ANIMATION_TEXTURE_WIDTH, 2535, 21),
"fly-fast": new TextureAnimationChunked(this.REAPER_ANIMATION_TEXTURE_WIDTH, 2535, 16)
};
this.animationsScythe = {
"idle1": new TextureAnimationChunked(608, 608, 51),
"idle2": new TextureAnimationChunked(608, 608, 51),
"fly": new TextureAnimationChunked(608, 608, 21),
"fly-fast": new TextureAnimationChunked(608, 608, 16)
};
this.animationsEyes = {
"idle1": new TextureAnimationChunked(36, 36, 51),
"idle2": new TextureAnimationChunked(36, 36, 51),
"fly": new TextureAnimationChunked(36, 36, 21),
"fly-fast": new TextureAnimationChunked(36, 36, 16)
};
this.animationsCloth = {
"idle1": new TextureAnimationChunked(664, 664, 51),
"idle2": new TextureAnimationChunked(664, 664, 51),
"fly": new TextureAnimationChunked(664, 664, 21),
"fly-fast": new TextureAnimationChunked(664, 664, 16)
};
this.currentAnimation = "idle1";
this.cameraMode = CameraMode.Random;
this.currentRandomCamera = 0;
this.matViewInverted = create();
this.matViewInvertedTransposed = create();
this.matTemp = create();
this.cameraPosition = create$1();
this.cameraRotation = create$1();
this.CAMERAS = [
{
start: {
position: new Float32Array([20.63134765625, 0.04024043679237366, -23.309953689575195]),
rotation: new Float32Array([-1.037999153137207, 4.560023307800293, 0])
},
end: {
position: new Float32Array([20.027006149291992, 5.342957019805908, 30.2779598236084]),
rotation: new Float32Array([0.6720000505447388, 4.404022216796875, 0])
},
speedMultiplier: 1.0
},
{
start: {
position: new Float32Array([-6.6900529861450195, 4.612008094787598, 50.24580383300781]),
rotation: new Float32Array([1.3187947273254395, 2.190007209777832, 0])
},
end: {
position: new Float32Array([-32.61750030517578, 24.84134292602539, 4.696905612945557]),
rotation: new Float32Array([-0.23520641028881073, 2.2440075874328613, 0])
},
speedMultiplier: 1.0
},
{
start: {
position: new Float32Array([32.16560745239258, -19.801870346069336, 10.339131355285645]),
rotation: new Float32Array([0.012000114656984806, -1, 0])
},
end: {
position: new Float32Array([-31.443674087524414, -25.470523834228516, 33.82668685913086]),
rotation: new Float32Array([0.5040005445480347, 0.9528526067733765, 0])
},
speedMultiplier: 1.0
},
{
start: {
position: new Float32Array([34.4621467590332, 25.997318267822266, 16.80156135559082]),
rotation: new Float32Array([0.17399989068508148, 4.0560197830200195, 0])
},
end: {
position: new Float32Array([-32.87525177001953, 22.77642250061035, 20.858415603637695]),
rotation: new Float32Array([0.21599987149238586, 2.2020068168640137, 0])
},
speedMultiplier: 1.0
},
{
start: {
position: new Float32Array([-13.161895751953125, 6.17222785949707, 27.73927879333496]),
rotation: new Float32Array([0.5700000524520874, 2.0220019817352295, 0])
},
end: {
position: new Float32Array([-17.9815673828125, 4.7135090827941895, -0.5088852643966675]),
rotation: new Float32Array([-0.5280001759529114, 1.8480011224746704, 0])
},
speedMultiplier: 1.0
},
{
start: {
position: new Float32Array([16.19297218322754, -4.055665493011475, 25.375]),
rotation: new Float32Array([0.5220006108283997, 4.746006488800049, 0])
},
end: {
position: new Float32Array([13.601936340332031, 14.41900634765625, 1.7308120727539062]),
rotation: new Float32Array([-0.47400006651878357, 3.803999900817871, 0])
},
speedMultiplier: 1.0
},
{
start: {
position: new Float32Array([-8.11626148223877, 6.703431129455566, 27.8272705078125]),
rotation: new Float32Array([0.5640001893043518, 2.082002878189087, 0])
},
end: {
position: new Float32Array([-15.641282081604004, 10.945764541625977, 9.242594718933105]),
rotation: new Float32Array([-0.2639997899532318, 2.0340025424957275, 0])
},
speedMultiplier: 1.0
},
{
start: {
position: new Float32Array([-6.933125972747803, 12.842277526855469, 17.02661895751953]),
rotation: new Float32Array([-0.04200000315904617, 2.8091883659362793, 0.3])
},
end: {
position: new Float32Array([6.7748637199401855, 14.75560474395752, 7.144927024841309]),
rotation: new Float32Array([-0.39600011706352234, 3.5771920680999756, 0])
},
speedMultiplier: 1.0
},
{
start: {
position: new Float32Array([-0.5569624304771423, 8.056137084960938, 13.825691223144531]),
rotation: new Float32Array([-0.6540009379386902, 2.7420051097869873, 0.1])
},
end: {
position: new Float32Array([-0.5569624304771423, 8.056137084960938, 13.825691223144531]),
rotation: new Float32Array([-0.07200095057487488, 3.1740081310272217, 0])
},
speedMultiplier: 1.0
},
{
start: {
position: new Float32Array([7.284486293792725, 12.943374633789062, 15.877676963806152]),
rotation: new Float32Array([0.04800054058432579, 3.660011053085327, 0])
},
end: {
position: new Float32Array([-6.318485736846924, 13.09317684173584, 10.776239395141602]),
rotation: new Float32Array([-0.16799943149089813, 2.6160080432891846, 0])
},
speedMultiplier: 1.0
},
{
start: {
position: new Float32Array([29.924358367919922, -20.450387954711914, 2.7626044750213623]),
rotation: new Float32Array([-0.19199976325035095, 5.320858955383301, 0])
},
end: {
position: new Float32Array([11.117116928100586, 20.80797004699707, 33.48508834838867]),
rotation: new Float32Array([0.708000123500824, 3.538848400115967, 0])
},
speedMultiplier: 1.0
},
{
start: {
position: new Float32Array([5.5241804122924805, 11.871227264404297, 12.655675888061523]),
rotation: new Float32Array([-0.26999998092651367, 3.264004707336426, 0])
},
end: {
position: new Float32Array([-7.568962574005127, 10.686423301696777, 15.796873092651367]),
rotation: new Float32Array([0.0599999763071537, 2.393998622894287, 0])
},
speedMultiplier: 1.0
},
{
start: {
position: new Float32Array([-2.939835786819458, 9.555854797363281, 12.755476951599121]),
rotation: new Float32Array([-0.35400035977363586, 2.7383251190185547, 0])
},
end: {
position: new Float32Array([-15.307744026184082, 38.544288635253906, 1.1079256534576416]),
rotation: new Float32Array([-0.35400035977363586, 2.7383251190185547, 0])
},
speedMultiplier: 1.0
},
{
start: {
position: new Float32Array([8.92319107055664, 17.87936019897461, 20.506385803222656]),
rotation: new Float32Array([0.2940000295639038, 3.4799962043762207, 0])
},
end: {
position: new Float32Array([22.2241268157959, -3.5090885162353516, 8.84290885925293]),
rotation: new Float32Array([-0.14999999105930328, 4.853999614715576, 0])
},
speedMultiplier: 1.0
},
{
start: {
position: new Float32Array([-12.525442123413086, 13.192499160766602, 23.48917007446289]),
rotation: new Float32Array([0.4800003468990326, 2.070006847381592, 0])
},
end: {
position: new Float32Array([-20.888025283813477, -13.184157371520996, 6.709957122802734]),
rotation: new Float32Array([-0.1259997934103012, 1.068004846572876, 0])
},
speedMultiplier: 1.0
},
{
start: {
position: new Float32Array([-1.4070744514465332, 10.23020076751709, 21.719236373901367]),
rotation: new Float32Array([0.7260005474090576, 3.0300018787384033, 0])
},
end: {
position: new Float32Array([-2.625640869140625, 21.179767608642578, -2.4872467517852783]),
rotation: new Float32Array([-0.5999994874000549, 3.0300018787384033, 0])
},
speedMultiplier: 1.0
},
{
start: {
position: new Float32Array([13.535038948059082, 7.506402015686035, 24.7524356842041]),
rotation: new Float32Array([0.40200015902519226, 3.7320029735565186, 0])
},
end: {
position: new Float32Array([-8.367344856262207, 15.256627082824707, 9.666288375854492]),
rotation: new Float32Array([-0.34200000762939453, 2.724001407623291, 0])
},
speedMultiplier: 1.0
},
];
this.CAMERA_SPEED = 0.01;
this.CAMERA_MIN_DURATION = 8000;
this.cameraPositionInterpolator = new CameraPositionInterpolator();
this.SCALE = 10;
this.dustSpriteSize = 0;
this.DUST_COLOR = { r: 10 / 256, g: 10 / 256, b: 10 / 256, a: 1 };
this.DUST_SPRITE_SIZE = 0.006;
this.DUST_SCALE = 0.16;
this.lightningDirection = create$1();
this.PRESETS = [
{
bodySuffix: "green",
clothSuffix: "green",
colorEyes: { r: 0.1, g: 0.8, b: 0.1, a: 1 },
colorSky: { r: 0.38, g: 0.60, b: 0.4, a: 1 },
colorSmoke: { r: 0.2, g: 0.5, b: 0.25, a: 0.35 }
},
{
bodySuffix: "red",
clothSuffix: "red",
colorEyes: { r: 0.6, g: 0.1, b: 0.1, a: 1 },
colorSky: { r: 0.65, g: 0.35, b: 0.32, a: 1 },
colorSmoke: { r: 0.17, g: 0.22, b: 0.25, a: 0.8 }
},
{
bodySuffix: "white",
clothSuffix: "blue",
colorEyes: { r: 0.13, g: 0.13, b: 0.9, a: 1 },
colorSky: { r: 0.51, g: 0.72, b: 0.9, a: 1 },
colorSmoke: { r: 0.8, g: 0.9, b: 0.99, a: 0.25 }
},
{
bodySuffix: "brown",
clothSuffix: "yellow",
colorEyes: { r: 0.7, g: 0.6, b: 0.4, a: 1 },
colorSky: { r: 0.95, g: 0.9, b: 0.53, a: 1 },
colorSmoke: { r: 0.6, g: 0.6, b: 0.2, a: 0.3 }
},
{
bodySuffix: "brown",
clothSuffix: "brown",
colorEyes: { r: 0.7, g: 0.6, b: 0.4, a: 1 },
colorSky: { r: 0.72, g: 0.7, b: 0.43, a: 1 },
colorSmoke: { r: 0.17, g: 0.22, b: 0.25, a: 0.8 }
}
];
this.PRESET = this.PRESETS[4];
this.useLightning = true;
this.cameraPositionInterpolator.speed = this.CAMERA_SPEED;
this.cameraPositionInterpolator.minDuration = this.CAMERA_MIN_DURATION;
this.randomizeCamera();
document.addEventListener("keypress", event => {
if (event.key === "1") {
this.CAMERAS[0].start = {
position: new Float32Array([this.cameraPosition[0], this.cameraPosition[1], this.cameraPosition[2]]),
rotation: new Float32Array([this.cameraRotation[0], this.cameraRotation[1], this.cameraRotation[2]]),
};
this.logCamera();
}
else if (event.key === "2") {
this.CAMERAS[0].end = {
position: new Float32Array([this.cameraPosition[0], this.cameraPosition[1], this.cameraPosition[2]]),
rotation: new Float32Array([this.cameraRotation[0], this.cameraRotation[1], this.cameraRotation[2]]),
};
this.logCamera();
}
});
this.randomizeLightning();
}
set lightning(value) {
this.useLightning = value;
}
logCamera() {
const camera = this.CAMERAS[0];
console.log(`
{
start: {
position: new Float32Array([${camera.start.position.toString()}]),
rotation: new Float32Array([${camera.start.rotation.toString()}])
},
end: {
position: new Float32Array([${camera.end.position.toString()}]),
rotation: new Float32Array([${camera.end.rotation.toString()}])
},
speedMultiplier: 1.0
},
`);
}
setCustomCamera(camera, position, rotation) {
this.customCamera = camera;
if (position !== undefined) {
this.cameraPosition = position;
}
if (rotation !== undefined) {
this.cameraRotation = rotation;
}
}
resetCustomCamera() {
this.customCamera = undefined;
}
onBeforeInit() {
}
onAfterInit() {
}
onInitError() {
var _a, _b;
(_a = document.getElementById("canvasGL")) === null || _a === void 0 ? void 0 : _a.classList.add("hidden");
(_b = document.getElementById("alertError")) === null || _b === void 0 ? void 0 : _b.classList.remove("hidden");
}
initShaders() {
this.shaderDiffuse = new DiffuseShader(this.gl);
this.shaderDiffuseAnimatedTexture = new DiffuseAnimatedTextureShader(this.gl);
this.shaderDiffuseAnimatedTextureChunked = new DiffuseAnimatedTextureChunkedShader(this.gl);
this.shaderDiffuseAnimatedTextureChunkedColored = new DiffuseAnimatedTextureChunkedColoredShader(this.gl);
this.shaderAtAnimatedTextureChunked = new AtAnimatedTextureChunkedShader(this.gl);
this.shaderLitAnimatedTextureChunked = new LitAnimatedTextureChunkedShader(this.gl);
this.shaderDiffuseAlpha = new DiffuseAlphaShader(this.gl);
this.shaderDiffuseColored = new DiffuseColoredShader(this.gl);
this.shaderDiffuseOneChannel = new DiffuseOneChannelShader(this.gl);
this.shaderBend = new BendShader(this.gl);
this.shaderPointSpriteColored = new PointSpriteColoredShader(this.gl);
this.shaderSoftDiffuseColored = new SoftDiffuseColoredShader(this.gl);
this.shaderSoftDiffuseColoredAlpha = new SoftDiffuseColoredAlphaShader(this.gl);
this.shaderSky = new SkyShader(this.gl);
this.shaderDepthAnimated = new DepthAnimatedTextureChunkedShader(this.gl);
}
async loadFloatingPointTexture(url, gl, width, height, minFilter = gl.LINEAR, magFilter = gl.LINEAR, clamp = false, type = "fp16") {
const texture = gl.createTexture();
if (texture === null) {
throw new Error("Error creating WebGL texture");
}
const response = await fetch(url);
const data = await response.arrayBuffer();
const dataView = type === "fp16"
? new Uint16Array(data)
: new Int8Array(data);
// const dataView = new Float32Array(data);
gl.bindTexture(gl.TEXTURE_2D, texture);
this.checkGlError("loadFloatingPointTexture 0");
gl.pixelStorei(gl.UNPACK_ALIGNMENT, 1);
gl.texImage2D(gl.TEXTURE_2D, 0, type === "fp16" ? gl.RGB16F : gl.RGB8_SNORM, width, height, 0, gl.RGB, type === "fp16" ? gl.HALF_FLOAT : gl.BYTE, dataView);
this.checkGlError("loadFloatingPointTexture 1");
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_MIN_FILTER, minFilter);
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_MAG_FILTER, magFilter);
if (clamp === true) {
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_S, gl.CLAMP_TO_EDGE);
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_T, gl.CLAMP_TO_EDGE);
}
else {
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_S, gl.REPEAT);
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_T, gl.REPEAT);
}
this.checkGlError("loadFloatingPointTexture 2");
gl.bindTexture(gl.TEXTURE_2D, null);
console.log(`Loaded texture ${url} [${width}x${height}]`);
return texture;
}
async loadData() {
var _a, _b;
const promiseModels = Promise.all([
this.fmSky.load("data/models/sky", this.gl),
this.fmStripe.load("data/models/stripe-optimized-1", this.gl),
this.fmDust.load("data/models/particles_20", this.gl),
this.fmBody.load("data/models/body", this.gl),
this.fmScythe.load("data/models/scythe", this.gl),
this.fmCloth.load("data/models/cloth", this.gl),
this.fmEyes.load("data/models/eyes", this.gl),
this.fmSmoke.load("data/models/smoke100", this.gl)
]);
const promiseTextures = Promise.all([
UncompressedTextureLoader.load("data/textures/sky.webp", this.gl, undefined, undefined, false),
UncompressedTextureLoader.load("data/textures/particle1.webp", this.gl, undefined, undefined, false),
UncompressedTextureLoader.load("data/textures/displacement.webp", this.gl, undefined, undefined, false),
UncompressedTextureLoader.load("data/textures/dust.webp", this.gl, this.gl.LINEAR, this.gl.LINEAR, false),
UncompressedTextureLoader.load(`data/textures/body-${this.PRESET.bodySuffix}.webp`, this.gl, this.gl.LINEAR, this.gl.LINEAR, false),
UncompressedTextureLoader.load(`data/textures/cloth-${this.PRESET.clothSuffix}.webp`, this.gl, this.gl.LINEAR, this.gl.LINEAR, false),
this.loadFloatingPointTexture(`data/textures/anims/${this.currentAnimation}/body-positions.rgb.fp16`, this.gl, this.animationsBody[this.currentAnimation].textureWidth, this.animationsBody[this.currentAnimation].textureHeight, this.gl.NEAREST, this.gl.NEAREST, true),
this.loadFloatingPointTexture(`data/textures/anims/${this.currentAnimation}/body-normals.rgb.s8`, this.gl, this.animationsBody[this.currentAnimation].textureWidth, this.animationsBody[this.currentAnimation].textureHeight, this.gl.NEAREST, this.gl.NEAREST, true, "snorm8"),
this.loadFloatingPointTexture(`data/textures/anims/${this.currentAnimation}/scythe-positions.rgb.fp16`, this.gl, this.animationsScythe[this.currentAnimation].textureWidth, this.animationsScythe[this.currentAnimation].textureHeight, this.gl.NEAREST, this.gl.NEAREST, true),
this.loadFloatingPointTexture(`data/textures/anims/${this.currentAnimation}/scythe-normals.rgb.s8`, this.gl, this.animationsScythe[this.currentAnimation].textureWidth, this.animationsScythe[this.currentAnimation].textureHeight, this.gl.NEAREST, this.gl.NEAREST, true, "snorm8"),
this.loadFloatingPointTexture(`data/textures/anims/${this.currentAnimation}/cloth-positions.rgb.fp16`, this.gl, this.animationsCloth[this.currentAnimation].textureWidth, this.animationsCloth[this.currentAnimation].textureHeight, this.gl.NEAREST, this.gl.NEAREST, true),
this.loadFloatingPointTexture(`data/textures/anims/${this.currentAnimation}/eyes.rgb.fp16`, this.gl, this.animationsEyes[this.currentAnimation].textureWidth, this.animationsEyes[this.currentAnimation].textureHeight, this.gl.NEAREST, this.gl.NEAREST, true),
UncompressedTextureLoader.load("data/textures/eye_alpha.webp", this.gl),
UncompressedTextureLoader.load("data/textures/smoke.webp", this.gl),
UncompressedTextureLoader.load("data/textures/vignette.webp", this.gl)
]);
const [models, textures] = await Promise.all([promiseModels, promiseTextures]);
[
this.textureSky,
this.textureParticle,
this.textureDisplacement,
this.textureDust,
this.textureBody,
this.textureCloth,
this.textureBodyAnim,
this.textureBodyNormalsAnim,
this.textureScytheAnim,
this.textureScytheNormalsAnim,
this.textureClothAnim,
this.textureEyesAnim,
this.textureEyes,
this.textureSmoke,
this.textureVignette
] = textures;
this.gl.bindTexture(this.gl.TEXTURE_2D, this.textureBody);
this.gl.texParameteri(this.gl.TEXTURE_2D, this.gl.TEXTURE_MAG_FILTER, this.gl.LINEAR);
this.gl.texParameteri(this.gl.TEXTURE_2D, this.gl.TEXTURE_MIN_FILTER, this.gl.LINEAR_MIPMAP_LINEAR);
this.gl.generateMipmap(this.gl.TEXTURE_2D);
this.gl.bindTexture(this.gl.TEXTURE_2D, this.textureCloth);
this.gl.texParameteri(this.gl.TEXTURE_2D, this.gl.TEXTURE_MAG_FILTER, this.gl.LINEAR);
this.gl.texParameteri(this.gl.TEXTURE_2D, this.gl.TEXTURE_MIN_FILTER, this.gl.LINEAR_MIPMAP_LINEAR);
this.gl.generateMipmap(this.gl.TEXTURE_2D);
this.initOffscreen();
this.initVignette();
this.loaded = true;
console.log("Loaded all assets");
(_a = document.getElementById("message")) === null || _a === void 0 ? void 0 : _a.classList.add("hidden");
(_b = document.getElementById("canvasGL")) === null || _b === void 0 ? void 0 : _b.classList.remove("transparent");
setTimeout(() => { var _a; return (_a = document.querySelector(".promo")) === null || _a === void 0 ? void 0 : _a.classList.remove("transparent"); }, 1800);
setTimeout(() => { var _a; return (_a = document.querySelector("#toggleFullscreen")) === null || _a === void 0 ? void 0 : _a.classList.remove("transparent"); }, 1800);
}
initOffscreen() {
if (this.canvas === undefined) {
return;
}
this.textureOffscreenColor = TextureUtils.createNpotTexture(this.gl, this.canvas.width, this.canvas.height, false);
this.textureOffscreenDepth = TextureUtils.createDepthTexture(this.gl, this.canvas.width, this.canvas.height);
this.fboOffscreen = new FrameBuffer(this.gl);
this.fboOffscreen.textureHandle = this.textureOffscreenColor;
this.fboOffscreen.depthTextureHandle = this.textureOffscreenDepth;
this.fboOffscreen.width = this.canvas.width;
this.fboOffscreen.height = this.canvas.height;
this.fboOffscreen.createGLData(this.canvas.width, this.canvas.height);
this.checkGlError("offscreen FBO");
console.log("Initialized offscreen FBO.");
}
checkGlError(operation) {
// In production code, override this to do nothing for better performance
}
initVignette() {
ortho(this.matOrtho, -1, 1, -1, 1, 2.0, 250);
this.mQuadTriangles = new Float32Array([
// X, Y, Z, U, V
-1.0, -1.0, -5.0, 0.0, 0.0,
1.0, -1.0, -5.0, 1.0, 0.0,
-1.0, 1.0, -5.0, 0.0, 1.0,
1.0, 1.0, -5.0, 1.0, 1.0,
]);
this.mTriangleVerticesVignette = this.gl.createBuffer();
this.gl.bindBuffer(this.gl.ARRAY_BUFFER, this.mTriangleVerticesVignette);
this.gl.bufferData(this.gl.ARRAY_BUFFER, this.mQuadTriangles, this.gl.STATIC_DRAW);
}
async changeScene() {
if (this.currentAnimation === "idle1") {
this.currentAnimation = "idle2";
}
else if (this.currentAnimation === "idle2") {
this.currentAnimation = "fly";
}
else if (this.currentAnimation === "fly") {
this.currentAnimation = "fly-fast";
}
else if (this.currentAnimation === "fly-fast") {
this.currentAnimation = "idle1";
}
[
this.textureBodyAnim,
this.textureBodyNormalsAnim,
this.textureScytheAnim,
this.textureScytheNormalsAnim,
this.textureClothAnim,
this.textureEyesAnim,
] = await Promise.all([
this.loadFloatingPointTexture(`data/textures/anims/${this.currentAnimation}/body-positions.rgb.fp16`, this.gl, this.animationsBody[this.currentAnimation].textureWidth, this.animationsBody[this.currentAnimation].textureHeight, this.gl.NEAREST, this.gl.NEAREST, true, "fp16"),
this.loadFloatingPointTexture(`data/textures/anims/${this.currentAnimation}/body-normals.rgb.s8`, this.gl, this.animationsBody[this.currentAnimation].textureWidth, this.animationsBody[this.currentAnimation].textureHeight, this.gl.NEAREST, this.gl.NEAREST, true, "snorm8"),
this.loadFloatingPointTexture(`data/textures/anims/${this.currentAnimation}/scythe-positions.rgb.fp16`, this.gl, this.animationsScythe[this.currentAnimation].textureWidth, this.animationsScythe[this.currentAnimation].textureHeight, this.gl.NEAREST, this.gl.NEAREST, true, "fp16"),
this.loadFloatingPointTexture(`data/textures/anims/${this.currentAnimation}/scythe-normals.rgb.s8`, this.gl, this.animationsScythe[this.currentAnimation].textureWidth, this.animationsScythe[this.currentAnimation].textureHeight, this.gl.NEAREST, this.gl.NEAREST, true, "snorm8"),
this.loadFloatingPointTexture(`data/textures/anims/${this.currentAnimation}/cloth-positions.rgb.fp16`, this.gl, this.animationsCloth[this.currentAnimation].textureWidth, this.animationsCloth[this.currentAnimation].textureHeight, this.gl.NEAREST, this.gl.NEAREST, true),
this.loadFloatingPointTexture(`data/textures/anims/${this.currentAnimation}/eyes.rgb.fp16`, this.gl, this.animationsEyes[this.currentAnimation].textureWidth, this.animationsEyes[this.currentAnimation].textureHeight, this.gl.NEAREST, this.gl.NEAREST, true)
]);
}
animate() {
const timeNow = new Date().getTime();
if (this.lastTime != 0) {
const elapsed = timeNow - this.lastTime;
this.angleYaw += elapsed / YAW_COEFF_NORMAL;
this.angleYaw %= 360.0;
this.timerDustRotation = (timeNow % this.DUST_ROTATION_SPEED) / this.DUST_ROTATION_SPEED;
this.timerDustFlickering = (timeNow % this.DUST_FLICKERING_SPEED) / this.DUST_FLICKERING_SPEED;
const prevLightning = this.timerLightning;
this.timerCharacterAnimation = (timeNow % this.REAPER_ANIMATION_PERIOD) / this.REAPER_ANIMATION_PERIOD;
this.timerSkyAnimation = (timeNow % this.SKY_ANIMATION_PERIOD) / this.SKY_ANIMATION_PERIOD;
this.timerSmokeMovement = (timeNow % this.SMOKE_MOVEMENT_PERIOD) / this.SMOKE_MOVEMENT_PERIOD;
this.timerSmokeRotation = (timeNow % this.SMOKE_ROTATION_PERIOD) / this.SMOKE_ROTATION_PERIOD;
this.timerSkyRotation = (timeNow % this.SKY_ROTATION_PERIOD) / this.SKY_ROTATION_PERIOD;
this.timerGhostsRotation = (timeNow % this.GHOSTS_ROTATION_PERIOD) / this.GHOSTS_ROTATION_PERIOD;
this.timerGhostsRotation2 = (timeNow % this.GHOSTS_ROTATION_PERIOD2) / this.GHOSTS_ROTATION_PERIOD2;
this.timerEyes = (timeNow % this.EYES_PERIOD) / this.EYES_PERIOD;
if (this.useLightning) {
this.timerLightning = (timeNow % this.LIGHTNING_PERIOD) / this.LIGHTNING_PERIOD;
}
this.cameraPositionInterpolator.iterate(timeNow);
if (this.cameraPositionInterpolator.timer === 1.0) {
this.randomizeCamera();
}
if (this.timerLightning < prevLightning) {
this.randomizeLightning();
}
}
this.lastTime = timeNow;
}
/** Calculates projection matrix */
setCameraFOV(multiplier) {
var ratio;
if (this.gl.canvas.height > 0) {
ratio = this.gl.canvas.width / this.gl.canvas.height;
}
else {
ratio = 1.0;
}
let fov = 0;
if (this.gl.canvas.width >= this.gl.canvas.height) {
fov = FOV_LANDSCAPE * multiplier;
}
else {
fov = FOV_PORTRAIT * multiplier;
}
this.setFOV(this.mProjMatrix, fov, ratio, this.Z_NEAR, this.Z_FAR);
this.dustSpriteSize = Math.min(this.gl.canvas.height, this.gl.canvas.width) * this.DUST_SPRITE_SIZE;
}
/**
* Calculates camera matrix.
*
* @param a Position in [0...1] range
*/
positionCamera(a) {
if (this.customCamera !== undefined) {
this.mVMatrix = this.customCamera;
return;
}
if (this.cameraMode === CameraMode.Random) {
this.mVMatrix = this.cameraPositionInterpolator.matrix;
this.cameraPosition[0] = this.cameraPositionInterpolator.cameraPosition[0];
this.cameraPosition[1] = this.cameraPositionInterpolator.cameraPosition[1];
this.cameraPosition[2] = this.cameraPositionInterpolator.cameraPosition[2];
}
else {
const a = this.angleYaw / 360 * Math.PI * 2;
const sina = Math.sin(a);
const cosa = Math.cos(a);
const cosa2 = Math.cos(a * 2);
this.cameraPosition[0] = sina * 23;
this.cameraPosition[1] = cosa * 23;
this.cameraPosition[2] = 12 + cosa2 * 6;
lookAt(this.mVMatrix, this.cameraPosition, // eye
[0, 0, 12], // center
[0, 0, 1] // up vector
);
}
}
/** Issues actual draw calls */
drawScene() {
if (!this.loaded) {
return;
}
this.positionCamera(0.0);
this.setCameraFOV(1.0);
this.gl.clearColor(0.0, 0.0, 0.0, 1.0);
this.gl.colorMask(false, false, false, false);
this.gl.bindFramebuffer(this.gl.FRAMEBUFFER, this.fboOffscreen.framebufferHandle);
this.gl.viewport(0, 0, this.fboOffscreen.width, this.fboOffscreen.height);
this.gl.depthMask(true);
this.gl.enable(this.gl.DEPTH_TEST);
this.gl.clear(this.gl.COLOR_BUFFER_BIT | this.gl.DEPTH_BUFFER_BIT);
this.drawDepthObjects();
this.gl.clearColor(0.5, 0.5, 0.5, 1.0);
this.gl.enable(this.gl.DEPTH_TEST);
this.gl.enable(this.gl.CULL_FACE);
this.gl.cullFace(this.gl.BACK);
this.gl.colorMask(true, true, true, true);
this.gl.bindFramebuffer(this.gl.FRAMEBUFFER, null); // This differs from OpenGL ES
this.gl.viewport(0, 0, this.gl.canvas.width, this.gl.canvas.height);
this.gl.clear(this.gl.COLOR_BUFFER_BIT | this.gl.DEPTH_BUFFER_BIT);
this.drawSceneObjects();
// this.drawTestDepth();
}
drawTestDepth() {
this.gl.enable(this.gl.CULL_FACE);
this.gl.cullFace(this.gl.BACK);
this.gl.disable(this.gl.BLEND);
this.shaderDiffuse.use();
this.setTexture2D(0, this.textureOffscreenDepth, this.shaderDiffuse.sTexture);
this.drawVignette(this.shaderDiffuse);
}
drawSceneVignette() {
this.shaderDiffuseOneChannel.use();
this.setTexture2D(0, this.textureVignette, this.shaderDiffuseOneChannel.sTexture);
this.drawVignette(this.shaderDiffuseOneChannel);
}
drawVignette(shader) {
this.unbindBuffers();
this.gl.bindBuffer(this.gl.ARRAY_BUFFER, this.mTriangleVerticesVignette);
this.gl.enableVertexAttribArray(shader.rm_Vertex);
this.gl.vertexAttribPointer(shader.rm_Vertex, 3, this.gl.FLOAT, false, 20, 0);
this.gl.enableVertexAttribArray(shader.rm_TexCoord0);
this.gl.vertexAttribPointer(shader.rm_TexCoord0, 2, this.gl.FLOAT, false, 20, 4 * 3);
this.gl.uniformMatrix4fv(shader.view_proj_matrix, false, this.getOrthoMatrix());
this.gl.drawArrays(this.gl.TRIANGLE_STRIP, 0, 4);
}
drawDepthObjects() {
var _a;
if (this.shaderDepthAnimated === undefined
|| this.shaderDiffuseAnimatedTexture === undefined
|| this.shaderDiffuseAnimatedTextureChunked === undefined
|| this.shaderAtAnimatedTextureChunked === undefined
|| this.shaderLitAnimatedTextureChunked === undefined
|| this.shaderDiffuseColored === undefined
|| this.shaderBend == undefined) {
console.log("undefined shaders");
return;
}
this.gl.enable(this.gl.CULL_FACE);
this.gl.cullFace(this.gl.BACK);
(_a = this.shaderDepthAnimated) === null || _a === void 0 ? void 0 : _a.use();
this.drawAnimated(this.shaderDepthAnimated, this.timerCharacterAnimation, this.animationsBody[this.currentAnimation], this.fmBody, this.textureBodyAnim, this.REAPER_ANIMATION_TEXTURE_WIDTH, "animateStartToEnd");
this.drawAnimated(this.shaderDepthAnimated, this.timerCharacterAnimation, this.animationsScythe[this.currentAnimation], this.fmScythe, this.textureScytheAnim, 608, "animateStartToEnd");
this.gl.disable(this.gl.CULL_FACE);
this.shaderAtAnimatedTextureChunked.use();
this.setTexture2D(1, this.textureCloth, this.shaderAtAnimatedTextureChunked.sTexture);
this.drawAnimated(this.shaderAtAnimatedTextureChunked, this.timerCharacterAnimation, this.animationsCloth[this.currentAnimation], this.fmCloth, this.textureClothAnim, 664, "animateStartToEnd");
this.gl.enable(this.gl.CULL_FACE);
}
drawSceneObjects() {
if (this.shaderDiffuse === undefined
|| this.shaderDiffuseAlpha === undefined
|| this.shaderDiffuseAnimatedTexture === undefined
|| this.shaderDiffuseAnimatedTextureChunked === undefined
|| this.shaderDiffuseAnimatedTextureChunkedColored === undefined
|| this.shaderAtAnimatedTextureChunked === undefined
|| this.shaderLitAnimatedTextureChunked === undefined
|| this.shaderDiffuseColored === undefined
|| this.shaderSoftDiffuseColored === undefined
|| this.shaderSky === undefined
|| this.shaderBend == undefined) {
console.log("undefined shaders");
return;
}
this.gl.cullFace(this.gl.BACK);
this.gl.disable(this.gl.BLEND);
const light = this.getLightningIntensity();
this.gl.disable(this.gl.CULL_FACE);
this.shaderAtAnimatedTextureChunked.use();
this.setTexture2D(1, this.textureCloth, this.shaderAtAnimatedTextureChunked.sTexture);
this.drawAnimated(this.shaderAtAnimatedTextureChunked, this.timerCharacterAnimation, this.animationsCloth[this.currentAnimation], this.fmCloth, this.textureClothAnim, 664, "animateStartToEnd");
this.gl.enable(this.gl.CULL_FACE);
this.shaderLitAnimatedTextureChunked.use();
if (light > 0) {
this.gl.uniform4f(this.shaderLitAnimatedTextureChunked.uLightDir, this.lightningDirection[0], this.lightningDirection[1], this.lightningDirection[2], 0.0);
this.gl.uniform4f(this.shaderLitAnimatedTextureChunked.uLightColor, 1.0, 1.0, 1.0, 0.0);
this.gl.uniform1f(this.shaderLitAnimatedTextureChunked.uLightIntensity, light);
}
else {
this.gl.uniform4f(this.shaderLitAnimatedTextureChunked.uLightDir, 0, 0, -1, 0);
this.gl.uniform4f(this.shaderLitAnimatedTextureChunked.uLightColor, -1.0, -1.0, -1.0, 0.0);
this.gl.uniform1f(this.shaderLitAnimatedTextureChunked.uLightIntensity, 0.7);
}
this.setTexture2D(1, this.textureBody, this.shaderLitAnimatedTextureChunked.sTexture);
this.setTexture2D(2, this.textureBodyNormalsAnim, this.shaderLitAnimatedTextureChunked.sNormals);
this.drawAnimated(this.shaderLitAnimatedTextureChunked, this.timerCharacterAnimation, this.animationsBody[this.currentAnimation], this.fmBody, this.textureBodyAnim, this.REAPER_ANIMATION_TEXTURE_WIDTH, "animateStartToEnd");
this.setTexture2D(2, this.textureScytheNormalsAnim, this.shaderLitAnimatedTextureChunked.sNormals);
this.drawAnimated(this.shaderLitAnimatedTextureChunked, this.timerCharacterAnimation, this.animationsScythe[this.currentAnimation], this.fmScythe, this.textureScytheAnim, 608, "animateStartToEnd");
this.gl.depthMask(false);
this.shaderDiffuseAnimatedTextureChunkedColored.use();
const eyesOpacity = this.getEyesOpacity();
this.gl.uniform4f(this.shaderDiffuseAnimatedTextureChunkedColored.uColor, this.PRESET.colorEyes.r * eyesOpacity, this.PRESET.colorEyes.g * eyesOpacity, this.PRESET.colorEyes.b * eyesOpacity, this.PRESET.colorEyes.a * eyesOpacity);
this.gl.disable(this.gl.CULL_FACE);
this.gl.enable(this.gl.BLEND);
this.gl.blendFunc(this.gl.ONE, this.gl.ONE);
this.setTexture2D(1, this.textureEyes, this.shaderDiffuseAnimatedTextureChunkedColored.sTexture);
this.drawAnimated(this.shaderDiffuseAnimatedTextureChunkedColored, this.timerCharacterAnimation, this.animationsEyes[this.currentAnimation], this.fmEyes, this.textureEyesAnim, 36, "animateStartToEnd");
this.gl.disable(this.gl.BLEND);
this.gl.depthMask(true);
this.gl.enable(this.gl.CULL_FACE);
// Sky is a distant object drawn one of the last, it doesn't add useful depth information.
// Reduce memory bandwidth by disabling writing to z-buffer.
this.gl.depthMask(false);
this.shaderSky.use();
this.setTexture2D(0, this.textureSky, this.shaderSky.sTexture);
this.setTexture2D(1, this.textureDisplacement, this.shaderSky.sDisplacement);
this.shaderSky.setColor(1, 1, 1, 1);
this.shaderSky.setColor(0.7, 0.6, 0.4, 1); // sepia
this.shaderSky.setColor(0.51, 0.72, 0.9, 1); // blue
this.shaderSky.setColor(0.65, 0.35, 0.32, 1); // red
this.shaderSky.setColor(0.38, 0.60, 0.4, 1); // green
this.shaderSky.setColor(0.72, 0.7, 0.43, 1); // yellow
this.shaderSky.setColor(this.PRESET.colorSky.r, this.PRESET.colorSky.g, this.PRESET.colorSky.b, this.PRESET.colorSky.a);
this.gl.uniform1f(this.shaderSky.uTime, this.timerSkyAnimation);
this.gl.uniform1f(this.shaderSky.uLightning, light * 5);
this.gl.uniform4f(this.shaderSky.uLightningExponent, 3.3, 3.3, 3.3, 3.3);
this.shaderSky.drawModel(this, this.fmSky, this.cameraPosition[0], this.cameraPosition[1], this.cameraPosition[2], 0, 0, this.timerSkyRotation * Math.PI * 2, 1, 1, 1);
this.gl.enable(this.gl.BLEND);
this.gl.blendFunc(this.gl.ONE, this.gl.ONE_MINUS_SRC_ALPHA);
this.drawParticles();
this.drawGhosts();
this.gl.blendFunc(this.gl.ONE, this.gl.ONE);
this.drawDust(light);
this.gl.blendFunc(this.gl.DST_COLOR, this.gl.SRC_COLOR);
this.drawSceneVignette();
this.gl.disable(this.gl.BLEND);
this.gl.depthMask(true);
}
drawParticles() {
if (this.shaderSoftDiffuseColored === undefined || this.shaderSoftDiffuseColoredAlpha === undefined) {
console.log("undefined shaders");
return;
}
this.shaderSoftDiffuseColoredAlpha.use();
this.initDepthReadShader(this.shaderSoftDiffuseColoredAlpha);
this.setTexture2D(0, this.textureSmoke, this.shaderSoftDiffuseColoredAlpha.sTexture);
for (let i = 0; i < particlesCoordinates.length; i++) {
const coordinates = particlesCoordinates[i];
const timer = (this.timerSmokeMovement + i * 13.37) % 1.0;
const rotation = i * 35 + this.timerSmokeRotation * (i % 2 === 0 ? 360 : -360); // TODO check units
let x = coordinates[0];
let y = coordinates[1];
let z = coordinates[2] + timer * this.SMOKE_TRAVEL_Z;
const scale = timer * this.SMOKE_SCALE;
const opacity = this.smootherstep(0, 0.4, timer) * (1 - this.smootherstep(0.7, 1.0, timer));
z += 4;
this.gl.uniform4f(this.shaderSoftDiffuseColoredAlpha.color, this.PRESET.colorSmoke.r, this.PRESET.colorSmoke.g, this.PRESET.colorSmoke.b, this.PRESET.colorSmoke.a * opacity);
this.drawDiffuseVBOFacingCamera(this.shaderSoftDiffuseColoredAlpha, this.fmSmoke, x, y, z, scale, 1, 1, rotation);
}
for (let i = 0; i < particlesCoordinates.length / 2; i++) {
const coordinates = particlesCoordinates[i];
const timer = (this.timerSmokeMovement + i * 13.37) % 1.0;
const rotation = i * 35 + this.timerSmokeRotation * (i % 2 === 0 ? 360 : -360); // TODO check units
let x = coordinates[0];
let y = coordinates[1];
let z = coordinates[2] + timer * this.SMOKE_TRAVEL_Z * -0.65;
const scale = timer * this.SMOKE_SCALE * 1.4;
const opacity = 0.6 * this.smootherstep(0, 0.4, timer) * (1 - this.smootherstep(0.7, 1.0, timer));
z += 15;
this.gl.uniform4f(this.shaderSoftDiffuseColoredAlpha.color, this.PRESET.colorSmoke.r, this.PRESET.colorSmoke.g, this.PRESET.colorSmoke.b, this.PRESET.colorSmoke.a * opacity);
this.drawDiffuseVBOFacingCamera(this.shaderSoftDiffuseColoredAlpha, this.fmSmoke, x, y, z, scale, 1, 1, rotation);
}
}
drawGhosts() {
if (this.shaderBend === undefined) {
return;
}
this.gl.disable(this.gl.CULL_FACE);
this.gl.depthMask(false);
this.gl.enable(this.gl.BLEND);
this.gl.blendFunc(this.gl.ONE, this.gl.ONE_MINUS_SRC_ALPHA);
this.shaderBend.use();
this.shaderBend.setColor(0, 0, 0, 1);
this.setTexture2D(0, this.textureParticle, this.shaderBend.sTexture);
this.shaderBend.setColor(0.05, 0.05, 0.05, 0.35);
this.shaderBend.setRadius(9 + 3 * (1 + Math.sin((this.timerGhostsRotation2) * Math.PI * 2)));
this.shaderBend.setLength(0.3);
this.shaderBend.drawModel(this, this.fmStripe, 0, 0, 12 + 0.4 * Math.sin(this.timerGhostsRotation * Math.PI * 4), 0.2, 0.3, (1.5 - this.timerGhostsRotation) * Math.PI * 2, 1.0, 1.0, 0.18 + 0.06 * (Math.sin((this.timerGhostsRotation2) * Math.PI * 2)));
this.shaderBend.setRadius(9.5 + 3 * (1 + Math.sin((this.timerGhostsRotation2 + 0.3) * Math.PI * 2)));
this.shaderBend.drawModel(this, this.fmStripe, 0, 0, 10 - 0.4 * Math.sin((this.timerGhostsRotation + 0.3) * Math.PI * 4), -0.1, 0.3, (0.73 - this.timerGhostsRotation) * Math.PI * 2, 1.0, 1.0, 0.2 + 0.06 * (Math.sin((this.timerGhostsRotation2) * Math.PI * 2)));
this.shaderBend.setRadius(10 - 3 * (1 + Math.sin((this.timerGhostsRotation2 + 0.55) * Math.PI * 2)));
this.shaderBend.setLength(-0.3);
this.shaderBend.drawModel(this, this.fmStripe, 0, 0, 15 + 0.3 * Math.sin((this.timerGhostsRotation + 0.6) * Math.PI * 4), -0.2, -0.3, (this.timerGhostsRotation) * Math.PI * 2, 1.0, 1.0, 0.2 + 0.06 * (Math.sin((this.timerGhostsRotation2) * Math.PI * 2)));
this.shaderBend.setRadius(8 + 3 * (1 + Math.sin((this.timerGhostsRotation2 + 0.83) * Math.PI * 2)));
this.shaderBend.drawModel(this, this.fmStripe, 0, 0, 7 - 0.3 * Math.sin((this.timerGhostsRotation + 0.8) * Math.PI * 4), 0.1, -0.3, (1.3 + this.timerGhostsRotation) * Math.PI * 2, 1.0, 1.0, 0.15 + 0.06 * (Math.sin((this.timerGhostsRotation2) * Math.PI * 2)));
this.gl.enable(this.gl.CULL_FACE);
}
drawDust(lightIntensity) {
if (this.shaderPointSpriteColored === undefined) {
return;
}
const a = this.timerDustRotation * 360;
const b = -this.timerDustRotation * 360 * 2;
const flickering1 = 0.5 + Math.sin(this.timerDustFlickering * Math.PI * 2) / 2;
const flickering2 = 0.5 + Math.sin((this.timerDustFlickering + 0.3) * Math.PI * 2) / 2;
const flickering3 = 0.5 + Math.sin((this.timerDustFlickering + 0.5) * Math.PI * 2) / 2;
const flickering4 = 0.5 + Math.sin((this.timerDustFlickering + 0.6) * Math.PI * 2) / 2;
this.shaderPointSpriteColored.use();
this.setTexture2D(0, this.textureDust, this.shaderPointSpriteColored.tex0);
this.gl.uniform1f(this.shaderPointSpriteColored.uThickness, this.dustSpriteSize);
const colorR = this.DUST_COLOR.r * lightIntensity;
const colorG = this.DUST_COLOR.g * lightIntensity;
const colorB = this.DUST_COLOR.b * lightIntensity;
this.gl.uniform4f(this.shaderPointSpriteColored.color, this.DUST_COLOR.r * flickering1 + colorR, this.DUST_COLOR.g * flickering1 + colorG, this.DUST_COLOR.b * flickering1 + colorB, this.DUST_COLOR.a);
this.drawPointSpritesVBOTranslatedRotatedScaled(this.shaderPointSpriteColored, this.fmDust, 0, 2, 11, a, b, a, this.DUST_SCALE, this.DUST_SCALE, this.DUST_SCALE);
this.gl.uniform4f(this.shaderPointSpriteColored.color, this.DUST_COLOR.r * flickering2 + colorR, this.DUST_COLOR.g * flickering2 + colorG, this.DUST_COLOR.b * flickering2 + colorB, this.DUST_COLOR.a);
this.drawPointSpritesVBOTranslatedRotatedScaled(this.shaderPointSpriteColored, this.fmDust, 1, -2, 12, b, -a, b, this.DUST_SCALE, this.DUST_SCALE, this.DUST_SCALE);
this.gl.uniform4f(this.shaderPointSpriteColored.color, this.DUST_COLOR.r * flickering3 + colorR, this.DUST_COLOR.g * flickering3 + colorG, this.DUST_COLOR.b * flickering3 + colorB, this.DUST_COLOR.a);
this.drawPointSpritesVBOTranslatedRotatedScaled(this.shaderPointSpriteColored, this.fmDust, 3, -1, 13, -b, -a, -b, this.DUST_SCALE, this.DUST_SCALE, this.DUST_SCALE);
this.gl.uniform4f(this.shaderPointSpriteColored.color, this.DUST_COLOR.r * flickering4 + colorR, this.DUST_COLOR.g * flickering4 + colorG, this.DUST_COLOR.b * flickering4 + colorB, this.DUST_COLOR.a);
this.drawPointSpritesVBOTranslatedRotatedScaled(this.shaderPointSpriteColored, this.fmDust, 2, -2, 14, -a, -a, b, this.DUST_SCALE, this.DUST_SCALE, this.DUST_SCALE);
}
drawAnimated(shader, timer, animation, model, textureAnimation, animationTextureWidth = this.ANIMATION_TEXTURE_WIDTH, animationType = "animateStartEndStart") {
this.gl.uniform1i(shader.uTextureWidthInt, animationTextureWidth);
this.setTexture2D(0, textureAnimation, shader.sPositions);
this.gl.uniform4f(shader.uTexelSizes, animation.textureWidth, animation.texelHalfWidth, animation[animationType](timer), animation.chunkSize);
this.gl.uniform1f(shader.uTexelHeight, 1.0 / animation.textureHeight);
shader.drawModel(this, model, 0, 0, 0, 0, 0, 0, this.SCALE, this.SCALE, this.SCALE);
}
clamp(i, low, high) {
return Math.max(Math.min(i, high), low);
}
randomizeCamera() {
this.currentRandomCamera = (this.currentRandomCamera + 1 + Math.trunc(Math.random() * (this.CAMERAS.length - 2))) % this.CAMERAS.length;
this.cameraPositionInterpolator.speed = this.CAMERA_SPEED * this.CAMERAS[this.currentRandomCamera].speedMultiplier;
this.cameraPositionInterpolator.position = this.CAMERAS[this.currentRandomCamera];
this.cameraPositionInterpolator.reset();
}
randomizeLightning() {
random(this.lightningDirection, 1);
}
drawPointSpritesVBOTranslatedRotatedScaled(shader, model, tx, ty, tz, rx, ry, rz, sx, sy, sz) {
model.bindBuffers(this.gl);
this.gl.enableVertexAttribArray(shader.aPosition);
this.gl.vertexAttribPointer(shader.aPosition, 3, this.gl.FLOAT, false, 4 * (3 + 2), 0);
this.calculateMVPMatrix(tx, ty, tz, rx, ry, rz, sx, sy, sz);
this.gl.uniformMatrix4fv(shader.uMvp, false, this.mMVPMatrix);
this.gl.drawElements(this.gl.POINTS, model.getNumIndices() * 3, this.gl.UNSIGNED_SHORT, 0);
}
drawDiffuseVBOFacingCamera(shader, model, tx, ty, tz, sx, sy, sz, rotation) {
model.bindBuffers(this.gl);
this.gl.enableVertexAttribArray(shader.rm_Vertex);
this.gl.enableVertexAttribArray(shader.rm_TexCoord0);
this.gl.vertexAttribPointer(shader.rm_Vertex, 3, this.gl.FLOAT, false, 4 * (3 + 2), 0);
this.gl.vertexAttribPointer(shader.rm_TexCoord0, 2, this.gl.FLOAT, false, 4 * (3 + 2), 4 * 3);
this.calculateMVPMatrixForSprite(tx, ty, tz, sx, sy, sz, rotation);
this.gl.uniformMatrix4fv(shader.view_proj_matrix, false, this.mMVPMatrix);
this.gl.drawElements(this.gl.TRIANGLES, model.getNumIndices() * 3, this.gl.UNSIGNED_SHORT, 0);
this.checkGlError("glDrawElements");
}
calculateMVPMatrixForSprite(tx, ty, tz, sx, sy, sz, rotation) {
identity(this.mMMatrix);
translate(this.mMMatrix, this.mMMatrix, [tx, ty, tz]);
scale(this.mMMatrix, this.mMMatrix, [sx, sy, sz]);
multiply(this.mMVPMatrix, this.mVMatrix, this.mMMatrix);
this.resetMatrixRotations(this.mMVPMatrix);
rotateZ$1(this.mMVPMatrix, this.mMVPMatrix, rotation);
multiply(this.mMVPMatrix, this.mProjMatrix, this.mMVPMatrix);
}
resetMatrixRotations(matrix) {
const d = Math.sqrt(matrix[0] * matrix[0] + matrix[1] * matrix[1] + matrix[2] * matrix[2]);
matrix[0] = d;
matrix[4] = 0;
matrix[8] = 0;
matrix[1] = 0;
matrix[5] = d;
matrix[9] = 0;
matrix[2] = 0;
matrix[6] = 0;
matrix[10] = d;
matrix[3] = 0;
matrix[7] = 0;
matrix[11] = 0;
matrix[15] = 1;
}
initDepthReadShader(shader) {
this.gl.uniform2f(shader.cameraRange, this.Z_NEAR, this.Z_FAR); // near and far clipping planes
this.gl.uniform2f(shader.invViewportSize, 1.0 / this.gl.canvas.width, 1.0 / this.gl.canvas.height); // inverted screen size
this.gl.uniform1f(shader.transitionSize, this.SMOKE_SOFTNESS);
this.setTexture2D(2, this.textureOffscreenDepth, shader.sDepth);
}
smootherstep(edge0, edge1, x) {
x = this.clamp((x - edge0) / (edge1 - edge0), 0.0, 1.0);
return x * x * x * (x * (x * 6 - 15) + 10);
}
getEyesOpacity() {
const x = this.timerEyes * Math.PI * 2;
return 0.125 + (Math.sin(x) + 1) * 0.5;
}
getLightningIntensity() {
const x = this.timerLightning * Math.PI * 2;
const wave = Math.sin(x * 0.2) - Math.cos(x * 2.34) + Math.sin(x * 15.13) + Math.cos(x * 23.55) - 2.0;
return wave > 0 ? wave : 0;
}
}
/**
* A Flying Camera allows free motion around the scene using FPS style controls (WASD + mouselook)
* This type of camera is good for displaying large scenes
*/
class FpsCamera {
constructor(options) {
var _a, _b;
this._dirty = true;
this._angles = create$1();
this._position = create$1();
this.speed = 100;
this.rotationSpeed = 0.025;
this._cameraMat = create();
this._viewMat = create();
this.projectionMat = create();
this.pressedKeys = new Array();
this.canvas = options.canvas;
this.speed = (_a = options.movementSpeed) !== null && _a !== void 0 ? _a : 100;
this.rotationSpeed = (_b = options.rotationSpeed) !== null && _b !== void 0 ? _b : 0.025;
// Set up the appropriate event hooks
let moving = false;
let lastX, lastY;
window.addEventListener("keydown", event => this.pressedKeys[event.keyCode] = true);
window.addEventListener("keyup", event => this.pressedKeys[event.keyCode] = false);
this.canvas.addEventListener('contextmenu', event => event.preventDefault());
this.canvas.addEventListener('mousedown', event => {
if (event.which === 3) {
moving = true;
}
lastX = event.pageX;
lastY = event.pageY;
});
this.canvas.addEventListener('mousemove', event => {
if (moving) {
let xDelta = event.pageX - lastX;
let yDelta = event.pageY - lastY;
lastX = event.pageX;
lastY = event.pageY;
this.angles[1] += xDelta * this.rotationSpeed;
if (this.angles[1] < 0) {
this.angles[1] += Math.PI * 2;
}
if (this.angles[1] >= Math.PI * 2) {
this.angles[1] -= Math.PI * 2;
}
this.angles[0] += yDelta * this.rotationSpeed;
if (this.angles[0] < -Math.PI * 0.5) {
this.angles[0] = -Math.PI * 0.5;
}
if (this.angles[0] > Math.PI * 0.5) {
this.angles[0] = Math.PI * 0.5;
}
this._dirty = true;
}
});
this.canvas.addEventListener('mouseup', event => moving = false);
}
get angles() {
return this._angles;
}
set angles(value) {
this._angles = value;
this._dirty = true;
}
get position() {
return this._position;
}
set position(value) {
this._position = value;
this._dirty = true;
}
get viewMat() {
if (this._dirty) {
var mv = this._viewMat;
identity(mv);
rotateX$1(mv, mv, this.angles[0] - Math.PI / 2.0);
rotateZ$1(mv, mv, this.angles[1]);
rotateY$1(mv, mv, this.angles[2]);
translate(mv, mv, [-this.position[0], -this.position[1], -this.position[2]]);
this._dirty = false;
}
return this._viewMat;
}
update(frameTime) {
const dir = create$1();
let speed = (this.speed / 1000) * frameTime;
if (this.pressedKeys[16]) { // Shift, speed up
speed *= 5;
}
// This is our first person movement code. It's not really pretty, but it works
if (this.pressedKeys['W'.charCodeAt(0)]) {
dir[1] += speed;
}
if (this.pressedKeys['S'.charCodeAt(0)]) {
dir[1] -= speed;
}
if (this.pressedKeys['A'.charCodeAt(0)]) {
dir[0] -= speed;
}
if (this.pressedKeys['D'.charCodeAt(0)]) {
dir[0] += speed;
}
if (this.pressedKeys[32]) { // Space, moves up
dir[2] += speed;
}
if (this.pressedKeys['C'.charCodeAt(0)]) { // C, moves down
dir[2] -= speed;
}
if (dir[0] !== 0 || dir[1] !== 0 || dir[2] !== 0) {
let cam = this._cameraMat;
identity(cam);
rotateX$1(cam, cam, this.angles[0]);
rotateZ$1(cam, cam, this.angles[1]);
invert(cam, cam);
transformMat4(dir, dir, cam);
// Move the camera in the direction we are facing
add(this.position, this.position, dir);
this._dirty = true;
}
}
}
var MovementMode;
(function (MovementMode) {
MovementMode[MovementMode["Free"] = 0] = "Free";
MovementMode[MovementMode["Predefined"] = 1] = "Predefined";
})(MovementMode || (MovementMode = {}));
class FreeMovement {
constructor(renderer, options) {
this.renderer = renderer;
this.options = options;
this.matCamera = create();
this.matInvCamera = new Float32Array(16);
this.vec3Eye = new Float32Array(3);
this.vec3Rotation = new Float32Array(3);
this.mode = MovementMode.Predefined;
this.setupControls();
}
setupControls() {
document.addEventListener("keypress", (event) => {
var _a;
if (event.code === "Enter") {
if (this.mode === MovementMode.Predefined) {
this.matCamera = clone(this.renderer.getViewMatrix());
this.renderer.setCustomCamera(this.matCamera);
this.mode = MovementMode.Free;
invert(this.matInvCamera, this.matCamera);
getTranslation(this.vec3Eye, this.matInvCamera);
normalize$3(this.vec3Rotation, this.vec3Eye);
scale$1(this.vec3Rotation, this.vec3Rotation, -1);
this.fpsCamera = (_a = this.fpsCamera) !== null && _a !== void 0 ? _a : new FpsCamera(this.options);
this.fpsCamera.position = this.vec3Eye;
const callback = (time) => {
if (this.mode !== MovementMode.Free) {
return;
}
this.fpsCamera.update(16);
this.matCamera = this.fpsCamera.viewMat;
this.renderer.setCustomCamera(this.matCamera, this.fpsCamera.position, this.fpsCamera.angles);
requestAnimationFrame(callback);
};
callback();
}
else {
this.renderer.resetCustomCamera();
this.mode = MovementMode.Predefined;
}
}
});
}
;
}
function ready(fn) {
if (document.readyState !== "loading") {
fn();
}
else {
document.addEventListener("DOMContentLoaded", fn);
}
}
ready(() => {
const url = new URL(window.location.href);
const noLights = url.hash === "#nolights";
const renderer = new Renderer();
renderer.lightning = !noLights;
renderer.init("canvasGL", true);
const canvas = document.getElementById("canvasGL");
new FreeMovement(renderer, {
canvas,
movementSpeed: 25,
rotationSpeed: 0.006
});
const fullScreenUtils = new FullScreenUtils();
const toggleFullscreenElement = document.getElementById("toggleFullscreen");
toggleFullscreenElement.addEventListener("click", () => {
if (document.body.classList.contains("fs")) {
fullScreenUtils.exitFullScreen();
}
else {
fullScreenUtils.enterFullScreen();
}
fullScreenUtils.addFullScreenListener(function () {
if (fullScreenUtils.isFullScreen()) {
document.body.classList.add("fs");
}
else {
document.body.classList.remove("fs");
}
});
});
canvas.addEventListener("click", () => renderer.changeScene());
});
//# sourceMappingURL=index.js.map
|
import { createNumberMask } from 'text-mask-addons';
import { maskInput } from '@formio/vanilla-text-mask';
import _ from 'lodash';
import { getCurrencyAffixes } from '../../utils/utils';
import NumberComponent from '../number/Number';
export default class CurrencyComponent extends NumberComponent {
static schema(...extend) {
return NumberComponent.schema({
type: 'currency',
label: 'Currency',
key: 'currency'
}, ...extend);
}
static get builderInfo() {
return {
title: 'Currency',
group: 'advanced',
icon: 'usd',
documentation: '/userguide/#currency',
weight: 70,
schema: CurrencyComponent.schema()
};
}
constructor(component, options, data) {
// Currency should default to have a delimiter unless otherwise specified.
if (component && !component.hasOwnProperty('delimiter')) {
component.delimiter = true;
}
super(component, options, data);
}
/**
* Creates the number mask for currency numbers.
*
* @return {*}
*/
createNumberMask() {
const decimalLimit = _.get(this.component, 'decimalLimit', 2);
const affixes = getCurrencyAffixes({
currency: this.component.currency,
decimalLimit: decimalLimit,
decimalSeparator: this.decimalSeparator,
lang: this.options.language
});
this.currencyPrefix = this.options.prefix || affixes.prefix;
this.currencySuffix = this.options.suffix || affixes.suffix;
return createNumberMask({
prefix: this.currencyPrefix,
suffix: this.currencySuffix,
thousandsSeparatorSymbol: _.get(this.component, 'thousandsSeparator', this.delimiter),
decimalSymbol: _.get(this.component, 'decimalSymbol', this.decimalSeparator),
decimalLimit: decimalLimit,
allowNegative: _.get(this.component, 'allowNegative', true),
allowDecimal: _.get(this.component, 'allowDecimal', true)
});
}
setInputMask(input) {
const affixes = getCurrencyAffixes({
currency: this.component.currency,
decimalSeparator: this.decimalSeparator,
lang: this.options.language,
});
let numberPattern = `${affixes.prefix}[0-9`;
numberPattern += this.decimalSeparator || '';
numberPattern += this.delimiter || '';
numberPattern += ']*';
input.setAttribute('pattern', numberPattern);
input.mask = maskInput({
inputElement: input,
mask: this.numberMask || '',
pipe: (conformedValue) => {
if (conformedValue === '$0._') {
// Delay to allow mask to update first.
setTimeout(() => {
const caretPosition = input.value.length - 1;
input.setSelectionRange(caretPosition, caretPosition);
});
}
return conformedValue;
},
shadowRoot: this.root ? this.root.shadowRoot : null
});
}
get defaultSchema() {
return CurrencyComponent.schema();
}
parseNumber(value) {
return super.parseNumber(this.stripPrefixSuffix(value));
}
parseValue(value) {
return super.parseValue(this.stripPrefixSuffix(value));
}
addZerosAndFormatValue(value) {
if (!value && value !== 0) return;
const decimalLimit = _.get(this.component, 'decimalLimit', 2);
let integerPart;
let decimalPart = '';
let decimalPartNumbers = [];
const negativeValueSymbol = '-';
const hasPrefix = this.currencyPrefix ? value.includes(this.currencyPrefix) : false;
const hasSuffix = this.currencySuffix ? value.includes(this.currencySuffix) : false;
const isNegative = value.includes(negativeValueSymbol) || false;
value = this.stripPrefixSuffix(isNegative ? value.replace(negativeValueSymbol,'') : value);
if (value.includes(this.decimalSeparator)) {
[integerPart, decimalPart] = value.split(this.decimalSeparator);
decimalPartNumbers =[...decimalPart.split('')] ;
}
else {
integerPart = value;
}
if (decimalPart.length < decimalLimit) {
while (decimalPartNumbers.length < decimalLimit) {
decimalPartNumbers.push('0');
}
}
const formattedValue = `${isNegative ? negativeValueSymbol:''}${hasPrefix ? this.currencyPrefix : ''}${integerPart}${this.decimalSeparator}${decimalPartNumbers.join('')}${hasSuffix ? this.currencySuffix : ''}`;
return super.formatValue(formattedValue);
}
getValueAsString(value, options) {
const stringValue = super.getValueAsString(value, options);
// eslint-disable-next-line eqeqeq
if (value || value == '0') {
return this.addZerosAndFormatValue(stringValue);
}
return stringValue;
}
formatValue(value) {
if (value || value === '0') {
return this.addZerosAndFormatValue(value);
}
return super.formatValue(value);
}
stripPrefixSuffix(value) {
if (typeof value === 'string') {
try {
const hasPrefix = this.currencyPrefix ? value.includes(this.currencyPrefix) : false;
const hasSuffix = this.currencySuffix ? value.includes(this.currencySuffix) : false;
const hasDelimiter = value.includes(this.delimiter);
const hasDecimalSeparator = value.includes(this.decimalSeparator);
if (this.currencyPrefix) {
value = value.replace(this.currencyPrefix, '');
}
if (this.currencySuffix) {
value = value.replace(this.currencySuffix, '');
}
//when we enter $ in the field using dashboard, it contains '_' that is NaN
if ((hasPrefix || hasSuffix) && !hasDelimiter && !hasDecimalSeparator && (Number.isNaN(+value) || !value)) {
value ='0';
}
}
catch (err) {
// If value doesn't have a replace method, continue on as before.
}
}
return value;
}
addFocusBlurEvents(element) {
super.addFocusBlurEvents(element);
this.addEventListener(element, 'focus', () => {
if (element.defaultValue === element.value) {
element.setSelectionRange(0, element.defaultValue.length);
}
});
this.addEventListener(element, 'blur', () => {
element.value = this.getValueAsString(this.addZerosAndFormatValue(this.parseValue(element.value)));
});
}
}
|
import gspread
from oauth2client.service_account import ServiceAccountCredentials
#scope = ["https://docs.google.com/spreadsheets/d/1JWraVP6NG4MKuuLXVS8eoID-z65q5uFHvvdH1Zn5gzM/edit?usp=sharing"]
scope = ["https://spreadsheets.google.com/feeds"]
credentials = ServiceAccountCredentials.from_json_keyfile_name("RetialTrail-8d1b90f2416e.json", scope)
gc = gspread.authorize(credentials)
wks = gc.open_by_url("https://docs.google.com/spreadsheets/d/1JWraVP6NG4MKuuLXVS8eoID-z65q5uFHvvdH1Zn5gzM/edit?usp=sharing").sheet1
print wks.acell("A1").value
print wks.cell(1,1).value
|
import _ from 'underscore';
//import _s from 'underscore.string';
export default (editor, config = {}) => {
const tm = editor.TraitManager;
// Select trait that maps a class list to the select options.
// The default select option is set if the input has a class, and class list is modified when select value changes.
tm.addType('class_select', {
events:{
'change': 'onChange' // trigger parent onChange method on input change
},
createInput({ trait }) {
var md = this.model;
var opts = md.get('options') || [];
var input = document.createElement('select');
var target = this.target;
var target_view_el = this.target.view.el;
for(let i = 0; i < opts.length; i++) {
let name = opts[i].name;
let value = opts[i].value;
if(value=='') { value = 'GJS_NO_CLASS'; } // 'GJS_NO_CLASS' represents no class--empty string does not trigger value change
let option = document.createElement('option');
option.text = name;
option.value = value;
const value_a = value.split(' ');
//if(target_view_el.classList.contains(value)) {
if(_.intersection(target_view_el.classList, value_a).length == value_a.length) {
option.setAttribute('selected', 'selected');
}
input.append(option);
}
return input;
},
onUpdate({ elInput, component }) {
const classes = component.getClasses() ;
var opts = this.model.get('options') || [];
for(let i = 0; i < opts.length; i++) {
let name = opts[i].name;
let value = opts[i].value;
if(value && classes.includes(value)){
elInput.value = value;
return;
}
}
elInput.value = "GJS_NO_CLASS";
},
onEvent({ elInput, component, event }) {
var classes = this.model.get('options').map(opt => opt.value);
for(let i = 0; i < classes.length; i++) {
if(classes[i].length > 0) {
var classes_i_a = classes[i].split(' ');
for(let j = 0; j < classes_i_a.length; j++) {
if(classes_i_a[j].length > 0) {
component.removeClass(classes_i_a[j]);
}
}
}
}
const value = this.model.get('value');
// This piece of code removes the empty attribute name from attributes list
const elAttributes = component.attributes.attributes;
delete elAttributes[""];
if(value.length > 0 && value != 'GJS_NO_CLASS') {
const value_a = value.split(' ');
for(let i = 0; i < value_a.length; i++) {
component.addClass(value_a[i]);
}
}
component.em.trigger('component:toggled');
},
});
const textTrait = tm.getType('text');
tm.addType('content', {
events:{
'keyup': 'onChange',
},
onValueChange: function () {
var md = this.model;
var target = md.target;
target.set('content', md.get('value'));
},
getInputEl: function() {
if(!this.inputEl) {
this.inputEl = textTrait.prototype.getInputEl.bind(this)();
this.inputEl.value = this.target.get('content');
}
return this.inputEl;
}
});
tm.addType('content', {
events:{
'keyup': 'onChange',
},
onValueChange: function () {
var md = this.model;
var target = md.target;
target.set('content', md.get('value'));
},
getInputEl: function() {
if(!this.inputEl) {
this.inputEl = textTrait.prototype.getInputEl.bind(this)();
this.inputEl.value = this.target.get('content');
}
return this.inputEl;
}
});
}
|
# -*- encoding: utf-8 -*-
"""
Created by eniocc at 11/10/2020
"""
import ctypes
from py_dss_interface.models import Bridge
from py_dss_interface.models.Base import Base
from py_dss_interface.models.Meters.MetersS import MetersS
from py_dss_interface.models.Text.Text import Text
class MetersV(Base):
"""
This interface can be used to read/write certain properties of the active DSS object.
The structure of the interface is as follows:
void MetersV(int32_t Parameter, VARIANT *Argument);
This interface returns a variant according to the number sent in the variable “parameter”. The parameter can be
one of the following.
"""
def meters_all_names(self):
"""Returns an array of all Energy Meter names."""
return Bridge.var_array_function(self.dss_obj.MetersV, ctypes.c_int(0), ctypes.c_int(0), None)
def meters_register_names(self):
"""Returns an array of strings containing the names of the registers."""
return Bridge.var_array_function(self.dss_obj.MetersV, ctypes.c_int(1), ctypes.c_int(0), None)
def meters_register_values(self):
"""Returns an array of values contained in the Meter registers for the active Meter."""
return Bridge.var_array_function(self.dss_obj.MetersV, ctypes.c_int(2), ctypes.c_int(0), None)
def meters_totals(self):
"""Returns the totals for all registers of all Meters."""
return Bridge.var_array_function(self.dss_obj.MetersV, ctypes.c_int(3), ctypes.c_int(0), None)
def meters_read_peak_current(self):
"""Returns an array of doubles with the Peak Current Property."""
return Bridge.var_array_function(self.dss_obj.MetersV, ctypes.c_int(4), ctypes.c_int(0), None)
def meters_write_peak_current(self, argument):
"""Receives an array of doubles to set values of Peak Current Property."""
argument = Base.check_string_param(argument)
t = Text(self.dss_obj)
mt = MetersS(self.dss_obj)
mt_name = mt.meters_read_name()
return t.text(f'edit EnergyMeter.{mt_name} peakcurrent = {argument}')
def meters_read_cal_current(self):
"""Returns the magnitude of the real part of the Calculated Current (normally determined by solution)
for the meter to force some behavior on Load Allocation."""
return Bridge.var_array_function(self.dss_obj.MetersV, ctypes.c_int(6), ctypes.c_int(0), None)
# TODO: Ênio - https://github.com/PauloRadatz/py_dss_interface/issues/6
def meters_write_calcurrent(self, argument: str):
"""Sets the magnitude of the real part of the Calculated Current (normally determined by solution)
for the meter to force some behavior on Load Allocation."""
return Bridge.var_array_function(self.dss_obj.MetersV, ctypes.c_int(7), argument, None)
def meters_read_alloc_factors(self):
"""Returns an array of doubles: allocation factors for the active Meter."""
return Bridge.var_array_function(self.dss_obj.MetersV, ctypes.c_int(8), ctypes.c_int(0), None)
# TODO: Ênio - https://github.com/PauloRadatz/py_dss_interface/issues/7
def meters_write_alloc_factors(self, argument):
"""Receives an array of doubles to set the phase allocation factors for the active Meter."""
# argument = Base.check_string_param(argument)
# return Bridge.VarArrayFunction(self.dss_obj.MetersV, ctypes.c_int(9), ctypes.c_int(1), None)
t = Text(self.dss_obj)
t.text("get mode ")
return t.text(f'Allocateload {argument}')
# TODO: Ênio - https://github.com/PauloRadatz/py_dss_interface/issues/8
def meters_all_end_elements(self):
"""Returns a variant array of names of all zone end elements."""
return Bridge.var_array_function(self.dss_obj.MetersV, ctypes.c_int(10), ctypes.c_int(0), None)
# TODO: Ênio - https://github.com/PauloRadatz/py_dss_interface/issues/9
def meters_all_branches_in_zone(self):
"""Returns a wide string list of all branches in zone of the active Energy Meter object."""
return Bridge.var_array_function(self.dss_obj.MetersV, ctypes.c_int(11), ctypes.c_int(0), None)
|
# Copyright: (c) 2012-2014, Michael DeHaan <[email protected]>
# Copyright: (c) 2017, Ansible Project
# GNU General Public License v3.0+ (see COPYING or https://www.gnu.org/licenses/gpl-3.0.txt)
from __future__ import (absolute_import, division, print_function)
__metaclass__ = type
import os
import re
from ast import literal_eval
from jinja2 import Template
from string import ascii_letters, digits
from ansible.config.manager import ConfigManager, ensure_type, get_ini_config_value
from ansible.module_utils._text import to_text
from ansible.module_utils.common.collections import Sequence
from ansible.module_utils.parsing.convert_bool import boolean, BOOLEANS_TRUE
from ansible.module_utils.six import string_types
from ansible.utils.fqcn import add_internal_fqcns
def _warning(msg):
''' display is not guaranteed here, nor it being the full class, but try anyways, fallback to sys.stderr.write '''
try:
from ansible.utils.display import Display
Display().warning(msg)
except Exception:
import sys
sys.stderr.write(' [WARNING] %s\n' % (msg))
def _deprecated(msg, version='2.8'):
''' display is not guaranteed here, nor it being the full class, but try anyways, fallback to sys.stderr.write '''
try:
from ansible.utils.display import Display
Display().deprecated(msg, version=version)
except Exception:
import sys
sys.stderr.write(' [DEPRECATED] %s, to be removed in %s\n' % (msg, version))
def mk_boolean(value):
''' moved to module_utils'''
_deprecated('ansible.constants.mk_boolean() is deprecated. Use ansible.module_utils.parsing.convert_bool.boolean() instead')
return boolean(value, strict=False)
def get_config(parser, section, key, env_var, default_value, value_type=None, expand_relative_paths=False):
''' kept for backwarsd compatibility, but deprecated '''
_deprecated('ansible.constants.get_config() is deprecated. There is new config API, see porting docs.')
value = None
# small reconstruction of the old code env/ini/default
value = os.environ.get(env_var, None)
if value is None:
try:
value = get_ini_config_value(parser, {'key': key, 'section': section})
except Exception:
pass
if value is None:
value = default_value
value = ensure_type(value, value_type)
return value
def set_constant(name, value, export=vars()):
''' sets constants and returns resolved options dict '''
export[name] = value
class _DeprecatedSequenceConstant(Sequence):
def __init__(self, value, msg, version):
self._value = value
self._msg = msg
self._version = version
def __len__(self):
_deprecated(self._msg, version=self._version)
return len(self._value)
def __getitem__(self, y):
_deprecated(self._msg, version=self._version)
return self._value[y]
# Deprecated constants
BECOME_METHODS = _DeprecatedSequenceConstant(
['sudo', 'su', 'pbrun', 'pfexec', 'doas', 'dzdo', 'ksu', 'runas', 'pmrun', 'enable', 'machinectl'],
('ansible.constants.BECOME_METHODS is deprecated, please use '
'ansible.plugins.loader.become_loader. This list is statically '
'defined and may not include all become methods'),
'2.10'
)
# CONSTANTS ### yes, actual ones
BLACKLIST_EXTS = ('.pyc', '.pyo', '.swp', '.bak', '~', '.rpm', '.md', '.txt', '.rst')
BOOL_TRUE = BOOLEANS_TRUE
COLLECTION_PTYPE_COMPAT = {'module': 'modules'}
DEFAULT_BECOME_PASS = None
DEFAULT_PASSWORD_CHARS = to_text(ascii_letters + digits + ".,:-_", errors='strict') # characters included in auto-generated passwords
DEFAULT_REMOTE_PASS = None
DEFAULT_SUBSET = None
# FIXME: expand to other plugins, but never doc fragments
CONFIGURABLE_PLUGINS = ('become', 'cache', 'callback', 'cliconf', 'connection', 'httpapi', 'inventory', 'lookup', 'netconf', 'shell', 'vars')
# NOTE: always update the docs/docsite/Makefile to match
DOCUMENTABLE_PLUGINS = CONFIGURABLE_PLUGINS + ('module', 'strategy')
IGNORE_FILES = ("COPYING", "CONTRIBUTING", "LICENSE", "README", "VERSION", "GUIDELINES") # ignore during module search
INTERNAL_RESULT_KEYS = ('add_host', 'add_group')
LOCALHOST = ('127.0.0.1', 'localhost', '::1')
MODULE_REQUIRE_ARGS = tuple(add_internal_fqcns(('command', 'win_command', 'ansible.windows.win_command', 'shell', 'win_shell',
'ansible.windows.win_shell', 'raw', 'script')))
MODULE_NO_JSON = tuple(add_internal_fqcns(('command', 'win_command', 'ansible.windows.win_command', 'shell', 'win_shell',
'ansible.windows.win_shell', 'raw')))
RESTRICTED_RESULT_KEYS = ('ansible_rsync_path', 'ansible_playbook_python', 'ansible_facts')
TREE_DIR = None
VAULT_VERSION_MIN = 1.0
VAULT_VERSION_MAX = 1.0
# This matches a string that cannot be used as a valid python variable name i.e 'not-valid', 'not!valid@either' '1_nor_This'
INVALID_VARIABLE_NAMES = re.compile(r'^[\d\W]|[^\w]')
# FIXME: remove once play_context mangling is removed
# the magic variable mapping dictionary below is used to translate
# host/inventory variables to fields in the PlayContext
# object. The dictionary values are tuples, to account for aliases
# in variable names.
COMMON_CONNECTION_VARS = frozenset(('ansible_connection', 'ansible_host', 'ansible_user', 'ansible_shell_executable',
'ansible_port', 'ansible_pipelining', 'ansible_password', 'ansible_timeout',
'ansible_shell_type', 'ansible_module_compression', 'ansible_private_key_file'))
MAGIC_VARIABLE_MAPPING = dict(
# base
connection=('ansible_connection', ),
module_compression=('ansible_module_compression', ),
shell=('ansible_shell_type', ),
executable=('ansible_shell_executable', ),
# connection common
remote_addr=('ansible_ssh_host', 'ansible_host'),
remote_user=('ansible_ssh_user', 'ansible_user'),
password=('ansible_ssh_pass', 'ansible_password'),
port=('ansible_ssh_port', 'ansible_port'),
pipelining=('ansible_ssh_pipelining', 'ansible_pipelining'),
timeout=('ansible_ssh_timeout', 'ansible_timeout'),
private_key_file=('ansible_ssh_private_key_file', 'ansible_private_key_file'),
# networking modules
network_os=('ansible_network_os', ),
connection_user=('ansible_connection_user',),
# ssh TODO: remove
ssh_executable=('ansible_ssh_executable', ),
ssh_common_args=('ansible_ssh_common_args', ),
sftp_extra_args=('ansible_sftp_extra_args', ),
scp_extra_args=('ansible_scp_extra_args', ),
ssh_extra_args=('ansible_ssh_extra_args', ),
ssh_transfer_method=('ansible_ssh_transfer_method', ),
# docker TODO: remove
docker_extra_args=('ansible_docker_extra_args', ),
# become
become=('ansible_become', ),
become_method=('ansible_become_method', ),
become_user=('ansible_become_user', ),
become_pass=('ansible_become_password', 'ansible_become_pass'),
become_exe=('ansible_become_exe', ),
become_flags=('ansible_become_flags', ),
)
# POPULATE SETTINGS FROM CONFIG ###
config = ConfigManager()
# Generate constants from config
for setting in config.data.get_settings():
value = setting.value
if setting.origin == 'default' and \
isinstance(setting.value, string_types) and \
(setting.value.startswith('{{') and setting.value.endswith('}}')):
try:
t = Template(setting.value)
value = t.render(vars())
try:
value = literal_eval(value)
except ValueError:
pass # not a python data structure
except Exception:
pass # not templatable
value = ensure_type(value, setting.type)
set_constant(setting.name, value)
for warn in config.WARNINGS:
_warning(warn)
# The following are hard-coded action names
_ACTION_DEBUG = add_internal_fqcns(('debug', ))
_ACTION_IMPORT_PLAYBOOK = add_internal_fqcns(('import_playbook', ))
_ACTION_IMPORT_ROLE = add_internal_fqcns(('import_role', ))
_ACTION_IMPORT_TASKS = add_internal_fqcns(('import_tasks', ))
_ACTION_INCLUDE = add_internal_fqcns(('include', ))
_ACTION_INCLUDE_ROLE = add_internal_fqcns(('include_role', ))
_ACTION_INCLUDE_TASKS = add_internal_fqcns(('include_tasks', ))
_ACTION_INCLUDE_VARS = add_internal_fqcns(('include_vars', ))
_ACTION_META = add_internal_fqcns(('meta', ))
_ACTION_SET_FACT = add_internal_fqcns(('set_fact', ))
_ACTION_SETUP = add_internal_fqcns(('setup', ))
_ACTION_HAS_CMD = add_internal_fqcns(('command', 'shell', 'script'))
_ACTION_ALLOWS_RAW_ARGS = _ACTION_HAS_CMD + add_internal_fqcns(('raw', ))
_ACTION_ALL_INCLUDES = _ACTION_INCLUDE + _ACTION_INCLUDE_TASKS + _ACTION_INCLUDE_ROLE
_ACTION_ALL_IMPORT_PLAYBOOKS = _ACTION_INCLUDE + _ACTION_IMPORT_PLAYBOOK
_ACTION_ALL_INCLUDE_IMPORT_TASKS = _ACTION_INCLUDE + _ACTION_INCLUDE_TASKS + _ACTION_IMPORT_TASKS
_ACTION_ALL_PROPER_INCLUDE_IMPORT_ROLES = _ACTION_INCLUDE_ROLE + _ACTION_IMPORT_ROLE
_ACTION_ALL_PROPER_INCLUDE_IMPORT_TASKS = _ACTION_INCLUDE_TASKS + _ACTION_IMPORT_TASKS
_ACTION_ALL_INCLUDE_ROLE_TASKS = _ACTION_INCLUDE_ROLE + _ACTION_INCLUDE_TASKS
_ACTION_ALL_INCLUDE_TASKS = _ACTION_INCLUDE + _ACTION_INCLUDE_TASKS
_ACTION_FACT_GATHERING = _ACTION_SETUP + add_internal_fqcns(('gather_facts', ))
_ACTION_WITH_CLEAN_FACTS = _ACTION_SET_FACT + _ACTION_INCLUDE_VARS
|
from math import sqrt, pi, log, exp
import matplotlib as mpl; mpl.use("Qt5Agg")
import matplotlib.pyplot as plt
def surfaceGravity(radius, melt_density):
G = 6.67408 * 10**(-11) # m3 kg-1 s-2
gSurface = (G * (4 / 3) * pi * radius**3 * melt_density) / radius**2
return gSurface
def gravity(radius, melt_density, depth):
G = 6.67408 * 10**(-11) # m3 kg-1 s-2
gSurface = (G * (4 / 3) * pi * radius ** 3 * melt_density) / radius**2
gAccel = gSurface * (1 - (depth/radius))
return gAccel
def adiabat(current_depth, current_temperature, depth_increment, depth, gravity, thermal_expansion, heat_capacity,
depth_gradient, adiabat_gradient):
current_depth += depth_increment
# dT/dh = (alpha * g * T) / c_p
current_temperature += ((thermal_expansion * gravity * current_temperature) / heat_capacity) * depth_increment
adiabat_gradient.append(current_temperature)
depth_gradient.append(current_depth / 1000)
if current_depth < depth: # recursion!
return adiabat(current_depth, current_temperature, depth_increment, depth, gravity, thermal_expansion,
heat_capacity, depth_gradient, adiabat_gradient)
else:
return depth_gradient, adiabat_gradient
def hydrostatic(current_depth, depth_increment, depth, gravity, density_melt, current_pressure, depth_gradient,
pressure_gradient):
current_depth += depth_increment
# dP/dh = rho * g
current_pressure += (density_melt * gravity) * depth_increment
pressure_gradient.append(current_pressure * (10**(-9))) # gPa
depth_gradient.append(current_depth / 1000)
if current_depth < depth:
return hydrostatic(current_depth, depth_increment, depth, gravity, density_melt, current_pressure, depth_gradient,
pressure_gradient)
else:
return depth_gradient, pressure_gradient
def velocity(gravAccel, radius_droplet, density_droplet, density_melt):
Cd = 0.2
v = sqrt(((4 * gravAccel * (2 * radius_droplet)) / (3 * Cd)) * ((density_droplet - density_melt) / density_melt))
return v
def coeff_a(droplet_radius, velocity, F_m, F_s, partition_coeff):
a = - (velocity / (2 * droplet_radius)) * ((F_m / (F_m + (F_s / partition_coeff))) - 1)
return a
def coeff_b(droplet_radius, velocity, F_m, F_s, partition_coeff, C_0_s):
b = (velocity / (2 * droplet_radius)) * ((F_s * C_0_s) / (F_m + (F_s / partition_coeff)))
return b
def t_eq(a, b, C_t_m, C_0_m):
# t = (1 / a) * log((0.01 * C_0_m + (b/a)) / (C_0_m + (b/a)))
t = (1 / a) * log((C_t_m + (b / a)) / (C_0_m + (b / a)))
return t
def z_eq(t_eq, velocity):
z = velocity * t_eq
return z
def F_m(radius_droplet, density_melt, density_droplet, velocity, diffusivity):
numerator = (droplet_radius**3) * (density_droplet / 3)
denominator = numerator + ((droplet_radius**2) * density_melt * sqrt((2 * diffusivity * radius_droplet) / velocity))
f = numerator / denominator
return f
def F_s(F_m):
f = 1 - F_m
return f
def rayleigh(density_melt, thermal_expansivity, gravity, temp_surface, temp_depth, depth, thermal_diffusivity, dynamic_viscosity):
temp_difference = temp_depth - temp_surface
ra = (density_melt * thermal_expansivity * gravity * temp_difference * (depth**3)) / (thermal_diffusivity * dynamic_viscosity)
return ra
def nusselt(rayleigh, beta=(1/3)):
nu = (0.089) * (rayleigh**beta)
return nu
def convectionVelocity(thermal_expansion, gravity, thermal_diffusivity, temp_surface, temp_depth, nusselt):
temperature_difference = temp_depth - temp_surface
v_c = ((thermal_expansion * gravity * thermal_diffusivity * temperature_difference)**(1/3)) * (nusselt**(1/3))
return v_c
def cottrellPartitioning(temperature, pressure, fO2, nbo_t=2.6):
coefficients = {
'alpha': 1.11,
'beta': -1.18,
'chi': -0.85,
'delta': 1680,
'epsilon': 487,
}
alpha = coefficients['alpha']
beta = coefficients['beta']
chi = coefficients['chi']
delta = coefficients['delta']
epsilon = coefficients['epsilon']
logD = alpha + (beta * (fO2)) + (chi * (nbo_t)) + (delta * (1 / temperature)) + (epsilon * (pressure / temperature))
D = exp(logD)
return D
if __name__ == "__main__":
radius_vesta = 265 * 1000 # 265 km
depth_increment = 5 * 1000 # 5 km
droplet_radius = 0.01 # m
densityDroplet = 7800 # kg m3
densityMelt = 3750 # kg m3
c_0_m = 32700 # ppm
c_0_s = 42 # ppm
diffusivity = 10**(-8)
thermal_expansion = 6 * 10**(-5)
heat_capacity = 10**3
dynamic_viscosity = 10**(-2)
thermal_diffusivity = 10**(-6)
surface_gravity = surfaceGravity(radius=radius_vesta, melt_density=densityMelt)
adiabatic_depths, adiabatic = adiabat(
current_depth=0 / 1000, # begin at surface
current_temperature=2000, # degrees K
depth_increment=depth_increment, # 10 km interval
depth=radius_vesta, # to depth of 250 km
gravity=surface_gravity, # m/s^2, Vesta
thermal_expansion=thermal_expansion,
heat_capacity=heat_capacity,
depth_gradient=[0], # returns this list at index=0
adiabat_gradient=[2000], # returns this list at index=1
)
hydrostatic_depths, hydrostat = hydrostatic(
current_depth=0 / 1000,
depth_increment=depth_increment,
depth=radius_vesta,
gravity=surface_gravity,
current_pressure=0,
density_melt=densityMelt,
depth_gradient=[0],
pressure_gradient=[0],
)
ra = rayleigh(density_melt=densityMelt, thermal_expansivity=thermal_expansion, gravity=surface_gravity,
dynamic_viscosity=dynamic_viscosity, depth=radius_vesta, temp_depth=adiabatic[-1],
temp_surface=adiabatic[0], thermal_diffusivity=thermal_diffusivity)
nu = nusselt(rayleigh=ra)
v_convect = convectionVelocity(thermal_expansion=thermal_expansion, gravity=surface_gravity, nusselt=nu,
temp_depth=adiabatic[-1], temp_surface=adiabatic[0],
thermal_diffusivity=thermal_diffusivity)
print(ra, nu, v_convect)
# t_list = []
# z_list = []
#
# for index, i in enumerate(adiabatic_depths):
# temperature = adiabatic[index]
# pressure = hydrostat[index]
# D = cottrellPartitioning(temperature=temperature, pressure=pressure, fO2=-1.5)
# v = velocity(gravAccel=surface_gravity, density_melt=densityMelt, density_droplet=densityDroplet, radius_droplet=droplet_radius)
# f_m = F_m(radius_droplet=droplet_radius, density_droplet=densityDroplet, density_melt=densityMelt, diffusivity=diffusivity, velocity=v)
# f_s = F_s(F_m=f_m)
# a = coeff_a(droplet_radius=droplet_radius, F_m=f_m, F_s=f_s, partition_coeff=D, velocity=v)
# b = coeff_b(droplet_radius=droplet_radius, C_0_s=c_0_s, F_m =f_m, F_s=f_s, partition_coeff=D, velocity=v)
# t = t_eq(a=a, b=b, C_0_m=c_0_m, C_t_m=(c_0_m * D))
# z = z_eq(t_eq=t, velocity=v)
#
# t_list.append(t)
# z_list.append(z)
#
# fig = plt.figure()
# ax = fig.add_subplot(111)
# ax.plot(adiabatic_depths, z_list)
# ax.set_xlabel("Depth (km)")
# ax.set_ylabel("Equilibrium Time (s)")
# ax.grid()
# plt.show()
|
ALLOWED_EXTENSIONS = {'png', 'jpg', 'jpeg', 'md', 'stl', 'dwg', 'dxf', 'svg'}
def valid_email(email):
return True if email.endswith('@cooper.edu') else False
def allowed_file(filename):
return '.' in filename and \
filename.rsplit('.', 1)[1].lower() in ALLOWED_EXTENSIONS |
/**
* @license
* Visual Blocks Editor
*
* Copyright 2018 Google Inc.
* https://developers.google.com/blockly/
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
/**
* @fileoverview Object representing a code comment.
* @author [email protected] (Karishma Chadha)
*/
'use strict';
goog.provide('Blockly.ScratchBlockComment');
goog.require('Blockly.Comment');
goog.require('Blockly.Events.BlockChange');
goog.require('Blockly.Events.Ui');
goog.require('Blockly.Icon');
goog.require('Blockly.ScratchBubble');
goog.require('goog.math.Coordinate');
goog.require('goog.userAgent');
/**
* Class for a comment.
* @param {!Blockly.Block} block The block associated with this comment.
* @param {number=} x Initial x position for comment, in workspace coordinates.
* @param {number=} y Initial y position for comment, in workspace coordinates.
* @param {boolean=} minimized Whether or not this comment is minimized
* (only the top bar displays), defaults to false.
* @extends {Blockly.Comment}
* @constructor
*/
Blockly.ScratchBlockComment = function(block, x, y, minimized) {
Blockly.ScratchBlockComment.superClass_.constructor.call(this, block);
this.x_ = x;
this.y_ = y;
this.isMinimized_ = minimized || false;
};
goog.inherits(Blockly.ScratchBlockComment, Blockly.Comment);
/**
* Width of bubble.
* @private
*/
Blockly.ScratchBlockComment.prototype.width_ = 200;
/**
* Height of bubble.
* @private
*/
Blockly.ScratchBlockComment.prototype.height_ = 200;
/**
* Comment Icon Size.
* @package
*/
Blockly.ScratchBlockComment.prototype.SIZE = 0;
/**
* Offset for text area in comment bubble.
* @private
*/
Blockly.ScratchBlockComment.TEXTAREA_OFFSET = 12;
/**
* Maximum lable length (actual label length will include
* one additional character, the ellipsis).
* @private
*/
Blockly.ScratchBlockComment.MAX_LABEL_LENGTH = 16;
/**
* Width that a minimized comment should have.
* @private
*/
Blockly.ScratchBlockComment.MINIMIZE_WIDTH = 200;
/**
* Draw the comment icon.
* @param {!Element} _group The icon group.
* @private
*/
Blockly.ScratchBlockComment.prototype.drawIcon_ = function(_group) {
// NO-OP -- Don't render a comment icon for Scratch block comments
};
// Override renderIcon from Blocky.Icon so that the comment bubble is
// anchored correctly on the block. This function takes in the top margin
// as an input instead of setting an arbitrary one.
/**
* Render the icon.
* @param {number} cursorX Horizontal offset at which to position the icon.
* @param {number} topMargin Vertical offset from the top of the block to position the icon.
* @return {number} Horizontal offset for next item to draw.
* @package
*/
Blockly.ScratchBlockComment.prototype.renderIcon = function(cursorX, topMargin) {
if (this.collapseHidden && this.block_.isCollapsed()) {
this.iconGroup_.setAttribute('display', 'none');
return cursorX;
}
this.iconGroup_.setAttribute('display', 'block');
var width = this.SIZE;
if (this.block_.RTL) {
cursorX -= width;
}
this.iconGroup_.setAttribute('transform',
'translate(' + cursorX + ',' + topMargin + ')');
this.computeIconLocation();
if (this.block_.RTL) {
cursorX -= Blockly.BlockSvg.SEP_SPACE_X;
} else {
cursorX += width + Blockly.BlockSvg.SEP_SPACE_X;
}
return cursorX;
};
/**
* Create the editor for the comment's bubble.
* @return {{commentEditor: !Element, labelText: !string}} The components used
* to render the comment editing/writing area and the truncated label text
* to display in the minimized comment top bar.
* @private
*/
Blockly.ScratchBlockComment.prototype.createEditor_ = function() {
this.foreignObject_ = Blockly.utils.createSvgElement('foreignObject',
{
'x': Blockly.ScratchBubble.BORDER_WIDTH,
'y': Blockly.ScratchBubble.BORDER_WIDTH + Blockly.ScratchBubble.TOP_BAR_HEIGHT,
'class': 'blocklyCommentForeignObject'
},
null);
var body = document.createElementNS(Blockly.HTML_NS, 'body');
body.setAttribute('xmlns', Blockly.HTML_NS);
body.className = 'blocklyMinimalBody scratchCommentBody';
var textarea = document.createElementNS(Blockly.HTML_NS, 'textarea');
textarea.className = 'scratchCommentTextarea scratchCommentText';
textarea.setAttribute('dir', this.block_.RTL ? 'RTL' : 'LTR');
body.appendChild(textarea);
this.textarea_ = textarea;
this.textarea_.style.margin = (Blockly.ScratchBlockComment.TEXTAREA_OFFSET) + 'px';
this.foreignObject_.appendChild(body);
Blockly.bindEventWithChecks_(textarea, 'mouseup', this, this.textareaFocus_);
// Don't zoom with mousewheel.
Blockly.bindEventWithChecks_(textarea, 'wheel', this, function(e) {
e.stopPropagation();
});
Blockly.bindEventWithChecks_(textarea, 'change', this, function(_e) {
if (this.text_ != textarea.value) {
Blockly.Events.fire(new Blockly.Events.BlockChange(
this.block_, 'comment', null, this.text_, textarea.value));
this.text_ = textarea.value;
}
});
setTimeout(function() {
textarea.focus();
}, 0);
// Label for comment top bar when comment is minimized
this.label_ = this.getLabelText();
return {
commentEditor: this.foreignObject_,
labelText: this.label_
};
};
/**
* Callback function triggered when the bubble has resized.
* Resize the text area accordingly.
* @private
*/
Blockly.ScratchBlockComment.prototype.resizeBubble_ = function() {
if (this.isVisible() && !this.isMinimized_) {
var size = this.bubble_.getBubbleSize();
var doubleBorderWidth = 2 * Blockly.ScratchBubble.BORDER_WIDTH;
var textOffset = Blockly.ScratchBlockComment.TEXTAREA_OFFSET * 2;
this.foreignObject_.setAttribute('width', size.width - doubleBorderWidth);
this.foreignObject_.setAttribute('height', size.height - doubleBorderWidth - Blockly.ScratchBubble.TOP_BAR_HEIGHT);
this.textarea_.style.width = (size.width - textOffset) + 'px';
this.textarea_.style.height = (size.height - doubleBorderWidth -
Blockly.ScratchBubble.TOP_BAR_HEIGHT - textOffset) + 'px';
// Actually set the size!
this.width_ = size.width;
this.height_ = size.height;
}
};
/**
* Change the colour of the associated bubble to match its block.
* @package
*/
Blockly.ScratchBlockComment.prototype.updateColour = function() {
if (this.isVisible()) {
this.bubble_.setColour(this.block_.getColourTertiary());
}
};
/**
* Show or hide the comment bubble.
* @param {boolean} visible True if the bubble should be visible.
* @package
*/
Blockly.ScratchBlockComment.prototype.setVisible = function(visible) {
if (visible == this.isVisible()) {
// No change.
return;
}
Blockly.Events.fire(
new Blockly.Events.Ui(this.block_, 'commentOpen', !visible, visible));
if ((!this.block_.isEditable() && !this.textarea_) || goog.userAgent.IE) {
// Steal the code from warnings to make an uneditable text bubble.
// MSIE does not support foreignobject; textareas are impossible.
// http://msdn.microsoft.com/en-us/library/hh834675%28v=vs.85%29.aspx
// Always treat comments in IE as uneditable.
Blockly.Warning.prototype.setVisible.call(this, visible);
return;
}
// Save the bubble stats before the visibility switch.
var text = this.getText();
var size = this.getBubbleSize();
if (visible) {
// Decide on placement of the bubble if x and y coordinates are not provided
// based on knowledge of the block that owns this comment:
if (!this.x_ && this.x_ != 0 && !this.y_ && this.y_ != 0) {
if (this.isMinimized_) {
var minimizedOffset = 4 * Blockly.BlockSvg.GRID_UNIT;
this.x_ = this.block_.RTL ?
this.iconXY_.x - minimizedOffset :
this.iconXY_.x + minimizedOffset;
this.y_ = this.iconXY_.y - (Blockly.ScratchBubble.TOP_BAR_HEIGHT / 2);
} else {
// Check if the width of this block (and all it's children/descendents) is the
// same as the width of just this block
var fullStackWidth = Math.floor(this.block_.getHeightWidth().width);
var thisBlockWidth = Math.floor(this.block_.svgPath_.getBBox().width);
var offset = 8 * Blockly.BlockSvg.GRID_UNIT;
if (fullStackWidth == thisBlockWidth && !this.block_.parentBlock_) {
this.x_ = this.block_.RTL ?
this.iconXY_.x - this.width_ - offset :
this.iconXY_.x + offset;
} else {
this.x_ = this.block_.RTL ?
this.iconXY_.x - this.width_ - fullStackWidth - offset :
this.iconXY_.x + fullStackWidth + offset;
}
this.y_ = this.iconXY_.y - (Blockly.ScratchBubble.TOP_BAR_HEIGHT / 2);
}
}
// Create the bubble.
this.bubble_ = new Blockly.ScratchBubble(
/** @type {!Blockly.WorkspaceSvg} */ (this.block_.workspace),
this.createEditor_(), this.iconXY_, this.width_, this.height_,
this.x_, this.y_, this.isMinimized_);
this.bubble_.setAutoLayout(false);
this.bubble_.registerResizeEvent(this.resizeBubble_.bind(this));
this.bubble_.registerMinimizeToggleEvent(this.toggleMinimize_.bind(this));
this.bubble_.registerDeleteEvent(this.dispose.bind(this));
this.bubble_.registerContextMenuCallback(this.showContextMenu_.bind(this));
this.updateColour();
} else {
// Dispose of the bubble.
this.bubble_.dispose();
this.bubble_ = null;
this.textarea_ = null;
this.foreignObject_ = null;
this.label_ = null;
}
// Restore the bubble stats after the visibility switch.
this.setText(text);
this.setBubbleSize(size.width, size.height);
};
/**
* Toggle the minimization state of this comment.
* @private
*/
Blockly.ScratchBlockComment.prototype.toggleMinimize_ = function() {
this.setMinimized(!this.isMinimized_);
};
/**
* Set the minimized state for this comment.
* @param {boolean} minimize Whether the comment should be minimized
* @package
*/
Blockly.ScratchBlockComment.prototype.setMinimized = function(minimize) {
if (this.isMinimized_ == minimize) return;
this.isMinimized_ = minimize;
if (minimize) {
this.bubble_.setMinimized(true, this.getLabelText());
this.setBubbleSize(Blockly.ScratchBlockComment.MINIMIZE_WIDTH,
Blockly.ScratchBubble.TOP_BAR_HEIGHT);
// Note we are not updating this.width_ or this.height_ here
// because we want to keep track of the width/height of the
// maximized comment
} else {
this.bubble_.setMinimized(false);
this.setText(this.text_);
this.setBubbleSize(this.width_, this.height_);
}
};
/**
* Size this comment's bubble.
* @param {number} width Width of the bubble.
* @param {number} height Height of the bubble.
* @package
*/
Blockly.ScratchBlockComment.prototype.setBubbleSize = function(width, height) {
if (this.bubble_) {
if (this.isMinimized_) {
this.bubble_.setBubbleSize(Blockly.ScratchBlockComment.MINIMIZE_WIDTH,
Blockly.ScratchBubble.TOP_BAR_HEIGHT);
} else {
this.bubble_.setBubbleSize(width, height);
this.width_ = width;
this.height_ = height;
}
} else {
this.width_ = width;
this.height_ = height;
}
};
/**
* Get the truncated text for this comment to display in the minimized
* top bar.
* @return {string} The truncated comment text
* @package
*/
Blockly.ScratchBlockComment.prototype.getLabelText = function() {
if (this.text_.length > Blockly.ScratchBlockComment.MAX_LABEL_LENGTH) {
if (this.block_.RTL) {
return '\u2026' + this.text_.slice(0, Blockly.ScratchBlockComment.MAX_LABEL_LENGTH);
}
return this.text_.slice(0, Blockly.ScratchBlockComment.MAX_LABEL_LENGTH) + '\u2026';
} else {
return this.text_;
}
};
/**
* Set this comment's text.
* @param {string} text Comment text.
* @package
*/
Blockly.ScratchBlockComment.prototype.setText = function(text) {
if (this.text_ != text) {
Blockly.Events.fire(new Blockly.Events.BlockChange(
this.block_, 'comment', null, this.text_, text));
this.text_ = text;
}
if (this.textarea_) {
this.textarea_.value = text;
}
};
/**
* Move this comment to a position given x and y coordinates.
* @param {number} x The x-coordinate on the workspace.
* @param {number} y The y-coordinate on the workspace.
* @package
*/
Blockly.ScratchBlockComment.prototype.moveTo = function(x, y) {
if (this.bubble_) {
this.bubble_.moveTo(x, y);
}
this.x_ = x;
this.y_ = y;
};
/**
* Get the x and y position of this comment.
* @return {goog.math.Coordinate} The XY position
* @package
*/
Blockly.ScratchBlockComment.prototype.getXY = function() {
if (this.bubble_) {
return this.bubble_.getRelativeToSurfaceXY();
} else {
return new goog.math.Coordinate(this.x_, this.y_);
}
};
/**
* Get the height and width of this comment.
* Note: this does not use the current bubble size because
* the bubble may be minimized.
* @return {{height: number, width: number}} The height and width of
* this comment when it is full size. These numbers do not change
* as the workspace zoom changes.
* @package
*/
Blockly.ScratchBlockComment.prototype.getHeightWidth = function() {
return {height: this.height_, width: this.width_};
};
/**
* Check whether this comment is currently minimized.
* @return {boolean} True if minimized
* @package
*/
Blockly.ScratchBlockComment.prototype.isMinimized = function() {
return this.isMinimized_;
};
/**
* Show the context menu for this comment's bubble.
* @param {!Event} e The mouse event
* @private
*/
Blockly.ScratchBlockComment.prototype.showContextMenu_ = function(e) {
var menuOptions = [];
menuOptions.push(Blockly.ContextMenu.commentDeleteOption(this, Blockly.Msg.DELETE));
Blockly.ContextMenu.show(e, menuOptions, this.block_.RTL);
};
|
import React, { useState, useEffect } from "react";
import axios from "axios";
import Tippy from "@tippyjs/react";
import "./styles.css";
import backgroundImg from "./assets/section-bg.png";
import user from "./assets/user-icon.png";
import LinkedIn from "../Components/LinkedIn";
import Twitter from "../Components/Twitter";
import pdf from "./assets/placement.pdf";
function shuffleObject(obj) {
let newObj = {};
var keys = Object.keys(obj);
keys.sort(function (a, b) {
return Math.random() - 0.5;
});
keys.forEach(function (k) {
newObj[k] = obj[k];
});
return newObj;
}
function Popup(props) {
return (
<div className="description-popup">
<div className="d-flex align-items-center">
<p className="fw-bold mt-3 mr-3">{props.Name}</p>
{props.linkedin ? (
<a href={props.linkedin} target="_blank" className="mr-3">
<LinkedIn />
</a>
) : (
<></>
)}
{props.twitter ? (
<a href={props.twitter} target="_blank">
<Twitter />
</a>
) : (
<></>
)}
</div>
<p
className="mt-0"
style={
props.Content === "Awaiting content from team member"
? { color: "grey" }
: {}
}
>
{props.Content}
</p>
</div>
);
}
function NgHiring() {
useEffect(() => {
axios({
url: `https://anandpatel504.github.io/tarabai-shinde/data/alumni.json`,
}).then((res) => {
setTeam(res.data);
});
}, []);
const [team, setTeam] = useState([]);
return (
<main className="ng-hiring-page">
<div className="page-content">
<section className="container hiring-page-section d-flex flex-column w-100 mb-6">
<h3 className="section-head mt-3 mt-md-5 mb-3">Hire from Us</h3>
<hr className="heading-hr align-self-center mb-3" />
<div className="mt-3">
<img src={backgroundImg} className="backgroundImg" />
</div>
<div className="mt-4 mb-2 d-flex w-100 justify-content-center hiring-page-content">
<p className="section-para w-70">
Our Software Engineering and Graphic Design graduates are skilled
to be productive from Day 1. Take a look at these{" "}
<b className="fw-bold"> diamond in the roughs</b> who are polished
gems now.
</p>
</div>
<a
href="https://nightingale1.s3.ap-south-1.amazonaws.com/pdf/placement.pdf"
download="Placement Brief - Navgurukul"
target="_blank"
>
<button
type="button"
class="btn mb-4 f-Nuni fw-bold py-2 regular-btn align-self-center"
>
Download Placement Brief
</button>
</a>
<div className="hiring-page-content d-flex justify-content-center ">
<p className="section-para">
Contact us directly at{" "}
<a href="mailto:[email protected]" className="link">
[email protected]
</a>{" "}
for hiring or freelancing projects.
</p>
</div>
</section>
<section className="hiring-page-section mb-5 d-flex flex-column">
<h3 className="hiring-section-title section-head mt-3 mb-3">
Meet Our Recent Graduates
</h3>
<hr className="heading-hr align-self-center mb-3" />
<div className="container hiring-page-card-container px-0 d-flex">
{Object.keys(shuffleObject(team)).length ? (
Object.keys(shuffleObject(team)).map((item) => {
{if (
team[item].Photo &&
team[item].Name &&
team[item].Content.length &&
team[item].Content &&
team[item].Designation
)
return (
<Tippy
animation="fade"
interactive="true"
duration={[500, 0]}
placement={
window.screen.availWidth < 650 ? "bottom" : "right"
}
content={
<Popup
Name={team[item].Name || "Awaiting Member's Name"}
Content={
(team[item].Content.length && team[item].Content) ||
"Awaiting content from team member"
}
linkedin={team[item].LinkedIn}
twitter={team[item].Twitter}
/>
}
>
<div className="Card-content flex flex-column col-6 col-md-3">
<div className="card card-details">
<img
className="card-img-top team-info-card-img img-card-hover"
src={team[item].Photo ? team[item].Photo : user}
alt={team[item].Name.substring(
0,
team[item].Name.indexOf(" ")
)}
/>
<p
style={team[item].Name ? {} : { color: "grey" }}
className="team-info-card-title"
>
{team[item].Name
? team[item].Name
: "Awaiting Member's Name"}
</p>
<p
style={
team[item].Designation ? {} : { color: "grey" }
}
className="section-para"
>
{team[item].Designation ||
"Awaiting description from team member"}
</p>
</div>
</div>
</Tippy>
);
}
})
) : (
<></>
)}
</div>
</section>
</div>
</main>
);
}
export default NgHiring;
|
# coding: utf-8
# -----------------------------------------------------------------------------------
# <copyright company="Aspose" file="ps_save_options_data.py">
# Copyright (c) 2021 Aspose.Words for Cloud
# </copyright>
# <summary>
# Permission is hereby granted, free of charge, to any person obtaining a copy
# of this software and associated documentation files (the "Software"), to deal
# in the Software without restriction, including without limitation the rights
# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
# copies of the Software, and to permit persons to whom the Software is
# furnished to do so, subject to the following conditions:
#
# The above copyright notice and this permission notice shall be included in all
# copies or substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
# SOFTWARE.
# </summary>
# -----------------------------------------------------------------------------------
import pprint
import re # noqa: F401
import datetime
import six
import json
class PsSaveOptionsData(object):
"""Container class for ps save options.
"""
"""
Attributes:
swagger_types (dict): The key is attribute name
and the value is attribute type.
attribute_map (dict): The key is attribute name
and the value is json key in definition.
"""
swagger_types = {
'allow_embedding_post_script_fonts': 'bool',
'custom_time_zone_info_data': 'TimeZoneInfoData',
'dml3_d_effects_rendering_mode': 'str',
'dml_effects_rendering_mode': 'str',
'dml_rendering_mode': 'str',
'file_name': 'str',
'flat_opc_xml_mapping_only': 'bool',
'iml_rendering_mode': 'str',
'save_format': 'str',
'update_created_time_property': 'bool',
'update_fields': 'bool',
'update_last_printed_property': 'bool',
'update_last_saved_time_property': 'bool',
'update_sdt_content': 'bool',
'zip_output': 'bool',
'color_mode': 'str',
'jpeg_quality': 'int',
'metafile_rendering_options': 'MetafileRenderingOptionsData',
'numeral_format': 'str',
'optimize_output': 'bool',
'page_count': 'int',
'page_index': 'int',
'use_book_fold_printing_settings': 'bool'
}
attribute_map = {
'allow_embedding_post_script_fonts': 'AllowEmbeddingPostScriptFonts',
'custom_time_zone_info_data': 'CustomTimeZoneInfoData',
'dml3_d_effects_rendering_mode': 'Dml3DEffectsRenderingMode',
'dml_effects_rendering_mode': 'DmlEffectsRenderingMode',
'dml_rendering_mode': 'DmlRenderingMode',
'file_name': 'FileName',
'flat_opc_xml_mapping_only': 'FlatOpcXmlMappingOnly',
'iml_rendering_mode': 'ImlRenderingMode',
'save_format': 'SaveFormat',
'update_created_time_property': 'UpdateCreatedTimeProperty',
'update_fields': 'UpdateFields',
'update_last_printed_property': 'UpdateLastPrintedProperty',
'update_last_saved_time_property': 'UpdateLastSavedTimeProperty',
'update_sdt_content': 'UpdateSdtContent',
'zip_output': 'ZipOutput',
'color_mode': 'ColorMode',
'jpeg_quality': 'JpegQuality',
'metafile_rendering_options': 'MetafileRenderingOptions',
'numeral_format': 'NumeralFormat',
'optimize_output': 'OptimizeOutput',
'page_count': 'PageCount',
'page_index': 'PageIndex',
'use_book_fold_printing_settings': 'UseBookFoldPrintingSettings'
}
def __init__(self, allow_embedding_post_script_fonts=None, custom_time_zone_info_data=None, dml3_d_effects_rendering_mode=None, dml_effects_rendering_mode=None, dml_rendering_mode=None, file_name=None, flat_opc_xml_mapping_only=None, iml_rendering_mode=None, save_format=None, update_created_time_property=None, update_fields=None, update_last_printed_property=None, update_last_saved_time_property=None, update_sdt_content=None, zip_output=None, color_mode=None, jpeg_quality=None, metafile_rendering_options=None, numeral_format=None, optimize_output=None, page_count=None, page_index=None, use_book_fold_printing_settings=None): # noqa: E501
"""PsSaveOptionsData - a model defined in Swagger""" # noqa: E501
self._allow_embedding_post_script_fonts = None
self._custom_time_zone_info_data = None
self._dml3_d_effects_rendering_mode = None
self._dml_effects_rendering_mode = None
self._dml_rendering_mode = None
self._file_name = None
self._flat_opc_xml_mapping_only = None
self._iml_rendering_mode = None
self._save_format = None
self._update_created_time_property = None
self._update_fields = None
self._update_last_printed_property = None
self._update_last_saved_time_property = None
self._update_sdt_content = None
self._zip_output = None
self._color_mode = None
self._jpeg_quality = None
self._metafile_rendering_options = None
self._numeral_format = None
self._optimize_output = None
self._page_count = None
self._page_index = None
self._use_book_fold_printing_settings = None
self.discriminator = None
if allow_embedding_post_script_fonts is not None:
self.allow_embedding_post_script_fonts = allow_embedding_post_script_fonts
if custom_time_zone_info_data is not None:
self.custom_time_zone_info_data = custom_time_zone_info_data
if dml3_d_effects_rendering_mode is not None:
self.dml3_d_effects_rendering_mode = dml3_d_effects_rendering_mode
if dml_effects_rendering_mode is not None:
self.dml_effects_rendering_mode = dml_effects_rendering_mode
if dml_rendering_mode is not None:
self.dml_rendering_mode = dml_rendering_mode
if file_name is not None:
self.file_name = file_name
if flat_opc_xml_mapping_only is not None:
self.flat_opc_xml_mapping_only = flat_opc_xml_mapping_only
if iml_rendering_mode is not None:
self.iml_rendering_mode = iml_rendering_mode
if save_format is not None:
self.save_format = save_format
if update_created_time_property is not None:
self.update_created_time_property = update_created_time_property
if update_fields is not None:
self.update_fields = update_fields
if update_last_printed_property is not None:
self.update_last_printed_property = update_last_printed_property
if update_last_saved_time_property is not None:
self.update_last_saved_time_property = update_last_saved_time_property
if update_sdt_content is not None:
self.update_sdt_content = update_sdt_content
if zip_output is not None:
self.zip_output = zip_output
if color_mode is not None:
self.color_mode = color_mode
if jpeg_quality is not None:
self.jpeg_quality = jpeg_quality
if metafile_rendering_options is not None:
self.metafile_rendering_options = metafile_rendering_options
if numeral_format is not None:
self.numeral_format = numeral_format
if optimize_output is not None:
self.optimize_output = optimize_output
if page_count is not None:
self.page_count = page_count
if page_index is not None:
self.page_index = page_index
if use_book_fold_printing_settings is not None:
self.use_book_fold_printing_settings = use_book_fold_printing_settings
@property
def allow_embedding_post_script_fonts(self):
"""Gets the allow_embedding_post_script_fonts of this PsSaveOptionsData. # noqa: E501
Gets or sets a boolean value indicating whether to allow embedding fonts with PostScript outlines when embedding TrueType fonts in a document upon it is saved. The default value is false.. # noqa: E501
:return: The allow_embedding_post_script_fonts of this PsSaveOptionsData. # noqa: E501
:rtype: bool
"""
return self._allow_embedding_post_script_fonts
@allow_embedding_post_script_fonts.setter
def allow_embedding_post_script_fonts(self, allow_embedding_post_script_fonts):
"""Sets the allow_embedding_post_script_fonts of this PsSaveOptionsData.
Gets or sets a boolean value indicating whether to allow embedding fonts with PostScript outlines when embedding TrueType fonts in a document upon it is saved. The default value is false.. # noqa: E501
:param allow_embedding_post_script_fonts: The allow_embedding_post_script_fonts of this PsSaveOptionsData. # noqa: E501
:type: bool
"""
self._allow_embedding_post_script_fonts = allow_embedding_post_script_fonts
@property
def custom_time_zone_info_data(self):
"""Gets the custom_time_zone_info_data of this PsSaveOptionsData. # noqa: E501
Gets or sets CustomTimeZoneInfo. # noqa: E501
:return: The custom_time_zone_info_data of this PsSaveOptionsData. # noqa: E501
:rtype: TimeZoneInfoData
"""
return self._custom_time_zone_info_data
@custom_time_zone_info_data.setter
def custom_time_zone_info_data(self, custom_time_zone_info_data):
"""Sets the custom_time_zone_info_data of this PsSaveOptionsData.
Gets or sets CustomTimeZoneInfo. # noqa: E501
:param custom_time_zone_info_data: The custom_time_zone_info_data of this PsSaveOptionsData. # noqa: E501
:type: TimeZoneInfoData
"""
self._custom_time_zone_info_data = custom_time_zone_info_data
@property
def dml3_d_effects_rendering_mode(self):
"""Gets the dml3_d_effects_rendering_mode of this PsSaveOptionsData. # noqa: E501
Gets or sets the value determining how 3D effects are rendered. # noqa: E501
:return: The dml3_d_effects_rendering_mode of this PsSaveOptionsData. # noqa: E501
:rtype: str
"""
return self._dml3_d_effects_rendering_mode
@dml3_d_effects_rendering_mode.setter
def dml3_d_effects_rendering_mode(self, dml3_d_effects_rendering_mode):
"""Sets the dml3_d_effects_rendering_mode of this PsSaveOptionsData.
Gets or sets the value determining how 3D effects are rendered. # noqa: E501
:param dml3_d_effects_rendering_mode: The dml3_d_effects_rendering_mode of this PsSaveOptionsData. # noqa: E501
:type: str
"""
allowed_values = ["Basic", "Advanced"] # noqa: E501
if not dml3_d_effects_rendering_mode.isdigit():
if dml3_d_effects_rendering_mode not in allowed_values:
raise ValueError(
"Invalid value for `dml3_d_effects_rendering_mode` ({0}), must be one of {1}" # noqa: E501
.format(dml3_d_effects_rendering_mode, allowed_values))
self._dml3_d_effects_rendering_mode = dml3_d_effects_rendering_mode
else:
self._dml3_d_effects_rendering_mode = allowed_values[int(dml3_d_effects_rendering_mode) if six.PY3 else long(dml3_d_effects_rendering_mode)]
@property
def dml_effects_rendering_mode(self):
"""Gets the dml_effects_rendering_mode of this PsSaveOptionsData. # noqa: E501
Gets or sets the value determining how DrawingML effects are rendered. { Simplified | None | Fine }. # noqa: E501
:return: The dml_effects_rendering_mode of this PsSaveOptionsData. # noqa: E501
:rtype: str
"""
return self._dml_effects_rendering_mode
@dml_effects_rendering_mode.setter
def dml_effects_rendering_mode(self, dml_effects_rendering_mode):
"""Sets the dml_effects_rendering_mode of this PsSaveOptionsData.
Gets or sets the value determining how DrawingML effects are rendered. { Simplified | None | Fine }. # noqa: E501
:param dml_effects_rendering_mode: The dml_effects_rendering_mode of this PsSaveOptionsData. # noqa: E501
:type: str
"""
self._dml_effects_rendering_mode = dml_effects_rendering_mode
@property
def dml_rendering_mode(self):
"""Gets the dml_rendering_mode of this PsSaveOptionsData. # noqa: E501
Gets or sets the option that controls how DrawingML shapes are rendered. # noqa: E501
:return: The dml_rendering_mode of this PsSaveOptionsData. # noqa: E501
:rtype: str
"""
return self._dml_rendering_mode
@dml_rendering_mode.setter
def dml_rendering_mode(self, dml_rendering_mode):
"""Sets the dml_rendering_mode of this PsSaveOptionsData.
Gets or sets the option that controls how DrawingML shapes are rendered. # noqa: E501
:param dml_rendering_mode: The dml_rendering_mode of this PsSaveOptionsData. # noqa: E501
:type: str
"""
self._dml_rendering_mode = dml_rendering_mode
@property
def file_name(self):
"""Gets the file_name of this PsSaveOptionsData. # noqa: E501
Gets or sets the name of destination file. # noqa: E501
:return: The file_name of this PsSaveOptionsData. # noqa: E501
:rtype: str
"""
return self._file_name
@file_name.setter
def file_name(self, file_name):
"""Sets the file_name of this PsSaveOptionsData.
Gets or sets the name of destination file. # noqa: E501
:param file_name: The file_name of this PsSaveOptionsData. # noqa: E501
:type: str
"""
self._file_name = file_name
@property
def flat_opc_xml_mapping_only(self):
"""Gets the flat_opc_xml_mapping_only of this PsSaveOptionsData. # noqa: E501
Gets or sets value determining which document formats are allowed to be mapped by Aspose.Words.Markup.StructuredDocumentTag.XmlMapping. By default only Aspose.Words.LoadFormat.FlatOpc document format is allowed to be mapped. # noqa: E501
:return: The flat_opc_xml_mapping_only of this PsSaveOptionsData. # noqa: E501
:rtype: bool
"""
return self._flat_opc_xml_mapping_only
@flat_opc_xml_mapping_only.setter
def flat_opc_xml_mapping_only(self, flat_opc_xml_mapping_only):
"""Sets the flat_opc_xml_mapping_only of this PsSaveOptionsData.
Gets or sets value determining which document formats are allowed to be mapped by Aspose.Words.Markup.StructuredDocumentTag.XmlMapping. By default only Aspose.Words.LoadFormat.FlatOpc document format is allowed to be mapped. # noqa: E501
:param flat_opc_xml_mapping_only: The flat_opc_xml_mapping_only of this PsSaveOptionsData. # noqa: E501
:type: bool
"""
self._flat_opc_xml_mapping_only = flat_opc_xml_mapping_only
@property
def iml_rendering_mode(self):
"""Gets the iml_rendering_mode of this PsSaveOptionsData. # noqa: E501
Gets or sets the value determining how ink (InkML) objects are rendered. # noqa: E501
:return: The iml_rendering_mode of this PsSaveOptionsData. # noqa: E501
:rtype: str
"""
return self._iml_rendering_mode
@iml_rendering_mode.setter
def iml_rendering_mode(self, iml_rendering_mode):
"""Sets the iml_rendering_mode of this PsSaveOptionsData.
Gets or sets the value determining how ink (InkML) objects are rendered. # noqa: E501
:param iml_rendering_mode: The iml_rendering_mode of this PsSaveOptionsData. # noqa: E501
:type: str
"""
self._iml_rendering_mode = iml_rendering_mode
@property
def save_format(self):
"""Gets the save_format of this PsSaveOptionsData. # noqa: E501
Gets or sets the format of save. # noqa: E501
:return: The save_format of this PsSaveOptionsData. # noqa: E501
:rtype: str
"""
return self._save_format
@save_format.setter
def save_format(self, save_format):
"""Sets the save_format of this PsSaveOptionsData.
Gets or sets the format of save. # noqa: E501
:param save_format: The save_format of this PsSaveOptionsData. # noqa: E501
:type: str
"""
self._save_format = save_format
@property
def update_created_time_property(self):
"""Gets the update_created_time_property of this PsSaveOptionsData. # noqa: E501
Gets or sets a value determining whether the Aspose.Words.Properties.BuiltInDocumentProperties.CreatedTime property is updated before saving. Default value is false. # noqa: E501
:return: The update_created_time_property of this PsSaveOptionsData. # noqa: E501
:rtype: bool
"""
return self._update_created_time_property
@update_created_time_property.setter
def update_created_time_property(self, update_created_time_property):
"""Sets the update_created_time_property of this PsSaveOptionsData.
Gets or sets a value determining whether the Aspose.Words.Properties.BuiltInDocumentProperties.CreatedTime property is updated before saving. Default value is false. # noqa: E501
:param update_created_time_property: The update_created_time_property of this PsSaveOptionsData. # noqa: E501
:type: bool
"""
self._update_created_time_property = update_created_time_property
@property
def update_fields(self):
"""Gets the update_fields of this PsSaveOptionsData. # noqa: E501
Gets or sets a value indicating whether fields should be updated before saving the document to a fixed page format. The default value is true. # noqa: E501
:return: The update_fields of this PsSaveOptionsData. # noqa: E501
:rtype: bool
"""
return self._update_fields
@update_fields.setter
def update_fields(self, update_fields):
"""Sets the update_fields of this PsSaveOptionsData.
Gets or sets a value indicating whether fields should be updated before saving the document to a fixed page format. The default value is true. # noqa: E501
:param update_fields: The update_fields of this PsSaveOptionsData. # noqa: E501
:type: bool
"""
self._update_fields = update_fields
@property
def update_last_printed_property(self):
"""Gets the update_last_printed_property of this PsSaveOptionsData. # noqa: E501
Gets or sets a value indicating whether the Aspose.Words.Properties.BuiltInDocumentProperties.LastPrinted property is updated before saving. # noqa: E501
:return: The update_last_printed_property of this PsSaveOptionsData. # noqa: E501
:rtype: bool
"""
return self._update_last_printed_property
@update_last_printed_property.setter
def update_last_printed_property(self, update_last_printed_property):
"""Sets the update_last_printed_property of this PsSaveOptionsData.
Gets or sets a value indicating whether the Aspose.Words.Properties.BuiltInDocumentProperties.LastPrinted property is updated before saving. # noqa: E501
:param update_last_printed_property: The update_last_printed_property of this PsSaveOptionsData. # noqa: E501
:type: bool
"""
self._update_last_printed_property = update_last_printed_property
@property
def update_last_saved_time_property(self):
"""Gets the update_last_saved_time_property of this PsSaveOptionsData. # noqa: E501
Gets or sets a value indicating whether the Aspose.Words.Properties.BuiltInDocumentProperties.LastSavedTime property is updated before saving. # noqa: E501
:return: The update_last_saved_time_property of this PsSaveOptionsData. # noqa: E501
:rtype: bool
"""
return self._update_last_saved_time_property
@update_last_saved_time_property.setter
def update_last_saved_time_property(self, update_last_saved_time_property):
"""Sets the update_last_saved_time_property of this PsSaveOptionsData.
Gets or sets a value indicating whether the Aspose.Words.Properties.BuiltInDocumentProperties.LastSavedTime property is updated before saving. # noqa: E501
:param update_last_saved_time_property: The update_last_saved_time_property of this PsSaveOptionsData. # noqa: E501
:type: bool
"""
self._update_last_saved_time_property = update_last_saved_time_property
@property
def update_sdt_content(self):
"""Gets the update_sdt_content of this PsSaveOptionsData. # noqa: E501
Gets or sets a value indicating whether content of StructuredDocumentTag is updated before saving. # noqa: E501
:return: The update_sdt_content of this PsSaveOptionsData. # noqa: E501
:rtype: bool
"""
return self._update_sdt_content
@update_sdt_content.setter
def update_sdt_content(self, update_sdt_content):
"""Sets the update_sdt_content of this PsSaveOptionsData.
Gets or sets a value indicating whether content of StructuredDocumentTag is updated before saving. # noqa: E501
:param update_sdt_content: The update_sdt_content of this PsSaveOptionsData. # noqa: E501
:type: bool
"""
self._update_sdt_content = update_sdt_content
@property
def zip_output(self):
"""Gets the zip_output of this PsSaveOptionsData. # noqa: E501
Gets or sets a value indicating whether to zip output or not. The default value is false. # noqa: E501
:return: The zip_output of this PsSaveOptionsData. # noqa: E501
:rtype: bool
"""
return self._zip_output
@zip_output.setter
def zip_output(self, zip_output):
"""Sets the zip_output of this PsSaveOptionsData.
Gets or sets a value indicating whether to zip output or not. The default value is false. # noqa: E501
:param zip_output: The zip_output of this PsSaveOptionsData. # noqa: E501
:type: bool
"""
self._zip_output = zip_output
@property
def color_mode(self):
"""Gets the color_mode of this PsSaveOptionsData. # noqa: E501
Gets or sets the value determining how colors are rendered. { Normal | Grayscale}. # noqa: E501
:return: The color_mode of this PsSaveOptionsData. # noqa: E501
:rtype: str
"""
return self._color_mode
@color_mode.setter
def color_mode(self, color_mode):
"""Sets the color_mode of this PsSaveOptionsData.
Gets or sets the value determining how colors are rendered. { Normal | Grayscale}. # noqa: E501
:param color_mode: The color_mode of this PsSaveOptionsData. # noqa: E501
:type: str
"""
self._color_mode = color_mode
@property
def jpeg_quality(self):
"""Gets the jpeg_quality of this PsSaveOptionsData. # noqa: E501
Gets or sets the quality of the JPEG images inside PDF document. # noqa: E501
:return: The jpeg_quality of this PsSaveOptionsData. # noqa: E501
:rtype: int
"""
return self._jpeg_quality
@jpeg_quality.setter
def jpeg_quality(self, jpeg_quality):
"""Sets the jpeg_quality of this PsSaveOptionsData.
Gets or sets the quality of the JPEG images inside PDF document. # noqa: E501
:param jpeg_quality: The jpeg_quality of this PsSaveOptionsData. # noqa: E501
:type: int
"""
self._jpeg_quality = jpeg_quality
@property
def metafile_rendering_options(self):
"""Gets the metafile_rendering_options of this PsSaveOptionsData. # noqa: E501
Gets or sets the metafile rendering options. # noqa: E501
:return: The metafile_rendering_options of this PsSaveOptionsData. # noqa: E501
:rtype: MetafileRenderingOptionsData
"""
return self._metafile_rendering_options
@metafile_rendering_options.setter
def metafile_rendering_options(self, metafile_rendering_options):
"""Sets the metafile_rendering_options of this PsSaveOptionsData.
Gets or sets the metafile rendering options. # noqa: E501
:param metafile_rendering_options: The metafile_rendering_options of this PsSaveOptionsData. # noqa: E501
:type: MetafileRenderingOptionsData
"""
self._metafile_rendering_options = metafile_rendering_options
@property
def numeral_format(self):
"""Gets the numeral_format of this PsSaveOptionsData. # noqa: E501
Gets or sets the symbol set, that is used to represent numbers while rendering to fixed page formats. # noqa: E501
:return: The numeral_format of this PsSaveOptionsData. # noqa: E501
:rtype: str
"""
return self._numeral_format
@numeral_format.setter
def numeral_format(self, numeral_format):
"""Sets the numeral_format of this PsSaveOptionsData.
Gets or sets the symbol set, that is used to represent numbers while rendering to fixed page formats. # noqa: E501
:param numeral_format: The numeral_format of this PsSaveOptionsData. # noqa: E501
:type: str
"""
self._numeral_format = numeral_format
@property
def optimize_output(self):
"""Gets the optimize_output of this PsSaveOptionsData. # noqa: E501
Gets or sets a value indicating whether it is required to optimize output of XPS. If this flag is set redundant nested canvases and empty canvases are removed, also neighbor glyphs with the same formatting are concatenated. Note: The accuracy of the content display may be affected if this property is set to true.. The default value is false. # noqa: E501
:return: The optimize_output of this PsSaveOptionsData. # noqa: E501
:rtype: bool
"""
return self._optimize_output
@optimize_output.setter
def optimize_output(self, optimize_output):
"""Sets the optimize_output of this PsSaveOptionsData.
Gets or sets a value indicating whether it is required to optimize output of XPS. If this flag is set redundant nested canvases and empty canvases are removed, also neighbor glyphs with the same formatting are concatenated. Note: The accuracy of the content display may be affected if this property is set to true.. The default value is false. # noqa: E501
:param optimize_output: The optimize_output of this PsSaveOptionsData. # noqa: E501
:type: bool
"""
self._optimize_output = optimize_output
@property
def page_count(self):
"""Gets the page_count of this PsSaveOptionsData. # noqa: E501
Gets or sets the number of pages to render. # noqa: E501
:return: The page_count of this PsSaveOptionsData. # noqa: E501
:rtype: int
"""
return self._page_count
@page_count.setter
def page_count(self, page_count):
"""Sets the page_count of this PsSaveOptionsData.
Gets or sets the number of pages to render. # noqa: E501
:param page_count: The page_count of this PsSaveOptionsData. # noqa: E501
:type: int
"""
self._page_count = page_count
@property
def page_index(self):
"""Gets the page_index of this PsSaveOptionsData. # noqa: E501
Gets or sets the 0-based index of the first page to render. # noqa: E501
:return: The page_index of this PsSaveOptionsData. # noqa: E501
:rtype: int
"""
return self._page_index
@page_index.setter
def page_index(self, page_index):
"""Sets the page_index of this PsSaveOptionsData.
Gets or sets the 0-based index of the first page to render. # noqa: E501
:param page_index: The page_index of this PsSaveOptionsData. # noqa: E501
:type: int
"""
self._page_index = page_index
@property
def use_book_fold_printing_settings(self):
"""Gets the use_book_fold_printing_settings of this PsSaveOptionsData. # noqa: E501
Gets or sets a value indicating whether the document should be saved using a booklet printing layout. # noqa: E501
:return: The use_book_fold_printing_settings of this PsSaveOptionsData. # noqa: E501
:rtype: bool
"""
return self._use_book_fold_printing_settings
@use_book_fold_printing_settings.setter
def use_book_fold_printing_settings(self, use_book_fold_printing_settings):
"""Sets the use_book_fold_printing_settings of this PsSaveOptionsData.
Gets or sets a value indicating whether the document should be saved using a booklet printing layout. # noqa: E501
:param use_book_fold_printing_settings: The use_book_fold_printing_settings of this PsSaveOptionsData. # noqa: E501
:type: bool
"""
self._use_book_fold_printing_settings = use_book_fold_printing_settings
def to_dict(self):
"""Returns the model properties as a dict"""
result = {}
for attr, _ in six.iteritems(self.swagger_types):
value = getattr(self, attr)
if value is None:
continue
if isinstance(value, list):
result[self.attribute_map[attr]] = list(map(
lambda x: x.to_dict() if hasattr(x, "to_dict") else x,
value
))
elif hasattr(value, "to_dict"):
result[self.attribute_map[attr]] = value.to_dict()
elif isinstance(value, dict):
result[self.attribute_map[attr]] = dict(map(
lambda item: (item[0], item[1].to_dict())
if hasattr(item[1], "to_dict") else item,
value.items()
))
elif isinstance(value, (datetime.datetime, datetime.date)):
result[self.attribute_map[attr]] = value.isoformat()
else:
result[self.attribute_map[attr]] = value
return result
def to_json(self):
"""Returns the model properties as a dict"""
result = {}
for attr, _ in six.iteritems(self.swagger_types):
value = getattr(self, attr)
if isinstance(value, list):
result[self.attribute_map[attr]] = list(map(
lambda x: x.to_dict() if hasattr(x, "to_dict") else x,
value
))
elif hasattr(value, "to_dict"):
result[self.attribute_map[attr]] = value.to_dict()
elif isinstance(value, dict):
result[self.attribute_map[attr]] = dict(map(
lambda item: (item[0], item[1].to_dict())
if hasattr(item[1], "to_dict") else item,
value.items()
))
elif isinstance(value, (datetime.datetime, datetime.date)):
result[self.attribute_map[attr]] = value.isoformat()
else:
result[self.attribute_map[attr]] = value
return json.dumps(result)
def to_str(self):
"""Returns the string representation of the model"""
return pprint.pformat(self.to_dict())
def __repr__(self):
"""For `print` and `pprint`"""
return self.to_str()
def __eq__(self, other):
"""Returns true if both objects are equal"""
if not isinstance(other, PsSaveOptionsData):
return False
return self.__dict__ == other.__dict__
def __ne__(self, other):
"""Returns true if both objects are not equal"""
return not self == other |
import chai from "chai";
import sinon from "sinon";
import sinonChai from "sinon-chai";
import { JSDOM } from "jsdom";
chai.use(sinonChai);
const { expect } = chai;
const jsdom = new JSDOM("<!doctype html><html><body></body></html>");
const { window } = jsdom;
// Constants
window.env = process.env;
window.PEACH = { replenishUrl: "replenishurl" };
window.DB = { Connection: {}, Entities: {} };
window.VERSION = {
Legal: "Legalized",
};
window.DB.databasePath = sinon.stub();
window.DB.Connection = require("../server/db");
window.DB.Entities.Contacts = require("../server/db/model/Contacts").Contacts;
window.DB.Entities.Channels = require("../server/db/model/Channels").Channels;
window.DB.Entities.Onchain = require("../server/db/model/Onchain").Onchain;
window.DB.Entities.LightningTxns = require("../server/db/model/LightningTxns").LightningTxns;
window.DB.Entities.Stream = require("../server/db/model/Stream").Stream;
window.DB.Entities.StreamPart = require("../server/db/model/StreamPart").StreamPart;
window.DB.Entities.Config = require("../server/db/model/Config").Config;
// Functions
const ipcClient = sinon.stub();
window.ipcClient = ipcClient;
const sleep = ms => new Promise(resolve => setTimeout(resolve, ms));
const matchMedia = () => ({
matches: false,
addListener: () => {},
removeListener: () => {},
});
window.matchMedia = window.matchMedia || matchMedia;
// Base implementation of electron ipc. For test some code like window.ipcRenderer.on("lnd-down")
let channels = {};
const ipcRenderer = {
send: sinon.spy(async (channel, ...arg) => {
if (channel in channels) {
channels[channel].callbacks.forEach((callback) => {
if (arg.length) {
callback(null, ...Object.values(arg[0]));
} else {
callback(null);
}
});
}
return Promise.resolve();
}),
on: sinon.spy((channel, callback) => {
if (channel in channels) {
channels[channel].callbacks.push(callback);
} else {
channels[channel] = { callbacks: [callback] };
}
}),
reset: () => {
channels = {};
},
};
window.ipcRenderer = ipcRenderer;
global.btoa = sinon.stub();
global.window = window;
global.navigator = {
userAgent: "node.js",
};
global.document = window.document;
global.expect = expect;
global.sinon = sinon;
global.sleep = sleep;
|
var snowStorm = null;
function SnowStorm() {
// --- PROPERTIES ---
this.flakesMax = 128; // Limit total amount of snow made (falling + sticking)
this.flakesMaxActive = 64; // Limit amount of snow falling at once (less = lower CPU use)
this.animationInterval = 33; // Theoretical "miliseconds per frame" measurement. 20 = fast + smooth, but high CPU use. 50 = more conservative, but slower
this.flakeBottom = null; // Integer for Y axis snow limit, 0 or null for "full-screen" snow effect
this.targetElement = null; // element which snow will be appended to (document body if null/undefined) - can be an element ID string, or a DOM node reference
this.followMouse = true; // Snow will change movement with the user's mouse
this.snowColor = '#fff'; // Don't eat (or use?) yellow snow.
this.snowCharacter = '•'; // • = bullet, · is square on some systems etc.
this.snowStick = true; // Whether or not snow should "stick" at the bottom. When off, will never collect.
this.useMeltEffect = true; // When recycling fallen snow (or rarely, when falling), have it "melt" and fade out if browser supports it
this.useTwinkleEffect = false; // Allow snow to randomly "flicker" in and out of view while falling
this.usePositionFixed = false; // true = snow not affected by window scroll. may increase CPU load, disabled by default - if enabled, used only where supported
// --- less-used bits ---
this.flakeLeftOffset = 0; // amount to subtract from edges of container
this.flakeRightOffset = 0; // amount to subtract from edges of container
this.flakeWidth = 8; // max pixel width for snow element
this.flakeHeight = 8; // max pixel height for snow element
this.vMaxX = 5; // Maximum X velocity range for snow
this.vMaxY = 4; // Maximum Y velocity range
this.zIndex = 0; // CSS stacking order applied to each snowflake
// --- End of user section ---
// jslint global declarations
/*global window, document, navigator, clearInterval, setInterval */
var addEvent = (typeof(window.attachEvent)=='undefined'?function(o,evtName,evtHandler) {
return o.addEventListener(evtName,evtHandler,false);
}:function(o,evtName,evtHandler) {
return o.attachEvent('on'+evtName,evtHandler);
});
var removeEvent = (typeof(window.attachEvent)=='undefined'?function(o,evtName,evtHandler) {
return o.removeEventListener(evtName,evtHandler,false);
}:function(o,evtName,evtHandler) {
return o.detachEvent('on'+evtName,evtHandler);
});
function rnd(n,min) {
if (isNaN(min)) {
min = 0;
}
return (Math.random()*n)+min;
}
function plusMinus(n) {
return (parseInt(rnd(2),10)==1?n*-1:n);
}
var s = this;
var storm = this;
this.timers = [];
this.flakes = [];
this.disabled = false;
this.active = false;
var isIE = navigator.userAgent.match(/msie/i);
var isIE6 = navigator.userAgent.match(/msie 6/i);
var isOldIE = (isIE && (isIE6 || navigator.userAgent.match(/msie 5/i)));
var isWin9X = navigator.appVersion.match(/windows 98/i);
var isiPhone = navigator.userAgent.match(/iphone/i);
var isBackCompatIE = (isIE && document.compatMode == 'BackCompat');
var noFixed = ((isBackCompatIE || isIE6 || isiPhone)?true:false);
var screenX = null;
var screenX2 = null;
var screenY = null;
var scrollY = null;
var vRndX = null;
var vRndY = null;
var windOffset = 1;
var windMultiplier = 2;
var flakeTypes = 6;
var fixedForEverything = false;
var opacitySupported = (function(){
try {
document.createElement('div').style.opacity = '0.5';
} catch (e) {
return false;
}
return true;
})();
var docFrag = document.createDocumentFragment();
if (s.flakeLeftOffset === null) {
s.flakeLeftOffset = 0;
}
if (s.flakeRightOffset === null) {
s.flakeRightOffset = 0;
}
this.meltFrameCount = 20;
this.meltFrames = [];
for (var i=0; i<this.meltFrameCount; i++) {
this.meltFrames.push(1-(i/this.meltFrameCount));
}
this.randomizeWind = function() {
vRndX = plusMinus(rnd(s.vMaxX,0.2));
vRndY = rnd(s.vMaxY,0.2);
if (this.flakes) {
for (var i=0; i<this.flakes.length; i++) {
if (this.flakes[i].active) {
this.flakes[i].setVelocities();
}
}
}
};
this.scrollHandler = function() {
// "attach" snowflakes to bottom of window if no absolute bottom value was given
scrollY = (s.flakeBottom?0:parseInt(window.scrollY||document.documentElement.scrollTop||document.body.scrollTop,10));
if (isNaN(scrollY)) {
scrollY = 0; // Netscape 6 scroll fix
}
if (!fixedForEverything && !s.flakeBottom && s.flakes) {
for (var i=s.flakes.length; i--;) {
if (s.flakes[i].active === 0) {
s.flakes[i].stick();
}
}
}
};
this.resizeHandler = function() {
if (window.innerWidth || window.innerHeight) {
screenX = window.innerWidth-(!isIE?16:2)-s.flakeRightOffset;
screenY = (s.flakeBottom?s.flakeBottom:window.innerHeight);
} else {
screenX = (document.documentElement.clientWidth||document.body.clientWidth||document.body.scrollWidth)-(!isIE?8:0)-s.flakeRightOffset;
screenY = s.flakeBottom?s.flakeBottom:(document.documentElement.clientHeight||document.body.clientHeight||document.body.scrollHeight);
}
screenX2 = parseInt(screenX/2,10);
};
this.resizeHandlerAlt = function() {
screenX = s.targetElement.offsetLeft+s.targetElement.offsetWidth-s.flakeRightOffset;
screenY = s.flakeBottom?s.flakeBottom:s.targetElement.offsetTop+s.targetElement.offsetHeight;
screenX2 = parseInt(screenX/2,10);
};
this.freeze = function() {
// pause animation
if (!s.disabled) {
s.disabled = 1;
} else {
return false;
}
for (var i=s.timers.length; i--;) {
clearInterval(s.timers[i]);
}
};
this.resume = function() {
if (s.disabled) {
s.disabled = 0;
} else {
return false;
}
s.timerInit();
};
this.toggleSnow = function() {
if (!s.flakes.length) {
// first run
s.start();
} else {
s.active = !s.active;
if (s.active) {
s.show();
s.resume();
} else {
s.stop();
s.freeze();
}
}
};
this.stop = function() {
this.freeze();
for (var i=this.flakes.length; i--;) {
this.flakes[i].o.style.display = 'none';
}
removeEvent(window,'scroll',s.scrollHandler);
removeEvent(window,'resize',s.resizeHandler);
if (!isOldIE) {
removeEvent(window,'blur',s.freeze);
removeEvent(window,'focus',s.resume);
}
};
this.show = function() {
for (var i=this.flakes.length; i--;) {
this.flakes[i].o.style.display = 'block';
}
};
this.SnowFlake = function(parent,type,x,y) {
var s = this;
var storm = parent;
this.type = type;
this.x = x||parseInt(rnd(screenX-20),10);
this.y = (!isNaN(y)?y:-rnd(screenY)-12);
this.vX = null;
this.vY = null;
this.vAmpTypes = [1,1.2,1.4,1.6,1.8]; // "amplification" for vX/vY (based on flake size/type)
this.vAmp = this.vAmpTypes[this.type];
this.melting = false;
this.meltFrameCount = storm.meltFrameCount;
this.meltFrames = storm.meltFrames;
this.meltFrame = 0;
this.twinkleFrame = 0;
this.active = 1;
this.fontSize = (10+(this.type/5)*10);
this.o = document.createElement('div');
this.o.innerHTML = storm.snowCharacter;
this.o.style.color = storm.snowColor;
this.o.style.position = (fixedForEverything?'fixed':'absolute');
this.o.style.width = storm.flakeWidth+'px';
this.o.style.height = storm.flakeHeight+'px';
this.o.style.fontFamily = 'arial,verdana';
this.o.style.overflow = 'hidden';
this.o.style.fontWeight = 'normal';
this.o.style.zIndex = storm.zIndex;
docFrag.appendChild(this.o);
this.refresh = function() {
if (isNaN(s.x) || isNaN(s.y)) {
// safety check
return false;
}
s.o.style.left = s.x+'px';
s.o.style.top = s.y+'px';
};
this.stick = function() {
if (noFixed || (storm.targetElement != document.documentElement && storm.targetElement != document.body)) {
s.o.style.top = (screenY+scrollY-storm.flakeHeight)+'px';
} else if (storm.flakeBottom) {
s.o.style.top = storm.flakeBottom+'px';
} else {
s.o.style.display = 'none';
s.o.style.top = 'auto';
s.o.style.bottom = '0px';
s.o.style.position = 'fixed';
s.o.style.display = 'block';
}
};
this.vCheck = function() {
if (s.vX>=0 && s.vX<0.2) {
s.vX = 0.2;
} else if (s.vX<0 && s.vX>-0.2) {
s.vX = -0.2;
}
if (s.vY>=0 && s.vY<0.2) {
s.vY = 0.2;
}
};
this.move = function() {
var vX = s.vX*windOffset;
s.x += vX;
s.y += (s.vY*s.vAmp);
if (s.x >= screenX || screenX-s.x < storm.flakeWidth) { // X-axis scroll check
s.x = 0;
} else if (vX < 0 && s.x-storm.flakeLeftOffset<0-storm.flakeWidth) {
s.x = screenX-storm.flakeWidth-1; // flakeWidth;
}
s.refresh();
var yDiff = screenY+scrollY-s.y;
if (yDiff<storm.flakeHeight) {
s.active = 0;
if (storm.snowStick) {
s.stick();
} else {
s.recycle();
}
} else {
if (storm.useMeltEffect && s.active && s.type < 3 && !s.melting && Math.random()>0.998) {
// ~1/1000 chance of melting mid-air, with each frame
s.melting = true;
s.melt();
// only incrementally melt one frame
// s.melting = false;
}
if (storm.useTwinkleEffect) {
if (!s.twinkleFrame) {
if (Math.random()>0.9) {
s.twinkleFrame = parseInt(Math.random()*20,10);
}
} else {
s.twinkleFrame--;
s.o.style.visibility = (s.twinkleFrame && s.twinkleFrame%2===0?'hidden':'visible');
}
}
}
};
this.animate = function() {
// main animation loop
// move, check status, die etc.
s.move();
};
this.setVelocities = function() {
s.vX = vRndX+rnd(storm.vMaxX*0.12,0.1);
s.vY = vRndY+rnd(storm.vMaxY*0.12,0.1);
};
this.setOpacity = function(o,opacity) {
if (!opacitySupported) {
return false;
}
o.style.opacity = opacity;
};
this.melt = function() {
if (!storm.useMeltEffect || !s.melting) {
s.recycle();
} else {
if (s.meltFrame < s.meltFrameCount) {
s.meltFrame++;
s.setOpacity(s.o,s.meltFrames[s.meltFrame]);
s.o.style.fontSize = s.fontSize-(s.fontSize*(s.meltFrame/s.meltFrameCount))+'px';
s.o.style.lineHeight = storm.flakeHeight+2+(storm.flakeHeight*0.75*(s.meltFrame/s.meltFrameCount))+'px';
} else {
s.recycle();
}
}
};
this.recycle = function() {
s.o.style.display = 'none';
s.o.style.position = (fixedForEverything?'fixed':'absolute');
s.o.style.bottom = 'auto';
s.setVelocities();
s.vCheck();
s.meltFrame = 0;
s.melting = false;
s.setOpacity(s.o,1);
s.o.style.padding = '0px';
s.o.style.margin = '0px';
s.o.style.fontSize = s.fontSize+'px';
s.o.style.lineHeight = (storm.flakeHeight+2)+'px';
s.o.style.textAlign = 'center';
s.o.style.verticalAlign = 'baseline';
s.x = parseInt(rnd(screenX-storm.flakeWidth-20),10);
s.y = parseInt(rnd(screenY)*-1,10)-storm.flakeHeight;
s.refresh();
s.o.style.display = 'block';
s.active = 1;
};
this.recycle(); // set up x/y coords etc.
this.refresh();
};
this.snow = function() {
var active = 0;
var used = 0;
var waiting = 0;
var flake = null;
for (var i=s.flakes.length; i--;) {
if (s.flakes[i].active == 1) {
s.flakes[i].move();
active++;
} else if (s.flakes[i].active === 0) {
used++;
} else {
waiting++;
}
if (s.flakes[i].melting) {
s.flakes[i].melt();
}
}
if (active<s.flakesMaxActive) {
flake = s.flakes[parseInt(rnd(s.flakes.length),10)];
if (flake.active === 0) {
flake.melting = true;
}
}
};
this.mouseMove = function(e) {
if (!s.followMouse) {
return true;
}
var x = parseInt(e.clientX,10);
if (x<screenX2) {
windOffset = -windMultiplier+(x/screenX2*windMultiplier);
} else {
x -= screenX2;
windOffset = (x/screenX2)*windMultiplier;
}
};
this.createSnow = function(limit,allowInactive) {
for (var i=0; i<limit; i++) {
s.flakes[s.flakes.length] = new s.SnowFlake(s,parseInt(rnd(flakeTypes),10));
if (allowInactive || i>s.flakesMaxActive) {
s.flakes[s.flakes.length-1].active = -1;
}
}
storm.targetElement.appendChild(docFrag);
};
this.timerInit = function() {
s.timers = (!isWin9X?[setInterval(s.snow,s.animationInterval)]:[setInterval(s.snow,s.animationInterval*3),setInterval(s.snow,s.animationInterval)]);
};
this.init = function() {
s.randomizeWind();
s.createSnow(s.flakesMax); // create initial batch
addEvent(window,'resize',s.resizeHandler);
addEvent(window,'scroll',s.scrollHandler);
if (!isOldIE) {
addEvent(window,'blur',s.freeze);
addEvent(window,'focus',s.resume);
}
s.resizeHandler();
s.scrollHandler();
if (s.followMouse) {
addEvent(document,'mousemove',s.mouseMove);
}
s.animationInterval = Math.max(20,s.animationInterval);
s.timerInit();
};
var didInit = false;
this.start = function(bFromOnLoad) {
if (!didInit) {
didInit = true;
} else if (bFromOnLoad) {
// already loaded and running
return true;
}
if (typeof s.targetElement == 'string') {
var targetID = s.targetElement;
s.targetElement = document.getElementById(targetID);
if (!s.targetElement) {
throw new Error('Snowstorm: Unable to get targetElement "'+targetID+'"');
}
}
if (!s.targetElement) {
s.targetElement = (!isIE?(document.documentElement?document.documentElement:document.body):document.body);
}
if (s.targetElement != document.documentElement && s.targetElement != document.body) {
s.resizeHandler = s.resizeHandlerAlt; // re-map handler to get element instead of screen dimensions
}
s.resizeHandler(); // get bounding box elements
s.usePositionFixed = (s.usePositionFixed && !noFixed); // whether or not position:fixed is supported
fixedForEverything = s.usePositionFixed;
if (screenX && screenY && !s.disabled) {
s.init();
s.active = true;
}
};
function doStart() {
s.start(true);
}
if (document.addEventListener) {
// safari 3.0.4 doesn't do DOMContentLoaded, maybe others - use a fallback to be safe.
document.addEventListener('DOMContentLoaded',doStart,false);
window.addEventListener('load',doStart,false);
} else {
addEvent(window,'load',doStart);
}
}
snowStorm = new SnowStorm();
|
import { SNS } from './deps.ts'
import lookup from '../discovery/index.js'
let ledger = {}
export default function live ({ name, payload }, callback) {
function publish (arn, payload, callback) {
console.log('sns.publish', JSON.stringify({ arn, payload }))
let snsClient = new SNS
snsClient.publish({
TopicArn: arn,
Message: JSON.stringify(payload)
}, callback)
}
let arn = ledger[name]
if (arn) {
publish(ledger[name], payload, callback)
}
else {
lookup.events(function done (err, found) {
if (err) callback(err)
else if (!found[name]) {
callback(ReferenceError(`${name} not found`))
}
else {
ledger = found
publish(ledger[name], payload, callback)
}
})
}
}
|
from flask import Flask, flash, make_response, redirect, request, jsonify, render_template
from flask_cors import CORS
from string import ascii_lowercase
from hangman import init_game_data
import hangman.config.constants as constants
import hangman.utils as utils
#import hangman.validations as validations
from hangman.validations import isLetter, isValidLetter, check_letter
from config.db import DB
from config.api import WordApi
app = Flask(__name__) # referencing current file
# Set the secret key to some random bytes. Keep this really secret!
app.secret_key = b'_5#y2L"F4Q8z\n\xec]/'
CORS(app)
db_instance = DB(app)
crud_methods = ['GET', 'POST']
Word = db_instance.models['word']
WORD = WordApi.get_word()
print(WORD)
#Word.add_word(word_here, redirect('/')) add word to db
#Tomar palabra
GAME_DATA = init_game_data(WORD)
#Descomponer palabra
Guess=GAME_DATA['GuessLetters']
print(Guess)
gametries=GAME_DATA['tries']
print(gametries)
letters=GAME_DATA['letters']
final="Ha perdido todos los intentos"
word = list(WORD)
guess_word = ['_' for x in word]
#url sin ningún parámetro
@app.route('/', methods=crud_methods)
def index():
print('estoy en home')
global WORD,gametries,Guess, letters,word, guess_word, final
print(Guess)
print(gametries)
if request.method == 'POST':
req = request.form
# TODO handle game logic functionality different
# handle different scenarios
# handle errors
# handle tries
input = req['letter']
print(input)
#Valida si el input es una letra
count=gametries
while (count <= constants.MAX_TRIES):
if isLetter(input) == True:
if isValidLetter(input,Guess,gametries)==True:
check_letter(input,word,guess_word)
alerta=('Ha acertado una letra')
print(check_letter(input,word,guess_word))
return render_template('index.html',
instruction1=constants.INSTRUCTION1,
instruction2=constants.INSTRUCTION2,
instruction3=constants.INSTRUCTION3,
game=GAME_DATA,
letters=letters,
guessLetters=Guess,
alerta=alerta,
gametries=gametries,
guess_word= (check_letter(input,word,guess_word)),
letter=input,
final=final)
else:
alerta=('Letra incorrecta')
gametries = gametries + 1
return render_template('index.html',
instruction1=constants.INSTRUCTION1,
instruction2=constants.INSTRUCTION2,
instruction3=constants.INSTRUCTION3,
game=GAME_DATA,
letters=letters,
guessLetters=Guess,
guess_word=guess_word,
alerta=alerta,gametries=gametries
)
else:
print('No es letra')
aviso=('No ha digitado una letra')
return render_template('index.html',
instruction1=constants.INSTRUCTION1,
instruction2=constants.INSTRUCTION2,
instruction3=constants.INSTRUCTION3,
game=GAME_DATA,
letters=letters,
GuessLetters=Guess,gametries=gametries,guess_word=guess_word, aviso=aviso,final=final)
count=count + gametries
print(GAME_DATA.utils.gameOver)
final="Ha perdido todos los intentos"
return render_template(
'index.html',
instruction1=constants.INSTRUCTION1,
instruction2=constants.INSTRUCTION2,
instruction3=constants.INSTRUCTION3,
game=GAME_DATA,
letters=letters,
guessLetters=Guess,
gametries=gametries,
guess_word=guess_word,
final=final)
else:
GAME_DATA['words'] = Word.get_played_words()
return render_template(
'index.html',
instruction1=constants.INSTRUCTION1,
instruction2=constants.INSTRUCTION2,
instruction3=constants.INSTRUCTION3,
game=GAME_DATA,
guessLetters=Guess,
gametries=gametries,
guess_word=guess_word,
final=final)
@app.route('/restart', methods=['GET'])
def restart():
# TODO make restart functionality
global WORD,gametries,Guess
Word = db_instance.models['word']
WORD = WordApi.get_word()
print(WORD)
GAME_DATA = init_game_data(WORD)
Guess = GAME_DATA['GuessLetters']
print(Guess)
gametries=GAME_DATA['tries']
print(gametries)
print('estoy en restart')
return redirect('/')
return render_template(
'index.html',
instruction1=constants.INSTRUCTION1,
instruction2=constants.INSTRUCTION2,
instruction3=constants.INSTRUCTION3,
game=GAME_DATA,gametries=gametries,letters=letters,final=final)
if __name__ == '__main__':
db_instance.init_db()
app.run(debug=True)
|
!function(){var e={},t=function(t){for(var n=e[t],r=n.deps,o=n.defn,a=r.length,d=new Array(a),c=0;c<a;++c)d[c]=i(r[c]);var u=o.apply(null,d);if(void 0===u)throw"module ["+t+"] returned undefined";n.instance=u},n=function(t,n,i){if("string"!=typeof t)throw"module id must be a string";if(void 0===n)throw"no dependencies for "+t;if(void 0===i)throw"no definition function for "+t;e[t]={deps:n,defn:i,instance:void 0}},i=function(n){var i=e[n];if(void 0===i)throw"module ["+n+"] was undefined";return void 0===i.instance&&t(n),i.instance},r=function(e,t){for(var n=e.length,r=new Array(n),o=0;o<n;++o)r[o]=i(e[o]);t.apply(null,r)};({}).bolt={module:{api:{define:n,require:r,demand:i}}};var o=n;(function(e,t){o(e,[],function(){return t})})("4",tinymce.util.Tools.resolve),o("1",["4"],function(e){return e("tinymce.PluginManager")}),o("6",["4"],function(e){return e("tinymce.Env")}),o("7",["4"],function(e){return e("tinymce.util.Tools")}),o("8",[],function(){return{getPreviewDialogWidth:function(e){return parseInt(e.getParam("plugin_preview_width","650"),10)},getPreviewDialogHeight:function(e){return parseInt(e.getParam("plugin_preview_height","500"),10)}}}),o("9",["7"],function(e){return{injectIframeContent:function(t,n,i){var r,o="",a=t.dom.encode;o+='<base href="'+a(t.documentBaseURI.getURI())+'">',e.each(t.contentCSS,function(e){o+='<link type="text/css" rel="stylesheet" href="'+a(t.documentBaseURI.toAbsolute(e))+'">'});var d=t.settings.body_id||"tinymce";-1!==d.indexOf("=")&&(d=t.getParam("body_id","","hash"),d=d[t.id]||d);var c=t.settings.body_class||"";-1!==c.indexOf("=")&&(c=t.getParam("body_class","","hash"),c=c[t.id]||"");var u=t.settings.directionality?' dir="'+t.settings.directionality+'"':"";if(r="<!DOCTYPE html><html><head>"+o+'</head><body id="'+a(d)+'" class="mce-content-body '+a(c)+'"'+a(u)+">"+t.getContent()+'<script>document.addEventListener && document.addEventListener("click", function(e) {for (var elm = e.target; elm; elm = elm.parentNode) {if (elm.nodeName === "A") {e.preventDefault();}}}, false);</script> </body></html>',i)n.src="data:text/html;charset=utf-8,"+encodeURIComponent(r);else{var s=n.contentWindow.document;s.open(),s.write(r),s.close()}}}}),o("5",["6","7","8","9"],function(e,t,n,i){return{open:function(t){var r=!e.ie,o='<iframe src="javascript:\'\'" frameborder="0"'+(r?' sandbox="allow-scripts"':"")+"></iframe>",a=n.getPreviewDialogWidth(t),d=n.getPreviewDialogHeight(t);t.windowManager.open({title:"Preview",width:a,height:d,html:o,buttons:{text:"Close",onclick:function(e){e.control.parent().parent().close()}},onPostRender:function(e){var n=e.control.getEl("body").firstChild;i.injectIframeContent(t,n,r)}})}}}),o("2",["5"],function(e){return{register:function(t){t.addCommand("mcePreview",function(){e.open(t)})}}}),o("3",[],function(){return{register:function(e){e.addButton("preview",{title:"Preview",cmd:"mcePreview"}),e.addMenuItem("preview",{text:"Preview",cmd:"mcePreview",context:"view"})}}}),o("0",["1","2","3"],function(e,t,n){return e.add("preview",function(e){t.register(e),n.register(e)}),function(){}}),i("0")()}(); |
# Crie um programa que faça o computador jogar Jokenpô com você.
from random import randint
pc = randint(1, 3)
print(f'~'*30)
print(f'{"JO KEN PO":^30}')
print(f'~'*30)
r = int(input('''Escolha uma opção:
[ 1 ] PAPEL
[ 2 ] PEDRA
[ 3 ] TESOURA
Qual é a sua jogada? '''))
print(f'~'*30)
if r == 1:
print('Você jogou PAPEL')
elif r == 2:
print('Você jogou PEDRA')
elif r == 3 :
print('Você jogou TESOURA')
if pc == 1:
print('Computador jogou PAPEL')
elif pc == 2:
print('Computador jogou PEDRA')
elif pc == 3 :
print('Computador jogou TESOURA')
else:
print('[ERRO] - Digite um valor válido')
print(f'~'*30)
if r == pc :
print('EMPATE! ')
elif r == 1 and pc == 2 or r == 2 and pc == 3 or r == 3 and pc == 1:
print(f'JOGADOR VENCEU! ')
else:
print('COMPUTADOR VENCEU')
|
/* Lovingly generated by gen-spec-js.py based on the wonderful content of *
* https://github.com/WebAssembly/spec/blob/master/interpreter/host/js.ml */
'use strict';
let soft_validate = true;
let spectest = {
print: print || ((...xs) => console.log(...xs)),
global: 666,
table: new WebAssembly.Table({initial: 10, maximum: 20, element: 'anyfunc'}),
memory: new WebAssembly.Memory({initial: 1, maximum: 2}),};
let registry = {spectest};
let $$;
function register(name, instance) {
registry[name] = instance.exports;
}
function module(bytes) {
let buffer = new ArrayBuffer(bytes.length);
let view = new Uint8Array(buffer);
for (let i = 0; i < bytes.length; ++i) {
view[i] = bytes.charCodeAt(i);
}
return new WebAssembly.Module(buffer);
}
function instance(bytes, imports = registry) {
return new WebAssembly.Instance(module(bytes), imports);
}
function assert_malformed(bytes) {
try { module(bytes) } catch (e) {
if (e instanceof WebAssembly.CompileError) return;
}
throw new Error("Wasm decoding failure expected");
}
function assert_invalid(bytes) {
try { module(bytes) } catch (e) {
if (e instanceof WebAssembly.CompileError) return;
}
throw new Error("Wasm validation failure expected");
}
function assert_soft_invalid(bytes) {
try { module(bytes) } catch (e) {
if (e instanceof WebAssembly.CompileError) return;
throw new Error("Wasm validation failure expected");
}
if (soft_validate)
throw new Error("Wasm validation failure expected");
}
function assert_unlinkable(bytes) {
let mod = module(bytes);
try { new WebAssembly.Instance(mod, registry) } catch (e) {
if (e instanceof TypeError) return;
}
throw new Error("Wasm linking failure expected");
}
function assert_uninstantiable(bytes) {
let mod = module(bytes);
try { new WebAssembly.Instance(mod, registry) } catch (e) {
if (e instanceof WebAssembly.RuntimeError) return;
}
throw new Error("Wasm trap expected");
}
function assert_trap(action) {
try { action() } catch (e) {
if (e instanceof WebAssembly.RuntimeError) return;
}
throw new Error("Wasm trap expected");
}
function assert_return(action, expected) {
let actual = action();
if (!Object.is(actual, expected)) {
throw new Error("Wasm return value " + expected + " expected, got " + actual);
};
}
function assert_return_nan(action) {
let actual = action();
if (!Number.isNaN(actual)) {
throw new Error("Wasm return value NaN expected, got " + actual);
};
}
let f32 = Math.fround;
$$ = instance("\x00\x61\x73\x6d\x0d\x00\x00\x00\x01\x59\x12\x60\x00\x00\x60\x00\x01\x7f\x60\x00\x01\x7e\x60\x00\x01\x7d\x60\x00\x01\x7c\x60\x01\x7f\x01\x7f\x60\x01\x7e\x01\x7e\x60\x01\x7d\x01\x7d\x60\x01\x7c\x01\x7c\x60\x02\x7d\x7f\x01\x7f\x60\x02\x7f\x7e\x01\x7e\x60\x02\x7c\x7d\x01\x7d\x60\x02\x7e\x7c\x01\x7c\x60\x01\x7f\x01\x7f\x60\x01\x7e\x01\x7e\x60\x01\x7d\x01\x7d\x60\x01\x7c\x01\x7c\x60\x01\x7f\x01\x7e\x03\x42\x41\x01\x02\x03\x04\x05\x06\x07\x08\x0a\x0c\x09\x0b\x0d\x0e\x0f\x10\x01\x02\x03\x04\x02\x01\x02\x03\x04\x01\x02\x03\x04\x0a\x11\x06\x06\x05\x05\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x04\x05\x01\x70\x01\x17\x17\x07\xd5\x04\x30\x08\x74\x79\x70\x65\x2d\x69\x33\x32\x00\x10\x08\x74\x79\x70\x65\x2d\x69\x36\x34\x00\x11\x08\x74\x79\x70\x65\x2d\x66\x33\x32\x00\x12\x08\x74\x79\x70\x65\x2d\x66\x36\x34\x00\x13\x0a\x74\x79\x70\x65\x2d\x69\x6e\x64\x65\x78\x00\x14\x0e\x74\x79\x70\x65\x2d\x66\x69\x72\x73\x74\x2d\x69\x33\x32\x00\x15\x0e\x74\x79\x70\x65\x2d\x66\x69\x72\x73\x74\x2d\x69\x36\x34\x00\x16\x0e\x74\x79\x70\x65\x2d\x66\x69\x72\x73\x74\x2d\x66\x33\x32\x00\x17\x0e\x74\x79\x70\x65\x2d\x66\x69\x72\x73\x74\x2d\x66\x36\x34\x00\x18\x0f\x74\x79\x70\x65\x2d\x73\x65\x63\x6f\x6e\x64\x2d\x69\x33\x32\x00\x19\x0f\x74\x79\x70\x65\x2d\x73\x65\x63\x6f\x6e\x64\x2d\x69\x36\x34\x00\x1a\x0f\x74\x79\x70\x65\x2d\x73\x65\x63\x6f\x6e\x64\x2d\x66\x33\x32\x00\x1b\x0f\x74\x79\x70\x65\x2d\x73\x65\x63\x6f\x6e\x64\x2d\x66\x36\x34\x00\x1c\x08\x64\x69\x73\x70\x61\x74\x63\x68\x00\x1d\x13\x64\x69\x73\x70\x61\x74\x63\x68\x2d\x73\x74\x72\x75\x63\x74\x75\x72\x61\x6c\x00\x1e\x03\x66\x61\x63\x00\x1f\x03\x66\x69\x62\x00\x20\x04\x65\x76\x65\x6e\x00\x21\x03\x6f\x64\x64\x00\x22\x07\x72\x75\x6e\x61\x77\x61\x79\x00\x23\x0e\x6d\x75\x74\x75\x61\x6c\x2d\x72\x75\x6e\x61\x77\x61\x79\x00\x24\x08\x61\x73\x73\x65\x72\x74\x5f\x30\x00\x26\x08\x61\x73\x73\x65\x72\x74\x5f\x31\x00\x27\x08\x61\x73\x73\x65\x72\x74\x5f\x32\x00\x28\x08\x61\x73\x73\x65\x72\x74\x5f\x33\x00\x29\x08\x61\x73\x73\x65\x72\x74\x5f\x34\x00\x2a\x08\x61\x73\x73\x65\x72\x74\x5f\x35\x00\x2b\x08\x61\x73\x73\x65\x72\x74\x5f\x36\x00\x2c\x08\x61\x73\x73\x65\x72\x74\x5f\x37\x00\x2d\x08\x61\x73\x73\x65\x72\x74\x5f\x38\x00\x2e\x08\x61\x73\x73\x65\x72\x74\x5f\x39\x00\x2f\x09\x61\x73\x73\x65\x72\x74\x5f\x31\x30\x00\x30\x09\x61\x73\x73\x65\x72\x74\x5f\x31\x31\x00\x31\x09\x61\x73\x73\x65\x72\x74\x5f\x31\x32\x00\x32\x09\x61\x73\x73\x65\x72\x74\x5f\x31\x33\x00\x33\x09\x61\x73\x73\x65\x72\x74\x5f\x31\x34\x00\x34\x09\x61\x73\x73\x65\x72\x74\x5f\x31\x35\x00\x35\x09\x61\x73\x73\x65\x72\x74\x5f\x31\x36\x00\x36\x09\x61\x73\x73\x65\x72\x74\x5f\x31\x37\x00\x37\x09\x61\x73\x73\x65\x72\x74\x5f\x31\x38\x00\x38\x09\x61\x73\x73\x65\x72\x74\x5f\x31\x39\x00\x39\x09\x61\x73\x73\x65\x72\x74\x5f\x32\x30\x00\x3a\x09\x61\x73\x73\x65\x72\x74\x5f\x32\x31\x00\x3b\x09\x61\x73\x73\x65\x72\x74\x5f\x32\x32\x00\x3c\x09\x61\x73\x73\x65\x72\x74\x5f\x32\x33\x00\x3d\x09\x61\x73\x73\x65\x72\x74\x5f\x32\x34\x00\x3e\x09\x61\x73\x73\x65\x72\x74\x5f\x32\x35\x00\x3f\x09\x61\x73\x73\x65\x72\x74\x5f\x32\x36\x00\x40\x09\x1d\x01\x00\x41\x00\x0b\x17\x00\x01\x02\x03\x04\x05\x06\x07\x0a\x08\x0b\x09\x1f\x20\x21\x22\x23\x24\x25\x0c\x0d\x0e\x0f\x0a\xf2\x06\x41\x05\x00\x41\xb2\x02\x0b\x05\x00\x42\xe4\x02\x0b\x07\x00\x43\x00\x20\x73\x45\x0b\x0b\x00\x44\x00\x00\x00\x00\x00\xc8\xae\x40\x0b\x04\x00\x20\x00\x0b\x04\x00\x20\x00\x0b\x04\x00\x20\x00\x0b\x04\x00\x20\x00\x0b\x04\x00\x20\x01\x0b\x04\x00\x20\x01\x0b\x04\x00\x20\x01\x0b\x04\x00\x20\x01\x0b\x04\x00\x20\x00\x0b\x04\x00\x20\x00\x0b\x04\x00\x20\x00\x0b\x04\x00\x20\x00\x0b\x07\x00\x41\x00\x11\x01\x00\x0b\x07\x00\x41\x01\x11\x02\x00\x0b\x07\x00\x41\x02\x11\x03\x00\x0b\x07\x00\x41\x03\x11\x04\x00\x0b\x0a\x00\x42\xe4\x00\x41\x05\x11\x06\x00\x0b\x09\x00\x41\x20\x41\x04\x11\x05\x00\x0b\x0a\x00\x42\xc0\x00\x41\x05\x11\x06\x00\x0b\x0c\x00\x43\xc3\xf5\xa8\x3f\x41\x06\x11\x07\x00\x0b\x10\x00\x44\x3d\x0a\xd7\xa3\x70\x3d\xfa\x3f\x41\x07\x11\x08\x00\x0b\x0e\x00\x43\x66\x66\x00\x42\x41\x20\x41\x08\x11\x09\x00\x0b\x0c\x00\x41\x20\x42\xc0\x00\x41\x09\x11\x0a\x00\x0b\x15\x00\x44\x00\x00\x00\x00\x00\x00\x50\x40\x43\x00\x00\x00\x42\x41\x0a\x11\x0b\x00\x0b\x13\x00\x42\xc0\x00\x44\x66\x66\x66\x66\x66\x06\x50\x40\x41\x0b\x11\x0c\x00\x0b\x09\x00\x20\x01\x20\x00\x11\x06\x00\x0b\x09\x00\x42\x09\x20\x00\x11\x0e\x00\x0b\x18\x00\x20\x00\x50\x04\x7e\x42\x01\x05\x20\x00\x20\x00\x42\x01\x7d\x41\x0c\x11\x06\x00\x7e\x0b\x0b\x22\x00\x20\x00\x42\x01\x58\x04\x7e\x42\x01\x05\x20\x00\x42\x02\x7d\x41\x0d\x11\x06\x00\x20\x00\x42\x01\x7d\x41\x0d\x11\x06\x00\x7c\x0b\x0b\x15\x00\x20\x00\x45\x04\x7f\x41\x2c\x05\x20\x00\x41\x01\x6b\x41\x0f\x11\x05\x00\x0b\x0b\x16\x00\x20\x00\x45\x04\x7f\x41\xe3\x00\x05\x20\x00\x41\x01\x6b\x41\x0e\x11\x05\x00\x0b\x0b\x07\x00\x41\x10\x11\x00\x00\x0b\x07\x00\x41\x12\x11\x00\x00\x0b\x07\x00\x41\x11\x11\x00\x00\x0b\x10\x00\x02\x40\x10\x11\x42\xe4\x02\x51\x45\x0d\x00\x0f\x0b\x00\x0b\x10\x00\x02\x40\x10\x14\x42\xe4\x00\x51\x45\x0d\x00\x0f\x0b\x00\x0b\x10\x00\x02\x40\x10\x16\x42\xc0\x00\x51\x45\x0d\x00\x0f\x0b\x00\x0b\x10\x00\x02\x40\x10\x1a\x42\xc0\x00\x51\x45\x0d\x00\x0f\x0b\x00\x0b\x13\x00\x02\x40\x41\x05\x42\x02\x10\x1d\x42\x02\x51\x45\x0d\x00\x0f\x0b\x00\x0b\x13\x00\x02\x40\x41\x05\x42\x05\x10\x1d\x42\x05\x51\x45\x0d\x00\x0f\x0b\x00\x0b\x14\x00\x02\x40\x41\x0c\x42\x05\x10\x1d\x42\xf8\x00\x51\x45\x0d\x00\x0f\x0b\x00\x0b\x13\x00\x02\x40\x41\x0d\x42\x05\x10\x1d\x42\x08\x51\x45\x0d\x00\x0f\x0b\x00\x0b\x13\x00\x02\x40\x41\x14\x42\x02\x10\x1d\x42\x02\x51\x45\x0d\x00\x0f\x0b\x00\x0b\x0a\x00\x41\x00\x42\x02\x10\x1d\x0c\x00\x0b\x0a\x00\x41\x0f\x42\x02\x10\x1d\x0c\x00\x0b\x0a\x00\x41\x17\x42\x02\x10\x1d\x0c\x00\x0b\x0a\x00\x41\x7f\x42\x02\x10\x1d\x0c\x00\x0b\x0e\x00\x41\xe7\x84\xce\xc2\x04\x42\x02\x10\x1d\x0c\x00\x0b\x11\x00\x02\x40\x41\x05\x10\x1e\x42\x09\x51\x45\x0d\x00\x0f\x0b\x00\x0b\x11\x00\x02\x40\x41\x05\x10\x1e\x42\x09\x51\x45\x0d\x00\x0f\x0b\x00\x0b\x13\x00\x02\x40\x41\x0c\x10\x1e\x42\x80\x93\x16\x51\x45\x0d\x00\x0f\x0b\x00\x0b\x11\x00\x02\x40\x41\x14\x10\x1e\x42\x09\x51\x45\x0d\x00\x0f\x0b\x00\x0b\x11\x00\x02\x40\x42\x00\x10\x1f\x42\x01\x51\x45\x0d\x00\x0f\x0b\x00\x0b\x11\x00\x02\x40\x42\x01\x10\x1f\x42\x01\x51\x45\x0d\x00\x0f\x0b\x00\x0b\x12\x00\x02\x40\x42\x05\x10\x1f\x42\xf8\x00\x51\x45\x0d\x00\x0f\x0b\x00\x0b\x1a\x00\x02\x40\x42\x19\x10\x1f\x42\x80\x80\x80\xde\x87\x92\xec\xcf\xe1\x00\x51\x45\x0d\x00\x0f\x0b\x00\x0b\x11\x00\x02\x40\x42\x00\x10\x20\x42\x01\x51\x45\x0d\x00\x0f\x0b\x00\x0b\x11\x00\x02\x40\x42\x01\x10\x20\x42\x01\x51\x45\x0d\x00\x0f\x0b\x00\x0b\x11\x00\x02\x40\x42\x02\x10\x20\x42\x02\x51\x45\x0d\x00\x0f\x0b\x00\x0b\x11\x00\x02\x40\x42\x05\x10\x20\x42\x08\x51\x45\x0d\x00\x0f\x0b\x00\x0b\x13\x00\x02\x40\x42\x14\x10\x20\x42\xc2\xd5\x00\x51\x45\x0d\x00\x0f\x0b\x00\x0b");
assert_return(() => $$.exports["type-i32"](), 306);
assert_return(() => $$.exports["assert_0"]());
assert_return(() => $$.exports["type-f32"](), f32(3890.0));
assert_return(() => $$.exports["type-f64"](), 3940.0);
assert_return(() => $$.exports["assert_1"]());
assert_return(() => $$.exports["type-first-i32"](), 32);
assert_return(() => $$.exports["assert_2"]());
assert_return(() => $$.exports["type-first-f32"](), f32(1.32000005245));
assert_return(() => $$.exports["type-first-f64"](), 1.64);
assert_return(() => $$.exports["type-second-i32"](), 32);
assert_return(() => $$.exports["assert_3"]());
assert_return(() => $$.exports["type-second-f32"](), f32(32.0));
assert_return(() => $$.exports["type-second-f64"](), 64.1);
assert_return(() => $$.exports["assert_4"]());
assert_return(() => $$.exports["assert_5"]());
assert_return(() => $$.exports["assert_6"]());
assert_return(() => $$.exports["assert_7"]());
assert_return(() => $$.exports["assert_8"]());
assert_trap(() => $$.exports["assert_9"]());
assert_trap(() => $$.exports["assert_10"]());
assert_trap(() => $$.exports["assert_11"]());
assert_trap(() => $$.exports["assert_12"]());
assert_trap(() => $$.exports["assert_13"]());
assert_return(() => $$.exports["assert_14"]());
assert_return(() => $$.exports["assert_15"]());
assert_return(() => $$.exports["assert_16"]());
assert_return(() => $$.exports["assert_17"]());
assert_trap(() => $$.exports["dispatch-structural"](11));
assert_trap(() => $$.exports["dispatch-structural"](22));
assert_return(() => $$.exports["assert_18"]());
assert_return(() => $$.exports["assert_19"]());
assert_return(() => $$.exports["assert_20"]());
assert_return(() => $$.exports["assert_21"]());
assert_return(() => $$.exports["assert_22"]());
assert_return(() => $$.exports["assert_23"]());
assert_return(() => $$.exports["assert_24"]());
assert_return(() => $$.exports["assert_25"]());
assert_return(() => $$.exports["assert_26"]());
assert_return(() => $$.exports["even"](0), 44);
assert_return(() => $$.exports["even"](1), 99);
assert_return(() => $$.exports["even"](100), 44);
assert_return(() => $$.exports["even"](77), 99);
assert_return(() => $$.exports["odd"](0), 99);
assert_return(() => $$.exports["odd"](1), 44);
assert_return(() => $$.exports["odd"](200), 99);
assert_return(() => $$.exports["odd"](77), 44);
assert_trap(() => $$.exports["runaway"]());
assert_trap(() => $$.exports["mutual-runaway"]());
assert_invalid("\x00\x61\x73\x6d\x0d\x00\x00\x00\x01\x04\x01\x60\x00\x00\x03\x02\x01\x00\x0a\x09\x01\x07\x00\x41\x00\x11\x00\x00\x0b");
assert_invalid("\x00\x61\x73\x6d\x0d\x00\x00\x00\x01\x04\x01\x60\x00\x00\x03\x02\x01\x00\x04\x04\x01\x70\x00\x00\x0a\x0a\x01\x08\x00\x41\x00\x11\x00\x00\x45\x0b");
assert_invalid("\x00\x61\x73\x6d\x0d\x00\x00\x00\x01\x08\x02\x60\x00\x01\x7e\x60\x00\x00\x03\x02\x01\x01\x04\x04\x01\x70\x00\x00\x0a\x0a\x01\x08\x00\x41\x00\x11\x00\x00\x45\x0b");
assert_invalid("\x00\x61\x73\x6d\x0d\x00\x00\x00\x01\x08\x02\x60\x01\x7f\x00\x60\x00\x00\x03\x02\x01\x01\x04\x04\x01\x70\x00\x00\x0a\x09\x01\x07\x00\x41\x00\x11\x00\x00\x0b");
assert_invalid("\x00\x61\x73\x6d\x0d\x00\x00\x00\x01\x09\x02\x60\x02\x7c\x7f\x00\x60\x00\x00\x03\x02\x01\x01\x04\x04\x01\x70\x00\x00\x0a\x09\x01\x07\x00\x41\x00\x11\x00\x00\x0b");
assert_invalid("\x00\x61\x73\x6d\x0d\x00\x00\x00\x01\x04\x01\x60\x00\x00\x03\x02\x01\x00\x04\x04\x01\x70\x00\x00\x0a\x0b\x01\x09\x00\x41\x01\x41\x00\x11\x00\x00\x0b");
assert_invalid("\x00\x61\x73\x6d\x0d\x00\x00\x00\x01\x04\x01\x60\x00\x00\x03\x02\x01\x00\x04\x04\x01\x70\x00\x00\x0a\x14\x01\x12\x00\x44\x00\x00\x00\x00\x00\x00\x00\x40\x41\x01\x41\x00\x11\x00\x00\x0b");
assert_invalid("\x00\x61\x73\x6d\x0d\x00\x00\x00\x01\x08\x02\x60\x01\x7f\x00\x60\x00\x00\x03\x02\x01\x01\x04\x04\x01\x70\x00\x00\x0a\x0a\x01\x08\x00\x41\x01\x01\x11\x00\x00\x0b");
assert_invalid("\x00\x61\x73\x6d\x0d\x00\x00\x00\x01\x08\x02\x60\x01\x7f\x00\x60\x00\x00\x03\x02\x01\x01\x04\x04\x01\x70\x00\x00\x0a\x0b\x01\x09\x00\x41\x00\x42\x01\x11\x00\x00\x0b");
assert_invalid("\x00\x61\x73\x6d\x0d\x00\x00\x00\x01\x09\x02\x60\x02\x7f\x7f\x00\x60\x00\x00\x03\x02\x01\x01\x04\x04\x01\x70\x00\x00\x0a\x0c\x01\x0a\x00\x01\x41\x01\x41\x00\x11\x00\x00\x0b");
assert_invalid("\x00\x61\x73\x6d\x0d\x00\x00\x00\x01\x09\x02\x60\x02\x7f\x7f\x00\x60\x00\x00\x03\x02\x01\x01\x04\x04\x01\x70\x00\x00\x0a\x0c\x01\x0a\x00\x41\x01\x01\x41\x00\x11\x00\x00\x0b");
assert_invalid("\x00\x61\x73\x6d\x0d\x00\x00\x00\x01\x09\x02\x60\x02\x7f\x7c\x00\x60\x00\x00\x03\x02\x01\x01\x04\x04\x01\x70\x00\x00\x0a\x14\x01\x12\x00\x44\x00\x00\x00\x00\x00\x00\xf0\x3f\x41\x01\x41\x00\x11\x00\x00\x0b");
assert_invalid("\x00\x61\x73\x6d\x0d\x00\x00\x00\x01\x09\x02\x60\x02\x7c\x7f\x00\x60\x00\x00\x03\x02\x01\x01\x04\x04\x01\x70\x00\x00\x0a\x14\x01\x12\x00\x41\x01\x44\x00\x00\x00\x00\x00\x00\xf0\x3f\x41\x00\x11\x00\x00\x0b");
assert_invalid("\x00\x61\x73\x6d\x0d\x00\x00\x00\x01\x04\x01\x60\x00\x00\x03\x02\x01\x00\x04\x04\x01\x70\x00\x00\x0a\x09\x01\x07\x00\x41\x00\x11\x01\x00\x0b");
assert_invalid("\x00\x61\x73\x6d\x0d\x00\x00\x00\x01\x04\x01\x60\x00\x00\x03\x02\x01\x00\x04\x04\x01\x70\x00\x00\x0a\x0d\x01\x0b\x00\x41\x00\x11\x94\x98\xdb\xe2\x03\x00\x0b");
|
/*
Copyright (c) 2003-2019, CKSource - Frederico Knabben. All rights reserved.
For licensing, see LICENSE.md or https://ckeditor.com/legal/ckeditor-oss-license
*/
CKEDITOR.dialog.add("hiddenfield",function(d){return{title:d.lang.forms.hidden.title,hiddenField:null,minWidth:350,minHeight:110,onShow:function(){delete this.hiddenField;var a=this.getParentEditor(),b=a.getSelection(),c=b.getSelectedElement();c&&c.data("cke-real-element-type")&&"hiddenfield"==c.data("cke-real-element-type")&&(this.hiddenField=c,c=a.restoreRealElement(this.hiddenField),this.setupContent(c),b.selectElement(this.hiddenField))},onOk:function(){var a=this.getValueOf("info","_cke_saved_name"),
b=this.getParentEditor(),a=CKEDITOR.env.ie&&8>CKEDITOR.document.$.documentMode?b.document.createElement('\x3cinput name\x3d"'+CKEDITOR.tools.htmlEncode(a)+'"\x3e'):b.document.createElement("input");a.setAttribute("type","hidden");this.commitContent(a);a=b.createFakeElement(a,"cke_hidden","hiddenfield");this.hiddenField?(a.replace(this.hiddenField),b.getSelection().selectElement(a)):b.insertElement(a);return!0},contents:[{id:"info",label:d.lang.forms.hidden.title,title:d.lang.forms.hidden.title,elements:[{id:"_cke_saved_name",
type:"text",label:d.lang.forms.hidden.name,"default":"",accessKey:"N",setup:function(a){this.setValue(a.data("cke-saved-name")||a.getAttribute("name")||"")},commit:function(a){this.getValue()?a.setAttribute("name",this.getValue()):a.removeAttribute("name")}},{id:"value",type:"text",label:d.lang.forms.hidden.value,"default":"",accessKey:"V",setup:function(a){this.setValue(a.getAttribute("value")||"")},commit:function(a){this.getValue()?a.setAttribute("value",this.getValue()):a.removeAttribute("value")}}]}]}}); |
<% if(components){ %>import loadComponents from './components';<% } %>
<% if(blocks){ %>import loadBlocks from './blocks';<% } %>
<% if(i18n){ %>import en from './locale/en';<% } %>
export default (editor, opts = {}) => {
const options = { ...{
<% if(i18n){ %>i18n: {},<% } %>
// default options
}, ...opts };
<% if(components){ %>// Add components
loadComponents(editor, options);<% } %>
<% if(blocks){ %>// Add blocks
loadBlocks(editor, options);<% } %>
<% if(i18n){ %>// Load i18n files
editor.I18n && editor.I18n.addMessages({
en,
...options.i18n,
});<% } %>
// TODO Remove
editor.on('load', () =>
editor.addComponents(
`<div style="margin:100px; padding:25px;">
Content loaded from the plugin
</div>`,
{ at: 0 }
))
};
|
export const doughnutLegends = [
{ title: 'Shirts', color: 'bg-blue-500' },
{ title: 'Shoes', color: 'bg-teal-600' },
{ title: 'Bags', color: 'bg-purple-600' },
]
export const lineLegends = [
{ title: 'Experiment 1', color: 'bg-teal-600' },
{ title: 'Experiment 2', color: 'bg-purple-600' },
]
export const barLegends = [
{ title: 'Shoes', color: 'bg-teal-600' },
{ title: 'Bags', color: 'bg-purple-600' },
]
export const doughnutOptions = {
data: {
datasets: [
{
data: [33, 33, 33],
/**
* These colors come from Tailwind CSS palette
* https://tailwindcss.com/docs/customizing-colors/#default-color-palette
*/
backgroundColor: ['#0694a2', '#1c64f2', '#7e3af2'],
label: 'Dataset 1',
},
],
labels: ['Shoes', 'Shirts', 'Bags'],
},
options: {
responsive: true,
cutoutPercentage: 80,
},
legend: {
display: false,
},
}
export const lineOptions = {
data: {
labels: ['1', '2', '3', '4', '5', '6', '7'],
datasets: [
{
label: 'Experiment 1',
/**
* These colors come from Tailwind CSS palette
* https://tailwindcss.com/docs/customizing-colors/#default-color-palette
*/
backgroundColor: '#0694a2',
borderColor: '#0694a2',
data: [4, 48, 40, 54, 67, 73, 118],
fill: false,
},
{
label: 'Experiment 1',
fill: false,
/**
* These colors come from Tailwind CSS palette
* https://tailwindcss.com/docs/customizing-colors/#default-color-palette
*/
backgroundColor: '#7e3af2',
borderColor: '#7e3af2',
data: [24, 50, 64, 74, 52, 51, 65],
},
],
},
options: {
responsive: true,
tooltips: {
mode: 'index',
intersect: false,
},
hover: {
mode: 'nearest',
intersect: true,
},
scales: {
x: {
display: true,
scaleLabel: {
display: true,
labelString: 'Month',
},
},
y: {
display: true,
scaleLabel: {
display: true,
labelString: 'Value',
},
},
},
},
legend: {
display: false,
},
}
export const barOptions = {
data: {
labels: ['January', 'February', 'March', 'April', 'May', 'June', 'July'],
datasets: [
{
label: 'Shoes',
backgroundColor: '#0694a2',
// borderColor: window.chartColors.red,
borderWidth: 1,
data: [-3, 14, 52, 74, 33, 90, 70],
},
{
label: 'Bags',
backgroundColor: '#7e3af2',
// borderColor: window.chartColors.blue,
borderWidth: 1,
data: [66, 33, 43, 12, 54, 62, 84],
},
],
},
options: {
responsive: true,
},
legend: {
display: false,
},
}
|
const path = require('path');
const webpack = require('webpack');
const merge = require('webpack-merge');
const webpackBaseConfig = require('./webpack.base.config.js');
const CompressionPlugin = require('compression-webpack-plugin');
const UglifyJsPlugin = require('uglifyjs-webpack-plugin');
const CopyWebpackPlugin = require('copy-webpack-plugin');
process.env.NODE_ENV = 'production';
module.exports = merge(webpackBaseConfig, {
devtool: 'source-map',
entry: {
main: './src/index.js'
},
output: {
path: path.resolve(__dirname, '../dist'),
publicPath: '/dist/',
filename: 'iview.min.js',
library: 'iview',
libraryTarget: 'umd',
umdNamedDefine: true
},
externals: {
vue: {
root: 'Vue',
commonjs: 'vue',
commonjs2: 'vue',
amd: 'vue'
}
},
plugins: [
// @todo
new webpack.DefinePlugin({
'process.env.NODE_ENV': '"production"'
}),
new webpack.optimize.UglifyJsPlugin({
parallel: true,
sourceMap: true
}),
new CompressionPlugin({
asset: '[path].gz[query]',
algorithm: 'gzip',
test: /\.(js|css)$/,
threshold: 10240,
minRatio: 0.8
}),
new CopyWebpackPlugin([
{
from: path.resolve(__dirname, './../types'),
to: path.resolve(__dirname, './../dist/types')
}
])
]
});
|
import { SimpleIconsetStore } from "@lrnwebcomponents/simple-icon/lib/simple-iconset.js";
/**
* @const SimpleIconsetManifest
*/
export const SimpleIconsetManifest = [
{
name: "av",
icons: [
"add-to-queue",
"airplay",
"album",
"art-track",
"av-timer",
"branding-watermark",
"call-to-action",
"closed-caption",
"equalizer",
"explicit",
"fast-forward",
"fast-rewind",
"featured-play-list",
"featured-video",
"fiber-dvr",
"fiber-manual-record",
"fiber-new",
"fiber-pin",
"fiber-smart-record",
"forward-10",
"forward-30",
"forward-5",
"games",
"hd",
"hearing",
"high-quality",
"library-add",
"library-books",
"library-music",
"loop",
"mic-none",
"mic-off",
"mic",
"movie",
"music-video",
"new-releases",
"not-interested",
"note",
"pause-circle-filled",
"pause-circle-outline",
"pause",
"play-arrow",
"play-circle-filled",
"play-circle-outline",
"playlist-add-check",
"playlist-add",
"playlist-play",
"queue-music",
"queue-play-next",
"queue",
"radio",
"recent-actors",
"remove-from-queue",
"repeat-one",
"repeat",
"replay-10",
"replay-30",
"replay-5",
"replay",
"shuffle",
"skip-next",
"skip-previous",
"slow-motion-video",
"snooze",
"sort-by-alpha",
"stop",
"subscriptions",
"subtitles",
"surround-sound",
"video-call",
"video-label",
"video-library",
"videocam-off",
"videocam",
"volume-down",
"volume-mute",
"volume-off",
"volume-up",
"web-asset",
"web",
],
},
{
name: "communication",
icons: [
"business",
"call-end",
"call-made",
"call-merge",
"call-missed-outgoing",
"call-missed",
"call-received",
"call-split",
"call",
"chat-bubble-outline",
"chat-bubble",
"chat",
"clear-all",
"comment",
"contact-mail",
"contact-phone",
"contacts",
"dialer-sip",
"dialpad",
"email",
"forum",
"import-contacts",
"import-export",
"invert-colors-off",
"live-help",
"location-off",
"location-on",
"mail-outline",
"message",
"no-sim",
"phone",
"phonelink-erase",
"phonelink-lock",
"phonelink-ring",
"phonelink-setup",
"portable-wifi-off",
"present-to-all",
"ring-volume",
"rss-feed",
"screen-share",
"speaker-phone",
"stay-current-landscape",
"stay-current-portrait",
"stay-primary-landscape",
"stay-primary-portrait",
"stop-screen-share",
"swap-calls",
"textsms",
"voicemail",
"vpn-key",
],
},
{
name: "device",
icons: [
"access-alarm",
"access-alarms",
"access-time",
"add-alarm",
"airplanemode-active",
"airplanemode-inactive",
"battery-20",
"battery-30",
"battery-50",
"battery-60",
"battery-80",
"battery-90",
"battery-alert",
"battery-charging-20",
"battery-charging-30",
"battery-charging-50",
"battery-charging-60",
"battery-charging-80",
"battery-charging-90",
"battery-charging-full",
"battery-full",
"battery-std",
"battery-unknown",
"bluetooth-connected",
"bluetooth-disabled",
"bluetooth-searching",
"bluetooth",
"brightness-auto",
"brightness-high",
"brightness-low",
"brightness-medium",
"data-usage",
"developer-mode",
"devices",
"dvr",
"gps-fixed",
"gps-not-fixed",
"gps-off",
"graphic-eq",
"location-disabled",
"location-searching",
"network-cell",
"network-wifi",
"nfc",
"screen-lock-landscape",
"screen-lock-portrait",
"screen-lock-rotation",
"screen-rotation",
"sd-storage",
"settings-system-daydream",
"signal-cellular-0-bar",
"signal-cellular-1-bar",
"signal-cellular-2-bar",
"signal-cellular-3-bar",
"signal-cellular-4-bar",
"signal-cellular-connected-no-internet-0-bar",
"signal-cellular-connected-no-internet-1-bar",
"signal-cellular-connected-no-internet-2-bar",
"signal-cellular-connected-no-internet-3-bar",
"signal-cellular-connected-no-internet-4-bar",
"signal-cellular-no-sim",
"signal-cellular-null",
"signal-cellular-off",
"signal-wifi-0-bar",
"signal-wifi-1-bar-lock",
"signal-wifi-1-bar",
"signal-wifi-2-bar-lock",
"signal-wifi-2-bar",
"signal-wifi-3-bar-lock",
"signal-wifi-3-bar",
"signal-wifi-4-bar-lock",
"signal-wifi-4-bar",
"signal-wifi-off",
"storage",
"usb",
"wallpaper",
"widgets",
"wifi-lock",
"wifi-tethering",
],
},
{
name: "editor",
icons: [
"attach-file",
"attach-money",
"border-all",
"border-bottom",
"border-clear",
"border-color",
"border-horizontal",
"border-inner",
"border-left",
"border-outer",
"border-right",
"border-style",
"border-top",
"border-vertical",
"bubble-chart",
"drag-handle",
"format-align-center",
"format-align-justify",
"format-align-left",
"format-align-right",
"format-bold",
"format-clear",
"format-color-fill",
"format-color-reset",
"format-color-text",
"format-indent-decrease",
"format-indent-increase",
"format-italic",
"format-line-spacing",
"format-list-bulleted",
"format-list-numbered",
"format-paint",
"format-quote",
"format-shapes",
"format-size",
"format-strikethrough",
"format-textdirection-l-to-r",
"format-textdirection-r-to-l",
"format-underlined",
"functions",
"highlight",
"insert-chart",
"insert-comment",
"insert-drive-file",
"insert-emoticon",
"insert-invitation",
"insert-link",
"insert-photo",
"linear-scale",
"merge-type",
"mode-comment",
"mode-edit",
"monetization-on",
"money-off",
"multiline-chart",
"pie-chart-outlined",
"pie-chart",
"publish",
"short-text",
"show-chart",
"space-bar",
"strikethrough-s",
"text-fields",
"title",
"vertical-align-bottom",
"vertical-align-center",
"vertical-align-top",
"wrap-text",
],
},
null,
{
name: "hardware",
icons: [
"cast-connected",
"cast",
"computer",
"desktop-mac",
"desktop-windows",
"developer-board",
"device-hub",
"devices-other",
"dock",
"gamepad",
"headset-mic",
"headset",
"keyboard-arrow-down",
"keyboard-arrow-left",
"keyboard-arrow-right",
"keyboard-arrow-up",
"keyboard-backspace",
"keyboard-capslock",
"keyboard-hide",
"keyboard-return",
"keyboard-tab",
"keyboard-voice",
"keyboard",
"laptop-chromebook",
"laptop-mac",
"laptop-windows",
"laptop",
"memory",
"mouse",
"phone-android",
"phone-iphone",
"phonelink-off",
"phonelink",
"power-input",
"router",
"scanner",
"security",
"sim-card",
"smartphone",
"speaker-group",
"speaker",
"tablet-android",
"tablet-mac",
"tablet",
"toys",
"tv",
"videogame-asset",
"watch",
],
},
{
name: "icons",
icons: [
"3d-rotation",
"accessibility",
"accessible",
"account-balance-wallet",
"account-balance",
"account-box",
"account-circle",
"add-alert",
"add-box",
"add-circle-outline",
"add-circle",
"add-shopping-cart",
"add",
"alarm-add",
"alarm-off",
"alarm-on",
"alarm",
"all-out",
"android",
"announcement",
"apps",
"archive",
"arrow-back",
"arrow-downward",
"arrow-drop-down-circle",
"arrow-drop-down",
"arrow-drop-up",
"arrow-forward",
"arrow-upward",
"aspect-ratio",
"assessment",
"assignment-ind",
"assignment-late",
"assignment-return",
"assignment-returned",
"assignment-turned-in",
"assignment",
"attachment",
"autorenew",
"backspace",
"backup",
"block",
"book",
"bookmark-border",
"bookmark",
"bug-report",
"build",
"cached",
"camera-enhance",
"cancel",
"card-giftcard",
"card-membership",
"card-travel",
"change-history",
"check-box-outline-blank",
"check-box",
"check-circle",
"check",
"chevron-left",
"chevron-right",
"chrome-reader-mode",
"class",
"clear",
"close",
"cloud-circle",
"cloud-done",
"cloud-download",
"cloud-off",
"cloud-queue",
"cloud-upload",
"cloud",
"code",
"compare-arrows",
"content-copy",
"content-cut",
"content-paste",
"copyright",
"create-new-folder",
"create",
"credit-card",
"dashboard",
"date-range",
"delete-forever",
"delete-sweep",
"delete",
"description",
"dns",
"done-all",
"done",
"donut-large",
"donut-small",
"drafts",
"eject",
"error-outline",
"error",
"euro-symbol",
"event-seat",
"event",
"exit-to-app",
"expand-less",
"expand-more",
"explore",
"extension",
"face",
"favorite-border",
"favorite",
"feedback",
"file-download",
"file-upload",
"filter-list",
"find-in-page",
"find-replace",
"fingerprint",
"first-page",
"flag",
"flight-land",
"flight-takeoff",
"flip-to-back",
"flip-to-front",
"folder-open",
"folder-shared",
"folder",
"font-download",
"forward",
"fullscreen-exit",
"fullscreen",
"g-translate",
"gavel",
"gesture",
"get-app",
"gif",
"grade",
"group-work",
"help-outline",
"help",
"highlight-off",
"history",
"home",
"hourglass-empty",
"hourglass-full",
"http",
"https",
"important-devices",
"inbox",
"indeterminate-check-box",
"info-outline",
"info",
"input",
"invert-colors",
"label-outline",
"label",
"language",
"last-page",
"launch",
"lightbulb-outline",
"line-style",
"line-weight",
"link",
"list",
"lock-open",
"lock-outline",
"lock",
"low-priority",
"loyalty",
"mail",
"markunread-mailbox",
"markunread",
"menu",
"more-horiz",
"more-vert",
"motorcycle",
"move-to-inbox",
"next-week",
"note-add",
"offline-pin",
"opacity",
"open-in-browser",
"open-in-new",
"open-with",
"pageview",
"pan-tool",
"payment",
"perm-camera-mic",
"perm-contact-calendar",
"perm-data-setting",
"perm-device-information",
"perm-identity",
"perm-media",
"perm-phone-msg",
"perm-scan-wifi",
"pets",
"picture-in-picture-alt",
"picture-in-picture",
"play-for-work",
"polymer",
"power-settings-new",
"pregnant-woman",
"print",
"query-builder",
"question-answer",
"radio-button-checked",
"radio-button-unchecked",
"receipt",
"record-voice-over",
"redeem",
"redo",
"refresh",
"remove-circle-outline",
"remove-circle",
"remove-shopping-cart",
"remove",
"reorder",
"reply-all",
"reply",
"report-problem",
"report",
"restore-page",
"restore",
"room",
"rounded-corner",
"rowing",
"save",
"schedule",
"search",
"select-all",
"send",
"settings-applications",
"settings-backup-restore",
"settings-bluetooth",
"settings-brightness",
"settings-cell",
"settings-ethernet",
"settings-input-antenna",
"settings-input-component",
"settings-input-composite",
"settings-input-hdmi",
"settings-input-svideo",
"settings-overscan",
"settings-phone",
"settings-power",
"settings-remote",
"settings-voice",
"settings",
"shop-two",
"shop",
"shopping-basket",
"shopping-cart",
"sort",
"speaker-notes-off",
"speaker-notes",
"spellcheck",
"star-border",
"star-half",
"star",
"stars",
"store",
"subdirectory-arrow-left",
"subdirectory-arrow-right",
"subject",
"supervisor-account",
"swap-horiz",
"swap-vert",
"swap-vertical-circle",
"system-update-alt",
"tab-unselected",
"tab",
"text-format",
"theaters",
"thumb-down",
"thumb-up",
"thumbs-up-down",
"timeline",
"toc",
"today",
"toll",
"touch-app",
"track-changes",
"translate",
"trending-down",
"trending-flat",
"trending-up",
"turned-in-not",
"turned-in",
"unarchive",
"undo",
"unfold-less",
"unfold-more",
"update",
"verified-user",
"view-agenda",
"view-array",
"view-carousel",
"view-column",
"view-day",
"view-headline",
"view-list",
"view-module",
"view-quilt",
"view-stream",
"view-week",
"visibility-off",
"visibility",
"warning",
"watch-later",
"weekend",
"work",
"youtube-searched-for",
"zoom-in",
"zoom-out",
],
},
{
name: "image",
icons: [
"add-a-photo",
"add-to-photos",
"adjust",
"assistant-photo",
"assistant",
"audiotrack",
"blur-circular",
"blur-linear",
"blur-off",
"blur-on",
"brightness-1",
"brightness-2",
"brightness-3",
"brightness-4",
"brightness-5",
"brightness-6",
"brightness-7",
"broken-image",
"brush",
"burst-mode",
"camera-alt",
"camera-front",
"camera-rear",
"camera-roll",
"camera",
"center-focus-strong",
"center-focus-weak",
"collections-bookmark",
"collections",
"color-lens",
"colorize",
"compare",
"control-point-duplicate",
"control-point",
"crop-16-9",
"crop-3-2",
"crop-5-4",
"crop-7-5",
"crop-din",
"crop-free",
"crop-landscape",
"crop-original",
"crop-portrait",
"crop-rotate",
"crop-square",
"crop",
"dehaze",
"details",
"edit",
"exposure-neg-1",
"exposure-neg-2",
"exposure-plus-1",
"exposure-plus-2",
"exposure-zero",
"exposure",
"filter-1",
"filter-2",
"filter-3",
"filter-4",
"filter-5",
"filter-6",
"filter-7",
"filter-8",
"filter-9-plus",
"filter-9",
"filter-b-and-w",
"filter-center-focus",
"filter-drama",
"filter-frames",
"filter-hdr",
"filter-none",
"filter-tilt-shift",
"filter-vintage",
"filter",
"flare",
"flash-auto",
"flash-off",
"flash-on",
"flip",
"gradient",
"grain",
"grid-off",
"grid-on",
"hdr-off",
"hdr-on",
"hdr-strong",
"hdr-weak",
"healing",
"image-aspect-ratio",
"image",
"iso",
"landscape",
"leak-add",
"leak-remove",
"lens",
"linked-camera",
"looks-3",
"looks-4",
"looks-5",
"looks-6",
"looks-one",
"looks-two",
"looks",
"loupe",
"monochrome-photos",
"movie-creation",
"movie-filter",
"music-note",
"nature-people",
"nature",
"navigate-before",
"navigate-next",
"palette",
"panorama-fish-eye",
"panorama-horizontal",
"panorama-vertical",
"panorama-wide-angle",
"panorama",
"photo-album",
"photo-camera",
"photo-filter",
"photo-library",
"photo-size-select-actual",
"photo-size-select-large",
"photo-size-select-small",
"photo",
"picture-as-pdf",
"portrait",
"remove-red-eye",
"rotate-90-degrees-ccw",
"rotate-left",
"rotate-right",
"slideshow",
"straighten",
"style",
"switch-camera",
"switch-video",
"tag-faces",
"texture",
"timelapse",
"timer-10",
"timer-3",
"timer-off",
"timer",
"tonality",
"transform",
"tune",
"view-comfy",
"view-compact",
"vignette",
"wb-auto",
"wb-cloudy",
"wb-incandescent",
"wb-iridescent",
"wb-sunny",
],
},
{
name: "loading",
icons: ["bars"],
},
{
name: "maps",
icons: [
"add-location",
"beenhere",
"directions-bike",
"directions-boat",
"directions-bus",
"directions-car",
"directions-railway",
"directions-run",
"directions-subway",
"directions-transit",
"directions-walk",
"directions",
"edit-location",
"ev-station",
"flight",
"hotel",
"layers-clear",
"layers",
"local-activity",
"local-airport",
"local-atm",
"local-bar",
"local-cafe",
"local-car-wash",
"local-convenience-store",
"local-dining",
"local-drink",
"local-florist",
"local-gas-station",
"local-grocery-store",
"local-hospital",
"local-hotel",
"local-laundry-service",
"local-library",
"local-mall",
"local-movies",
"local-offer",
"local-parking",
"local-pharmacy",
"local-phone",
"local-pizza",
"local-play",
"local-post-office",
"local-printshop",
"local-see",
"local-shipping",
"local-taxi",
"map",
"my-location",
"navigation",
"near-me",
"person-pin-circle",
"person-pin",
"pin-drop",
"place",
"rate-review",
"restaurant-menu",
"restaurant",
"satellite",
"store-mall-directory",
"streetview",
"subway",
"terrain",
"traffic",
"train",
"tram",
"transfer-within-a-station",
"zoom-out-map",
],
},
{
name: "notification",
icons: [
"adb",
"airline-seat-flat-angled",
"airline-seat-flat",
"airline-seat-individual-suite",
"airline-seat-legroom-extra",
"airline-seat-legroom-normal",
"airline-seat-legroom-reduced",
"airline-seat-recline-extra",
"airline-seat-recline-normal",
"bluetooth-audio",
"confirmation-number",
"disc-full",
"do-not-disturb-alt",
"do-not-disturb-off",
"do-not-disturb-on",
"do-not-disturb",
"drive-eta",
"enhanced-encryption",
"event-available",
"event-busy",
"event-note",
"folder-special",
"live-tv",
"mms",
"more",
"network-check",
"network-locked",
"no-encryption",
"ondemand-video",
"personal-video",
"phone-bluetooth-speaker",
"phone-forwarded",
"phone-in-talk",
"phone-locked",
"phone-missed",
"phone-paused",
"power",
"priority-high",
"rv-hookup",
"sd-card",
"sim-card-alert",
"sms-failed",
"sms",
"sync-disabled",
"sync-problem",
"sync",
"system-update",
"tap-and-play",
"time-to-leave",
"vibration",
"voice-chat",
"vpn-lock",
"wc",
"wifi",
],
},
{
name: "places",
icons: [
"ac-unit",
"airport-shuttle",
"all-inclusive",
"beach-access",
"business-center",
"casino",
"child-care",
"child-friendly",
"fitness-center",
"free-breakfast",
"golf-course",
"hot-tub",
"kitchen",
"pool",
"room-service",
"rv-hookup",
"smoke-free",
"smoking-rooms",
"spa",
],
},
{
name: "social",
icons: [
"cake",
"domain",
"group-add",
"group",
"location-city",
"mood-bad",
"mood",
"notifications-active",
"notifications-none",
"notifications-off",
"notifications-paused",
"notifications",
"pages",
"party-mode",
"people-outline",
"people",
"person-add",
"person-outline",
"person",
"plus-one",
"poll",
"public",
"school",
"sentiment-dissatisfied",
"sentiment-neutral",
"sentiment-satisfied",
"sentiment-very-dissatisfied",
"sentiment-very-satisfied",
"share",
"whatshot",
],
},
];
SimpleIconsetStore.registerManifest(SimpleIconsetManifest);
|
var jQuery = require('jquery');
var eventsEngine = require('../../events/core/events_engine');
var useJQuery = require('./use_jquery')();
var registerEventCallbacks = require('../../events/core/event_registrator_callbacks');
var domAdapter = require('../../core/dom_adapter');
if(useJQuery) {
registerEventCallbacks.add(function(name, eventObject) {
jQuery.event.special[name] = eventObject;
});
if(eventsEngine.passiveEventHandlersSupported()) {
eventsEngine.forcePassiveFalseEventNames.forEach(function(eventName) {
jQuery.event.special[eventName] = {
setup: function(data, namespaces, handler) {
domAdapter.listen(this, eventName, handler, { passive: false });
}
};
});
}
eventsEngine.set({
on: function(element) {
jQuery(element).on.apply(jQuery(element), Array.prototype.slice.call(arguments, 1));
},
one: function(element) {
jQuery(element).one.apply(jQuery(element), Array.prototype.slice.call(arguments, 1));
},
off: function(element) {
jQuery(element).off.apply(jQuery(element), Array.prototype.slice.call(arguments, 1));
},
trigger: function(element) {
jQuery(element).trigger.apply(jQuery(element), Array.prototype.slice.call(arguments, 1));
},
triggerHandler: function(element) {
jQuery(element).triggerHandler.apply(jQuery(element), Array.prototype.slice.call(arguments, 1));
},
Event: jQuery.Event
});
}
|
from .base_options import BaseOptions
class TrainOptions(BaseOptions):
"""This class includes training options.
It also includes shared options defined in BaseOptions.
"""
def initialize(self, parser):
parser = BaseOptions.initialize(self, parser)
# visdom and HTML visualization parameters
parser.add_argument('--display_freq', type=int, default=400, help='frequency of showing training results on screen')
parser.add_argument('--display_ncols', type=int, default=4, help='if positive, display all images in a single visdom web panel with certain number of images per row.')
parser.add_argument('--display_id', type=int, default=1, help='window id of the web display')
parser.add_argument('--display_server', type=str, default="http://localhost", help='visdom server of the web display')
parser.add_argument('--display_env', type=str, default='main', help='visdom display environment name (default is "main")')
parser.add_argument('--display_port', type=int, default=8097, help='visdom port of the web display')
parser.add_argument('--update_html_freq', type=int, default=1000, help='frequency of saving training results to html')
parser.add_argument('--print_freq', type=int, default=100, help='frequency of showing training results on console')
parser.add_argument('--no_html', action='store_true', help='do not save intermediate training results to [opt.checkpoints_dir]/[opt.name]/web/')
# network saving and loading parameters
parser.add_argument('--save_latest_freq', type=int, default=5000, help='frequency of saving the latest results')
parser.add_argument('--save_epoch_freq', type=int, default=5, help='frequency of saving checkpoints at the end of epochs')
parser.add_argument('--save_by_iter', action='store_true', help='whether saves model by iteration')
parser.add_argument('--continue_train', action='store_true', help='continue training: load the latest model')
parser.add_argument('--epoch_count', type=int, default=1, help='the starting epoch count, we save the model by <epoch_count>, <epoch_count>+<save_latest_freq>, ...')
parser.add_argument('--phase', type=str, default='train', help='train, val, test, etc')
# training parameters
parser.add_argument('--n_epochs', type=int, default=100, help='number of epochs with the initial learning rate')
parser.add_argument('--n_epochs_decay', type=int, default=100, help='number of epochs to linearly decay learning rate to zero')
parser.add_argument('--beta1', type=float, default=0.5, help='momentum term of adam')
parser.add_argument('--lr', type=float, default=0.0002, help='initial learning rate for adam')
parser.add_argument('--gan_mode', type=str, default='lsgan', help='the type of GAN objective. [vanilla| lsgan | wgangp]. vanilla GAN loss is the cross-entropy objective used in the original GAN paper.')
parser.add_argument('--pool_size', type=int, default=50, help='the size of image buffer that stores previously generated images')
parser.add_argument('--lr_policy', type=str, default='linear', help='learning rate policy. [linear | step | plateau | cosine]')
parser.add_argument('--lr_decay_iters', type=int, default=50, help='multiply by a gamma every lr_decay_iters iterations')
# training optimizations
parser.add_argument('--checkpointing', action='store_true',
help='if true, it applies gradient checkpointing, saves memory but it makes the training slower')
parser.add_argument('--opt_level', default='O0', help='amp opt_level, default="O0" equals fp32 training')
self.isTrain = True
return parser
def parse(self):
opt = BaseOptions.parse(self)
opt.apex = opt.opt_level != "O0"
return opt
|
const nav = require('./themeConfig/nav.js');
const sidebar = require('./themeConfig/sidebar.js');
const htmlModules = require('./themeConfig/htmlModules.js');
// 主题配置
module.exports = {
nav,
sidebarDepth: 2, // 侧边栏显示深度,默认1,最大2(显示到h3标题)
logo: '/img/icode-logo.png', // 导航栏logo
repo: 'iqqcode/icode', // 导航栏右侧生成Github链接
searchMaxSuggestions: 10, // 搜索结果显示最大数
lastUpdated: '上次更新', // 开启更新时间,并配置前缀文字 string | boolean (取值为git提交时间)
docsDir: 'docs', // 编辑的文件夹
editLinks: true, // 启用编辑
editLinkText: '编辑',
//*** 以下配置是Vdoing主题改动和新增的配置 ***//
// category: false, // 是否打开分类功能,默认true。 如打开,会做的事情有:1. 自动生成的frontmatter包含分类字段 2.页面中显示与分类相关的信息和模块 3.自动生成分类页面(在@pages文件夹)。如关闭,则反之。
// tag: false, // 是否打开标签功能,默认true。 如打开,会做的事情有:1. 自动生成的frontmatter包含标签字段 2.页面中显示与标签相关的信息和模块 3.自动生成标签页面(在@pages文件夹)。如关闭,则反之。
// archive: false, // 是否打开归档功能,默认true。 如打开,会做的事情有:1.自动生成归档页面(在@pages文件夹)。如关闭,则反之。
// categoryText: '随笔', // 碎片化文章(_posts文件夹的文章)预设生成的分类值,默认'随笔'
// bodyBgImg: [
// 'https://cdn.jsdelivr.net/gh/xugaoyi/image_store/blog/20200507175828.jpeg',
// 'https://cdn.jsdelivr.net/gh/xugaoyi/image_store/blog/20200507175845.jpeg',
// 'https://cdn.jsdelivr.net/gh/xugaoyi/image_store/blog/20200507175846.jpeg'
// ], // body背景大图,默认无。 单张图片 String || 多张图片 Array, 多张图片时每隔15秒换一张。
// bodyBgImgOpacity: 0.5, // body背景图透明度,选值 0 ~ 1.0, 默认0.5
// titleBadge: false, // 文章标题前的图标是否显示,默认true
// titleBadgeIcons: [ // 文章标题前图标的地址,默认主题内置图标
// '图标地址1',
// '图标地址2'
// ],
// contentBgStyle: 1, // 文章内容块的背景风格,默认无. 1 => 方格 | 2 => 横线 | 3 => 竖线 | 4 => 左斜线 | 5 => 右斜线 | 6 => 点状
// updateBar: { // 最近更新栏
// showToArticle: true, // 显示到文章页底部,默认true
// moreArticle: '/archives' // “更多文章”跳转的页面,默认'/archives'
// },
// rightMenuBar: false, // 是否显示右侧文章大纲栏,默认true (屏宽小于1300px下无论如何都不显示)
// sidebarOpen: false, // 初始状态是否打开侧边栏,默认true
// pageButton: false, // 是否显示快捷翻页按钮,默认true
sidebar: 'structuring', // 侧边栏 'structuring' | { mode: 'structuring', collapsable: Boolean} | 'auto' | 自定义 温馨提示:目录页数据依赖于结构化的侧边栏数据,如果你不设置为'structuring',将无法使用目录页
author: {
// 文章默认的作者信息,可在md文件中单独配置此信息 String | {name: String, link: String}
name: 'iqqcode', // 必需
link: 'https://github.com/IQQcode', // 可选的
},
blogger: {
// 博主信息,显示在首页侧边栏
avatar: '/img/avatar.png',
name: 'iqqcode',
slogan: '保持对技术的探索实践与热爱',
},
social: {
// 社交图标,显示于博主信息栏和页脚栏
iconfontCssFile: '//at.alicdn.com/t/font_1678482_u4nrnp8xp6g.css', // 可选,阿里图标库在线css文件地址,对于主题没有的图标可自由添加
icons: [
{
iconClass: 'icon-youjian',
title: '发邮件',
link: 'mailto:[email protected]',
},
{
iconClass: 'icon-github',
title: 'GitHub',
link: 'https://github.com/IQQcode',
},
{
iconClass: 'icon-csdn',
title: 'CSDN',
link: 'https://blog.csdn.net/weixin_43232955',
},
{
iconClass: 'icon-zhihu',
title: '知乎',
link: 'https://www.zhihu.com/people/iqqcode'
}
],
},
footer: {
// 页脚信息
createYear: 2021, // 博客创建年份
copyrightInfo:
'iqqcode | <a href="https://github.com/xugaoyi/vuepress-theme-vdoing/blob/master/LICENSE" target="_blank">MIT License</a> | <a href="http://beian.miit.gov.cn/" target="_blank"> 备案号-京ICP备2021028793号</a>', // 博客版权信息,支持a标签
},
htmlModules // 插入html(广告)模块
} |
define([
'angular'
], function (angular) {
var scope = {};
scope.moduleName = 'HeaderBar';
scope.directiveName = 'headerBar';
scope.app = angular.module(scope.moduleName, []);
scope.app.directive(scope.directiveName, function ($rootScope) {
return {
restrict: 'E',
link: function ($scope, $element, $attr) {
//
},
templateUrl: 'src/template/directives/header-bar.html'
};
});
return scope;
}); |
import React from "react"
import {
View,
Text,
SafeAreaView,
Dimensions,
StyleSheet,
KeyboardAvoidingView,
TextInput
} from "react-native"
import { TouchableOpacity } from "react-native-gesture-handler"
import LinearGradient from 'react-native-linear-gradient';
import Icon from "react-native-vector-icons/AntDesign"
const Dev_Height = Dimensions.get("window").height
const Dev_Width = Dimensions.get("window").width
export default class NameScreen extends React.Component{
constructor(props){
super(props);
this.state={
username_availablity: "Available"
}
}
static navigationOptions = ({ navigation }) => {
return {
headerTitle:"Register",
headerRight:()=>{
return(
<Icon name="close" size={30} color="#FFF" style={{marginRight:(Dev_Width-(0.96*Dev_Width))}} onPress={()=>{
navigation.navigate("Head")
}}/>
)
},
headerStyle: { backgroundColor: '#121212' },
headerTitleStyle:{color:"#FFF"},
headerTintColor: 'white',
}};
onPressNext=()=>{
this.props.navigation.navigate("Password")
}
render(){
return(
<KeyboardAvoidingView style={styles.container}>
<View style={styles.username_view}>
<Text style={styles.username_text}> Username </Text>
<TextInput style={styles.username_input} placeholder="Name" placeholderTextColor="gray"/>
<Text style={styles.username_availablity}>{this.state.username_availablity}</Text>
</View>
<TouchableOpacity style={styles.Button_View} onPress={this.onPressNext}>
<LinearGradient angle={45} colors={['#ADFF2F','#32CD32']} style={styles.Button_Style}>
<Text style={styles.buttonText}>
Next
</Text>
</LinearGradient>
</TouchableOpacity>
</KeyboardAvoidingView>
)
}
}
const styles = StyleSheet.create({
container:{
flex:1,
height:Dev_Height,
width:Dev_Width,
backgroundColor:"#121212",
},
username_view:{
height:Dev_Height-(0.3*Dev_Height),
width:Dev_Width,
justifyContent:"center",
},
username_text:{
color:"#32CD32",
marginLeft:"5%",
fontSize:19,
},
username_input:{
height:"10%",
width:"80%",
marginLeft:"5%",
borderBottomColor:"gray",
borderWidth:1,
borderColor:"#121212",
marginTop:10,
color:"#FFF"
},
username_availablity:{
fontSize:17,
color:"#32CD32",
marginTop:"4%",
marginLeft:"5%"
},
Button_View:{
height:Dev_Height-(0.84*Dev_Height),
width:Dev_Width,
justifyContent:"flex-end",
alignItems:"center",
},
Button_Style:{
height:"45%",
width:"90%",
borderRadius:45,
alignItems:"center",
justifyContent:"center"
},
buttonText: {
fontSize: 18,
fontFamily: 'Gill Sans',
textAlign: 'center',
color: '#ffffff'
},
}) |
import os.path
from setuptools import find_packages, setup
here = os.path.abspath(os.path.dirname(__file__))
with open(os.path.join(here, 'README.md'), encoding='utf-8') as f:
long_description = f.read()
setup(
name='pscodeanalyzer',
version='1.2.3',
description='A static code analyzer with configurable plug-in rules',
long_description=long_description,
long_description_content_type='text/markdown',
python_requires='~=3.6',
author='Leandro Baca',
author_email='[email protected]',
url='https://github.com/lbaca/PSCodeAnalyzer',
packages=find_packages(),
install_requires=['peoplecodeparser'],
classifiers=[
'Development Status :: 5 - Production/Stable',
'Environment :: Console',
'Intended Audience :: Developers',
'Intended Audience :: Information Technology',
'Programming Language :: Python :: 3',
'Programming Language :: Python :: 3.6',
'Programming Language :: Python :: 3.7',
'Programming Language :: Python :: 3.8',
'Programming Language :: Python :: 3.9',
'License :: OSI Approved :: MIT License',
'Operating System :: OS Independent',
'Topic :: Software Development',
],
keywords=('peoplesoft peoplecode source application-class '
'application-package code-analysis code-review'),
)
|
from django.urls import path
from . import views
app_name = 'api-v1'
urlpatterns = [
path('providers/', views.ProviderListCreateView.as_view(), name='provider-list-create'),
path(
'providers/<int:id>',
views.ProviderRetrieveUpdateDestroyView.as_view(),
name='provider-retrieve-update-destroy',
),
path(
'service-areas/',
views.ServiceAreaListCreateView.as_view(),
name='service-area-list-create',
),
path(
'service-areas/<int:id>',
views.ServiceAreaRetrieveUpdateDestroyView.as_view(),
name='service-area-retrieve-update-destroy',
),
]
|
var playerInfo = new SimpleSchema({
id: {
type: String
},
name: {
type: String
},
score: {
type: Number
},
ready: {
type: Boolean
},
winner: {
type: Boolean
}
});
var set = new SimpleSchema({
setNumber: {
type: Number,
optional: true
},
playerOneSelection: {
type: String,
optional: true
},
playerTwoSelection: {
type: String,
optional: true
},
result: {
type: String,
optional: true
}
});
var current = new SimpleSchema({
set: {
type: Number
},
interval: {
type: Number
},
showAnimation: {
type: Boolean
},
playAgain: {
type: Boolean
},
playAgainGameId: {
type: String,
optional: true
}
});
var is = new SimpleSchema({
playing: {
type: Boolean
},
completed: {
type: Boolean
},
public: {
type: Boolean
}
});
var conversation = new SimpleSchema({
id: {
type: String
},
name: {
type: String
},
text: {
type: String
}
});
var chat = new SimpleSchema({
show: {
type: Boolean
},
conversation: {
type: [conversation]
}
});
Games.attachSchema(new SimpleSchema({
title: {
type: String
},
playerOne: {
type: playerInfo
},
playerTwo: {
type: playerInfo,
optional: true
},
ai: {
type: Boolean
},
bestOf: {
type: Number
},
sets: {
type: [set],
optional: true
},
current: {
type: current,
optional: true
},
chat: {
type: chat,
optional: true
},
is: {
type: is
},
createdAt: {
type: Date,
autoValue: function() {
if (this.isInsert) {
return new Date();
} else if (this.isUpsert) {
return {$setOnInsert: new Date()};
} else {
this.unset();
}
}
},
updatedAt: {
type: Date,
autoValue: function() {
if (this.isUpdate) {
return new Date();
}
},
denyInsert: true,
optional: true
}
})); |
import menpo.io as mio
import numpy as np
from pathlib import Path
import tensorflow as tf
import data_provider
import mdm_model
import utils
g_config = utils.load_config()
def ckpt_pb(pb_path, lite_path):
config = tf.ConfigProto(allow_soft_placement=True)
config.gpu_options.allow_growth = True
# to pb
tf.reset_default_graph()
with tf.Graph().as_default() as graph, tf.Session(graph=graph) as sess:
path_base = Path(g_config['eval_dataset']).parent.parent
_mean_shape = mio.import_pickle(path_base / 'mean_shape.pkl')
_mean_shape = data_provider.align_reference_shape_to_112(_mean_shape)
assert isinstance(_mean_shape, np.ndarray)
print(_mean_shape.shape)
tf_img = tf.placeholder(dtype=tf.float32, shape=(1, 112, 112, 3), name='Inputs/InputImage')
tf_dummy = tf.placeholder(dtype=tf.float32, shape=(1, 75, 2), name='dummy')
tf_shape = tf.constant(_mean_shape, dtype=tf.float32, shape=(75, 2), name='Inputs/MeanShape')
mdm_model.MDMModel(
tf_img,
tf_dummy,
tf_shape,
batch_size=1,
num_patches=g_config['num_patches'],
num_channels=3,
multiplier=g_config['multiplier'],
is_training=False
)
saver = tf.train.Saver()
ckpt = tf.train.get_checkpoint_state(g_config['train_dir'])
if ckpt and ckpt.model_checkpoint_path:
saver.restore(sess, ckpt.model_checkpoint_path)
global_step = ckpt.model_checkpoint_path.split('/')[-1].split('-')[-1]
print('Successfully loaded model from {} at step={}.'.format(ckpt.model_checkpoint_path, global_step))
else:
print('No checkpoint file found')
return
output_graph_def = tf.graph_util.convert_variables_to_constants(
sess, tf.get_default_graph().as_graph_def(), ['Network/Predict/add']
)
with tf.gfile.FastGFile(pb_path, mode='wb') as f:
f.write(output_graph_def.SerializeToString())
# to tflite
tf.reset_default_graph()
with tf.Graph().as_default() as graph:
with tf.gfile.GFile(pb_path, "rb") as f:
graph_def = tf.GraphDef()
graph_def.ParseFromString(f.read())
tf.import_graph_def(
graph_def,
input_map=None,
return_elements=None,
name='prefix',
op_dict=None,
producer_op_list=None
)
tf.summary.FileWriter('.', graph=graph)
converter = tf.contrib.lite.TFLiteConverter.from_frozen_graph(
pb_path,
['Inputs/InputImage'],
['Network/Predict/Reshape', 'Inputs/MeanShape']
)
with tf.gfile.FastGFile(lite_path, mode='wb') as f:
f.write(converter.convert())
# Load TFLite model and allocate tensors.
interpreter = tf.contrib.lite.Interpreter(model_path=lite_path)
interpreter.allocate_tensors()
# Get input and output tensors.
input_details = interpreter.get_input_details()
output_details = interpreter.get_output_details()
print(input_details)
print(output_details)
ckpt_pb('shuffle.pb', 'shuffle.tflite')
|
import React from 'react'
const QuantityButton = ({ quantity, setQuantity, available }) => {
const increaseQuantity = () => {
!!available && setQuantity(q => q + 1)
}
const decreaseQuantity = () => {
!!available && setQuantity(q => (q <= 1 ? 1 : q - 1))
}
return (
<div className="field">
<label className="label has-text-white">Quantity </label>
<div className="control">
<div className="field has-addons">
<div className="control">
<button className="button" onClick={decreaseQuantity}>
-
</button>
</div>
<div className="control">
<button className="button">{!!available ? quantity : '0'}</button>
</div>
<div className="control">
<button className="button" onClick={increaseQuantity}>
+
</button>
</div>
</div>
</div>
</div>
)
}
export default QuantityButton
|
module.exports = {
"hooks": {
"commit-msg": "commitlint -E HUSKY_GIT_PARAMS",
"pre-commit": "npm run build && lint-staged"
}
};
|
const express = require('express');
const registerApi = require('./registration');
const loginApi = require('./login');
const boardAdd = require('./board');
const taskAdd = require('./task');
const test = require('../../test/test');
const router = express.Router();
router.use(registerApi);
router.use(loginApi);
router.use(boardAdd);
router.use(taskAdd);
router.use(test);
module.exports = router;
|
/**
* Created by EGusev on 06.06.2016.
*/
(function () {
'use strict';
angular.module('mrblack.main').controller('TableMinimumsCtrl', ['$scope', 'venueState', '$modalInstance', 'VenueService', 'date', 'eventId', 'Toastr', '$state', 'UtilService', function ($scope, venueState, $modalInstance, VenueService, date, eventId, Toastr, $state, UtilService) {
$scope.venueState = venueState;
$scope.cancel = function () {
$modalInstance.dismiss('cancel');
};
$scope.setMinimums = function () {
VenueService.venueState({id: $state.params.id, date: UtilService.formatRequestDate(date), eventId: eventId}, $scope.venueState).then(
function () {
$modalInstance.close($scope.venueState);
},
function (error) {
Toastr.error(error.data.error, 'Error');
}
);
};
}]);
}()); |
export default (config, env, helpers, options) => {
config.output.filename = (pathData) => {
if (pathData.chunk.name === 'polyfills') {
return 'polyfill.js';
} else {
return 'embed-sdk.js';
}
};
config.plugins[4].options.filename = 'embed-sdk.css'
}; |
'''
/*#############################################################################
HPCC SYSTEMS software Copyright (C) 2012 HPCC Systems(R).
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
############################################################################ */
'''
import configparser
import json
try:
from io import StringIO
except:
from io import StringIO
from collections import deque, namedtuple
from ..common.dict import _dict
class ConfigGenerator:
def __init__(self):
pass
def parseConfig(self, config, section='Default'):
self.section = section
self.conf = configparser.ConfigParser()
s = StringIO(config)
self.conf.readfp(s)
def sections(self):
return self.conf.sections()
def get(self, item, section=None):
if not section:
section = self.section
return self.conf.get(section, item)
class Config:
def __init__(self, file):
self.fileName = file
self.configObj = self.loadConfig(self.fileName)
def loadConfig(self, file):
try:
fp = open(file)
js = json.load(fp)
rC = namedtuple("Regress", list(js.keys()))
return _dict(getattr(rC(**js), "Regress"))
except IOError as e:
if e.errno == 21:
raise IOError("Error: "+file+" "+e.strerror+", we need a JSON file!")
else:
raise(e)
#implement writing out of a config.
def writeConfig(self, file):
pass
|
export { default } from 'ember-flexberry-service-bus/enums/new-platform-flexberry-service-bus-time-unit';
|
var searchData=
[
['node_5fcolor',['node_color',['../namespacecop5536.html#ae51dda62aa0378e4785101f1489bbff5',1,'cop5536']]]
];
|
# Generated by Django 2.2.11 on 2020-04-01 10:46
import django.core.validators
from django.db import migrations, models
class Migration(migrations.Migration):
dependencies = [
('people', '0011_auto_20200311_1540'),
]
operations = [
migrations.AlterField(
model_name='location',
name='location',
field=models.CharField(max_length=255),
),
migrations.AlterField(
model_name='person',
name='linkedin_url',
field=models.URLField(blank=True, help_text='Enter the full URL of the LinkedIn page', validators=[django.core.validators.URLValidator(message='Please enter the full URL of the LinkedIn page', regex='www.linkedin.com', schemes=['https'])]),
),
]
|
import Vue from 'vue';
import _ from 'lodash';
const directiveMap = {
'model': {
getData(vucNode) {
return defaults.getData('model', vucNode);
},
setData(vucNode, data) {
defaults.setData(vucNode, data);
if (!vucNode.model) {
Vue.set(vucNode, 'model', {
expression: `"${ data.value }"`,
});
} else {
vucNode.model.expression = `"${ data.value }"`;
}
},
delData(vucNode) {
vucNode.model = undefined;
defaults.delData('model', vucNode);
},
},
'for': {
getData(vucNode) {
if (vucNode.attrsMap['v-for']) {
return {
name: 'for',
..._.pick(vucNode, ['for', 'alias', 'iterator1', 'key']),
};
}
},
setData(vucNode, directiveData) {
Object.assign(vucNode, directiveData);
vucNode.setAttr('v-for', `(${ directiveData.alias },${ directiveData.iterator1 }) in ${ directiveData.for }`);
vucNode.setAttr('key', directiveData.key, true);
},
delData(vucNode) {
vucNode.setAttr('v-for', undefined);
Object.assign(vucNode, { for: undefined, alias: undefined, iterator1: undefined, key: undefined });
},
},
};
let defaults = {
getData(vucNode, name) {
let vShow = _.find(vucNode.directives, { name });
if (vShow) {
return Object.assign({}, vShow);
}
},
setData(vucNode, data) {
let name = data.name;
let directive = _.find(vucNode.directives, { name });
if (directive) {
directive.value = data.expression;
} else {
vucNode.directives = vucNode.directives || [];
vucNode.directives.push({
arg: null,
isDynamicArg: false,
modifiers: undefined,
name: name,
rawName: `v-${ name }`,
value: data.value,
});
}
vucNode.setAttr(`v-${ name }`, data.value);
},
delData(vucNode, name) {
vucNode.directives = _.filter(vucNode.directives, d => d.name != name);
vucNode.setAttr(`v-${ name }`, undefined);
},
};
export function getDirectives(vucNode) {
let directives = _.map(vucNode.directives, d => {
return Object.assign({}, d);
});
let d = directiveMap.for.getData(vucNode);
if (d) {
directives.push(d);
}
return directives;
}
export function setDirective(vucNode, data) {
let directive = directiveMap[data.name];
if (directive) {
directive.setData(vucNode, data);
} else {
defaults.setData(vucNode, data);
}
}
export function getDirective(vucNode, name) {
let directive = directiveMap[name];
if (directive) {
directive.getData(vucNode);
} else {
defaults.getData(vucNode, name);
}
}
export function delDirective(vucNode, name) {
let directive = directiveMap[name];
if (directive) {
directive.delData(vucNode);
} else {
defaults.delData(vucNode, name);
}
}
|
// Configuration
global.path = {
proxy: "local.dev",
server: 'public/',
scss: "scss/",
img: "public/img/",
imgCss: "public/img/css",
js: "public/js/",
css: "public/css/",
refresh: ["public/*.html", "public/*.php", "public/js/*.js"]
}
// Support
global.browser_support = [
"ie >= 9",
"ie_mob >= 10",
"ff >= 30",
"chrome >= 34",
"safari >= 7",
"opera >= 23",
"ios >= 7",
"android >= 4.4",
"bb >= 10"
]
// Require
require ('coffee-script/register');
require('./gulpfile.coffee');
|
import React, { useContext } from "react";
import { Link } from "react-router-dom";
import {
Divider,
ListItem,
ListItemIcon,
ListItemText,
} from "@material-ui/core";
import {
Dashboard as DashboardIcon,
People as PeopleIcon,
InvertColors as InvertColorsIcon,
Assignment as AssignmentIcon,
} from "@material-ui/icons";
// import GradientIcon from "@material-ui/icons/Gradient";
// import CreateIcon from "@material-ui/icons/Create";
// import PrintIcon from "@material-ui/icons/Print";
import { AuthContext } from "./context/AuthContext";
const SideBar = () => {
const auth = useContext(AuthContext);
function ListItemLink(props) {
// eslint-disable-next-line react/jsx-props-no-spreading
return <ListItem button component={Link} {...props} />;
}
return (
<>
<div>
<ListItemLink to="/dashboard">
<ListItemIcon>
<DashboardIcon />
</ListItemIcon>
<ListItemText primary="Dashboard" />
</ListItemLink>
</div>
<Divider />
<div>
<ListItemLink to="/toners">
<ListItemIcon>
<InvertColorsIcon />
</ListItemIcon>
<ListItemText primary="Toners" />
</ListItemLink>
</div>
<Divider />
<div>
<ListItemLink to="/tools/patterns">
<ListItemIcon>
<AssignmentIcon />
</ListItemIcon>
<ListItemText primary="Patterns" />
</ListItemLink>
</div>
{auth.authState.userInfo.role === "admin" ? (
<>
<Divider />
<div>
<ListItemLink to="/admin/users">
<ListItemIcon>
<PeopleIcon />
</ListItemIcon>
<ListItemText primary="Users" />
</ListItemLink>
</div>
<div>
<ListItemLink to="/admin/toners">
<ListItemIcon>
<InvertColorsIcon />
</ListItemIcon>
<ListItemText primary="Toners" />
</ListItemLink>
</div>
</>
) : (
<></>
)}
</>
);
};
export default SideBar;
|
"""
Class Features
Name: drv_data_rs_io
Author(s): Fabio Delogu ([email protected])
Date: '20201210'
Version: '1.0.0'
"""
#######################################################################################
# -------------------------------------------------------------------------------------
# Libraries
import logging
import os
import time
import numpy as np
import xarray as xr
import pandas as pd
from src.hyde.algorithm.settings.ground_network.lib_rs_conventions import conventions_vars
from src.hyde.dataset.ground_network.rs.lib_rs_variables import convert_values2points
from src.hyde.algorithm.io.ground_network.lib_rs_io_generic import write_obj, read_obj, \
create_dset, write_dset, read_file_csv, write_file_ascii
from src.hyde.algorithm.utils.ground_network.lib_rs_generic import make_folder, fill_tags2string, list_folder, \
get_root_path
from src.hyde.algorithm.io.ground_network.lib_rs_io_gzip import zip_filename
# -------------------------------------------------------------------------------------
# -------------------------------------------------------------------------------------
# Class driver geographical data
class DriverData:
def __init__(self, time_step, geo_collections=None,
src_dict=None, ancillary_dict=None, dst_dict=None,
variable_src_dict=None, variable_dst_dict=None, time_dict=None, template_dict=None, info_dict=None,
flag_updating_ancillary=True, flag_updating_destination=True, flag_cleaning_tmp=True):
self.time_step = time_step
self.geo_collections = geo_collections
self.src_dict = src_dict
self.ancillary_dict = ancillary_dict
self.dst_dict = dst_dict
self.time_dict = time_dict
self.variable_src_dict = variable_src_dict
self.variable_dst_dict = variable_dst_dict
self.template_dict = template_dict
self.tag_folder_name = 'folder_name'
self.tag_file_name = 'file_name'
self.tag_file_fields_columns = 'file_fields_columns'
self.tag_file_fields_types = 'file_fields_types'
self.tag_file_fields_format = 'file_fields_format'
self.tag_file_compression = 'file_compression'
self.domain_name = info_dict['domain']
self.variable_src_list = list(self.variable_src_dict.keys())
self.variable_dst_list = list(self.variable_dst_dict.keys())
self.time_range = self.collect_file_time()
self.file_fields_collections = {}
self.file_path_src_dset_collections = {}
for variable_step in self.variable_src_list:
folder_name_src_dset_raw = self.src_dict[variable_step][self.tag_folder_name]
file_name_src_dset_raw = self.src_dict[variable_step][self.tag_file_name]
file_path_src_dset_list = self.collect_file_list(folder_name_src_dset_raw, file_name_src_dset_raw,
variable_step)
self.file_fields_collections[variable_step] = self.src_dict[variable_step][self.tag_file_fields_columns]
self.file_path_src_dset_collections[variable_step] = file_path_src_dset_list
self.folder_name_anc_dset_raw = self.ancillary_dict[self.tag_folder_name]
self.file_name_anc_dset_raw = self.ancillary_dict[self.tag_file_name]
self.file_path_anc_dset_collections = self.collect_file_list(
self.folder_name_anc_dset_raw, self.file_name_anc_dset_raw)
self.folder_name_anc_dset_root = get_root_path(self.folder_name_anc_dset_raw)
self.folder_name_dst_dset_raw = self.dst_dict[self.tag_folder_name]
self.file_name_dst_dset_raw = self.dst_dict[self.tag_file_name]
self.file_path_dst_dset_collections = self.collect_file_list(
self.folder_name_dst_dset_raw, self.file_name_dst_dset_raw)
if self.tag_file_fields_columns in list(self.dst_dict.keys()):
self.file_fields_columns = self.dst_dict[self.tag_file_fields_columns]
else:
self.file_fields_columns = ['code', 'discharge', 'tag']
if self.tag_file_fields_format in list(self.dst_dict.keys()):
self.file_fields_format = self.dst_dict[self.tag_file_fields_format]
else:
self.file_fields_format = ['%10.0f', '%10.1f', '%s']
if self.tag_file_fields_types in list(self.dst_dict.keys()):
self.file_fields_types = self.dst_dict[self.tag_file_fields_types]
else:
self.file_fields_types = ['int', 'float', 'str']
self.file_fields_write_engine = self.convert_fields_type2write(self.file_fields_types)
if self.tag_file_compression in list(self.dst_dict.keys()):
self.file_compression_dst = self.dst_dict[self.tag_file_compression]
else:
self.file_compression_dst = False
self.file_zip_dst_dset_raw = self.add_file_extension(self.file_name_dst_dset_raw, file_extension='.gz')
self.file_zip_dst_dset_collections = self.collect_file_list(
self.folder_name_dst_dset_raw, self.file_zip_dst_dset_raw)
self.flag_updating_ancillary = flag_updating_ancillary
self.flag_updating_destination = flag_updating_destination
self.flag_cleaning_tmp = flag_cleaning_tmp
self.tag_dim_geo_x = 'longitude'
self.tag_dim_geo_y = 'latitude'
# -------------------------------------------------------------------------------------
# -------------------------------------------------------------------------------------
# Method to convert type to write engine
@staticmethod
def convert_fields_type2write(file_fields_type):
file_fields_write_engine = []
for field_type in file_fields_type:
if field_type == 'int':
file_fields_write_engine.append('i')
elif field_type == 'float':
file_fields_write_engine.append('f')
elif field_type == 'str':
file_fields_write_engine.append('U256')
else:
logging.error(' ===> Name "' + field_type + '" is not supported by known write engine')
raise NotImplementedError('Case not implemented yet')
return file_fields_write_engine
# -------------------------------------------------------------------------------------
# -------------------------------------------------------------------------------------
# Method to add zip extension to filename
@staticmethod
def add_file_extension(file_name, file_extension='.gz'):
if not file_name.endswith('.gz'):
file_name_filled = file_name + file_extension
else:
file_name_filled = file_name
return file_name_filled
# -------------------------------------------------------------------------------------
# -------------------------------------------------------------------------------------
# Method to collect time(s)
def collect_file_time(self):
time_period = self.time_dict["time_period"]
time_frequency = self.time_dict["time_frequency"]
time_rounding = self.time_dict["time_rounding"]
time_end = self.time_step.floor(time_rounding)
time_range = pd.date_range(end=time_end, periods=time_period, freq=time_frequency)
return time_range
# -------------------------------------------------------------------------------------
# -------------------------------------------------------------------------------------
# Method to collect ancillary file
def collect_file_list(self, folder_name_raw, file_name_raw, file_variable=None):
domain_name = self.domain_name
file_name_list = []
for datetime_step in self.time_range:
template_values_step = {
'domain_name': domain_name,
'source_var_name': file_variable,
'ancillary_var_name': file_variable,
'destination_var_name': file_variable,
'source_datetime': datetime_step, 'source_sub_path_time': datetime_step,
'ancillary_datetime': datetime_step, 'ancillary_sub_path_time': datetime_step,
'destination_datetime': datetime_step, 'destination_sub_path_time': datetime_step}
folder_name_def = fill_tags2string(
folder_name_raw, self.template_dict, template_values_step)
file_name_def = fill_tags2string(
file_name_raw, self.template_dict, template_values_step)
file_path_def = os.path.join(folder_name_def, file_name_def)
file_name_list.append(file_path_def)
return file_name_list
# -------------------------------------------------------------------------------------
# -------------------------------------------------------------------------------------
# Method to write dataset in dictionary format
@staticmethod
def write_dset_obj(file_name, file_dict):
write_obj(file_name, file_dict)
# -------------------------------------------------------------------------------------
# -------------------------------------------------------------------------------------
# Method to load dataset saved in dictionary format
@staticmethod
def read_dset_obj(file_name):
file_dict = read_obj(file_name)
return file_dict
# -------------------------------------------------------------------------------------
# -------------------------------------------------------------------------------------
# Method to add global attributes
@staticmethod
def add_global_attributes(global_attrs):
if global_attrs is None:
global_attrs = {}
if 'file_date' not in list(global_attrs.keys()):
global_attrs['file_date'] = 'Created ' + time.ctime(time.time())
if 'nodata_value' not in list(global_attrs.keys()):
global_attrs['nodata_value'] = -9999.0
return global_attrs
# -------------------------------------------------------------------------------------
# -------------------------------------------------------------------------------------
# Method to dump datasets
def dump_data(self):
logging.info(' ----> Dump datasets ... ')
time_range = self.time_range
geo_collections = self.geo_collections
global_attrs = self.add_global_attributes(geo_collections.attrs)
file_path_anc_collections = self.file_path_anc_dset_collections
file_path_dst_collections = self.file_path_dst_dset_collections
file_path_zip_collections = self.file_zip_dst_dset_collections
var_dict_dst = self.variable_dst_dict
flag_upd_dst = self.flag_updating_destination
for id, time_step in enumerate(time_range):
logging.info(' -----> Time ' + str(time_step) + ' ... ')
var_file_path_anc = file_path_anc_collections[id]
var_file_path_dst = file_path_dst_collections[id]
var_file_path_zip = file_path_zip_collections[id]
if flag_upd_dst:
if os.path.exists(var_file_path_dst):
os.remove(var_file_path_dst)
if os.path.exists(var_file_path_zip):
os.remove(var_file_path_zip)
if self.file_compression_dst:
var_file_path_check = var_file_path_zip
else:
var_file_path_check = var_file_path_dst
if not os.path.exists(var_file_path_check):
if os.path.exists(var_file_path_anc):
logging.info(' ------> Create array object ... ')
var_dict_anc = self.read_dset_obj(var_file_path_anc)
# Iterate over variables
var_data_dict = {}
var_attrs_dict = {}
for var_key_anc in list(var_dict_anc.keys()):
logging.info(' -------> Variable ' + var_key_anc + ' ... DONE')
var_da_anc = var_dict_anc[var_key_anc]
var_name_dst = var_dict_dst[var_key_anc]['var_name']
var_mode_dst = var_dict_dst[var_key_anc]['var_mode']
var_attrs_dst = var_dict_dst[var_key_anc]['var_attributes']
if var_mode_dst:
var_value_list = []
for var_da_step in var_da_anc:
var_row_list = []
for var_file in self.file_fields_columns:
var_value_tmp = var_da_step[var_file].values[0]
var_row_list.append(var_value_tmp)
var_value_list.append(var_row_list)
var_data_dict[var_name_dst] = var_value_list
var_attrs_dict[var_name_dst] = var_attrs_dst
logging.info(' -------> Variable ' + var_key_anc + ' ... DONE')
else:
logging.info(' -------> Variable ' + var_key_anc + ' ... SKIPPED. Variable not selected')
# Save data using a 1d ascii file
logging.info(' ------> Save file ascii ... ')
var_folder_name_dst, var_file_name_dst = os.path.split(var_file_path_dst)
make_folder(var_folder_name_dst)
for (var_dst, data_dst), attrs_dst in zip(var_data_dict.items(), var_attrs_dict.values()):
write_file_ascii(
var_file_path_dst, data_dst,
file_fields=self.file_fields_columns,
file_write_engine=self.file_fields_write_engine,
file_format=self.file_fields_format,
file_attrs=attrs_dst)
logging.info(' ------> Save file ascii ... DONE')
logging.info(' ------> Zip file ... ')
if self.file_compression_dst:
zip_filename(var_file_path_dst, var_file_path_zip)
if os.path.exists(var_file_path_dst):
os.remove(var_file_path_dst)
logging.info(' ------> Zip file ... DONE')
else:
logging.info(' ------> Zip file ... SKIPPED. Compression not activated')
logging.info(' -----> Time ' + str(time_step) + ' ... DONE.')
else:
logging.info(' -----> Time ' + str(time_step) + ' ... SKIPPED. Ancillary file not found')
else:
logging.info(' -----> Time ' + str(time_step) + ' ... SKIPPED. Datasets file previously saved')
logging.info(' ----> Dump datasets ... DONE')
# -------------------------------------------------------------------------------------
# -------------------------------------------------------------------------------------
# Method to organize datasets
def organize_data(self):
logging.info(' ----> Organize datasets ... ')
time_range = self.time_range
geo_collections = self.geo_collections
file_fields_collections = self.file_fields_collections
file_path_src_collections = self.file_path_src_dset_collections
file_path_anc_collections = self.file_path_anc_dset_collections
var_src_dict = self.variable_src_dict
flag_upd_anc = self.flag_updating_ancillary
for id, time_step in enumerate(time_range):
logging.info(' -----> Time ' + str(time_step) + ' ... ')
var_file_path_anc = file_path_anc_collections[id]
if flag_upd_anc:
if os.path.exists(var_file_path_anc):
os.remove(var_file_path_anc)
if not os.path.exists(var_file_path_anc):
var_dict = None
for var_key, var_fields in var_src_dict.items():
logging.info(' ------> Variable ' + var_key + ' ... ')
var_mode = var_fields['var_mode']
var_name = var_fields['var_name']
var_method_compute = var_fields['var_method_compute']
var_attributes = var_fields['var_attributes']
var_file_path_src = file_path_src_collections[var_key][id]
var_file_list = file_fields_collections[var_key]
if var_mode:
logging.info(' -------> Get data ... ')
if os.path.exists(var_file_path_src):
var_file_data_src = read_file_csv(var_file_path_src,
tag_file_data='discharge',
file_time=time_step, file_header=var_file_list,
file_renamecols=None,
file_skipcols=None)
logging.info(' -------> Get data ... DONE')
else:
logging.info(' -------> Get data ... FAILED')
logging.warning(' ===> File not found ' + var_file_path_src)
var_file_data_src = None
logging.info(' -------> Compute data ... ')
if var_file_data_src is not None:
if var_dict is None:
var_dict = {}
if var_method_compute is None:
var_tag = var_key
else:
logging.error(' ===> Variable compute method is not allowed for river stations')
raise NotImplementedError('Case not implemented yet')
var_dict[var_tag] = convert_values2points(var_file_data_src, geo_collections,
tag_file_fields=self.file_fields_columns)
logging.info(' -------> Compute data ... DONE')
logging.info(' ------> Variable ' + var_key + ' ... DONE')
else:
logging.info(' -------> Compute data ... FAILED. Variable dataset is undefined')
logging.info(' ------> Variable ' + var_key + ' ... SKIPPED. Variable dataset is undefined')
else:
logging.info(' -----> Variable ' + var_key + ' ... SKIPPED. Variable mode not activated.')
if var_dict is not None:
var_folder_name_anc, var_file_name_anc = os.path.split(var_file_path_anc)
make_folder(var_folder_name_anc)
self.write_dset_obj(var_file_path_anc, var_dict)
logging.info(' -----> Time ' + str(time_step) + ' ... DONE')
else:
logging.info(' -----> Time ' + str(time_step) + ' ... SKIPPED. Datasets are undefined')
else:
logging.info(' -----> Time ' + str(time_step) + ' ... SKIPPED. Datasets are previously computed')
logging.info(' ----> Organize datasets ... DONE')
# -------------------------------------------------------------------------------------
# -------------------------------------------------------------------------------------
# Method to clean temporary information
def clean_tmp(self):
file_path_anc_list = self.file_path_anc_dset_collections
clean_tmp = self.flag_cleaning_tmp
folder_name_anc_main = self.folder_name_anc_dset_root
if clean_tmp:
# Remove tmp file and folder(s)
for file_path_step in file_path_anc_list:
if os.path.exists(file_path_step):
os.remove(file_path_step)
var_folder_name_step, var_file_name_step = os.path.split(file_path_step)
if var_folder_name_step != '':
if os.path.exists(var_folder_name_step):
if not os.listdir(var_folder_name_step):
os.rmdir(var_folder_name_step)
# Remove empty folder(s)
folder_name_anc_list = list_folder(folder_name_anc_main)
for folder_name_anc_step in folder_name_anc_list:
if os.path.exists(folder_name_anc_step):
if not any(os.scandir(folder_name_anc_step)):
os.rmdir(folder_name_anc_step)
# -------------------------------------------------------------------------------------
# -------------------------------------------------------------------------------------
|
import React from 'react'
import PropTypes from 'prop-types'
/**
* Linea SVG que une los centros de dos territorios conectados
*/
const Linea = ({ x1, y1, x2, y2 }) => {
return (
<line
x1={x1}
y1={y1}
x2={x2}
y2={y2}
style={{
stroke: 'rgb(255, 255, 255, 0.400)',
strokeWidth: '2',
strokeDasharray: 5,
}}
/>
)
}
function lineaPropsAreEqual(prevLinea, nextLinea) {
return (
prevLinea.x1 === nextLinea.x1 &&
prevLinea.x2 === nextLinea.x2 &&
prevLinea.y1 === nextLinea.y1 &&
prevLinea.y2 === nextLinea.y2
)
}
export default Linea
export const MemorizedLinea = React.memo(Linea, lineaPropsAreEqual)
Linea.PropTypes = {
/**
* Posición del centro de uno de los territorios en el eje X del SVG
*/
x1: PropTypes.number,
/**
* Posición del centro del segundo de territorio en el eje X del SVG
*/
x2: PropTypes.number,
/**
* Posición del centro de uno de los territorios en el eje Y del SVG
*/
y1: PropTypes.number,
/**
* Posición del centro del segundo de territorio en el eje Y del SVG
*/
y2: PropTypes.number,
}
|
from conans import ConanFile, CMake, tools
class Libp2pConan(ConanFile):
name = "libp2p"
version = "0.1"
license = "<Put the package license here>"
author = "<Put your name here> <And your email here>"
url = "<Package recipe repository url here, for issues about the package>"
description = "<Description of Libp2p here>"
topics = ("<Put some tag here>", "<here>", "<and here>")
settings = "os", "compiler", "build_type", "arch"
options = {
"shared": [True, False],
"with_plaintext": [True, False]
}
default_options = "shared=False", "with_plaintext=True"
generators = "cmake", "cmake_find_package"
requires = (
"multiformats/0.1@matt1795/testing",
"protobuf/3.9.1@bincrafters/stable",
"OpenSSL/latest_1.1.1x@conan/stable",
"asio/1.13.0@bincrafters/stable"
)
build_requires = "protoc_installer/3.9.1@bincrafters/stable"
exports_sources = "*"
def configure(self):
self.options["asio"].with_openssl = True
if self.settings.compiler in ["gcc", "clang"] and self.settings.compiler.libcxx != "libstdc++11":
raise Exception("need to use libstdc++11 for compiler.libcxx")
def build(self):
cmake = CMake(self)
cmake.definitions["protobuf_MODULE_COMPATIBLE"] = True
cmake.configure(source_folder=self.source_folder)
cmake.build()
def package(self):
self.copy("include/*.hpp", dst="include", src=".")
self.copy("*.lib", dst="lib", keep_path=False)
self.copy("*.dll", dst="bin", keep_path=False)
self.copy("*.so", dst="lib", keep_path=False)
self.copy("*.dylib", dst="lib", keep_path=False)
self.copy("*.a", dst="lib", keep_path=False)
def package_info(self):
pass
# TODO: pass down C++17 req
|
// maybe.test
/* eslint-env jest */
import {
maybe
} from './maybe.js'
describe('test .maybe() method:', () => {
const plus5 = (x) => x + 5
const minus2 = (x) => x - 2
const isNumber = (x) => Number(x) === x
const toString = (x) => 'The value is ' + String(x)
const getDefault = () => 'This is default value'
test(' check if .maybe() works correctly', () => {
const x1 = maybe(5)
.if(isNumber)
.map(plus5)
.map(minus2)
.map(toString)
.else(getDefault)
.value()
expect(x1).toEqual('The value is 8')
const x2 = maybe('nothing')
.if(isNumber)
.map(plus5)
.map(minus2)
.map(toString)
.else(getDefault)
.value()
expect(x2).toEqual('This is default value')
})
})
|
import {createRenderer} from "../../lib/mini-vue.esm.js";
// 给基于 pixi.js 的渲染函数
const renderer = createRenderer({
createElement(type) {
const rect = new PIXI.Graphics();
rect.beginFill(0xff0000);
rect.drawRect(0, 0, 100, 100);
rect.endFill();
return rect;
},
patchProp(el, key, prevValue, nextValue) {
el[key] = nextValue;
},
insert(el, parent) {
parent.addChild(el);
},
});
export function createApp(rootComponent) {
return renderer.createApp(rootComponent);
}
|
# coding: UTF-8
__author__ = 'weiwei'
import cwweixinpay
from http.server import BaseHTTPRequestHandler,HTTPServer
PORT_NUMBER = 9192
hostName = "localhost"
# This class will handle any incoming request from
# a browser
class myHandler(BaseHTTPRequestHandler):
# Handler for the GET requests
def do_GET(self):
print ('Get request received')
self.send_response(200)
self.send_header('Content-type','text/html')
self.end_headers()
# Send the html message
jsonString = cwweixinpay.weixinpayactionDemo()
self.wfile.write(jsonString.encode())
# self.wfile.write("Hello World !".encode())
return
def do_POST(self):
print ('Post request received')
self.send_response(200)
self.send_header('Content-type','text/html')
self.end_headers()
# Send the html message
jsonString = cwweixinpay.weixinpayactionDemo()
self.wfile.write(jsonString.encode())
return
try:
# Create a web server and define the handler to manage the
# incoming request
server = HTTPServer((hostName, PORT_NUMBER), myHandler)
print ('Started httpserver on port ' , PORT_NUMBER)
# Wait forever for incoming http requests
server.serve_forever()
except KeyboardInterrupt:
print ('^C received, shutting down the web server')
server.socket.close() |
var path = require('path');
module.exports = {
entry: './example/index.js',
output: './gh-pages',
babelLoaderDir: [path.join(__dirname, './src')]
}; |
import React from "react";
import PropTypes from "prop-types";
import SmallCheck from "/icons/SmallCheck";
import Item from "@material-ui/core/MenuItem";
import ItemText from "@material-ui/core/ListItemText";
import ItemIcon from "@material-ui/core/ListItemIcon";
class Option extends React.PureComponent {
static displayName = "ToolbarSelect.Option";
static propTypes = {
children: PropTypes.node,
selected: PropTypes.bool,
value: PropTypes.any.isRequired,
};
static defaultProps = {
selected: false,
children: null,
};
render() {
const { value, selected, children, ...props } = this.props;
const label = children || value;
return (
<Item key={value} value={value} {...props}>
{selected && (
<ItemIcon>
<SmallCheck />
</ItemIcon>
)}
<ItemText inset={selected} primary={label} />
</Item>
);
}
}
export default Option;
|
import pytest
import requests
requests.packages.urllib3.disable_warnings()
if not pytest.config.getoption('--user'):
pytest.skip('v1 client not configured', allow_module_level=True)
def test_get_hosts(vc_v1):
resp = vc_v1.get_hosts()
assert vc_v1.version == 1
assert resp.status_code == 200
def test_host_generator(vc_v1):
host_gen = vc_v1.get_all_hosts(page_size=1)
results = next(host_gen)
assert len(results.json()['results']) == 1
assert results.json()['count'] > 1
def test_get_hosts_id(vc_v1):
host_id = vc_v1.get_hosts().json()['results'][0]['id']
resp = vc_v1.get_host_by_id(host_id=host_id)
assert resp.json()['id'] == host_id
|
import os
import shutil
#import moxing as mox
#mox.file.copy_parallel('s3://zhang-ming-xing/twoimport/checkpoints', 'checkpoints/')
path = 'checkpointsce/20211130-1900/'
wenjian = sorted(os.listdir(path))
'''
for i in range(len(wenjian)):
step = int(wenjian[i].split('-')[1].split('.')[0])
for j in range(0, 130, 1):
if step / 2130 == j:
if not os.path.exists(path + str(j) + '/'):
os.makedirs(path + str(j) + '/')
shutil.move(path + wenjian[i], path + str(j) + '/')
'''
for i in range(len(wenjian)):
shutil.copy('checkpoint', path + wenjian[i])
for i in range(len(wenjian)):
geditpath = path + wenjian[i] + '/' + 'checkpoint'
ckptpath = sorted(os.listdir(path + wenjian[i]))
for j in range(len(ckptpath)):
step = int(ckptpath[1].split('-')[1].split('.')[0])
with open(geditpath, 'w') as f:
f.write('model_checkpoint_path: "model.ckpt-' + str(step) + '"')
f.close
for i in range(len(wenjian)):
shutil.copytree('test', path + wenjian[i] + '/' + 'test')
|
!function(e,n){"object"==typeof exports&&"object"==typeof module?module.exports=n(require("react"),require("react-dom")):"function"==typeof define&&define.amd?define("pwd-unitybar",["react","react-dom"],n):"object"==typeof exports?exports["pwd-unitybar"]=n(require("react"),require("react-dom")):e["pwd-unitybar"]=n(e.React,e.ReactDOM)}(window,function(__WEBPACK_EXTERNAL_MODULE__1__,__WEBPACK_EXTERNAL_MODULE__7__){return function(e){var n={};function t(r){if(n[r])return n[r].exports;var a=n[r]={i:r,l:!1,exports:{}};return e[r].call(a.exports,a,a.exports,t),a.l=!0,a.exports}return t.m=e,t.c=n,t.d=function(e,n,r){t.o(e,n)||Object.defineProperty(e,n,{enumerable:!0,get:r})},t.r=function(e){"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},t.t=function(e,n){if(1&n&&(e=t(e)),8&n)return e;if(4&n&&"object"==typeof e&&e&&e.__esModule)return e;var r=Object.create(null);if(t.r(r),Object.defineProperty(r,"default",{enumerable:!0,value:e}),2&n&&"string"!=typeof e)for(var a in e)t.d(r,a,function(n){return e[n]}.bind(null,a));return r},t.n=function(e){var n=e&&e.__esModule?function(){return e.default}:function(){return e};return t.d(n,"a",n),n},t.o=function(e,n){return Object.prototype.hasOwnProperty.call(e,n)},t.p="",t(t.s=20)}([function(e,n,t){e.exports=t(22)()},function(e,n){e.exports=__WEBPACK_EXTERNAL_MODULE__1__},function(e,n,t){"use strict";e.exports=t(21)},function(e,n,t){"use strict";(function(e,r){t.d(n,"i",function(){return c}),t.d(n,"d",function(){return l}),t.d(n,"e",function(){return p}),t.d(n,"f",function(){return d}),t.d(n,"g",function(){return u}),t.d(n,"h",function(){return h}),t.d(n,"b",function(){return f}),t.d(n,"c",function(){return m}),t.d(n,"a",function(){return b}),t.d(n,"j",function(){return w});var a,o=t(0);(a=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).enterModule)&&a(e);var i,s,c=r&&r.env&&!1,l={Public:"public",Internal:"internal"},p={Blue:"-pwdub-theme-blue",White:"-pwdub-theme-white",Internal:"-pwdub-theme-internal"},d=Object(o.oneOf)(Object.values(l)),u=Object(o.shape)({cssClass:o.string,icon:o.string.isRequired,title:o.string.isRequired,onClickHandler:o.func.isRequired,customIconNode:o.node}),h=Object(o.shape)({name:o.string.isRequired,onClickHandler:o.func.isRequired}),f="Parcel Viewer",m="Stormwater Connect",b="Credits Explorer",w=[{appCSSClass:"-all-properties",appHeading:"For all properties",appName:f,appDescription:"Information about your property and the stormwater\n charge on your bill.",appUrl:""},{appCSSClass:"-retrofit-developers",appHeading:"For stormwater management vendors",appName:m,appDescription:"Find commercial, industrial, and multifamily\n properties interested in a stormwater retrofit project.",appUrl:""},{appCSSClass:"-retrofit-properties",appHeading:"For commercial, industrial, and multifamily properties",appName:b,appDescription:"See how much you can save by installing a stormwater\n retrofit project.",appUrl:"",secondAppName:"Stormwater Connect",secondAppDescription:"Learn how a grant from the Philadelphia Water\n Department can pay for your stormwater retrofit project.",secondAppUrl:""}];(i=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).default)&&(i.register(c,"isDevelopment","/Users/azavea/dvlp/pwd-unitybar/src/js/constants.js"),i.register(l,"UnityBarAccess","/Users/azavea/dvlp/pwd-unitybar/src/js/constants.js"),i.register(p,"UnityBarThemes","/Users/azavea/dvlp/pwd-unitybar/src/js/constants.js"),i.register(d,"accessPropType","/Users/azavea/dvlp/pwd-unitybar/src/js/constants.js"),i.register(u,"customActionPropType","/Users/azavea/dvlp/pwd-unitybar/src/js/constants.js"),i.register(h,"customMenuOptionPropType","/Users/azavea/dvlp/pwd-unitybar/src/js/constants.js"),i.register(f,"PARCEL_VIEWER","/Users/azavea/dvlp/pwd-unitybar/src/js/constants.js"),i.register(m,"RETROFIT_MAP","/Users/azavea/dvlp/pwd-unitybar/src/js/constants.js"),i.register(b,"CREDITS_EXPLORER","/Users/azavea/dvlp/pwd-unitybar/src/js/constants.js"),i.register("Stormwater Connect","RETROFIT_CAMPAIGN","/Users/azavea/dvlp/pwd-unitybar/src/js/constants.js"),i.register(w,"pwdAppConfig","/Users/azavea/dvlp/pwd-unitybar/src/js/constants.js")),(s=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).leaveModule)&&s(e)}).call(this,t(4)(e),t(26))},function(e,n){e.exports=function(e){if(!e.webpackPolyfill){var n=Object.create(e);n.children||(n.children=[]),Object.defineProperty(n,"loaded",{enumerable:!0,get:function(){return n.l}}),Object.defineProperty(n,"id",{enumerable:!0,get:function(){return n.i}}),Object.defineProperty(n,"exports",{enumerable:!0}),n.webpackPolyfill=1}return n}},function(e,n,t){"use strict";(function(e){t.d(n,"a",function(){return l});var r,a,o,i=t(1),s=t.n(i),c=t(0);function l(e){var n=e.cssClass,t=e.title,r=e.onClickHandler,a=e.icon,o=e.customIconNode||s.a.createElement("svg",{className:"icon"},s.a.createElement("use",{xlinkHref:a}));return s.a.createElement("button",{className:"link ".concat(n," toggle"),title:t,href:"","aria-label":t,onClick:r,type:"button"},o)}(r=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).enterModule)&&r(e),l.defaultProps={customIconNode:null},l.propTypes={cssClass:c.string.isRequired,title:c.string.isRequired,icon:c.string.isRequired,onClickHandler:c.func.isRequired,customIconNode:c.node},(a=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).default)&&a.register(l,"AppAction","/Users/azavea/dvlp/pwd-unitybar/src/js/AppAction.jsx"),(o=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).leaveModule)&&o(e)}).call(this,t(4)(e))},function(module,__webpack_exports__,__webpack_require__){"use strict";(function(module){var react__WEBPACK_IMPORTED_MODULE_0__=__webpack_require__(1),react__WEBPACK_IMPORTED_MODULE_0___default=__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__),prop_types__WEBPACK_IMPORTED_MODULE_1__=__webpack_require__(0),prop_types__WEBPACK_IMPORTED_MODULE_1___default=__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__),react_onclickoutside__WEBPACK_IMPORTED_MODULE_2__=__webpack_require__(9),_constants__WEBPACK_IMPORTED_MODULE_3__=__webpack_require__(3),_sass_pwd_unity_bar_scss__WEBPACK_IMPORTED_MODULE_4__=__webpack_require__(27),_sass_pwd_unity_bar_scss__WEBPACK_IMPORTED_MODULE_4___default=__webpack_require__.n(_sass_pwd_unity_bar_scss__WEBPACK_IMPORTED_MODULE_4__),_AppSwitcher__WEBPACK_IMPORTED_MODULE_5__=__webpack_require__(10),_AppActions__WEBPACK_IMPORTED_MODULE_6__=__webpack_require__(11),_PWDLogo__WEBPACK_IMPORTED_MODULE_7__=__webpack_require__(17),_SVGIcons__WEBPACK_IMPORTED_MODULE_8__=__webpack_require__(18),enterModule;function _typeof(e){return(_typeof="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function _classCallCheck(e,n){if(!(e instanceof n))throw new TypeError("Cannot call a class as a function")}function _defineProperties(e,n){for(var t=0;t<n.length;t++){var r=n[t];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function _createClass(e,n,t){return n&&_defineProperties(e.prototype,n),t&&_defineProperties(e,t),e}function _possibleConstructorReturn(e,n){return!n||"object"!==_typeof(n)&&"function"!=typeof n?_assertThisInitialized(e):n}function _getPrototypeOf(e){return(_getPrototypeOf=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function _assertThisInitialized(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function _inherits(e,n){if("function"!=typeof n&&null!==n)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(n&&n.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),n&&_setPrototypeOf(e,n)}function _setPrototypeOf(e,n){return(_setPrototypeOf=Object.setPrototypeOf||function(e,n){return e.__proto__=n,e})(e,n)}enterModule=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:__webpack_require__(2)).enterModule,enterModule&&enterModule(module);var UnityBar=function(_Component){function UnityBar(e){var n;return _classCallCheck(this,UnityBar),(n=_possibleConstructorReturn(this,_getPrototypeOf(UnityBar).call(this,e))).state={appSwitcherOpen:!1,authenticatedActionsOpen:!1,searchBoxExpanded:!1},n.openAppSwitcher=n.openAppSwitcher.bind(_assertThisInitialized(n)),n.closeAppSwitcher=n.closeAppSwitcher.bind(_assertThisInitialized(n)),n.openAuthenticatedActions=n.openAuthenticatedActions.bind(_assertThisInitialized(n)),n.closeAuthenticatedActions=n.closeAuthenticatedActions.bind(_assertThisInitialized(n)),n.contractSearchBox=n.contractSearchBox.bind(_assertThisInitialized(n)),n.expandSearchBox=n.expandSearchBox.bind(_assertThisInitialized(n)),n.closeAllElements=n.closeAllElements.bind(_assertThisInitialized(n)),n.handleSearchBoxChange=n.handleSearchBoxChange.bind(_assertThisInitialized(n)),n.clearSearchBoxValue=n.clearSearchBoxValue.bind(_assertThisInitialized(n)),n.handleAppNameClick=n.handleAppNameClick.bind(_assertThisInitialized(n)),n}return _inherits(UnityBar,_Component),_createClass(UnityBar,[{key:"clearSearchBoxValue",value:function(){(0,this.props.searchChangeHandler)("")}},{key:"handleClickOutside",value:function(){this.closeAllElements()}},{key:"handleSearchBoxChange",value:function(e){var n=e.target.value;(0,this.props.searchChangeHandler)(n)}},{key:"closeAllElements",value:function(){this.setState({appSwitcherOpen:!1,authenticatedActionsOpen:!1,searchBoxExpanded:!1})}},{key:"openAppSwitcher",value:function(){this.setState({appSwitcherOpen:!0,authenticatedActionsOpen:!1,searchBoxExpanded:!1})}},{key:"closeAppSwitcher",value:function(){this.setState({appSwitcherOpen:!1})}},{key:"openAuthenticatedActions",value:function(){this.setState({appSwitcherOpen:!1,authenticatedActionsOpen:!0,searchBoxExpanded:!1})}},{key:"closeAuthenticatedActions",value:function(){this.setState({authenticatedActionsOpen:!1})}},{key:"expandSearchBox",value:function(){this.setState({appSwitcherOpen:!1,authenticatedActionsOpen:!1,searchBoxExpanded:!0})}},{key:"contractSearchBox",value:function(){this.props.searchBoxValue||this.setState({searchBoxExpanded:!1})}},{key:"handleAppNameClick",value:function(){var e=this.props.appNameClickHandler;return this.setState(function(e){return Object.assign({},e,{appSwitcherOpen:!1,authenticatedActionsOpen:!1,searchBoxExpanded:!1})},e)}},{key:"render",value:function(){var e=this,n=this.props,t=n.currentAppName,r=n.appNameClickHandler,a=n.theme,o=n.access,i=n.hasLogo,s=n.hasSearch,c=n.searchPlaceholder,l=n.searchSubmitHandler,p=n.searchBoxValue,d=n.isSearching,u=n.searchingIndicator,h=n.hasMapAction,f=n.mapActionHandler,m=n.mapActionTitle,b=n.hasHelpAction,w=n.helpActionHandler,g=n.helpActionTitle,y=n.customActions,x=n.authenticated,A=n.hasSettings,v=n.settingsUrl,E=n.settingsHandler,O=n.signOutHandler,C=n.customMenuOptions,P=n.parcelViewerUrl,k=n.creditsExplorerUrl,M=n.retrofitMapUrl,B=n.retrofitCampaignUrl,H=n.showParcelViewerLink,S=n.showCreditsExplorerLink,q=n.showRetrofitMapLink,D=n.showRetrofitCampaignLink,z=n.currentPath,L=this.state,U=L.appSwitcherOpen,R=L.authenticatedActionsOpen,I=L.searchBoxExpanded,T=_constants__WEBPACK_IMPORTED_MODULE_3__.j.map(function(e){switch(e.appName){case _constants__WEBPACK_IMPORTED_MODULE_3__.b:return Object.assign({},e,{appUrl:P,isVisible:H});case _constants__WEBPACK_IMPORTED_MODULE_3__.c:return Object.assign({},e,{appUrl:M,isVisible:q});case _constants__WEBPACK_IMPORTED_MODULE_3__.a:return Object.assign({},e,{appUrl:k,secondAppUrl:B,isVisible:S,secondAppIsVisible:D});default:return e}}),N=i?react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement(_PWDLogo__WEBPACK_IMPORTED_MODULE_7__.a,null):null,j=function(){if(o===_constants__WEBPACK_IMPORTED_MODULE_3__.d.Internal)return _constants__WEBPACK_IMPORTED_MODULE_3__.e.Internal;switch(a){case"blue":return _constants__WEBPACK_IMPORTED_MODULE_3__.e.Blue;case"white":return _constants__WEBPACK_IMPORTED_MODULE_3__.e.White;case"custom":throw new Error("Invalid UnityBar theme: 'custom' theme not\n yet implemented.");default:throw new Error("Invalid UnityBar theme: ".concat(a,"."))}}();return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("header",{className:"pwd-unity-bar ".concat(j)},react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement(_AppSwitcher__WEBPACK_IMPORTED_MODULE_5__.a,{appSwitcherOpen:U,openAppSwitcher:this.openAppSwitcher,closeAppSwitcher:this.closeAppSwitcher,currentAppName:t,appNameClickHandler:r?this.handleAppNameClick:null,appConfig:T}),N,react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement(_AppActions__WEBPACK_IMPORTED_MODULE_6__.a,{authenticated:x,authenticatedActionsOpen:R,openAuthenticatedActions:this.openAuthenticatedActions,closeAuthenticatedActions:this.closeAuthenticatedActions,hasSearch:s,searchPlaceholder:c,searchSubmitHandler:function(){l&&l(p)},isSearching:d,searchingIndicator:u,hasMapAction:h,mapActionHandler:function(){f&&(e.closeAllElements(),f())},mapActionTitle:m,hasHelpAction:b,helpActionHandler:function(){w&&(e.closeAllElements(),w())},helpActionTitle:g,customActions:y,hasSettings:A,settingsUrl:v,settingsHandler:function(){E&&(e.closeAllElements(),E())},signOutHandler:function(){O&&(e.closeAllElements(),O())},customMenuOptions:C,searchBoxExpanded:I,expandSearchBox:this.expandSearchBox,contractSearchBox:this.contractSearchBox,closeAllElements:this.closeAllElements,searchBoxValue:p,handleSearchBoxChange:this.handleSearchBoxChange,currentPath:z}),react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement(_SVGIcons__WEBPACK_IMPORTED_MODULE_8__.a,null))}},{key:"__reactstandin__regenerateByEval",value:function __reactstandin__regenerateByEval(key,code){this[key]=eval(code)}}]),UnityBar}(react__WEBPACK_IMPORTED_MODULE_0__.Component);UnityBar.propTypes={currentAppName:prop_types__WEBPACK_IMPORTED_MODULE_1__.string.isRequired,appNameClickHandler:prop_types__WEBPACK_IMPORTED_MODULE_1__.func,theme:prop_types__WEBPACK_IMPORTED_MODULE_1__.string,access:_constants__WEBPACK_IMPORTED_MODULE_3__.f,hasLogo:prop_types__WEBPACK_IMPORTED_MODULE_1__.bool,hasSearch:prop_types__WEBPACK_IMPORTED_MODULE_1__.bool,searchPlaceholder:prop_types__WEBPACK_IMPORTED_MODULE_1__.string,searchChangeHandler:prop_types__WEBPACK_IMPORTED_MODULE_1__.func,searchSubmitHandler:prop_types__WEBPACK_IMPORTED_MODULE_1__.func,searchBoxValue:prop_types__WEBPACK_IMPORTED_MODULE_1__.string,isSearching:prop_types__WEBPACK_IMPORTED_MODULE_1__.bool,searchingIndicator:prop_types__WEBPACK_IMPORTED_MODULE_1__.node,hasMapAction:prop_types__WEBPACK_IMPORTED_MODULE_1__.bool,mapActionHandler:prop_types__WEBPACK_IMPORTED_MODULE_1__.func,mapActionTitle:prop_types__WEBPACK_IMPORTED_MODULE_1__.string,hasHelpAction:prop_types__WEBPACK_IMPORTED_MODULE_1__.bool,helpActionHandler:prop_types__WEBPACK_IMPORTED_MODULE_1__.func,helpActionTitle:prop_types__WEBPACK_IMPORTED_MODULE_1__.string,customActions:Object(prop_types__WEBPACK_IMPORTED_MODULE_1__.arrayOf)(_constants__WEBPACK_IMPORTED_MODULE_3__.g),authenticated:prop_types__WEBPACK_IMPORTED_MODULE_1__.bool,hasSettings:prop_types__WEBPACK_IMPORTED_MODULE_1__.bool,settingsUrl:prop_types__WEBPACK_IMPORTED_MODULE_1__.string,settingsHandler:prop_types__WEBPACK_IMPORTED_MODULE_1__.func,signOutHandler:prop_types__WEBPACK_IMPORTED_MODULE_1__.func,customMenuOptions:Object(prop_types__WEBPACK_IMPORTED_MODULE_1__.arrayOf)(_constants__WEBPACK_IMPORTED_MODULE_3__.h),parcelViewerUrl:prop_types__WEBPACK_IMPORTED_MODULE_1__.string,creditsExplorerUrl:prop_types__WEBPACK_IMPORTED_MODULE_1__.string,retrofitMapUrl:prop_types__WEBPACK_IMPORTED_MODULE_1__.string,retrofitCampaignUrl:prop_types__WEBPACK_IMPORTED_MODULE_1__.string,showParcelViewerLink:prop_types__WEBPACK_IMPORTED_MODULE_1__.bool,showCreditsExplorerLink:prop_types__WEBPACK_IMPORTED_MODULE_1__.bool,showRetrofitMapLink:prop_types__WEBPACK_IMPORTED_MODULE_1__.bool,showRetrofitCampaignLink:prop_types__WEBPACK_IMPORTED_MODULE_1__.bool,currentPath:prop_types__WEBPACK_IMPORTED_MODULE_1__.string},UnityBar.defaultProps={appNameClickHandler:null,theme:"blue",access:"public",hasLogo:!0,hasSearch:!0,searchPlaceholder:"Search",searchChangeHandler:function(e){_constants__WEBPACK_IMPORTED_MODULE_3__.i&&window.console.log("changed text ->",e)},searchSubmitHandler:function(e){_constants__WEBPACK_IMPORTED_MODULE_3__.i&&window.console.log("submitted ->",e)},searchBoxValue:"",isSearching:!1,searchingIndicator:null,hasMapAction:!0,mapActionTitle:"Map",hasHelpAction:!0,helpActionTitle:"Help",authenticated:!1,hasSettings:!1,signOutHandler:function(){_constants__WEBPACK_IMPORTED_MODULE_3__.i&&window.console.log("You signed out!")},parcelViewerUrl:"",creditsExplorerUrl:"",retrofitMapUrl:"",retrofitCampaignUrl:"",showParcelViewerLink:!0,showCreditsExplorerLink:!0,showRetrofitMapLink:!1,showRetrofitCampaignLink:!1,mapActionHandler:function(){return null},helpActionHandler:function(){return null},customActions:[],settingsUrl:"",settingsHandler:function(){return null},customMenuOptions:[],currentPath:""};var _default=Object(react_onclickoutside__WEBPACK_IMPORTED_MODULE_2__.a)(UnityBar),reactHotLoader,leaveModule;__webpack_exports__.a=_default,reactHotLoader=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:__webpack_require__(2)).default,reactHotLoader&&(reactHotLoader.register(UnityBar,"UnityBar","/Users/azavea/dvlp/pwd-unitybar/src/js/UnityBar.jsx"),reactHotLoader.register(_default,"default","/Users/azavea/dvlp/pwd-unitybar/src/js/UnityBar.jsx")),leaveModule=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:__webpack_require__(2)).leaveModule,leaveModule&&leaveModule(module)}).call(this,__webpack_require__(4)(module))},function(e,n){e.exports=__WEBPACK_EXTERNAL_MODULE__7__},function(e,n,t){"use strict";(function(e){t.d(n,"a",function(){return l});var r,a,o,i=t(1),s=t.n(i),c=t(0);function l(e){var n=e.current,t=e.name,r=e.description,a=e.url,o=n?"-on":"",i=e.appSwitcherOpen?"0":"-1";return s.a.createElement("div",{className:"app-summary"},s.a.createElement("h4",{className:"app-name","aria-current":n},s.a.createElement("a",{className:"link ".concat(o),tabIndex:i,href:a,target:"_blank",rel:"noopener noreferrer"},t)),s.a.createElement("p",{className:"desc"},r))}(r=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).enterModule)&&r(e),l.propTypes={current:c.bool.isRequired,name:c.string.isRequired,description:c.string.isRequired,url:c.string.isRequired,appSwitcherOpen:c.bool.isRequired},(a=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).default)&&a.register(l,"AppSummary","/Users/azavea/dvlp/pwd-unitybar/src/js/AppSummary.jsx"),(o=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).leaveModule)&&o(e)}).call(this,t(4)(e))},function(e,n,t){"use strict";var r=t(1),a=t(7);function o(e,n,t){return e===n||(e.correspondingElement?e.correspondingElement.classList.contains(t):e.classList.contains(t))}var i=function(){if("undefined"!=typeof window&&"function"==typeof window.addEventListener){var e=!1,n=Object.defineProperty({},"passive",{get:function(){e=!0}}),t=function(){};return window.addEventListener("testPassiveEventSupport",t,n),window.removeEventListener("testPassiveEventSupport",t,n),e}};var s,c,l=(void 0===s&&(s=0),function(){return++s}),p={},d={},u=["touchstart","touchmove"],h="ignore-react-onclickoutside";n.a=function(e,n){var t,s;return s=t=function(t){var s,h;function f(e){var n;return(n=t.call(this,e)||this).__outsideClickHandler=function(e){if("function"!=typeof n.__clickOutsideHandlerProp){var t=n.getInstance();if("function"!=typeof t.props.handleClickOutside){if("function"!=typeof t.handleClickOutside)throw new Error("WrappedComponent lacks a handleClickOutside(event) function for processing outside click events.");t.handleClickOutside(e)}else t.props.handleClickOutside(e)}else n.__clickOutsideHandlerProp(e)},n.enableOnClickOutside=function(){if("undefined"!=typeof document&&!d[n._uid]){void 0===c&&(c=i()),d[n._uid]=!0;var e=n.props.eventTypes;e.forEach||(e=[e]),p[n._uid]=function(e){var t;n.props.disableOnClickOutside||null!==n.componentNode&&(n.props.preventDefault&&e.preventDefault(),n.props.stopPropagation&&e.stopPropagation(),n.props.excludeScrollbar&&(t=e,document.documentElement.clientWidth<=t.clientX||document.documentElement.clientHeight<=t.clientY)||function(e,n,t){if(e===n)return!0;for(;e.parentNode;){if(o(e,n,t))return!0;e=e.parentNode}return e}(e.target,n.componentNode,n.props.outsideClickIgnoreClass)===document&&n.__outsideClickHandler(e))},e.forEach(function(e){var t=null;-1!==u.indexOf(e)&&c&&(t={passive:!n.props.preventDefault}),document.addEventListener(e,p[n._uid],t)})}},n.disableOnClickOutside=function(){delete d[n._uid];var e=p[n._uid];if(e&&"undefined"!=typeof document){var t=n.props.eventTypes;t.forEach||(t=[t]),t.forEach(function(n){return document.removeEventListener(n,e)}),delete p[n._uid]}},n.getRef=function(e){return n.instanceRef=e},n._uid=l(),n}h=t,(s=f).prototype=Object.create(h.prototype),s.prototype.constructor=s,s.__proto__=h;var m=f.prototype;return m.getInstance=function(){if(!e.prototype.isReactComponent)return this;var n=this.instanceRef;return n.getInstance?n.getInstance():n},m.componentDidMount=function(){if("undefined"!=typeof document&&document.createElement){var e=this.getInstance();if(n&&"function"==typeof n.handleClickOutside&&(this.__clickOutsideHandlerProp=n.handleClickOutside(e),"function"!=typeof this.__clickOutsideHandlerProp))throw new Error("WrappedComponent lacks a function for processing outside click events specified by the handleClickOutside config option.");this.componentNode=Object(a.findDOMNode)(this.getInstance()),this.enableOnClickOutside()}},m.componentDidUpdate=function(){this.componentNode=Object(a.findDOMNode)(this.getInstance())},m.componentWillUnmount=function(){this.disableOnClickOutside()},m.render=function(){var n=this.props,t=(n.excludeScrollbar,function(e,n){if(null==e)return{};var t,r,a={},o=Object.keys(e);for(r=0;r<o.length;r++)t=o[r],n.indexOf(t)>=0||(a[t]=e[t]);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(e);for(r=0;r<i.length;r++)t=i[r],n.indexOf(t)>=0||Object.prototype.propertyIsEnumerable.call(e,t)&&(a[t]=e[t])}return a}(n,["excludeScrollbar"]));return e.prototype.isReactComponent?t.ref=this.getRef:t.wrappedRef=this.getRef,t.disableOnClickOutside=this.disableOnClickOutside,t.enableOnClickOutside=this.enableOnClickOutside,Object(r.createElement)(e,t)},f}(r.Component),t.displayName="OnClickOutside("+(e.displayName||e.name||"Component")+")",t.defaultProps={eventTypes:["mousedown","touchstart"],excludeScrollbar:n&&n.excludeScrollbar||!1,outsideClickIgnoreClass:h,preventDefault:!1,stopPropagation:!1},t.getClass=function(){return e.getClass?e.getClass():e},s}},function(e,n,t){"use strict";(function(e){t.d(n,"a",function(){return p});var r,a,o,i=t(1),s=t.n(i),c=t(0),l=t(8);function p(e){var n=e.currentAppName,t=e.appNameClickHandler,r=e.appSwitcherOpen,a=e.openAppSwitcher,o=e.closeAppSwitcher,i=e.appConfig.map(function(e){var t=e.appCSSClass,a=e.appHeading,o=e.appName,i=e.appDescription,c=e.appUrl,p=e.isVisible,d=e.secondAppName,u=e.secondAppDescription,h=e.secondAppUrl,f=e.secondAppIsVisible;if(!p)return null;var m=d&&u&&h&&f?s.a.createElement(l.a,{appSwitcherOpen:r,name:d,description:u,url:h,current:d===n}):null;return s.a.createElement("div",{className:"app-group ".concat(t),key:o,role:"button"},s.a.createElement("h3",{className:"heading"},a),s.a.createElement(l.a,{appSwitcherOpen:r,name:o,description:i,url:c,current:o===n}),m)}),c=r?"-on":"",p=r?"0":"-1",d=t?s.a.createElement("button",{className:"appname",type:"button",title:n,"aria-label":n,onClick:t,style:{cursor:"pointer"}},n):s.a.createElement("h1",{className:"appname"},n);return s.a.createElement("div",{className:"app-switcher ".concat(c)},s.a.createElement("button",{className:"toggle",type:"button",title:"More stormwater apps",name:"app-switcher-toggle","aria-label":"More stormwater apps",onClick:r?o:a},s.a.createElement("svg",{className:"icon -menu"},s.a.createElement("use",{xlinkHref:"#pwdub-icon-menu"})),s.a.createElement("svg",{className:"icon -back","aria-hidden":"true"},s.a.createElement("use",{xlinkHref:"#pwdub-icon-back"}))),d,s.a.createElement("div",{className:"app-switcher-menu","aria-hidden":"true"},s.a.createElement("header",{className:"menu-header"},s.a.createElement("h2",{className:"heading"},"Stormwater Management Apps")),i,s.a.createElement("div",{className:"more-resources"},s.a.createElement("a",{className:"link",tabIndex:p,href:"http://www.phila.gov/water/wu/stormwater/",target:"_blank",rel:"noopener noreferrer"},"More PWD stormwater resources ➔"))))}(r=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).enterModule)&&r(e),p.defaultProps={appConfig:[],appNameClickHandler:null},p.propTypes={currentAppName:c.string.isRequired,appNameClickHandler:c.func,appSwitcherOpen:c.bool.isRequired,openAppSwitcher:c.func.isRequired,closeAppSwitcher:c.func.isRequired,appConfig:Object(c.arrayOf)(Object(c.shape)({appCSSClass:c.string,appHeading:c.string,appName:c.string,appUrl:c.string,isVisible:c.bool,secondAppName:c.string,secondAppDescription:c.string,secondAppUrl:c.string,secondAppIsVisible:c.bool}))},(a=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).default)&&a.register(p,"AppSwitcher","/Users/azavea/dvlp/pwd-unitybar/src/js/AppSwitcher.jsx"),(o=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).leaveModule)&&o(e)}).call(this,t(4)(e))},function(e,n,t){"use strict";(function(e){t.d(n,"a",function(){return f});var r,a=t(1),o=t.n(a),i=t(0),s=t(3),c=t(5),l=t(12),p=t(13);(r=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).enterModule)&&r(e);var d,u,h={map:{cssClass:"-map",title:"Map",icon:"#pwdub-icon-map"},help:{cssClass:"-help",title:"Help",icon:"#pwdub-icon-help"}};function f(e){var n=e.authenticated,t=e.authenticatedActionsOpen,r=e.openAuthenticatedActions,a=e.closeAuthenticatedActions,i=e.hasSearch,s=e.searchPlaceholder,d=e.searchSubmitHandler,u=e.isSearching,f=e.searchingIndicator,m=e.hasMapAction,b=e.mapActionHandler,w=e.mapActionTitle,g=e.hasHelpAction,y=e.helpActionHandler,x=e.helpActionTitle,A=e.customActions,v=e.hasSettings,E=e.settingsUrl,O=e.settingsHandler,C=e.signOutHandler,P=e.customMenuOptions,k=e.searchBoxExpanded,M=e.expandSearchBox,B=e.contractSearchBox,H=e.closeAllElements,S=e.searchBoxValue,q=e.handleSearchBoxChange,D=e.currentPath,z=function(){if(k)return null;if(A){if(A.length>1&&(m||g))throw new Error("Invalid UnityBar props: cannot supply two custom\n actions along with 'hasMapAction' or 'hasHelpAction'.");if(1===A.length&&m&&g)throw new Error("Invalid UnityBar props: cannot supply a custom\n action along with both 'hasMapAction' and 'hasHelpAction'.");return A.map(function(e){var n=e.cssClass,t=e.icon,r=e.title,a=e.onClickHandler,i=e.customIconNode;return o.a.createElement(c.a,{key:r,cssClass:n,icon:t,title:r,onClickHandler:a,customIconNode:i})})}return null}(),L=m&&b&&!k?o.a.createElement(c.a,{cssClass:h.map.cssClass,title:w,icon:h.map.icon,onClickHandler:b}):null,U=g&&y&&!k?o.a.createElement(c.a,{cssClass:h.help.cssClass,title:x,icon:h.help.icon,onClickHandler:y,closeAllElements:H}):null,R=i?o.a.createElement(p.a,{searchPlaceholder:s,searchSubmitHandler:d,expandSearchBox:M,contractSearchBox:B,searchBoxValue:S,handleSearchBoxChange:q,isSearching:u,searchingIndicator:f,currentPath:D}):null,I=n&&!k?o.a.createElement(l.a,{authenticatedActionsOpen:t,openAuthenticatedActions:r,closeAuthenticatedActions:a,hasSettings:v,settingsHandler:O,signOutHandler:C,settingsUrl:E,customMenuOptions:P,closeAllElements:H}):null,T=i&&k?"-search":"";return o.a.createElement("nav",{className:"app-actions ".concat(T)},R,z,L,U,I)}f.defaultProps={authenticated:!1,authenticatedActionsOpen:!1,openAuthenticatedActions:function(){return null},closeAuthenticatedActions:function(){return null},hasSearch:!1,searchPlaceholder:"",isSearching:!1,searchingIndicator:null,hasMapAction:!1,mapActionHandler:function(){return null},mapActionTitle:"Map",hasHelpAction:!1,helpActionHandler:function(){return null},helpActionTitle:"Help",customActions:null,hasSettings:!1,settingsUrl:"",settingsHandler:function(){return null},signOutHandler:function(){return null},customMenuOptions:[],searchBoxExpanded:!1,expandSearchBox:function(){return null},contractSearchBox:function(){return null},closeAllElements:function(){return null}},f.propTypes={authenticated:i.bool,authenticatedActionsOpen:i.bool,openAuthenticatedActions:i.func,closeAuthenticatedActions:i.func,hasSearch:i.bool,searchPlaceholder:i.string,searchSubmitHandler:i.func.isRequired,isSearching:i.bool,searchingIndicator:i.node,hasMapAction:i.bool,mapActionHandler:i.func,mapActionTitle:i.string,hasHelpAction:i.bool,helpActionHandler:i.func,helpActionTitle:i.string,customActions:Object(i.arrayOf)(s.g),hasSettings:i.bool,settingsUrl:i.string,settingsHandler:i.func,signOutHandler:i.func,customMenuOptions:Object(i.arrayOf)(s.h),searchBoxExpanded:i.bool,expandSearchBox:i.func,contractSearchBox:i.func,closeAllElements:i.func,searchBoxValue:i.string.isRequired,handleSearchBoxChange:i.func.isRequired,currentPath:i.string.isRequired},(d=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).default)&&(d.register(h,"defaultAppActions","/Users/azavea/dvlp/pwd-unitybar/src/js/AppActions.jsx"),d.register(f,"AppActions","/Users/azavea/dvlp/pwd-unitybar/src/js/AppActions.jsx")),(u=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).leaveModule)&&u(e)}).call(this,t(4)(e))},function(e,n,t){"use strict";(function(e){t.d(n,"a",function(){return p});var r,a,o,i=t(1),s=t.n(i),c=t(0),l=t(3);function p(e){var n=e.hasSettings,t=e.settingsUrl,r=e.settingsHandler,a=e.signOutHandler,o=e.customMenuOptions,i=e.authenticatedActionsOpen,c=e.openAuthenticatedActions,l=e.closeAuthenticatedActions,p=i?"0":"-1",d=function(){if(!n)return null;var e=s.a.createElement("button",{className:"link",tabIndex:p,href:r?null:t,onClick:r||null,type:"button"},"Settings");return s.a.createElement("li",{className:"listitem",role:"menuitem"},e)}(),u=o?o.map(function(e){var n=e.name,t=e.onClickHandler;return s.a.createElement("li",{className:"listitem",role:"menuitem",key:n+t.toString()},s.a.createElement("button",{className:"link",tabIndex:p,onClick:t,type:"button"},n))}):null,h=i?"-on":"";return s.a.createElement("div",{className:"additional-actions ".concat(h)},s.a.createElement("button",{className:"toggle",type:"button",title:"More actions",name:"actions-menu-toggle","aria-label":"More actions",onClick:i?l:c},s.a.createElement("svg",{className:"icon"},s.a.createElement("use",{xlinkHref:"#pwdub-icon-caret-down"}))),s.a.createElement("ul",{className:"actions-menu",role:"menu","aria-hidden":"true"},u,d,s.a.createElement("li",{className:"listitem",role:"menuitem"},s.a.createElement("button",{className:"link",tabIndex:p,onClick:a||null,type:"button"},"Sign out"))))}(r=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).enterModule)&&r(e),p.defaultProps={hasSettings:!1,settingsHandler:function(){return null},signOutHandler:function(){return null},settingsUrl:"",customMenuOptions:[]},p.propTypes={hasSettings:c.bool,settingsHandler:c.func,signOutHandler:c.func,settingsUrl:c.string,customMenuOptions:Object(c.arrayOf)(l.h),authenticatedActionsOpen:c.bool.isRequired,openAuthenticatedActions:c.func.isRequired,closeAuthenticatedActions:c.func.isRequired},(a=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).default)&&a.register(p,"AuthenticatedActionsMenu","/Users/azavea/dvlp/pwd-unitybar/src/js/AuthenticatedActionsMenu.jsx"),(o=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).leaveModule)&&o(e)}).call(this,t(4)(e))},function(e,n,t){"use strict";(function(e){t.d(n,"a",function(){return h});var r,a=t(1),o=t.n(a),i=t(0),s=t(19),c=t(16);(r=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).enterModule)&&r(e);var l,p,d="searchbox",u="(min-width: 900px)";function h(e){var n,t=e.searchPlaceholder,r=e.searchSubmitHandler,a=e.expandSearchBox,i=e.contractSearchBox,l=e.searchBoxValue,p=e.handleSearchBoxChange,h=e.isSearching,f=e.searchingIndicator,m=e.currentPath,b=l?"0":"-1",w=function(e){return"Enter"===e.key?r():null},g=(n=o.a.createElement("svg",{className:"icon","aria-hidden":"true"},o.a.createElement("use",{xlinkHref:"#pwdub-icon-search"})),h&&f||n);return o.a.createElement(s.a,{query:u},function(e){return e?o.a.createElement("div",{className:"search-form",role:"search"},g,o.a.createElement("input",{className:"field",type:"search",name:"query",value:l,role:d,"aria-label":"Search text",placeholder:"".concat(t),onFocus:a,onBlur:i,onChange:p,onKeyPress:w,disabled:h}),o.a.createElement("button",{onClick:r,className:"action",type:"button",name:"search-btn",tabIndex:b,disabled:h},"Search")):o.a.createElement(c.a,{searchPlaceholder:t,searchSubmitHandler:r,expandSearchBox:a,contractSearchBox:i,searchBoxValue:l,handleSearchBoxChange:p,isSearching:h,searchingIndicator:f,currentPath:m})})}h.defaultProps={searchingIndicator:null},h.propTypes={searchPlaceholder:i.string.isRequired,searchSubmitHandler:i.func.isRequired,expandSearchBox:i.func.isRequired,contractSearchBox:i.func.isRequired,searchBoxValue:i.string.isRequired,handleSearchBoxChange:i.func.isRequired,isSearching:i.bool.isRequired,searchingIndicator:i.node,currentPath:i.string.isRequired},(l=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).default)&&(l.register(d,"searchBoxRole","/Users/azavea/dvlp/pwd-unitybar/src/js/SearchBox.jsx"),l.register(u,"mediaQueryMatchCondition","/Users/azavea/dvlp/pwd-unitybar/src/js/SearchBox.jsx"),l.register(h,"SearchBox","/Users/azavea/dvlp/pwd-unitybar/src/js/SearchBox.jsx")),(p=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).leaveModule)&&p(e)}).call(this,t(4)(e))},function(e,n,t){"use strict";e.exports=function(e,n,t,r,a,o,i,s){if(!e){var c;if(void 0===n)c=new Error("Minified exception occurred; use the non-minified dev environment for the full error message and additional helpful warnings.");else{var l=[t,r,a,o,i,s],p=0;(c=new Error(n.replace(/%s/g,function(){return l[p++]}))).name="Invariant Violation"}throw c.framesToPop=1,c}}},function(e,n,t){var r=t(32),a=function(e){var n="",t=Object.keys(e);return t.forEach(function(a,o){var i=e[a];(function(e){return/[height|width]$/.test(e)})(a=r(a))&&"number"==typeof i&&(i+="px"),n+=!0===i?a:!1===i?"not "+a:"("+a+": "+i+")",o<t.length-1&&(n+=" and ")}),n};e.exports=function(e){var n="";return"string"==typeof e?e:e instanceof Array?(e.forEach(function(t,r){n+=a(t),r<e.length-1&&(n+=", ")}),n):a(e)}},function(module,__webpack_exports__,__webpack_require__){"use strict";(function(module){__webpack_require__.d(__webpack_exports__,"a",function(){return MobileSearchBox});var react__WEBPACK_IMPORTED_MODULE_0__=__webpack_require__(1),react__WEBPACK_IMPORTED_MODULE_0___default=__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__),prop_types__WEBPACK_IMPORTED_MODULE_1__=__webpack_require__(0),prop_types__WEBPACK_IMPORTED_MODULE_1___default=__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__),enterModule;function _typeof(e){return(_typeof="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function _classCallCheck(e,n){if(!(e instanceof n))throw new TypeError("Cannot call a class as a function")}function _defineProperties(e,n){for(var t=0;t<n.length;t++){var r=n[t];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function _createClass(e,n,t){return n&&_defineProperties(e.prototype,n),t&&_defineProperties(e,t),e}function _possibleConstructorReturn(e,n){return!n||"object"!==_typeof(n)&&"function"!=typeof n?_assertThisInitialized(e):n}function _getPrototypeOf(e){return(_getPrototypeOf=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function _assertThisInitialized(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function _inherits(e,n){if("function"!=typeof n&&null!==n)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(n&&n.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),n&&_setPrototypeOf(e,n)}function _setPrototypeOf(e,n){return(_setPrototypeOf=Object.setPrototypeOf||function(e,n){return e.__proto__=n,e})(e,n)}function _defineProperty(e,n,t){return n in e?Object.defineProperty(e,n,{value:t,enumerable:!0,configurable:!0,writable:!0}):e[n]=t,e}enterModule=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:__webpack_require__(2)).enterModule,enterModule&&enterModule(module);var mobileSearchBoxStyles=Object.freeze({buttonStyles:Object.freeze({height:"56px",width:"40px",minWidth:"40px",backgroundColor:"inherit",margin:"0",border:"0",padding:"0",borderRadius:"0",lineHeight:"1",appearance:"none",color:"inherit",fontFamily:"inherit",cursor:"pointer"}),searchIconStyles:Object.freeze({height:"24px",width:"20px"}),inputSectionStyles:Object.freeze({height:"56px",width:"calc(100vw - 15px)",position:"absolute",alignItems:"center",right:"3px",top:"0",zIndex:"1000",opacity:"1"}),inputElementStyles:Object.freeze({fontSize:"16px",opacity:"1.0"}),submitButtonStyles:Object.freeze({display:"block"})}),MobileSearchBox=function(_Component){function MobileSearchBox(){var e,n;_classCallCheck(this,MobileSearchBox);for(var t=arguments.length,r=new Array(t),a=0;a<t;a++)r[a]=arguments[a];return _defineProperty(_assertThisInitialized(n=_possibleConstructorReturn(this,(e=_getPrototypeOf(MobileSearchBox)).call.apply(e,[this].concat(r)))),"state",{searchBoxIsVisible:!1}),_defineProperty(_assertThisInitialized(n),"handleOpenSearchBox",function(){return n.setState(function(e){return Object.assign({},e,{searchBoxIsVisible:!0})})}),_defineProperty(_assertThisInitialized(n),"handleCloseSearchBox",function(){return n.setState(function(e){return Object.assign({},e,{searchBoxIsVisible:!1})})}),_defineProperty(_assertThisInitialized(n),"handleSubmitActionOnEnterKeyPress",function(e){var t=e.key,r=n.props.searchSubmitHandler;return"Enter"===t?r():null}),n}return _inherits(MobileSearchBox,_Component),_createClass(MobileSearchBox,[{key:"componentDidUpdate",value:function(e){var n=e.currentPath,t=this.props.currentPath,r=this.state.searchBoxIsVisible;return t!==n&&r?this.handleCloseSearchBox():null}},{key:"render",value:function(){var e,n=this.state.searchBoxIsVisible,t=this.props,r=t.searchPlaceholder,a=t.searchSubmitHandler,o=t.searchBoxValue,i=t.handleSearchBoxChange,s=t.isSearching,c=t.searchingIndicator,l=(e=react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("svg",{className:"icon","aria-hidden":"true"},react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("use",{xlinkHref:"#pwdub-icon-search"})),s&&c||e);if(n||o){var p=o?"0":"-1";return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("div",{className:"search-form",role:"search",onBlur:this.handleCloseSearchBox,style:mobileSearchBoxStyles.inputSectionStyles},l,react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("input",{autoFocus:!0,tabIndex:0,className:"field",type:"search",name:"query",value:o,role:"searchbox","aria-label":"Search text",placeholder:"".concat(r),onChange:i,onKeyPress:this.handleSubmitActionOnEnterKeyPress,disabled:s,style:mobileSearchBoxStyles.inputElementStyles}),react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("button",{className:"action",tabIndex:p,onClick:a,type:"button",name:"search-btn",disabled:s,style:mobileSearchBoxStyles.submitButtonStyles},"Search"))}return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("button",{type:"button",style:mobileSearchBoxStyles.buttonStyles,onClick:this.handleOpenSearchBox},react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("svg",{className:"icon","aria-hidden":"true",style:mobileSearchBoxStyles.searchIconStyles},react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("use",{xlinkHref:"#pwdub-icon-search"})))}},{key:"__reactstandin__regenerateByEval",value:function __reactstandin__regenerateByEval(key,code){this[key]=eval(code)}}]),MobileSearchBox}(react__WEBPACK_IMPORTED_MODULE_0__.Component),reactHotLoader,leaveModule;MobileSearchBox.defaultProps={searchingIndicator:null},MobileSearchBox.propTypes={searchPlaceholder:prop_types__WEBPACK_IMPORTED_MODULE_1__.string.isRequired,searchSubmitHandler:prop_types__WEBPACK_IMPORTED_MODULE_1__.func.isRequired,searchBoxValue:prop_types__WEBPACK_IMPORTED_MODULE_1__.string.isRequired,handleSearchBoxChange:prop_types__WEBPACK_IMPORTED_MODULE_1__.func.isRequired,isSearching:prop_types__WEBPACK_IMPORTED_MODULE_1__.bool.isRequired,searchingIndicator:prop_types__WEBPACK_IMPORTED_MODULE_1__.node,currentPath:prop_types__WEBPACK_IMPORTED_MODULE_1__.string.isRequired},reactHotLoader=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:__webpack_require__(2)).default,reactHotLoader&&(reactHotLoader.register(mobileSearchBoxStyles,"mobileSearchBoxStyles","/Users/azavea/dvlp/pwd-unitybar/src/js/MobileSearchBox.jsx"),reactHotLoader.register(MobileSearchBox,"MobileSearchBox","/Users/azavea/dvlp/pwd-unitybar/src/js/MobileSearchBox.jsx")),leaveModule=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:__webpack_require__(2)).leaveModule,leaveModule&&leaveModule(module)}).call(this,__webpack_require__(4)(module))},function(e,n,t){"use strict";(function(e){t.d(n,"a",function(){return c});var r,a,o,i=t(1),s=t.n(i);function c(){return s.a.createElement("a",{className:"logo link",title:"Philadelphia Water Department Homepage",href:"http://www.phila.gov/water/pages/default.aspx"},"PWD")}(r=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).enterModule)&&r(e),(a=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).default)&&a.register(c,"PWDLogo","/Users/azavea/dvlp/pwd-unitybar/src/js/PWDLogo.jsx"),(o=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).leaveModule)&&o(e)}).call(this,t(4)(e))},function(e,n,t){"use strict";(function(e){t.d(n,"a",function(){return c});var r,a,o,i=t(1),s=t.n(i);function c(){return s.a.createElement("svg",{style:{display:"none"}},s.a.createElement("symbol",{id:"pwdub-icon-menu",viewBox:"0 0 1792 1792"},s.a.createElement("path",{d:"M1664 1344v128q0 26-19 45t-45 19h-1408q-26 0-45-19t-19-45v-128q0-26 19-45t45-19h1408q26 0 45 19t19 45zm0-512v128q0 26-19 45t-45 19h-1408q-26 0-45-19t-19-45v-128q0-26 19-45t45-19h1408q26 0 45 19t19 45zm0-512v128q0 26-19 45t-45 19h-1408q-26 0-45-19t-19-45v-128q0-26 19-45t45-19h1408q26 0 45 19t19 45z"})),s.a.createElement("symbol",{id:"pwdub-icon-back",viewBox:"0 0 1792 1792"},s.a.createElement("path",{d:"M1664 896v128q0 53-32.5 90.5t-84.5 37.5h-704l293 294q38 36 38 90t-38 90l-75 76q-37 37-90 37-52 0-91-37l-651-652q-37-37-37-90 0-52 37-91l651-650q38-38 91-38 52 0 90 38l75 74q38 38 38 91t-38 91l-293 293h704q52 0 84.5 37.5t32.5 90.5z"})),s.a.createElement("symbol",{id:"pwdub-icon-search",viewBox:"0 0 1792 1792"},s.a.createElement("path",{d:"M1216 832q0-185-131.5-316.5t-316.5-131.5-316.5 131.5-131.5 316.5 131.5 316.5 316.5 131.5 316.5-131.5 131.5-316.5zm512 832q0 52-38 90t-90 38q-54 0-90-38l-343-342q-179 124-399 124-143 0-273.5-55.5t-225-150-150-225-55.5-273.5 55.5-273.5 150-225 225-150 273.5-55.5 273.5 55.5 225 150 150 225 55.5 273.5q0 220-124 399l343 343q37 37 37 90z"})),s.a.createElement("symbol",{id:"pwdub-icon-map",viewBox:"0 0 1792 1792"},s.a.createElement("path",{d:"M512 0q13 0 22.5 9.5t9.5 22.5v1472q0 20-17 28l-480 256q-7 4-15 4-13 0-22.5-9.5t-9.5-22.5v-1472q0-20 17-28l480-256q7-4 15-4zm1248 0q13 0 22.5 9.5t9.5 22.5v1472q0 20-17 28l-480 256q-7 4-15 4-13 0-22.5-9.5t-9.5-22.5v-1472q0-20 17-28l480-256q7-4 15-4zm-1120 0q8 0 14 3l512 256q18 10 18 29v1472q0 13-9.5 22.5t-22.5 9.5q-8 0-14-3l-512-256q-18-10-18-29v-1472q0-13 9.5-22.5t22.5-9.5z"})),s.a.createElement("symbol",{id:"pwdub-icon-help",viewBox:"0 0 1792 1792"},s.a.createElement("path",{d:"M1024 1376v-192q0-14-9-23t-23-9h-192q-14 0-23 9t-9 23v192q0 14 9 23t23 9h192q14 0 23-9t9-23zm256-672q0-88-55.5-163t-138.5-116-170-41q-243 0-371 213-15 24 8 42l132 100q7 6 19 6 16 0 25-12 53-68 86-92 34-24 86-24 48 0 85.5 26t37.5 59q0 38-20 61t-68 45q-63 28-115.5 86.5t-52.5 125.5v36q0 14 9 23t23 9h192q14 0 23-9t9-23q0-19 21.5-49.5t54.5-49.5q32-18 49-28.5t46-35 44.5-48 28-60.5 12.5-81zm384 192q0 209-103 385.5t-279.5 279.5-385.5 103-385.5-103-279.5-279.5-103-385.5 103-385.5 279.5-279.5 385.5-103 385.5 103 279.5 279.5 103 385.5z"})),s.a.createElement("symbol",{id:"pwdub-icon-caret-down",viewBox:"0 0 1792 1792"},s.a.createElement("path",{d:"M1408 704q0 26-19 45l-448 448q-19 19-45 19t-45-19l-448-448q-19-19-19-45t19-45 45-19h896q26 0 45 19t19 45z"})),s.a.createElement("symbol",{id:"calendar",viewBox:"0 0 1792 1792"},s.a.createElement("path",{d:"M192 1664h288v-288h-288v288zm352 0h320v-288h-320v288zm-352-352h288v-320h-288v320zm352 0h320v-320h-320v320zm-352-384h288v-288h-288v288zm736 736h320v-288h-320v288zm-384-736h320v-288h-320v288zm768 736h288v-288h-288v288zm-384-352h320v-320h-320v320zm-352-864v-288q0-13-9.5-22.5t-22.5-9.5h-64q-13 0-22.5 9.5t-9.5 22.5v288q0 13 9.5 22.5t22.5 9.5h64q13 0 22.5-9.5t9.5-22.5zm736 864h288v-320h-288v320zm-384-384h320v-288h-320v288zm384 0h288v-288h-288v288zm32-480v-288q0-13-9.5-22.5t-22.5-9.5h-64q-13 0-22.5 9.5t-9.5 22.5v288q0 13 9.5 22.5t22.5 9.5h64q13 0 22.5-9.5t9.5-22.5zm384-64v1280q0 52-38 90t-90 38h-1408q-52 0-90-38t-38-90v-1280q0-52 38-90t90-38h128v-96q0-66 47-113t113-47h64q66 0 113 47t47 113v96h384v-96q0-66 47-113t113-47h64q66 0 113 47t47 113v96h128q52 0 90 38t38 90z"})),s.a.createElement("symbol",{id:"pwdub-icon-bar-chart",viewBox:"0 0 2048 1792"},s.a.createElement("path",{d:"M640 896v512h-256v-512h256zm384-512v1024h-256v-1024h256zm1024 1152v128h-2048v-1536h128v1408h1920zm-640-896v768h-256v-768h256zm384-384v1152h-256v-1152h256z"})))}(r=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).enterModule)&&r(e),(a=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).default)&&a.register(c,"SVGIcons","/Users/azavea/dvlp/pwd-unitybar/src/js/SVGIcons.jsx"),(o=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).leaveModule)&&o(e)}).call(this,t(4)(e))},function(e,n,t){"use strict";function r(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function a(e,n,t){return n in e?Object.defineProperty(e,n,{value:t,enumerable:!0,configurable:!0,writable:!0}):e[n]=t,e}var o=t(1),i=t.n(o),s=(t(0),t(14)),c=t.n(s),l=t(15),p=t.n(l),d=function(){function e(e,n,t){var r=this;this.nativeMediaQueryList=e.matchMedia(n),this.active=!0,this.cancellableListener=function(){r.matches=r.nativeMediaQueryList.matches,r.active&&t.apply(void 0,arguments)},this.nativeMediaQueryList.addListener(this.cancellableListener),this.matches=this.nativeMediaQueryList.matches}return e.prototype.cancel=function(){this.active=!1,this.nativeMediaQueryList.removeListener(this.cancellableListener)},e}(),u=function(e){var n,t;function o(){for(var n,t=arguments.length,o=new Array(t),i=0;i<t;i++)o[i]=arguments[i];return a(r(r(n=e.call.apply(e,[this].concat(o))||this)),"state",{matches:n.props.defaultMatches}),a(r(r(n)),"updateMatches",function(){var e=n.mediaQueryList.matches;n.setState({matches:e});var t=n.props.onChange;t&&t(e)}),n}t=e,(n=o).prototype=Object.create(t.prototype),n.prototype.constructor=n,n.__proto__=t;var s=o.prototype;return s.componentWillMount=function(){if("object"==typeof window){var e=this.props.targetWindow||window;"function"!=typeof e.matchMedia&&c()(!1);var n=this.props.query;"string"!=typeof n&&(n=p()(n)),this.mediaQueryList=new d(e,n,this.updateMatches),this.updateMatches()}},s.componentWillUnmount=function(){this.mediaQueryList.cancel()},s.render=function(){var e=this.props,n=e.children,t=e.render,r=this.state.matches;return t?r?t():null:n?"function"==typeof n?n(r):(!Array.isArray(n)||n.length)&&r?i.a.Children.only(n):null:null},o}(i.a.Component);a(u,"defaultProps",{defaultMatches:!0});n.a=u},function(e,n,t){"use strict";t.r(n),function(e){var r,a=t(6);t.d(n,"UnityBar",function(){return a.a}),(r=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).enterModule)&&r(e);var o,i,s=a.a;n.default=s,(o=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).default)&&o.register(s,"default","/Users/azavea/dvlp/pwd-unitybar/src/js/index.js"),(i=("undefined"!=typeof reactHotLoaderGlobal?reactHotLoaderGlobal:t(2)).leaveModule)&&i(e)}.call(this,t(4)(e))},function(e,n,t){"use strict";Object.defineProperty(n,"__esModule",{value:!0});var r,a=(r=t(1))&&"object"==typeof r&&"default"in r?r.default:r;n.AppContainer=function(e){return a.Children.only(e.children)},n.hot=function(){return function(e){return e}},n.areComponentsEqual=function(e,n){return e===n},n.setConfig=function(){},n.cold=function(e){return e},n.configureComponent=function(){}},function(e,n,t){"use strict";var r=t(23),a=t(24),o=t(25);e.exports=function(){function e(e,n,t,r,i,s){s!==o&&a(!1,"Calling PropTypes validators directly is not supported by the `prop-types` package. Use PropTypes.checkPropTypes() to call them. Read more at http://fb.me/use-check-prop-types")}function n(){return e}e.isRequired=e;var t={array:e,bool:e,func:e,number:e,object:e,string:e,symbol:e,any:e,arrayOf:n,element:e,instanceOf:n,node:e,objectOf:n,oneOf:n,oneOfType:n,shape:n,exact:n};return t.checkPropTypes=r,t.PropTypes=t,t}},function(e,n,t){"use strict";function r(e){return function(){return e}}var a=function(){};a.thatReturns=r,a.thatReturnsFalse=r(!1),a.thatReturnsTrue=r(!0),a.thatReturnsNull=r(null),a.thatReturnsThis=function(){return this},a.thatReturnsArgument=function(e){return e},e.exports=a},function(e,n,t){"use strict";var r=function(e){};e.exports=function(e,n,t,a,o,i,s,c){if(r(n),!e){var l;if(void 0===n)l=new Error("Minified exception occurred; use the non-minified dev environment for the full error message and additional helpful warnings.");else{var p=[t,a,o,i,s,c],d=0;(l=new Error(n.replace(/%s/g,function(){return p[d++]}))).name="Invariant Violation"}throw l.framesToPop=1,l}}},function(e,n,t){"use strict";e.exports="SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED"},function(e,n){var t,r,a=e.exports={};function o(){throw new Error("setTimeout has not been defined")}function i(){throw new Error("clearTimeout has not been defined")}function s(e){if(t===setTimeout)return setTimeout(e,0);if((t===o||!t)&&setTimeout)return t=setTimeout,setTimeout(e,0);try{return t(e,0)}catch(n){try{return t.call(null,e,0)}catch(n){return t.call(this,e,0)}}}!function(){try{t="function"==typeof setTimeout?setTimeout:o}catch(e){t=o}try{r="function"==typeof clearTimeout?clearTimeout:i}catch(e){r=i}}();var c,l=[],p=!1,d=-1;function u(){p&&c&&(p=!1,c.length?l=c.concat(l):d=-1,l.length&&h())}function h(){if(!p){var e=s(u);p=!0;for(var n=l.length;n;){for(c=l,l=[];++d<n;)c&&c[d].run();d=-1,n=l.length}c=null,p=!1,function(e){if(r===clearTimeout)return clearTimeout(e);if((r===i||!r)&&clearTimeout)return r=clearTimeout,clearTimeout(e);try{r(e)}catch(n){try{return r.call(null,e)}catch(n){return r.call(this,e)}}}(e)}}function f(e,n){this.fun=e,this.array=n}function m(){}a.nextTick=function(e){var n=new Array(arguments.length-1);if(arguments.length>1)for(var t=1;t<arguments.length;t++)n[t-1]=arguments[t];l.push(new f(e,n)),1!==l.length||p||s(h)},f.prototype.run=function(){this.fun.apply(null,this.array)},a.title="browser",a.browser=!0,a.env={},a.argv=[],a.version="",a.versions={},a.on=m,a.addListener=m,a.once=m,a.off=m,a.removeListener=m,a.removeAllListeners=m,a.emit=m,a.prependListener=m,a.prependOnceListener=m,a.listeners=function(e){return[]},a.binding=function(e){throw new Error("process.binding is not supported")},a.cwd=function(){return"/"},a.chdir=function(e){throw new Error("process.chdir is not supported")},a.umask=function(){return 0}},function(e,n,t){var r=t(28);"string"==typeof r&&(r=[[e.i,r,""]]);var a={transform:void 0};t(30)(r,a);r.locals&&(e.exports=r.locals)},function(e,n,t){(e.exports=t(29)(!1)).push([e.i,'@charset "UTF-8";\n.pwd-unity-bar {\n -webkit-box-sizing: border-box;\n box-sizing: border-box; }\n .pwd-unity-bar *,\n .pwd-unity-bar *::before,\n .pwd-unity-bar *::after {\n -webkit-box-sizing: inherit;\n box-sizing: inherit; }\n\n.pwd-unity-bar.-pwdub-theme-white {\n background-color: #fff;\n color: #0078c8; }\n .pwd-unity-bar.-pwdub-theme-white svg {\n fill: #0078c8; }\n .pwd-unity-bar.-pwdub-theme-white .logo {\n text-indent: 100%;\n white-space: nowrap;\n overflow: hidden;\n background-image: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAFUAAAAmCAYAAAC1Q9c1AAAUJElEQVR42u2be5TcRZXHi8VFFFBhUUBARXBFfCsCq7t7iMfHgqKENyqCoMEExjynH9N5TAiJZCOryVE47FFJQpQwYDAEkkCmp+fXPT2ThAnknWAIEgiEVzYQYJJJZtL7/UzV7d9PO0OSE/a/rXPu+fXU79atW7fuq279xrlM1OGybRtcpvgXly0+6bKlVpctXOhomfI3XK7tGb1b5EbOO5Yu4Z7vGtqeV988N+rhD+jvKRqz3WVKQ1xmwUdEY4XLlZe7hvLnHK2x8R+cqxziGit6qqVaPi78ZaKxyTUUr3DWGhefpLkeUP9ml43Wid564S1w6UKMk44ucw2lpzSH+AUn2qD5nxOMUt8Zmne9IHKjolNAtzn1/jrRelbwBOsUrBX9X7hB897tzm18h8bOEr8vCa4JvLyHPtHaqr5vufr8F+BXMN/VF4531lKFS0TzBfFUdg2LP+PHFt7hNMFLGlxxmVZBseJuWlkRwR2uvuUrrqH9m25cp/6OnnKpRz7oaA3R99z45eCvcjeqL1242/38iYrwx7r6Rz4mGl1i5E0J6BxHq0iglzYd6qxl2n7qxiypeLrF2e5cmKC/9FEtfqVrXCba0R54ghdwRW+cx4mudaM7Ki7Xrr62ihu9uOImrKoId7LefV7PHpfreEYL/eekUMVrfZiPNfb2jZu4FrrT3OAHjxb+I27iGuiM8Jsw//2iH7mJ68C5Qpv5ZTf2Uf0urXUj8x8GRQp1hHDuZH6Nh+5wWy+MblFnjwYOdanoEy7dmneNj1e0C7eo/9swL5w1rm7+O/2E0fksVHjL2DVp3kwtXvj5nMssPE10tmncNpcrnmWTsHv8RDNE6z4JBmYrWIa01e9wuu1DEuxq5hPNn+nvT+r5WwkZvBdduuWzLtV8oRu3DN46XEPhUy5T+IgbpfFDCkdqzrNFkw3d4OqjjyWFqo0fiiKIhrRY41KtQ9yYpdBd41KLzhFPs91NK9ioHzvfDhEv89149WVKl2q+c0SX38uZ029Uyxc1bi0bzHoklz/18RF2H7XfI4JfDwxM0QRo4lRNeqGY7ZUAX9TfQ/hb+FNhCKFKICcI/y43YTULzWnC0/T+NWncq5rsrOrCmrymYkZ6/4oWt1njlyJAPescLRedrHHrpA2i5d2PaJyIibOJeg6SkC+SxvB+FThssPq+4wbdoc0qfVGatlPwpBvthWoWItxh8CheH+BPvT9F6+rWep5y9c3/Jjp/kGIwx3TxcwFzab1r3VhpNy4q2/wvCE/4K92Ih0+GhPrr9DcKsExaukn0XnTZlrNNqFsEvJwr+A1C8drQIsKl/9DfOyHYJ+hJMhkWxSKz0RI3PH+iF+qqWqGiObRBnf/orGENjY/B3DS5gcsxSeH7hdYvPd41eKFK+FfSpcX8kyygxY1/XGPKIySAy7VYrxkI4RebKu7mNeBfytwS6G4pyEaN8+YfNlNjhvs15Te6dP5X4rngJq2riM9FLtUmHx/dg3X2rXPSetbqXUu6KDfU8X03qirUNXFsKd6Pckmg14jnW5AB85hQN2sSfBwMIjDv6xqbDsP8NQiBvYF6i4npGlgM5v8ofrZfoZr5m1CHN71LdOdpcYxtkiB+zk4LntfvUwkOBBK0V27lchOq6HWKNxY4WH77YjdmMRv+rAQ8WeOm9LmpYQqQ6dJnJdRujd/oMu2nmevhIb5GYr59MGElQkMYzwl3ANosHhZ6vqIl+ElclHh8mc0TrStjoZbW4Us1z4cZjzJi2eJnVnAff9YmHcUuviCiPYIpInQeTtnMRgMvhphwVsunvidE0u8E83/MDVt4wl6E+qp2bltVU6+583AeBBIYgVEYwByDWYsZ7Xaj/C3mT4AalR/IEM3xk+DTu+QHB2Dq+EY9m93ft2wrC+8S/pNkGMH8DzPzx0L0fFS0Lhetr5tvRAhSmEfw3QquP419f/FhrEH0LqsKlUCamnsULoHgxFoIcFgSFizam1xO8pMQX9bAXvwl9CwNCgK8SAMR6hOWSsCUCCDUxxFq3y7dvBoTHM1i8NEIgrQFJqQd6wRpfGcYt0kmOIFNELQg4D6flmlW9C8uY8Pwo2gFrgDaonefF3LzD7Q4tGOH3q9SP/CMxqUQquZ5RWOZm4C3QvCEaNyAK4OOng86axY8URaiP5vV0D7Uv2s/RjTzJlQCVQhsS+FTbvEO6OFGBBnRnaR1bfAWFWUQ0vMauFOIV9pkJlT1DURAaCo5afAllyBozB9Ba8enEyVFOItQ9Z6UBq3oQQCYnJ6/00Kb0BbRmxSnV/mvgqN35JffZSGizdg9oo9wXxCtX9vc6r9OwGIAFomWYJZTQ4Te7IMfc5f7LEFPbWDrj4SHT53vGiVEv87DY6EWF0ggaOqNni/SLGkq/Fr0hy9y+HTLt/ymiT45bGjid6zX1uJi50Y2nyH1/owGH21+KEZc9F5SHhy/7aye71M68znSFvo04UmYtph4P2mXUpRPkP4IPkn6wpPcjtyxL/0ZLi0gI8DF4Gd5T3o0snAsJlkdC183yKfSjK/hC4+BV2nDp8EB+BuLwddxAGAOxvr3iz7tGpqPQ/PIPIRzirk2eKgGM7IBDivwQAMHjWRdrBfa+OzRZfn+zmOZnzno93TEG/IjDYT//29/2xDQAeGiWElFtPzQR89FH0KjOE0kB9lOAGgKR1F2PJgkzeMYYX7XiQZHReiBm2r7oM8CAg4aOlQahHbjQpgT5hInMDSEd+AwlwGaVwPQsndo7ZCmI8lerM+e9rsWyh/oGzfs/vc5GhY3dO5xzG84YZ4YrlXASramyqHwjusk+s+UmndLpf9HfqGbAIQZ1hwx053v1QIfEu4u4ezSsw1mLLDFCT5+thiJHnjQJLO4u3oiu0PC7ctTox3Ce1qp0lb9fo5zPa8tImvcXeAInhVQa+gXQq69mSAp2tsUIK/H/DlWko1AYx/jGdslmBFiydfU/yy88a4GX/z49K/0AP6abMHchuWp3xcj4ewfeaDPNNUQM4s+HyK7HTGVOrUOMGKmqXp/niZG6OAISjyHxQIjQyhudGOXEtz2gOcdfGkGWm++XMw+FI7Le4y3twDwmCvUCtqG49sUeF5W1Gaetx7Le4ISRSLa6LbzRWuXgmjNWOOFuTgg+FpFqURcqPpozJ6Kj4/Y+d6Ql95pMoiFVfqhJt0jh7/HT1SMTxCofmjq/08SdOHtCpnD00nnzQlEALPg9Ag88/BA7YE2TKafLvzZJ/rN3Ur0ewS98KcDwB4DeKFPOL3Q0W+KHoripZ8RYKmmoQDq3w0+uMwJLQPjIaSOc0wxJI83UQobmwTG0Q/AH5kF6VbVwkOR5LcQZVIR9HkiVSNanDJMY5G2sJBi/MFem+lDHCGBB44Wd5+rm+ZNv27DO8X4XWgpjJEWgceG4i7Ex/UmVOEt8BWzkudJgIYwNxsi4MliSJvA8zxxMsp1jCArkBvYAi8IjnGiCZ1ayGis8mXRmRdbW6kLvhjLPFp/L65MNHYzxrTY3gfFaEwIrHiFOnos/+O3kumreGXHRU1QNMFDSL/BW+FS808ytHCs7WYSTR6geKO9xkQoYsCAtHc37kRmu03MIogKvtfcjvrPdNn2b4f6wzc4UkpIt6F5aC4L1rjtop8VvS/3FVfSEkaudAG+nhOdYAsCQKPBF/xRgvt3SprQ5emh+E3mkrs409GggaaaRaUjjS9OJl0ERxp5rt7dxfqQF9oaSoMLXXaJTwNxARQLYMC0EKdtPk6CPEsEXoIxEyq4BAUK2bFQi7fi0zALrz0yfcwwfv8TGEEweu7gICCa9+CbhO8thADTT+N0JFyEGugrkHB83VvLdnwFodqa2EgJZLzbj+arccU3xI8XGm6POnCikdNqbZEODQj1TYRKjVkF/tOTDN+RdAHUOq2CLqI/xsyYwISKcOjTorKgkJJwzDTTR/NkAffa+VtJPwWV2fQLxxdSUsWzuDFgXh8so916DraTHU4/WeWiwg8uQvUbQ8aSv8DjrzmMgMkzCCYItVQVqsaPdf22OHr7010QasoLVXTCEfavh/tn57sV0GZIqPCzwx+vW9dVA5ad6TF7OwZCELcQ/OltDII5c/iCCj5Wk3mTxURJt8z0MRlqsKERrPTeH2G9JRR9Mbj8JTReYMK+t3pMrlie7BvlvxqhYva2CRY0TaimqfDro3ee4orMN63faZ5a6yj1jVOQvM5MV3wMrNHUbHmw8eSVqHgCV1HSUNNUNq0dq4+PayOikznTmrmECtLtnIPVF/G3BSlz0KEEuJwSoBY3gQBEPwvGd9quhWuYG9Rn6QgBbJIVLzRvXguxYPRXjoSmOcBBCRU3YYGKecdp8fAJIAiroXJjkG0/PcxzCUI1TUVBCEIcCKjEUcnT+9mag/c+04EWfhZLSTKtzts903nMBaROnDYlLRaRFKpgd8DhOuYqK4Z4n6x+mboq8t50R604QjTmYPrCRRgvk2AnAuXYED3ZJILCMNOKt0uoxrN+dwl2AFoPz+3CY0M7qMNa0Uh9rwsYY2N3Smu3C16HT+giUNHohndiBBeBcZnPWkrESNwtqmX77ptaROR1InRCoAmTKr6pd5HwX7H8lZ3Vs+rYuc+hlmomrnHtyeOwr2+2BmYRfDQXX2zC6l+oxQMRKldGFOPR0ACdfj4uLrmGiTXVhJrYEHN9wf0ZIJeGEhCnU8mKja84FVdasIEAAoaogYh0CQ8w4VYMBwaC9m6kYpMw/aFhcZZZRHa0swKzhPAaGwmeP1a2fsluDg5KqODFPrUsujdxW6B16OZAkG6dyH2cYLjVM2SdAzW+KlTLh5kb/uATDebJRkGjJtj9rQuIfkPaAiETrCfQGo6cbbP1+3cIL4kTnkzs80Fo2jmeeyjvb3cFTe4S7hCrsovefzNOff546y2g3oR1cIHKUqryPqN/fKVdvphreoFXBB2VyYZE4yHydfJjeCR1DNdPM6nPmixrXQBXKJwaGBT7E1IddgStvNI1YK5Rr3BNqDEO/eSjoXHDqL5qjguwwwhWTEZa6GP8ncgquJeHznxj9OCEWoqFSsF6PxqXkhrfHR+Gir2kVHY9REDCjeCTwzcTbwgGGh+1u5TLn8hXJuYCbLEMJjLjIsgI9HslAck0VXje9NlRisU0+5ABv4XgTaDgscMcDSmaIESE5DfHagFb+KDDyosmVHAPWFPRNp4EYq6YSdA5HfEERj58OocOO7tT7dfYpFA1vlznrPlr7NfgAcGSUXCzQS5em/haozQH86aBZtbsUHzd/EuPk0/iINRZyXKhxixAgPgmMQOTrwpnrhj/o2jc41OTtlnkrWG+6sFCODnIvH3Rv0A5ksDa5aFgz+0hDVyI1Ybjdk9SqHbVEuY6knw6qa24BGUx3zWUGhcQjmndwW90Y+beHKLvJXbrPCK/wHBCzSC6LiF4zuRbocPCvEaW5uz9aNh8BgEqaNYucLmQ4w6pRqi83z+hqkoVR38BQkpA+BulIBsg00EhEGqyFkI2w8cTceAk+F5GDTakXTvCbepsCvB7d9RU6s0FxBF9Na4hefZVX9mboxy2mT5pSZx/NnDqsmNtqEZlzDKYj2TZaqjCmSfm0MSd0Av12wGJo/TIeL4ytLZxEbdvTW02v8/YGiDgEEg5hJhQNV6uKj5dmvkbv9xJCf9BqmLkvH6TC6/jGt7KBdxq6YOvBURTzb8lgtoYiBEdhQue6rBB47kGYecxfUwMPEpx6bZ/tblq5yynJDTw8WdoNWMm1gg1VdgZyn1b30pTqaeCBz1BTy0U7LkToYp+swlVsNuESvkRTTXFM5459IQsAa3vDi6k2fXXuI/i+ySKHpS70MwaobJbhkMli2+rrOG063XryjtwyAI4tk7jWqWfCzbo5QpnMp8EB5xj30XRoE9Jj3fQ5bYTDTd69rRUjvfMy/yeLuM8/fh3cq62j1s9l34DcmbuqJKFe1ujBPkpePIHHM3D737aIf317xcO/nk/Gsztzy3mPunZN7CA8fB/0/aHX0OsBTt3G8D4XnHoxyS4icTk6Te65HT1Dx1PGsauVktmdcKzY6gxl6xK0cehYIjGcjNqjaDFqYfbWu7cwe9vA66aeQQFdDQM12B1CKPDBSRzYR3Q5MMzy4tt7f2vv1J9QqMG9+1oyjVlLuWZ3EfJj83h2ptu5adXc+uoQDGHvDCc2G4RPMenPJhO9ZPJMR0T+0zN2ujyYI19mltb/faF8PqWFDUG/yll84Dqt6cjVFacvP4o0cyaC9Lv/9LYja5+0RQiNvdf8s8ZqvaCm7ky8ePz00ip+ASJDy7igH0QDZ/kfeODBwaMIQ+l5ZaerOLELAnlanJZOf/xXjCLb9B1xSYt7leucenxaIwc+q/1/vd88q7+nFWFtMg3lKY0VrVt7JK0gtz9EvzdquVOjX1ueZZgsseTtqueKxzm6OTbKa5+glBn6N366vev9fNPJYPRXFSbSnxBaLe7HKO5LDSBQpfvDpiP5wHJBXwRn8ZHZoKZ+j1DAWcmwN/J34DheCg0SUApS8F0qrhXJ6wseagWMiIIdahSqo1azCRLx6QR06lISRB36jv54/j6mFSKSMyiq+W33OKMNHgrH6pJU39kn4QzTjQnmBmLhxnUdCndab6Izxx5FYS/vHpkzi4+g0tIjsV9H7VlvFApKmNd4v16F5oPXC2/19rv1nM6666FWvnwG358BMPPAYN47gMGxXiMtUgrAfxSzD2uhdzKiSPcE12khRZdQ8c9fFcVynxjtCnXJiL+uVrs7S5NMq1nyl84SlOvlvbX8c8N0tiJlnjr75wEPsgyFKxCwj5b+eMxOuFMcY2PfjSkZ6N1UFgq3Ckk5NwOyx01cANBLikezrcbYNI25dcXJr/8xqfvp0xq8P4X9AcJPy6GhDcAAAAASUVORK5CYII=");\n background-repeat: no-repeat;\n background-position: center;\n background-size: contain; }\n @media (-webkit-min-device-pixel-ratio: 2), (min-resolution: 192dpi), (min-resolution: 2dppx) {\n .pwd-unity-bar.-pwdub-theme-white .logo {\n text-indent: 100%;\n white-space: nowrap;\n overflow: hidden;\n background-image: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAKsAAABMCAYAAAASqUcjAAAni0lEQVR42u2dC7hdVXGAD7bWt61ttdUqVatY66Nq1WqtohZfxUdVaLFQtVZDRZE87jnnJiEQSBALCoqVioooIGAoIKBAkrP3zpuHCcgjCEYeRfANBERI7r3J6frPnrmzTiZ777Nzb5KrH/v7Jufknr1mzZo1a9asWbNmNRrt5LONdrq00UwuarTSbztoJqc12tnBjaHFT2nwdLt7NPZf9Dt8Db/t32glaXjvwkYrW9J7d372Bw2e+fMf0ZjffUSDZyh9V6gj4b3wuTh8nt5oZn/KT+H/L8jrSi6ROr/TGF72Cn4CV8D7ZegL8K1GM80CLQfwk9BQ8QRa9WllswLu5aG954fPToCvNA695In8pHT24R1O30vbAlwMXQ7a6akB5/TQ5pfFZfXT2kabs0sMjwfhH3z8pNIcvs8L5ZeHz/MCLAv8Omy77Yrpby1/fsBzCTx09fG3JjzMjg80v9nKZr/b+5y29pEiC0koewF10u/a54C2DRzwxt5LDjU+J/9JP1EX7wQcC/ro9v3y8fDecnDRzwHf1xoz1vzhuAzFT0D6/cZR13Qbc1d3G4dfEeDyfph3ZfhtTTcguT0g/qe8Yac8Usoe0VhwXbcxZ1W3Mf9q3vklQjjeqEUq1GmrcfS14b3V4b113UDUfY0Z2XNyocheH+qlHquv1cnrAVcr/Qn09epYcH1XGm9M9o/vxNkrnhzw/Lhx1PdyPEdcRV3U8yaHS7+3s8Opj7bzbj9voFdxpA+F9n2jMbT8WVrnOI6hpa/P6/sueBSHA2kbuC5HKKTTlzSOubEbBm63ccz6LnVYn28jrIu6wudlr6VteZ9tQ/NceCt8bgecDAL4a+1+dKjzxsbR13UDv7qNhet550tO8dC2VnpNj97h8fdON3lKvtz7bfbKbpANflvp6B5XCN9+Uvj9VmQDHkAbfA10vb2vXRHyqwJikG4OMJZDsiWHdCR8buY7De/9Npy8MRpF7VyQk000sFfxnM6faKeZBu4cFgSV3zc1hpfz+aPGjM6z5bfXSr1bAy18bgmaeN8GD7ja6c1C30MwPAyYuYMKK++olgQH+AFw5Z2WfdZGOmBlwjtNGaQjUgYYFRgBB3/vtefItQzAOwNtL6do0NiPygV+6d/zXgB4NKo4PNC2NQjk0khYL8gHbvorPplhCjWrKoV28nfhffBsBW/cn/K5Wf7eZeAywwQt9hiK8hn+f2VQWtD6a/pb+eOFNVsBvbwnfPyiyUT6ORnEDwr/LnPCqvQilAg8tMFL5Ah8zHrWzgCGfC0EqsCEivNRgfDNlVFPY2EoGgKVbZp1jgjxCO+hfZ2w5oyfLg0YFcG7qzGMsIo2gHnUS/2t8NnsvF2FNfzthwh6qGtEGHN4lbA65rSz0xix1E8dfAojNzRmXCZTjnWGTOEt2kbbpfN7vIAWyqLBcg2VjTAIc96kNzVmd/6I4lIvwjqCdgRPjmMl5QVPD+C1CE+yWmnG7JFB8GtwY3YMIqzQJLzM62MwwXOA9vC7DhLaoFP90OLHhb99l35CaPLf0pNUWIFIs64Cl8qEamDp68/TTwwM4d8S1x82IP+H8qIUe8pElNr/NYZWP8X6xQvr5kAoBRb3Gj2UvDEg+LdA8HoRxFFhApr2lRRFyzlhnX7ZU7VR2EEi1DMGFNZupbBiy1ULq0012NrQBX1NBiR1iPAxqtvJOwyfF1ZoltH/iwCHoKUDfIjRbzOKaK0jYXy2kOLRrDGibeM7plMQ3neHz/eHOv41vH9g4MH7At8/2BjK9qGYalaEFQ1VU1gpowBfhxtDnVdj8oT/H0d7eAd6hZ/f1tkg1LG2T1gRPJ2OlS+nhD5tpatrCqvRjfCZCbAB2VNtr0pBZsH9zeT0wrpJmHNKzIfQyDfQGTAc7dBD1O4cICbE4ZGwUtnt2IeOqZgBu1iz6kBBIKRO1TZbYYpoFvB+sVSz2kC8rTF/7WP7eZPtB9/QnLwnU+gPxxejzSV751ojU432UBDIF5bSbVr5/B3WrPHgR7vHD4tg2oUwQS+zwfxFv0f7w/d1sbAypTu60LA7qlmZ0pW/rEvQ+qY88hkM7Up5FlqihZ2wglym+dOl0x5vi5zkLjpMhS2M1INUWJ1mNa+BjSJWsvU1a31h9Z1Jp59NOTFzGLHnoyXpVDFxbmHqVm1cKKxMTa1VTzObVB6EHfyqQWE4WswG+mb+rsIaBPgl5WaLCWuhZu3WEFZdrEwXLw3TvvQFfGUQsrgCZ7Gw9nsDdlhYEXTFgzDynmn6C1hMi9mSr2taS54WL7S8ZmU11689XkVHCMItMu29x4SVxonmhbG4MjCqcUMAuEwYvcPLxCYpE9Zs62SYATZ6s6cz0Gg8+FkQ4H2ImD1Ge+IpB8YUCSsD11b863+Pr0zpwtyt8Eds4WkqrNAtvOvVJzw5M9CzKPztmwHODnBer/OGL33m5GvW5HX2otiJ83LNKou66+EXQmjCip29XAZoeikLPwC3o9B/L/1J22oJK/VYv94ufAU2YwLh6pLF5Ah9jhmq5bxm5UX8Y7hhmK6a6T8G4q5QrSoNeCCscl+kNiuNUxUOg9T9BEMAviOgMv2OgatYWJPJ0aw21RxIWZgvdF6f+wnTk3GhMbhEg3zNmQ9OWJM+YbU6lr6qp2HaMhhZlLLwVLdcs3+BhYDQDgXoymnJWAy9VMlgBpgUmxW/53D2zFD+r2kTA1b6cVO+6MzObfCctMFsVtpBfzKQrS8NqENMqTrCCm/VfJIBPpYP7uwHzFbh3U83juzrl7P6ZhMVVnHPKFM3UxkLC5HwLSAAEc77UFRt0Tk0Tn7fKjBCB/EJgCuagkVYk0qbtb5m9VMkjaXR0uHUf7JuZqhbanwqPEy8GIeGThtAs6oGZlMA95IIwKgKq/pZnTeAdsagXgaUAAJlwlqsWbs1vAHQJC4r2qz2NfSIYL7PewMoY7LA+3G/Ku7awmobHl+lnPYL3hrh+b7wAjlRpcbsaG3sd12p3agNHhMit+bIs/vxJUYMHVbNClAOXDAlBkZov2ZNJnuB5b0AaJNW+jMdwdRr0/OSl4fvdzMY9TcWjSqs1Zp1vmnWZrq3mkGmKdJDzAwwYRVT4YHwuTHw7j4gfL+HTsNPy2w2gLB6zbq/E1Y6HMVhJoH5ekehB1cZ9jxtMT8rwmqalQFo/Wgg+OpoVhtg2P2t7A7pjxHh1ydy+pe/CLvVfuspwn+3NpqwGoFUYqAG7zpWlqrOTViviE2EXwamzgzEfADB6MEQ7pn0HHDYAmvimhX7kk7rh0a0FZx+SO1pc4tkt4a6rwtwk0zd8cLyLGVKkWaN3XJ0ri1YrJ58AHT2yztmmS2wAOpCk7VX7dmYGbTorM5fNWYHGFr8wmBOPB+cVQss2omAxe2GHq9Z1a9rO5P6iQmAKWTeDVk0qrCap6ATcB0U8H4ktGkaPJV+3QBPeK+usCIPgltn497MJv1yI+3VfpFZ8bzteQN0pb4hfP8SdhwMCp9HB3hnzkg3BQ7HHYow6Hv2WIdWewOyCWpW0zg0ksaKNrHFIbigVV1YsWkyN/kzig6kWeVhN4e2QZ9o6nvRkGoG5Aus2HXVefHOd12p/Z/mwoI7Ei8PAtrODjNzw/iIzRpp1k0yPR+/PdKIsaAvBvIGsCiLHraNbSMgtUXu3P5+MTdp+nNmyQI/K94A//hADS+srPBwN6j2xX+nmwKT52cNdZY9ZgL8nLpU48EQtD+dqe4RczWl+Soen6wXVmtbe+nvq2M8fN+TAS2/xU72DsJsbRNhBRACbNw6wtoSYUXgSp5CbwBmSsEDnYAT1nHXVfZ57UtANbBsCtQWVpQBfS926aD9wrsf3q6flQ5QgaQhaFEI1UZVCSsC5gJZ2G6dgJ8V+szUSG6WiB4imb4jEVsXE7XEdCVtOoRGSoMBmKb24b09aAI5w6BftPC5kcZs07bYLRc+l1IXri98tdSh5alHGLu/226lI9S1xZZqW+nXaCgi3pI00PTfCEO83YoSEY19B+9Jm4G8XDvLwt8+pW5GeLSNn/WtKnBqawMWC9F1wirbx7bd6gNZVtUSVttCfj+KR/pF4X7rFwFd4PEJLtrKA4EIGhXTYexwWCOoJH68sKqNI0J4m4sNkE0BEZ4RRlJvMTFsgSy6OLMVswWyqH0E4To10AADscMWrqf8idKmS5WZstq/odFc/ly0Plo3h5VPYhZR+qGLBRnRYIJjtkzvY0pXX3QY71OOjkUw5l/D/7+q/FFh5R1+10WLc11JVBuRSmxQsCqXTr8QQQA/9SOEvtxqjXq6Usq8kveU3tydmL6ldEFKP+nCsp1dBS0S6KObAl5Y29lKDVbB/RVrfQQcPjGL8A7CGi8arV9W8dv3e7b6nBVP1X5h84JBO94vtIfF8MzOXjTwanXjyEj+WmSXlQsrHaq7QzCumd4Ra1Z7L5uOUMFEEbyfjAvrrOR1dCZEiW2HNog16y1C3xbVFuAxEI8FTMNlNOeyp+JKkhFMm2Q68w8aHOFXvLnbKfmobnhI22I3U1wvwkL4H+4gGH+yakU2DHQgIqSiGW1666efz83SxmtY9IigXyQ+x1HznfpyuWCkSR4Kmf6ttse8Ap23VgmradZknbR5c8w3r1mTNaI99T0zHRE0WSuI3z4TE+DPw9/upl9E1vjt1AKb+B/gmZqGeRuzj/HDuikjrC0V1k6hsDpoSYOgHU2PJwJmiUkhRvq71N6C6WpLs7rHjSKOaTUFLlGbVfAwVbl6RatuCN/P0O1VtwBFWMV8MRwe4J/w57rtCWtpOWhEIGJhbdUXVrZc2RSAjskRVhSICSteBNHG5lvGMxD1i9rFbH/n5l9uOkq5VfnU0Vr2JtwsNAx3yqAR+LnqXv5mYlzBEQh7jWgVHosRnbv8GeGd/D06lulRvQaofUZSDLOyPx7XUCwamlLW3vHAdAc9zSXPDWXeRnvC//fhU6fW7Q0+/MaU5T3qoT6lOcfp6+VvrKhhqu94c9PQNqLX2EoMfIrxeHzwZygImwxw8GNvQldpOWjURdv8K55Im+N3jEZv0ilPVCA5oQEd1AneIPh7uffA01oiPOvIe9lfRlrxecpPPtmV07/THusX4iZWPaGQtmb2Esf/ImEcVGAn9F634rdJfSYXn4vUh15X366i1ZfZ9bSYcvIoJoU2Wwgp1BES9Rboyp/PIoLiOqjT/UZ5+YwbwN+kjkrQ6CBPE/hK2+9pMzxAhM+A9lcxu4pmX7fx1r8DDQV0FNXHM8myYLT59/juaHMyUN0v/O76kX+wFbBFFNgdAjSAul6jjegYDzBhfIbHg9bTaJQKpisHQwT4vwpMlQDGZR1Oh78GlNBmHW9tceUK8JVBWVkTKF+vQikeT1vBQNht0+humMKr369H/9R+9vgtqM8UJQNgkAcfF74uFib4smLgb/zGqrx2R0+7+LHBuN8LwMep+DDGqbM2Plar4InxKfB/FgPD2XNYlBUKHAuQGWEXZXqof04/8Dd2WNilqjqECD/w2VJulwBeixn9tPHd2jL5oO1TfvLocRTqhaYdbQsLq0ITpPQZTmeIH+9eoqoU8FXyN/HvrUBYzKVVfaKULTLxgd7P7lGOL7tHXEor8AYMgo9pw/AlWwyfo5Pf1mqHSsNthQ7TOZ+Pg7mZ3iqBxTHwt1/iuqKtWta1iwFBwDLuNzZBKLvz4RYitQJtC6PdsWMlakvaMonA8SRcehxfJ76h/9TvF+B3/XoT+QR3+j34LGfC3qmHNnlKbVncFbJVqHuzBsMSYIAw426qeZyE8/44zBUf+O1IxYoXlyWrcILM1iT42oYvxssOEnGSrlxOr7joUnZ+KENASwz8LQ4sfk1RPgGCVPI4gKsUz84H2sd5/jhuo52cxq6XBOdMMqxiV83O8Pfz8YLeOf/hCdSL/1R24cQHvYEEH8xsKkfFSowsHJqwQc+2NxM9476JHQSQqaYrs0HMd5rcKNFKm8AZ4ducD4DOwRXCb3VhPqD1NMK9n8YR3VHCvxqFMPJYowktlEghpUVxuLY20//KeebzCeCHhhYNY9Oyg4J739Pif4dm6Ip34loZx1OEH8X18Bl/r6Qt5ilt1NgCE9azNDKLd2u10b8/Fu8Ecu5Kg8HdzBZpwSE9I6+hZQpUIIK8zrYTPRJrkOyksNUZ71Mr2Hn101QgSoXfdj8Ul6NPEi7czCAx+kzDMq0TA6Gxt1bewYi8cy0bCUZD3LaesG6MI7p2AYzEJx2EJ6fwN23PJMMWyR/BTPO2bcyAc9C4k1OvRFbpAJkrmpewVHmchiX4F1tQDs/1dYCNsHSM7UPTXP6JM7BoxJIQ5IQLuw+BUIIqjqdcqFt4hR3Zyk50uEQzY8LIGTEn8K6tEifAzpPi8Jo12QivdqWwSvu/sGuEFR4hrL28CjtJWD1o7K+Egg4VK0ZOLc4TzeOlfwwETI+KoOIY8aJcE3jhkgiifDoe7rxCGVEo+CxoWBR54QC/7dsPdfaxQGSnmT9ZwWAv/CQp03Z5M+De/oGdaAhgH992UFDsE5i4sG5V2ozOLID9JvVNrrDSNwot+xyE/yIfY36dZOfkZ+pU65Emo/LbdeQTUEFwrgcLQtiA9rQG+UaIafEJJ6w+QdrBxXTZqVXcIUaHfaK9mdahx88anoF6sI7wNbIMqsBuI6x361FkmLp9oK4iLe6VQTkkm1AkBInUEtam4K4P4NxCG4OyeOtkaVb4YXZxUvauHGlJLo7NgVhYX4ApoIfoiqZHDSjQcv7Q2tLqKdeCas9yngT7bl4A3vXMiU9XfsbKAWaqSGBH19OTlHWwhv3tq20FpH0v4h2yJtqxcw8wWwONy4QJuiROthiw5Y75vng7qoTVcEsMbG2AHuinjbiW6gmr5UvrhxXCL/iyyisfb3rqucDXmDkWTd8kMnCC4WzD5NPxStlPucua4HBazGsv7MwbY7+oX6itkMVM1QCy1JVO02PLQo+3n7eaIHntqpn7XIgcEWGcIiD1Zis5MnyfHz4D8Cnf28kCQgyxtekonQILzKF74Snxs6GDjqI8EOMlPxYmGINnIGHVIHVSGbWyI3swrPg8uDbwfjs9ioVOoOsvtL+9sPp6GaByGoKcvP+skOfyzf4jfD8BH607yeFx5QtxaNA+iBcRTMtMN7Fg+Ck3U1PABEKFVo9jzLPFUAGMSfzqCCF5RT5N4mAtiYYXKDMBLnyCOyOmyYiZztUk8WVXBujwe6R1NZudTy1U88ENg9CDu8jcoOOIYa21Ralpi7ywGm76gFlpgo9ruxdWP8jb6dfL0DHgoY32lyxSR6SeSwsYwNGP9J7CxYwF/Zop4DP23aYHwqrsNAYGtrLicKt5jkTQ+LJFX6tzXKFmJqMM07k3SUYlsPkQDgnClNhtp+9iEvlsdhKNVRCwAR12TDv5CFNqsbCu1iTNT9ddNsqX4YY/AwkrvIF/ml8Ks2hRMW79BFwgC+UHEVZLqvbN+KChBUfZIVK2icP7dyIrJmt+MOOvZ4vX7xRphDrq16/kAVXNnzEBie1DAmWdvVrljvmmi6wSG5rtRE0CXGjTkMtJafBeCTti4bR6OspiSU6pPqi2um9rcnq9GFujhWlvEGFlv3xQ7V1DWH0i39qP1VlPWJOzi5FZH6OBpQ1O1iz5SPpjYhGcdtWc8G717Rzw/T7SaNqe6zqnEBIdOT8gh7zSAKhJUt7RPRqvdjELUj6s5J/M0QhvAjC99PCuoYwINba6DlCrQxPbauANmmmQ55RthTUtF9Y5AwvrHrU1qzwa/jgoUM+OC2t2dmlAtq0njkQhFLRhTDZe7uH8VsHuU2cvXDOi0QoXNayy48NxUvklbtqudsCz0NnbbTagFeYVa3jZtz7WdbIKFPcf0Aa/kBKG2i5JwOM2MSgDyNbwQa6eWsKaVAjrTtKs9MfEn8kXVkt3tMA0q8flkosUBY1U24rJiSqslsMo/RHaqFJYPVPboFB7hum5yI1GDic9JUrOAR1ojjlkpvaMGMOGpV7djVOTI4AzOTSlI0E5bjqd4sIqZ/YTtqABFopENw0EvDt07eN2mhlg58z+t8QMGNWdThe2aZ1uSSJgcOEqHCR4BazD34IQeXu12m4lkkenB92uLXF/jYgAXO3CDJUJjMRmKsm/wOG8AGvjhMAiWEvcAKV+PY07i6lI6pj6wsqA5vMBzKzBId1AWn6y2ehumdFVf4GlC6v4lAh8t2uQ0o0oJCcvoiiox80OPgxu8bOiDHwFixszBXjw0zl/ZhXYhQe34UmIcIngJKNFizz8gNZ5thGgLiMR1Mgpn+msQNljXK58TXHU7DcbLDVk9mHjUW2bdVcLa94O+ok6BgUNE114A/y6dIddV83kjLImsGAiprnKdSUBTwu03aWJzZym8SvlE+PYAvWv1o3uicP7JOntfTbivH/WLuEw4YF2QHB8w9Pud0V0xGswD/Wa284tVr7l+DQlNauBJp4bFKTdD4rAnV9TWC3lJws7dvpmdV5BvDRHtyXp8juJ08BcVN921XoGb48PTfU+yg+J5BfuyTNl0JD8mEfyM03zUydETO/YwtjWcEVwx1f6eBMgWyP2rQ/hY7rWHJ/NChNAfZCm0Ze7MELJcif5mJ5ndU19Ya0PmSW4IJ9YbWG1tpFhO4dUPx9CATEQnG/VgQS3s6NaFtsKYdbplonPaUTLovJyomOEAJt2K8Hvtgy+EZDML9wI4IoeTAtPy6jEhC6wxrsB2vJeAR94gx02OWbAmt9GYd0qsuFAB3/FhpHFQeMl0v6pTnOenQtDitxHNEr2refwvRbj/Mp1PTYwWtHuRvImAKOObHkmNG5TY5HFvnqXG9NKkbuLLCBoAGVWkZPd6pz6ZgC/14AJmAF+xnRQHSY4avGsacsplfL95+yD4nx3zNa8Vdz9yimCMtUOkWX2iWxr3keCMXBgWxZ6IbiQg5GmHedjX3+hLijv4M/uYGtTy/h8T2Swc7EE4FJT4FeaDBgaagjr7tCsPvppDp/FQB9ShvNepJmsK6z1wQff0McchnTtrRTWmYufoclfjTi/4lRjuEBQdVooNBG0bHyJV5FtiyY3YTF6bS/+cu+RiK+/PMxScjqGEBNLJj851FgQizDL6pzyZgC/bawEFAWfLDD1jrBWdubEhTXbCsQB32WeCzxQ8KzYTq02Bc5006rXmiWjZfwqyRuEIIFqXD6cLnuwMXPpS1VYq4+/+NMJeBtsM4OyIlxmp99dYKdbVjwXdDO1NKudm0tCCnmuiQrArEO4XxUMr3w2uRg0V4RrJw5/hLVW0Dft9zxwZpb424tX/9UXnx2IZtVOr3umhugm7EhiGt21N4ODXn6xTITTXQdO8gyNfYXOEh/gZ62NtgduqdlLzJ5hOdE6nP6N1j2lt1uZyid/uxWXZo2g7ygBcysrml3VJbmJNYXKX21h5Sw3marLwv7K7FRp2DS0WCh/Ox00MB4/8toFXgAX+FLm0yWPqxOMdnaA3mcFjlLPRTudo3RMSc1q/FoCTs1JC6+qwecji+OWif8Fd8FMKzNpcjMB5WTOJm0790CQoIOZEYVVwF/yA/sovLopDDl+Uh3976ciiVZnWt1L7oUiur3exoGNugdZrWunusbQMe7AozcndFeHlOQStX4c7jL+7rWyFwKxm69wIYlTU7NeNsH8XV5Ym0miwlp3BwszzWll57Hhc6lLqFInLvPA+NqXOtowdoFIImGbDmqaAO4woDSGy3vZBxehLh1QmuIcIaKzsXElmGagsnrtpTvhMGW2W33wNUBf1s0qCDAYKT+IsMIXURjn8LZp9ezRFj/i+99vsSaLag8yKtPkbQSGDGwKqD8NdxE3dOjD8Q1bbY8MusOlfrdiEyBpqwYr9TgYbKF+vXHPsrok7sRrybH0Y2oI6+4xA9qTfawFYU1NWCtCBHkfcDOgC+4vyFFRU7vG++2nDj6Fj0cr3SGxiLFgLbTVZFKOx/yb97PXrHhcSnRW6HKbcpnQ+7PsBVCxchXf87WN+Rc/VmmZYmaAZqm5khkAoPOZXj1k/rtCc8neeq/ZgJrVx7MC8ep+KHk3fapKrcTePre2drVg5vQ9NUwBvdr7K1qZ7jaRN58VdfWUbYTbHrF1lsUCECiRbCrBB62SbKw6aZi+o2VLRv9W8uLrTtrU28Gyi4IrAS3X/30TINdAzZyIsFLG5XPApRbj8F4XcNXWrv4wIAyu9rF1paH7xhfAGbHpSjpxADwSnpfOUKL98Y7kcNXURRsSkk/pWNxnCBDxA9uFVif8lv0LOPMBsL2VayKdQp2ZO5Y+dXawEr0WvjYwGAHaiOdkwsLqE5ccxOK72B3KtURiu1q7a24QNEtMAZ/RZL1GePsFUafljlgXbMNKPtYXaHmnXbmaEaO+8GjE6trHnXnIIep3snzUmct7UCSszd2hWb1zXr/7v9tv8C06g9acNGFFDuxKzXWevz6csyrValnY4HtLR4TFukL48UVpIzVKXGNHK468uPvq44t1pUFF9GjGwjO0fqDsEgq7bzY5ydx1iWOm3dmVvFltst/0EEEDizRjYTtZwqomkx5MLU100fSnn2vZrUG4nhxdojZaZG8gQO58VJ20QICFA04vSrjGilxPRxYtqqCVKX7Q0WnHypeVLgQsgVt6crzyrekNmNLCmt+4uK2wphMTVptlH88WPDyo9Ltiu8ZPrSPAKmQ+Q9yIRkahoYw4r6XpSFmxjrlVOrgxAbgMmIBnnwRDp5K1goPGOhyy6NrocAxgo7MKJqJdZhKHn7bKNLmBe2C1rU5YLbBmS0H523Y0b4DGQYBzIuD6EQGRgW5mQLyDdYW4nhyOUZlJnDeg4Nj/dF27ODoA8bGr7Vp/g6CdvAON4/f4+7ZX56lgVkR0/TT23frkudlFfZ3kE2owFQsdhelnOjBsMCPdH+0psdFtITm09F3aXies81SzZiWadcVvkBmQJsXn41SzpudUHcXWjJPc71Blu/KJ7Vpvy82ur7wJonSLEmD6h/kW2eSF1S/YkjO4CwDBVzy6IhWtMa0w9pRsK2S5g4ZhKRsDf+d3Em9YuXJ/nQ85/CgCAT0VdZgTPD5SDv0E8vjytFnbeNfAwgr92n7cgkd9T3k3qWB9gJnT7w3g6E/O96yAH+vER2rCWtGO2cQEOB6ZXEGHui/rPwQg526gzn45ZPux+CIYhC1VCFGiSrUXIWmcRB0OZcEheMCNX5fpVQXc4ePIA2WbUtbAaMINpU7tbr17vGzkJ/sDitPA2swJB2hz2o9TwtAofPJlOwdwUBKTpobzW3n3MvJ0afsnFZRe6CP/WfRgPxrfPT/4jcOcg3qZyGNFX9PnJgce6IPdcoFXPeHhvV1Rl693Z9Y55S+Vm3h9e0yYR5O1V+wzz1mmuzpxkh6Pu9uz9GpLf7dpP22OIRO6gtPTyHdoKSpv7xpAWwm/6t+bC/irNI0XAu7dCleeXsFZ1fdOBuDHBHlcIFdT7fEX1ZY1lHeq3od5g15wO5B92y2nseqyYHBXaZiqxGZVl/ZaAIkvV4HP4OGn/tShAjGJ5kgubIU01K8DfBONGfUCPHE+Pix0O/FhJY3RzT2rHOCLBcAJLHGSLMK4qOKQ7PG8b4sVe/g7Xgw+SdVZtd+Mw9r9VlAvOGOBiOklFxe/syVL/Uongum1nb/C02VplAcc1A9uvpP523leiAhzvm2hRQZCJZ3w4OGn/MwX6dE5GkGIIY5/8hLEOQLiHK447nlXPh8I79qOEg+dSsQ8uVrZfeOzGdILDWfP7BMMxUmuWFIhDXVebXQ5Z/bH5d7Wm+Qu0nVhlfwxP0iSs+We0xsCXEv6Rt7XwG0VGrJ3a33xYKPdhNS57dxW+iXhzYaA8y45lTqtP2B+2RvYqiQleo53w6PCivoiaJHDgCbU3KPaTO4m727vRp6m4MZbM7W0M7bNbgLq9sI6K08MlnAsN7Vz7MlCF27YDpdCfPKmLh1Goi9Seuu1neDXaLGA4+f48kS4NjaOubFLx3ntxvudg7kZBad7JPSA0dgOEVwL12tKoQ04tfExc8+p4tPAHxGqMdmp+SkBMtzAuE345SqO/8RuokDzYYFm6Pyoz12brKD+vL3ZyvDOeiKZ4ve4IFj8uNdrBkQGCnSQ7TsWVg50MpAslVOgkxsZhzvPVmGdEvKy+x+fbpMLdDlopppWDundyZl/mxolc+GCG/IbZPCnktd1aPVT+hhMvtFmKEsM7YxFjyHJheyQbKQzYic+0yCRVFxoTLSXS2hhF4XMQ+D1Fjw0GIOGG1W0Q/tiGcjNhWN7FsnnfI4tND8DlMGENkNLss1Luwn4MBqi98HX6nyAvLi0m2l7mwH1OnbexEn/A/4fcF9F2/sSfUCH0sS5NAYewTmK6+GnWFiZYkWzfjm62eNnbFnqgUHL8ZktFI2Zb8shZKoRVVjmM61nP0a7cXYepza7JUydOO11itQM2BIJdYtsNZ6qHWnCKunF0WwEsRB3QCwE2r+ZHOo0dS5cVyI0XMjhFoxszZIyHs2cH0W5k11A4gbk+qW2F9ZkCcKqeRlyDZp9QAeybprodiXv5skr0l+BGxPI0cF3zBlwcVZqKgorF4FhTwW4HKaGBgrYd2Dwv6cKxe83kzWk6SHHqmoipi8T1vV29WOuCe8ncp3QwlhYyd3JdeLEtHIpB5cXs9vhIsXkBhnsRz4lPc6ZtnKWRRP2bDu5jz19tkERcK0z9vVxX5XsgZPyRoVhHVpchTW2hdFobLsSV6G44mB0hF20/Vq5RSaf4o9YK4nkvLDKe+fJCd2vkCAvNgMYlJIO6Gr6lkENrfAgnt77A4OSq9HmDCoL53NJTxYy+9CH2+vjor9Vy1ZaUT5bgzY5nL3cQODX6cDw/zN2OlBXOzs/wMEqMGaHZh+TafgcFgLh/ePRtBCs0zWfZgZcz2+fQ2uSB5Q7EcBnwtDTzLfK6dUO9hkXy7Hi3UYTvR9tZh06rpGOczfJkMIIGkkzzvc5vTK3MyWrBo5PhMJo0Vju5AQ4EXRO55JwTvgy3BhKZ4q2PrzQDMBcoN3kQCVBb6z9Zy97NQOKxSTbxmSQJpYA84cLJWxQmYY3MyC6AtMH9xzCiWX6cNfISnIGcll4t9Zu2cqzRVMLzYrgIDA5g7N7GkPZPsZgYSLa9NibuzCYhUG+MAoMV5x2l+yD4OMGF2d6WHDOHQTVcD9qgBngZhqWpHEv69PoLOJO/En4e+eI8fxPn7kTQbjQ4UbIuUnxUxu68coegVU7mSka08QO58kMc8JdYtY4YV2NjQx9tJvvBIubZhWbFbu6lS5XUwbbmgUrAu4GDYOWxSI8JOmv4ppKD52/26DrjzywUmahwuofrcYixlbJ8r4wGAFGqAIczfuh3AlM4d6HmLTRwvhvVTODA7AcV8mnLHbTBCbgPAm3ki3axC2EUKttx6IIzwS2rL+RcA8WSeGdE7Bv3QIL84Nkb7ip2mvtogeyRrdDHSo4SqvmoGVRSbuZlslArrTYINiTWYkFqpS1NrVX7elS3FMOrUkZcl2V3H6+u+Tl/wGgAoh95gLkGwAAAABJRU5ErkJggg==");\n background-repeat: no-repeat;\n background-position: center;\n background-size: contain; } }\n @media (max-width: 480px) {\n .pwd-unity-bar.-pwdub-theme-white .search-form > .icon,\n .pwd-unity-bar.-pwdub-theme-white .search-form > .icon > use > svg {\n fill: #0078c8; } }\n .pwd-unity-bar.-pwdub-theme-white .search-form > .action {\n height: 38px;\n border-color: #0078c8; }\n\n.pwd-unity-bar.-pwdub-theme-blue {\n background-color: #0078c8;\n color: #fff; }\n .pwd-unity-bar.-pwdub-theme-blue svg {\n fill: #fff; }\n .pwd-unity-bar.-pwdub-theme-blue .logo {\n text-indent: 100%;\n white-space: nowrap;\n overflow: hidden;\n background-image: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAFUAAAAmCAYAAAC1Q9c1AAAL0ElEQVR4AXzTA8xcQRSG4Vvbtm07rG0Fta2gjGu3UW3btm3zt22+Sb5JJquTPLtzzh1eOFlZWU/wA9/xE3cx0CH4747/uIHSqvVGIC6gLNYiFtNRHe/wFs3VPydyIKfyeniFfxjpEKpXxnn44wu+4opLn+H4jR/4ov8ALERDjbmHGmZt/U+AH77pnJ+xDgWRGwcRirHqX1S1CPRBS/zDZZS39jMUwXiEpqrldjSZayShE3oo/42KGjRatQ+oiCPKl6MOEpGA9uqfA7msjUyFiaPIrXpNvFc9E3asUJ/x8BSr0QLp+I+6Ljd1EUxkwMQWlMB15fPVvwzuqTYSHdX+jGrqUwh7YGKeOa/DT5A2MwcNcEudVqGv2p+Qz7ypqr1CeexXvgS1ESVtzSLWjSuIkzDx03rCVfFR9dlohJ3KQ9AMA5U/QWNUR1MURjsk4gfquNzUORp3T+OmW+dqj6PKJ1p7vqzaMLRX+y2qq08rfIaJUyhs3pxQZKKb8rXqtBkDkaFDTVe+2bqpFXDA5abGINq6qTmRS+2WCIc/nmvcLF2rgi+qDVStEn6oNhmDra9kIHqjPwrqkMn4aW6qte5cjTuvvAZS8BtdcEjX96IfJls3bCQ6qP0eVTTHLOs+/EMI2pmbGqSL57AdMdYhemqjnuIZKvm4qe00fx5HYb0xWzDC5aDZ7ZoDjGXLFoY70xi/O+7ua2v0MLq2bdu2bdu+Pde2bdu2rcYdnp18K/mycl73mU7nRa+SlX1OVe3CX6tW/WvVbhCoG5A3sCQPx9bUOzmtQ98TSvIR29+g7lFUouz0kjzC/wew8dflBmWGNhKob+lsuYW8zdnVmIBSQmucwtbVafv/iXoXK/k4eS9gUzvS1FqePTncinR9SY7jd3HozcHh8B556wnUF8nboSRr8fsL7OhJTGhWzEMbwM0Z25jnXnmCHHBLFMCX5F4pymWYqB9igQXqO9jSWXh/CmO4kt+3lqRvFafXRApXwCjHCsck3iwmTd6q5L1cbvsD6C/S1B48/6WBOMVq95KmrsE72/C/GQCi7werUmLizWz/ecirS9v/BbR9GdnGvjqotpftv4+8ddP274tJKJc+K/CrYkUmhR2zgZcNey+ohLbgK4Aaq3QwW+l7nZSvA9R+YYPo+CgWIbb2VZz+L/E/KFOkG+l7Y7GTNwrhtN+Xif8oJXiNce+EKSvSnZpjjehTgLobeQN0YK+rg+p5xnkB/wszsn9JjpXt37+K7dcqO1YjUNfQIIeIm8WqN2ASinQAoH7O/4kC5RK2fJGO1cSWJK/gl6vFRIJSsYvOpm/4Ztl0BhP/MvfNAm7B77u143oI1Hso35m8/qGpPv3h8CuJpaykuRxK3rPFn/mhJf1th/g9HWVza2X7FcQeTloDaf8X3K47tGwklGgYz1loYwRa0A1b1lP1Bsk2DmVcA6tI0JwBtDG8qIOMYMf0jrnwHEq9et77N6d+ddqN1eQXcxqkvNmZVz/aHontH0S785Mfzk1/+hzJkP+fvHjTUhfF0jvwQzRkZjRqsF/SSoSmzMrKDsl1xEsHU2cWngVLqI06aGg99Rp41tgDQ0OibIikvpyorBFnoE55PPldRnivH2PoTt2Gdvrtm3CsDiyKP+OhIj/zfKUAzhOUKbirJH8jTwawJvgM5DHq/Ix9uyY8MsA9k8PmU/zrghWsqwH2hVW0QJ++7kC+wZ5+D/PYjq34Nmykoza+hDk00f/SvPMTZV9n4RC8HXvdy7y4CnKb00ZlQP2X4wQMdgmvEr9XAFCn3QXYPHDJ7OM30YYXkDrTnPbABsI1K053yBVnDhWlJ4pzIbAIn/udFGy4zCaA56ZMsJAcRHDA5ETKYlCf2njDSSNNjHqMYT4dhreS30a9Schki/INwq4cWF/zf0LUdVuIx3CzFOOv9G7ucwLSJro1q+3BxQYVzjV7shlnRh0Be1Wq00DjbutGbf3uchYm+cnEthOo97jcrqOfOV8u7Qi54BNdnpPK7hCozaZnsQAA6WT6drjBWJ9CV9xE5QPlnk6KuhDsGVVvZVaOBPcjQZ0+lgaEDYx0jczOqKI94g/L4lGd64kQxz0AL3BFwFiFg2UsoBq0q0uyKCHN5XmGFH2Nov+ijb8MOm7xfIxrcZQjUsz53qCBYQLeUgPZxo0Je2pQAWRZgXaKAIutP0Ll26SY7bEOZrBDhrZDYXZK7f8Udj0n4sEZ1CMqpEqrE+8wqNunOoMUc/1L0bN5XemCtN0+VAR9a/IMaqQDqNOIm+k2bpD/3VNxywikjInYpsDaQZ5ddYpy7W1QYRerUFZH/bp2QD20AzCrea6WQZUL20PxgSYpSJwLw9zgegaLtD5lse1sqPOWXdaHBfV2VPsjcWEjPc42H20TwEJ0MwdWG3uWAXXF5MtXZ1A13ocIruwXwkIdhgs8UO55BnWHGJOU6JmkqU8Xu97u2kz4tF7Z83C/HsuHlBbgVcj9Uc7Hdg7LW1fp2By8IH0SbAHNq+4sqBUeVDY98yq+kUE9HNI/Jzbcuy6UqbCzdZkOnZdAfRGj/ZlB9cQY+CY5GEKntbrPuTlGAH9cOgcj9P7u0tSuAZX3ONVbJL/rimZOgfpHereVupGfD6mW4j2F+XQ7COo6iB6mIQPmLfUXmvxjOcOu+xzHUp9O7vAyabC3yTbW/I809UM0tTyomaciZemUgSXi9HrWypSakXJpoq4thvoaxYvCIvRygFnXOBHZHx1ubVfZVK6Sj+S24ATkGEKHe8jtXiODmlPKPyYfdtkEnENFAzsxXbVckuukVbtak+uLj2zb0xyHGKfohS4n7dNlmlr56d9NNx4tSUM/xHV+HDPgcYwXK6jOJoAGqWxbROLOZhl7RK7D/23U3lhzXNVvRmNf1uBdfncMtAtBPapCnrpecmImmVKJ+LfoDm8NjyOv0gx4SuW08BNMRP8yZmKibNP8ajd/yNBR+lsH4EKmMV0A6nmwnHnxjuaVDFV0bh2Dyvu7aE6ryFy16DKzZ1nim/z8rKVXqM5p/6XOlSlceE/S+l85iK7Gm7qWdx53PdJBXaSpE7Vgf7FLLL/LzeyGyzrRoNrdJl57g0GljdXK2BO5aaxUem6oOo7ktGnwW0Ud+NxPUeZIUE5cT3xhbeVC7h8GVeWVgPp1Rac/iwTTqTaoWVNFE9fVgd2i86ZnWWAh868ZDByDGZLv+5QHZVpCnQPdBmn/mDxaUSetviM4Ic/v5dv7/n6CKN9KlZ/+HYL6kEBN7wAq48UE3mlQYQyrtGcCTsk3lmUuBg9JNusyLcxgXUE3y04urL5yn/tK801XDKpB/6lCTSUmW17U3oMC1SZtkkD1LccmArQt2mjvBBwAaR9DuGtQGVD7Rx2kUWU9uaEcQ52xhP6653ZSe6Mk4+K7KPnbYykbw23EdGrPz76Uj6X/UR3IOH2E0c9lxCfqHbjXHIdFH8jYym8Uya+kDtqaUifaI3XUni8n3VZXp8rGS2E7Uh3igVvI78bqDvbE4HQN0LCeQfapV1duoOqnF+/2iXI+fBjC+739bl6Aopx+6wkj1qZ2aumrP20OEoFn7hXOP9XtkhUE0PEEpW/W54abcet4s+6fjicOcKMuy2bAXRylNnegvScjEI7N/ZFg8BJygUey3Q8oTAT5p+IunwSABS/dn6j90QV7EX38Hfv/by9MpxOnbv9OynQKG14JiIW3cUSE+4hwnY7W1fAZz6V8xnhQCrUdru28H58rXqNDsj/9nKDA9DX08SILOJCyJj4nigNmDhhMK7efa5E/D270ruq7DkXpr2el0i9W6ko0rYlne9KEXF9ojijYDWjKzfrMeze05digY3x79QdMoR4ifQen8JsRfkOrfiKavkX6JPwobeMmYrrP4PbOQtmV5G8jHnwjbvHnAnVmxrydFG0UC38N4x0/DdIUJ1ivzojsZF88rFegYn301eDjeE7DRMO21AQWx31cl+cmMh27cKV9TBBvvhbcVgzlCE7fAWz12Sk7mJvdk5jj7PDmkbiZQcUaMD2rmzJ1Cg9kKsD7vDYUdvzTAAAAAElFTkSuQmCC");\n background-repeat: no-repeat;\n background-position: center;\n background-size: contain; }\n @media (-webkit-min-device-pixel-ratio: 2), (min-resolution: 192dpi), (min-resolution: 2dppx) {\n .pwd-unity-bar.-pwdub-theme-blue .logo {\n text-indent: 100%;\n white-space: nowrap;\n overflow: hidden;\n background-image: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAKsAAABMCAMAAAAld7cRAAADAFBMVEX///////////////////////////8AAAD///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////9WCyr0AAABAHRSTlOQu7K0n2cWAAEDVb6xuhACT725ohgrtrU1m7C/WHPBrrycDlOznXAyhn2twG8pi0YEBa9taINsoBLX/+BQfux28SRA5xXmRXz3pSHHPQjWms/DEd5Myvn8/fpCd/gX4yL+S9l7dfvkNAc88zoJyfXCmJH2uMx65dzb2BPFC8uSxJOX4V3VNhlxTetqYoRRXlpbWWBEeDmKmUHfClQ/LAbNDFyn3RowOFIcZqSqqSA+07fvSsj0LZYxL6vajKae8unt8O7ibmFyX6jSHiplgk4bLuoPZJSISI/UJXlHJs5pN8YfQ2ujOx0USSgnDYeV0Il00Y1/gIEjVmOOoayFM1foJETEHQAAFFVJREFUeAE0yQOixDAQgOH1P6nt9tm2jfsfaVN9yXgymc7mrcVyhSgM07IXDq6L51tBGBHPk3ma4eTToqxQDATqZmNzaxsXFDvm7ry1t3/QjorYSvSmZZmHwlFzfHIKAricJWl7S4vzC7jkauJfnywRQZ2b1yc3cFsW5h0IAvfN9fThEReYPD2PXl654k037xFK8aG7zy++29Mr0Y8ud1wycPn9ay//7WrNZ11wOW5kURwfvlJI4Q4zozwLffYfZg+zqpSoEwVqmJmZmZk5zMzMPMv4UdaS2m53Bu6hRtfvXL96cqiHqKbcpauCMPu3Wrp5OhXoUlh9daeWG86WevQEemX1hL2Bs6TzgT5SBa++/QD6y8+sA4iMsTaOLOZh6RES+jUp8HUTCY8+pu4mNfZxNT1BmSdbrKGuxJgybbI+Qj1FbIxzcdnAwEEarCFlnHFZyrT11JmhnF+1DiN1xlgTObhsuIaPYCRtcusoRjJaGsNYxhXW/hiTcHl2itqMx6RksWUuKWkCMbfl1mtwTKxYIaW/miYR81CL1VMHXOqYnL09oe7CpuSJE6ZMlYbEWJozzdMFjOTqFmv1d87RUdNnkDAzt86iTC9pNhGnFjMwhxjD3E4KcmvEmcMenjcfR7RAT2bWhQpLWlSzUrVeX7P66nQbhhQWK8ytjiVLr1x2eYKJWC51jyG+Y8XKVavXrF0ndWZsKyus3/DgRkdEew0eT8Js+aFK01pbA/WdjCOFk1TKrQmbJG02WC7SQ5n1fsnTTSfqtaRVYNPUMbq515gtWyVtS4iZ1EnbYyjvUDWXtu4VGCKpAxFTdga7SBgjScFveg11O6Q2NTTKa+71LO3W2RNx7CmsneQFdVaOsnrSXgyXLoF9U+UX1rn7NVgaTUz6oDZHUD5Q++tLj+q1v05TRxxbeniFNdsDra2Bp0Ycne+DR/fLL3o9X9LBGMshPYRh7I3j2rZtmIKp9nrUDIQ6PBFG3jsLk709fmE9W8FOrSC1PK3NMZi2zzz73N4bGp8/Vq8vSJpDxIuhvyv755fatj2z7cvEddZQTbdBtO5kYuYpLHq9oOuOV17F8drrerJ2SUjNcXsNtZqYF/03GEujVKpZQx0sY5ige+vu1pvH6vX3z79110gS3s7m1dTOdHXWkrZheGfwu4zlPcnL9gA2isCO5VxPE7IpjCuJzPF79aT3GMsbOikb0yYNrll9XTsU19r62ltH92pxkYPYsibbAw4bxZVY6q2e3mcsHfR4JjksP7cCJk75YJC0HmtrvR7vbvl6/kMMT2vQRxguqrOG2m4wLM1mwKavfXz33Z+MHbjjaGvavLHYG2j4jGP36mn/p8R8ptfvI+bzwpqSZ9cQlSpWx51ffPn006u+wh3da8nL4msZhrTf11PKRLwnv7AuVDhcHTGwLb9b0Zpv3vr22x03D6/OgBdU/jms26/JG1ulwTOIuGzPd08ve3oyUb11FTZly9c9xxJxQ74HHJN7NV79/Q/DFfgVa0y/4ZLU8bg7y5NuwGGBNCv/R9V6lUYR8/KObAYo/3SCnXXqprPeuOktKcysCbcoyyUte+BMSV2IMfkplp+fr+2BLL4K6237VdqpRUdb16s5z/+MoUhqWVVYb/tFpW8ayUoK8mdBcm0r6yYVKazblScICutslUoaPK2V9ceJ9af8WuyBRvmBXwpUtTbJr3/GUlgdT1xwbkP7q07+TktJU+7+5OWXXzbEvC09gmFs26tmLYE45aT8GZvaaRdUPqO1O/nIYF1AwqftGhoa2l34Zx0E+ItKQRh6KqxHP2PP9LSSNE0/yE5xOBrUZgZlOmRrVyqsEVuaP7vEDKxYLZbH1TQZZynyV71Emb/9ff/zz/c9n4gP79E/MMVvowTel68hUcuF2Tddp5BYiozQAizpP4t5yqwDKDMmt/ZhbFb/TJKs10sp86ebFz7//GlHiPjoX23+TUxjzZodyqfNvVrue0wvNPe6DwvWWhMzYeFQYmYrS3+A/+ghyH8L8MZg7VR3A6S2kojeW9UOB8V3Z+i/Ra816y4iZufW/xFxvnQEx4X6f6tmAR7HrbVhFz+pEJWZmaMpPekpxCmG/1vnj2c2VBem4TK4bi4HCmHGTdowp8zhMqT1TcHXaZiZ6VLnSKudtddOt/Al9oyOjkbvoznC8bLZlKALwVrOgbgib2TurKnQof4f8/UYtFFJdOVh5STUjsyswuKVdwJKomFIKfn0qWF1qdMrszZ6Ips1EblNZLdeaKM8lHAE/jmvy52Dv/s8XulNrdnszlVJCIHV0V3bDqixPNIaJNvXbLbcqnxq2drB/QZ3ggCA1uWDa7bH6nKT2+ztElO9QI1m/djCtppLJN7+bnAqVX4xzusX3ZTY4hBQp9QcXL6I70T0sPJ1wPro8hbWfxfVssG6jeXn59kCMayTyL7EyrbFkiI7T2QnqncRohq3PCWlzEhzUlqn6EbxxTrIWMLZXAHFXlZKOORYynrFKb4glkNwd7ZqV3P8tDzpaa09T3sSGRIemyvZtJWnHSanpJRawQHqKGUlMxS7KeNgbU42KWBzZdqiHapTXtZbyOWVi2z/nCR+cZ70VMza9cqyRZHKrmyZWWxoZFlUtq5rpq1RWWRje52kffB5C7oaLSiFlW45pmv1YrdSWyRLY7omARRUzt1gA8OxdqNXZs6c2e4VergRlKsT//Bn5rebSw93SNsk/hHMzGfP4IlSSCgkj5rd5G+RmtxykimqUWf6bUP+Vp1Gz+kObMznIlm6cd4dt0Jj0ytNKpo3nzTwq1qAFJb1lCJKqW2FHYpR+DUkjBRwiHP8wJJ1obRWQbNlRCEdSKfyDqs6/T80rqYqVHzJAghlWHEs1fVDP2xBlzguiRqNqYXvh4V0GLSzld0S2UI/EdBaeFz6Ui4Y+lx0iz0l+PwWKvTDWHzPLuZal/7Cu5YWNoeNvnPjh/Lc8D7XEBc0v4moVR9AGdatdkLyaWQbYwE0liSMMaRDIRzrROd3Xw0onm54OW+UoG2dIJl1DvlUnRL0JjCIy2QrIFoLjU+yc4t4UqcvAcWsI2aSb9z9hvBSXFfYhYdP0ztZfgEcRQlb5fdskmhbZOGJL81yYd30K1htSdpqWXEQhXbHsiXNNdlyBVT3FGiLX2e2XfYS9YNkwyUUxg/Lg4mBV9iniN1+lrWoiH/4f1WsRUZxUZ87U57GR3brGtKno5gCCiV82mGfN9+yahxmvHj3usGEQKdtlt0WveE8iIh1NiV8q4BcrX5KLWhhzBqbjUKO16x2DXz3lgrpAkBFrCe6IKDl0KjwekOz1zX/D6HQWrZDCHjoRxTzEN0LrfEGgztbfHH6wLHG5lhfMWtWLrePDdBVkHnCBQEl6D3GgMQDDG/JGvNYGodikDrFVPie/NRbNH6nQimsaX7djp2s62ofxVns/8p7d+0ytpu33GtZjfnpHezptGPXl7shHGtAzx6zZ8+eI/bua8JPsSBfQuVBYr5FS3AQKAjgNEq41WaivR06L3KBEoWA5FHtBgo5efc5zO+boyJkqI/zbzI0Nko84t7OIagsCcca0n5YrTnEoDHbDIBZy+ba0LNBIHH4EJO2He4jSCjgONcBB9p2fpWYMaQXevE1sCd5QtpVh+yALxzrjROQdGYVsx6nhOfMOrpqIdKsPk0Br6a8JLo+aFD4BRcgj0EOpoSLRQkPzWy4shJRMYgopvPdwDaNmew2IzKFn3/2GOeEfBwt4ORhb5q1a9zgMas9Cq4glcH6slvZYT8lrOmOBcgDJK6lIB5OdeaZVkjv1oKUmO+q/pGnfonbeVNBCVqqcBAlOONvjql6VpHZroBWGarMKoTl3+FMc5cxq8ai2a7j9EMSOMnmkzEVDYcHPO5afqMdXG8yvcqnL2HmDU69BInc2/UkVFTVrBLXuXaNTkry7LLEReP3SGJMq5iVQmoemT63w1rE1BCan3MuJUwINEQqPBL83kTurMfWqFFSK62STlXHgMS/XCNNL2VWaHs2YSyjgPJ45GSGq6G47Wzixw4mBE6YZ4P0iTYAjrahe9syyFxZi+j1d2MVd/5mEyAr9C3tae21wZVzLAvvlVOs9WfFQYCd7hTClhtyuMUxNe+CEvDQh8iEwL8hNbqZeOBDHJ0ja/ZcMKPimLUSVgseTo9Z10HlxWdpxut7cGeptKp4O58Cw13YxYZAPXY3k4nWGJFvG/k0QOTCmj3HPkZnV2zX49445ZTW4766pBUFrttMg2RWaLzoZvvOsuUsUyI+9LoOW13u0iQkNJbdlg4BJYCzbBDMXQ+dC2uW+GQ9ZmWFD0Wqy9jO4SDYdoXEsm9cELRuG78hN8WkJ4KddiLoa1xCfi+crJ0aCebD+31YXf1u7ZKgYDg0DKsA3nH97eYnbYGYtXO/29jEITAOHlRqyRgQTbMD2Ni6nDDju8o5BsJYmTHg3iaryDKzsbZdv7Ik+tpnB3TDSPKtvwuV/GN9svW+pqF4Kfu8DYF5EyAZwK4NfGr3NfSv7FsnO9aqF+Ibkcm6+ik3mvD/CjfuJ6CbmUXiC/JNCBS3hAIUNvyBQhMiZ0Lm2q7hHKf8OfnP06TKrPFSu4hm7eWijlUAkyjh0FgBPf9DulzK8thb0G43w+m6byMp4GGZmfb4bE9C5cTq08P169fZ7XTPopaG5uXMUSII3HLwakDCsdoPVhRQrARN3lPZcrmAgMS6OdYeEk96Cqjt4qfwP5A5zlsnVzXHXhZHSHz1qcU06AqsC+zqKx6qJoobnSU920pAu3UMA/dnjDPapXcRT+bMerRUSZ2WZ+JenOO2efe99+hf+nd/jIJ4rRezCoH3M8l8mr0Ig2xRZ3lsLCSEm8QsbNN9A49zzc+dz4P49WtCcSwlMueto9w2IWgLHbPCQ2+3X7DuZwN3mrcQh4CCgsbY18l3PdRAxkny20PnxnqcUp7UGRIxq0+fQKpGKOf6bTwCImaVfJruKmXqnsDQP5iyLihq2xBobihsVw0SYZgI2J3FC4ScWKvZwzhWuyY0bzBB7uhCx6xC4MKYzKd5J0CjO4WxZeYb0FAQp7sBIyhKK91ltw2Fymkc6Ni+fcO2GRo+BpVYIdHDfQyldwCRZoXE+DgIEnQuhIclhemmDs2MDI1TWlgbuzq5ZEBFg+HlNL4GhU6J6H+LFvRRFquCerhCwzpWuyUMM/b7UkHdHU961A0aQuEuN2cEG/fs7Wu09793tXCHXbxtz4U1S/2zWKHxErnhcbJbu7AEXBCYNUBpxT+5CWjmidBse9Y9L3Mzjc2WIcEFZa5rwsBnBXwJ6YFsVv705YYCPiRyrPavmNID5VXsrHlZ7luL/Z4v0d6nwI0rWkurJP5k/DirZk6ssVxfrp3NCg/XcpYbY2NWidtHUxiHR3wyZIpfZNdU/2aDiYm+mdsA7gXu4FKI34tVYdQPDilo6FjTO+KiSAl6LQkFQGMv+WwJ6ZX1kPxSnqDQGuawISVp9pO2aHEBlGH1A5MeUok1UVSFgsDEwDk2N3SsMF+wjQePsTErPDxHFJg2u9SdZK7+X2pZcjAMQjNy8945AgostwlKpHrlMdC/vl1DNxc41pIm8eQVs/JC9Bli8QJKpxhWktVEu1RdSE73Qwk4SSx2dm4TJDHRJZ+qcJZxLtEBxoGzXOIdy8ol/klOB1lWp6/3DBs27Pwz7lQQsLC7+5wfWfaML4Bg23BOsv47puL3rZIjjoisXLif6cH1+6SSa9tAxG4X97Lls3RGGYCG9unn9+kSlygYvydV5Ii8A38OE9XniaxENWnxK77FiaqsFVhhD+20jC1Ku4+NLsmKjGzI+gDKecqmpZF7lpNynzz5l7s1NuWqZwBV+cGGKg85SBiEmEG5aoVDEBUcHRTnu2gSzmqNwqRiT+SgXFgFWAaicmtKe6mQISs5VVUOyKb7XViRLDhvg7CVNio4b9SGNmzcUGNDJ2sDRtkL526QBqXDhtIa57FZSUj2Shq/gg2jNmgAQwGNDaUCsefvwqrRe/R985540uN657e6r9Xrb3L/fPzp0U/XmwoFiVoHDbA73OuHPHPjyBUA8PIrP2z7243tITBwANoAT/aABP5vXvFT+RPhYfCUNWhz8A8tI+qTZk//dF7xbsifZxU/I2Y9k2YdSdQdwsMWeurhxpdA4PBv6Jk5ZoqQOIweseuHjTS3mD+tKlw4z6f/bV4CiT/PLuND2sXwgIep8d2dX4KHW2n6MtxIn0Wsk/8W0P/+eA+zigMrp3Z9gf6C3vRgSySxk94b8/nh3JYPFnaYQHPuiWylnWkmH2NIXEpbMYW2mDheSmtNn3ucntk9kehaaL7/eMzno6AxLUHvTmtKEyAFVFOqCf17xcD1dCrWzArGog268xz7CLPe4ddpSPn1I9sVNJouNMGwg95c/xpdY3p4R3oVUsFbSvRgXaLmjHM0l/4YSQyPrs+3qzuVPeRIKs+N9YNtDTpWq6U37ILwItZNmDCzxZVog+vo2e2HDuNF2RB6hWgSBBo9nb/3Kf9KaIldzDKyFpSCbErPQSuo1+gJosZ0nWW9bN+5reGhIf3YgOiVe5i1zY/0qv1g0r3z0o4HgMm76539k1ZWp/1nH8asK+iTlldRx6SJgUfrtF4kFNY0oXMmP3BeZOpJTD0QQuNm+tfNdOMYJhBL7d5Cj3x93Nn9P6K7bAxMrHPKAkgMoHolJ9GcZVAKXlPzgVMAL5y9f2W1mrT/Z2NAwENtijS3H5TGdr5tKoCSx+h2ABo15tHCbpH5YrTBJXQzPqGj2CwaUw9IidLnaQxwPT3CrM9y6T/BwzQ6C2oK1YFUSBbTV/ByiQF1YAlAYcmW7gO3lkFAod/2L7vv2wugQ/OdBUgqhWXfPoAI5k8DIDF4YTl2b9lRAglx7b71UAKNznyyFDhl4VdQQN/3vuz+fTkkPruqt4oKfcYe8oWrFkHZZdUB9RNUpSASv1hQEwAAAABJRU5ErkJggg==");\n background-repeat: no-repeat;\n background-position: center;\n background-size: contain; } }\n .pwd-unity-bar.-pwdub-theme-blue .search-form > .icon,\n .pwd-unity-bar.-pwdub-theme-blue .search-form > .icon > use > svg {\n fill: #0078c8; }\n .pwd-unity-bar.-pwdub-theme-blue .search-form > .field {\n border-color: #0078c8; }\n .pwd-unity-bar.-pwdub-theme-blue .search-form > .action {\n background-color: #0078c8; }\n\n.pwd-unity-bar.-pwdub-theme-internal {\n background-color: #001a70;\n color: #fff; }\n .pwd-unity-bar.-pwdub-theme-internal svg {\n fill: #fff; }\n .pwd-unity-bar.-pwdub-theme-internal .logo {\n text-indent: 100%;\n white-space: nowrap;\n overflow: hidden;\n background-image: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAFUAAAAmCAYAAAC1Q9c1AAAL0ElEQVR4AXzTA8xcQRSG4Vvbtm07rG0Fta2gjGu3UW3btm3zt22+Sb5JJquTPLtzzh1eOFlZWU/wA9/xE3cx0CH4747/uIHSqvVGIC6gLNYiFtNRHe/wFs3VPydyIKfyeniFfxjpEKpXxnn44wu+4opLn+H4jR/4ov8ALERDjbmHGmZt/U+AH77pnJ+xDgWRGwcRirHqX1S1CPRBS/zDZZS39jMUwXiEpqrldjSZayShE3oo/42KGjRatQ+oiCPKl6MOEpGA9uqfA7msjUyFiaPIrXpNvFc9E3asUJ/x8BSr0QLp+I+6Ljd1EUxkwMQWlMB15fPVvwzuqTYSHdX+jGrqUwh7YGKeOa/DT5A2MwcNcEudVqGv2p+Qz7ypqr1CeexXvgS1ESVtzSLWjSuIkzDx03rCVfFR9dlohJ3KQ9AMA5U/QWNUR1MURjsk4gfquNzUORp3T+OmW+dqj6PKJ1p7vqzaMLRX+y2qq08rfIaJUyhs3pxQZKKb8rXqtBkDkaFDTVe+2bqpFXDA5abGINq6qTmRS+2WCIc/nmvcLF2rgi+qDVStEn6oNhmDra9kIHqjPwrqkMn4aW6qte5cjTuvvAZS8BtdcEjX96IfJls3bCQ6qP0eVTTHLOs+/EMI2pmbGqSL57AdMdYhemqjnuIZKvm4qe00fx5HYb0xWzDC5aDZ7ZoDjGXLFoY70xi/O+7ua2v0MLq2bdu2bdu+Pde2bdu2rcYdnp18K/mycl73mU7nRa+SlX1OVe3CX6tW/WvVbhCoG5A3sCQPx9bUOzmtQ98TSvIR29+g7lFUouz0kjzC/wew8dflBmWGNhKob+lsuYW8zdnVmIBSQmucwtbVafv/iXoXK/k4eS9gUzvS1FqePTncinR9SY7jd3HozcHh8B556wnUF8nboSRr8fsL7OhJTGhWzEMbwM0Z25jnXnmCHHBLFMCX5F4pymWYqB9igQXqO9jSWXh/CmO4kt+3lqRvFafXRApXwCjHCsck3iwmTd6q5L1cbvsD6C/S1B48/6WBOMVq95KmrsE72/C/GQCi7werUmLizWz/ecirS9v/BbR9GdnGvjqotpftv4+8ddP274tJKJc+K/CrYkUmhR2zgZcNey+ohLbgK4Aaq3QwW+l7nZSvA9R+YYPo+CgWIbb2VZz+L/E/KFOkG+l7Y7GTNwrhtN+Xif8oJXiNce+EKSvSnZpjjehTgLobeQN0YK+rg+p5xnkB/wszsn9JjpXt37+K7dcqO1YjUNfQIIeIm8WqN2ASinQAoH7O/4kC5RK2fJGO1cSWJK/gl6vFRIJSsYvOpm/4Ztl0BhP/MvfNAm7B77u143oI1Hso35m8/qGpPv3h8CuJpaykuRxK3rPFn/mhJf1th/g9HWVza2X7FcQeTloDaf8X3K47tGwklGgYz1loYwRa0A1b1lP1Bsk2DmVcA6tI0JwBtDG8qIOMYMf0jrnwHEq9et77N6d+ddqN1eQXcxqkvNmZVz/aHontH0S785Mfzk1/+hzJkP+fvHjTUhfF0jvwQzRkZjRqsF/SSoSmzMrKDsl1xEsHU2cWngVLqI06aGg99Rp41tgDQ0OibIikvpyorBFnoE55PPldRnivH2PoTt2Gdvrtm3CsDiyKP+OhIj/zfKUAzhOUKbirJH8jTwawJvgM5DHq/Ix9uyY8MsA9k8PmU/zrghWsqwH2hVW0QJ++7kC+wZ5+D/PYjq34Nmykoza+hDk00f/SvPMTZV9n4RC8HXvdy7y4CnKb00ZlQP2X4wQMdgmvEr9XAFCn3QXYPHDJ7OM30YYXkDrTnPbABsI1K053yBVnDhWlJ4pzIbAIn/udFGy4zCaA56ZMsJAcRHDA5ETKYlCf2njDSSNNjHqMYT4dhreS30a9Schki/INwq4cWF/zf0LUdVuIx3CzFOOv9G7ucwLSJro1q+3BxQYVzjV7shlnRh0Be1Wq00DjbutGbf3uchYm+cnEthOo97jcrqOfOV8u7Qi54BNdnpPK7hCozaZnsQAA6WT6drjBWJ9CV9xE5QPlnk6KuhDsGVVvZVaOBPcjQZ0+lgaEDYx0jczOqKI94g/L4lGd64kQxz0AL3BFwFiFg2UsoBq0q0uyKCHN5XmGFH2Nov+ijb8MOm7xfIxrcZQjUsz53qCBYQLeUgPZxo0Je2pQAWRZgXaKAIutP0Ll26SY7bEOZrBDhrZDYXZK7f8Udj0n4sEZ1CMqpEqrE+8wqNunOoMUc/1L0bN5XemCtN0+VAR9a/IMaqQDqNOIm+k2bpD/3VNxywikjInYpsDaQZ5ddYpy7W1QYRerUFZH/bp2QD20AzCrea6WQZUL20PxgSYpSJwLw9zgegaLtD5lse1sqPOWXdaHBfV2VPsjcWEjPc42H20TwEJ0MwdWG3uWAXXF5MtXZ1A13ocIruwXwkIdhgs8UO55BnWHGJOU6JmkqU8Xu97u2kz4tF7Z83C/HsuHlBbgVcj9Uc7Hdg7LW1fp2By8IH0SbAHNq+4sqBUeVDY98yq+kUE9HNI/Jzbcuy6UqbCzdZkOnZdAfRGj/ZlB9cQY+CY5GEKntbrPuTlGAH9cOgcj9P7u0tSuAZX3ONVbJL/rimZOgfpHereVupGfD6mW4j2F+XQ7COo6iB6mIQPmLfUXmvxjOcOu+xzHUp9O7vAyabC3yTbW/I809UM0tTyomaciZemUgSXi9HrWypSakXJpoq4thvoaxYvCIvRygFnXOBHZHx1ubVfZVK6Sj+S24ATkGEKHe8jtXiODmlPKPyYfdtkEnENFAzsxXbVckuukVbtak+uLj2zb0xyHGKfohS4n7dNlmlr56d9NNx4tSUM/xHV+HDPgcYwXK6jOJoAGqWxbROLOZhl7RK7D/23U3lhzXNVvRmNf1uBdfncMtAtBPapCnrpecmImmVKJ+LfoDm8NjyOv0gx4SuW08BNMRP8yZmKibNP8ajd/yNBR+lsH4EKmMV0A6nmwnHnxjuaVDFV0bh2Dyvu7aE6ryFy16DKzZ1nim/z8rKVXqM5p/6XOlSlceE/S+l85iK7Gm7qWdx53PdJBXaSpE7Vgf7FLLL/LzeyGyzrRoNrdJl57g0GljdXK2BO5aaxUem6oOo7ktGnwW0Ud+NxPUeZIUE5cT3xhbeVC7h8GVeWVgPp1Rac/iwTTqTaoWVNFE9fVgd2i86ZnWWAh868ZDByDGZLv+5QHZVpCnQPdBmn/mDxaUSetviM4Ic/v5dv7/n6CKN9KlZ/+HYL6kEBN7wAq48UE3mlQYQyrtGcCTsk3lmUuBg9JNusyLcxgXUE3y04urL5yn/tK801XDKpB/6lCTSUmW17U3oMC1SZtkkD1LccmArQt2mjvBBwAaR9DuGtQGVD7Rx2kUWU9uaEcQ52xhP6653ZSe6Mk4+K7KPnbYykbw23EdGrPz76Uj6X/UR3IOH2E0c9lxCfqHbjXHIdFH8jYym8Uya+kDtqaUifaI3XUni8n3VZXp8rGS2E7Uh3igVvI78bqDvbE4HQN0LCeQfapV1duoOqnF+/2iXI+fBjC+739bl6Aopx+6wkj1qZ2aumrP20OEoFn7hXOP9XtkhUE0PEEpW/W54abcet4s+6fjicOcKMuy2bAXRylNnegvScjEI7N/ZFg8BJygUey3Q8oTAT5p+IunwSABS/dn6j90QV7EX38Hfv/by9MpxOnbv9OynQKG14JiIW3cUSE+4hwnY7W1fAZz6V8xnhQCrUdru28H58rXqNDsj/9nKDA9DX08SILOJCyJj4nigNmDhhMK7efa5E/D270ruq7DkXpr2el0i9W6ko0rYlne9KEXF9ojijYDWjKzfrMeze05digY3x79QdMoR4ifQen8JsRfkOrfiKavkX6JPwobeMmYrrP4PbOQtmV5G8jHnwjbvHnAnVmxrydFG0UC38N4x0/DdIUJ1ivzojsZF88rFegYn301eDjeE7DRMO21AQWx31cl+cmMh27cKV9TBBvvhbcVgzlCE7fAWz12Sk7mJvdk5jj7PDmkbiZQcUaMD2rmzJ1Cg9kKsD7vDYUdvzTAAAAAElFTkSuQmCC");\n background-repeat: no-repeat;\n background-position: center;\n background-size: contain; }\n @media (-webkit-min-device-pixel-ratio: 2), (min-resolution: 192dpi), (min-resolution: 2dppx) {\n .pwd-unity-bar.-pwdub-theme-internal .logo {\n text-indent: 100%;\n white-space: nowrap;\n overflow: hidden;\n background-image: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAKsAAABMCAMAAAAld7cRAAADAFBMVEX///////////////////////////8AAAD///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////9WCyr0AAABAHRSTlOQu7K0n2cWAAEDVb6xuhACT725ohgrtrU1m7C/WHPBrrycDlOznXAyhn2twG8pi0YEBa9taINsoBLX/+BQfux28SRA5xXmRXz3pSHHPQjWms/DEd5Myvn8/fpCd/gX4yL+S9l7dfvkNAc88zoJyfXCmJH2uMx65dzb2BPFC8uSxJOX4V3VNhlxTetqYoRRXlpbWWBEeDmKmUHfClQ/LAbNDFyn3RowOFIcZqSqqSA+07fvSsj0LZYxL6vajKae8unt8O7ibmFyX6jSHiplgk4bLuoPZJSISI/UJXlHJs5pN8YfQ2ujOx0USSgnDYeV0Il00Y1/gIEjVmOOoayFM1foJETEHQAAFFVJREFUeAE0yQOixDAQgOH1P6nt9tm2jfsfaVN9yXgymc7mrcVyhSgM07IXDq6L51tBGBHPk3ma4eTToqxQDATqZmNzaxsXFDvm7ry1t3/QjorYSvSmZZmHwlFzfHIKAricJWl7S4vzC7jkauJfnywRQZ2b1yc3cFsW5h0IAvfN9fThEReYPD2PXl654k037xFK8aG7zy++29Mr0Y8ud1wycPn9ay//7WrNZ11wOW5kURwfvlJI4Q4zozwLffYfZg+zqpSoEwVqmJmZmZk5zMzMPMv4UdaS2m53Bu6hRtfvXL96cqiHqKbcpauCMPu3Wrp5OhXoUlh9daeWG86WevQEemX1hL2Bs6TzgT5SBa++/QD6y8+sA4iMsTaOLOZh6RES+jUp8HUTCY8+pu4mNfZxNT1BmSdbrKGuxJgybbI+Qj1FbIxzcdnAwEEarCFlnHFZyrT11JmhnF+1DiN1xlgTObhsuIaPYCRtcusoRjJaGsNYxhXW/hiTcHl2itqMx6RksWUuKWkCMbfl1mtwTKxYIaW/miYR81CL1VMHXOqYnL09oe7CpuSJE6ZMlYbEWJozzdMFjOTqFmv1d87RUdNnkDAzt86iTC9pNhGnFjMwhxjD3E4KcmvEmcMenjcfR7RAT2bWhQpLWlSzUrVeX7P66nQbhhQWK8ytjiVLr1x2eYKJWC51jyG+Y8XKVavXrF0ndWZsKyus3/DgRkdEew0eT8Js+aFK01pbA/WdjCOFk1TKrQmbJG02WC7SQ5n1fsnTTSfqtaRVYNPUMbq515gtWyVtS4iZ1EnbYyjvUDWXtu4VGCKpAxFTdga7SBgjScFveg11O6Q2NTTKa+71LO3W2RNx7CmsneQFdVaOsnrSXgyXLoF9U+UX1rn7NVgaTUz6oDZHUD5Q++tLj+q1v05TRxxbeniFNdsDra2Bp0Ycne+DR/fLL3o9X9LBGMshPYRh7I3j2rZtmIKp9nrUDIQ6PBFG3jsLk709fmE9W8FOrSC1PK3NMZi2zzz73N4bGp8/Vq8vSJpDxIuhvyv755fatj2z7cvEddZQTbdBtO5kYuYpLHq9oOuOV17F8drrerJ2SUjNcXsNtZqYF/03GEujVKpZQx0sY5ige+vu1pvH6vX3z79110gS3s7m1dTOdHXWkrZheGfwu4zlPcnL9gA2isCO5VxPE7IpjCuJzPF79aT3GMsbOikb0yYNrll9XTsU19r62ltH92pxkYPYsibbAw4bxZVY6q2e3mcsHfR4JjksP7cCJk75YJC0HmtrvR7vbvl6/kMMT2vQRxguqrOG2m4wLM1mwKavfXz33Z+MHbjjaGvavLHYG2j4jGP36mn/p8R8ptfvI+bzwpqSZ9cQlSpWx51ffPn006u+wh3da8nL4msZhrTf11PKRLwnv7AuVDhcHTGwLb9b0Zpv3vr22x03D6/OgBdU/jms26/JG1ulwTOIuGzPd08ve3oyUb11FTZly9c9xxJxQ74HHJN7NV79/Q/DFfgVa0y/4ZLU8bg7y5NuwGGBNCv/R9V6lUYR8/KObAYo/3SCnXXqprPeuOktKcysCbcoyyUte+BMSV2IMfkplp+fr+2BLL4K6237VdqpRUdb16s5z/+MoUhqWVVYb/tFpW8ayUoK8mdBcm0r6yYVKazblScICutslUoaPK2V9ceJ9af8WuyBRvmBXwpUtTbJr3/GUlgdT1xwbkP7q07+TktJU+7+5OWXXzbEvC09gmFs26tmLYE45aT8GZvaaRdUPqO1O/nIYF1AwqftGhoa2l34Zx0E+ItKQRh6KqxHP2PP9LSSNE0/yE5xOBrUZgZlOmRrVyqsEVuaP7vEDKxYLZbH1TQZZynyV71Emb/9ff/zz/c9n4gP79E/MMVvowTel68hUcuF2Tddp5BYiozQAizpP4t5yqwDKDMmt/ZhbFb/TJKs10sp86ebFz7//GlHiPjoX23+TUxjzZodyqfNvVrue0wvNPe6DwvWWhMzYeFQYmYrS3+A/+ghyH8L8MZg7VR3A6S2kojeW9UOB8V3Z+i/Ra816y4iZufW/xFxvnQEx4X6f6tmAR7HrbVhFz+pEJWZmaMpPekpxCmG/1vnj2c2VBem4TK4bi4HCmHGTdowp8zhMqT1TcHXaZiZ6VLnSKudtddOt/Al9oyOjkbvoznC8bLZlKALwVrOgbgib2TurKnQof4f8/UYtFFJdOVh5STUjsyswuKVdwJKomFIKfn0qWF1qdMrszZ6Ips1EblNZLdeaKM8lHAE/jmvy52Dv/s8XulNrdnszlVJCIHV0V3bDqixPNIaJNvXbLbcqnxq2drB/QZ3ggCA1uWDa7bH6nKT2+ztElO9QI1m/djCtppLJN7+bnAqVX4xzusX3ZTY4hBQp9QcXL6I70T0sPJ1wPro8hbWfxfVssG6jeXn59kCMayTyL7EyrbFkiI7T2QnqncRohq3PCWlzEhzUlqn6EbxxTrIWMLZXAHFXlZKOORYynrFKb4glkNwd7ZqV3P8tDzpaa09T3sSGRIemyvZtJWnHSanpJRawQHqKGUlMxS7KeNgbU42KWBzZdqiHapTXtZbyOWVi2z/nCR+cZ70VMza9cqyRZHKrmyZWWxoZFlUtq5rpq1RWWRje52kffB5C7oaLSiFlW45pmv1YrdSWyRLY7omARRUzt1gA8OxdqNXZs6c2e4VergRlKsT//Bn5rebSw93SNsk/hHMzGfP4IlSSCgkj5rd5G+RmtxykimqUWf6bUP+Vp1Gz+kObMznIlm6cd4dt0Jj0ytNKpo3nzTwq1qAFJb1lCJKqW2FHYpR+DUkjBRwiHP8wJJ1obRWQbNlRCEdSKfyDqs6/T80rqYqVHzJAghlWHEs1fVDP2xBlzguiRqNqYXvh4V0GLSzld0S2UI/EdBaeFz6Ui4Y+lx0iz0l+PwWKvTDWHzPLuZal/7Cu5YWNoeNvnPjh/Lc8D7XEBc0v4moVR9AGdatdkLyaWQbYwE0liSMMaRDIRzrROd3Xw0onm54OW+UoG2dIJl1DvlUnRL0JjCIy2QrIFoLjU+yc4t4UqcvAcWsI2aSb9z9hvBSXFfYhYdP0ztZfgEcRQlb5fdskmhbZOGJL81yYd30K1htSdpqWXEQhXbHsiXNNdlyBVT3FGiLX2e2XfYS9YNkwyUUxg/Lg4mBV9iniN1+lrWoiH/4f1WsRUZxUZ87U57GR3brGtKno5gCCiV82mGfN9+yahxmvHj3usGEQKdtlt0WveE8iIh1NiV8q4BcrX5KLWhhzBqbjUKO16x2DXz3lgrpAkBFrCe6IKDl0KjwekOz1zX/D6HQWrZDCHjoRxTzEN0LrfEGgztbfHH6wLHG5lhfMWtWLrePDdBVkHnCBQEl6D3GgMQDDG/JGvNYGodikDrFVPie/NRbNH6nQimsaX7djp2s62ofxVns/8p7d+0ytpu33GtZjfnpHezptGPXl7shHGtAzx6zZ8+eI/bua8JPsSBfQuVBYr5FS3AQKAjgNEq41WaivR06L3KBEoWA5FHtBgo5efc5zO+boyJkqI/zbzI0Nko84t7OIagsCcca0n5YrTnEoDHbDIBZy+ba0LNBIHH4EJO2He4jSCjgONcBB9p2fpWYMaQXevE1sCd5QtpVh+yALxzrjROQdGYVsx6nhOfMOrpqIdKsPk0Br6a8JLo+aFD4BRcgj0EOpoSLRQkPzWy4shJRMYgopvPdwDaNmew2IzKFn3/2GOeEfBwt4ORhb5q1a9zgMas9Cq4glcH6slvZYT8lrOmOBcgDJK6lIB5OdeaZVkjv1oKUmO+q/pGnfonbeVNBCVqqcBAlOONvjql6VpHZroBWGarMKoTl3+FMc5cxq8ai2a7j9EMSOMnmkzEVDYcHPO5afqMdXG8yvcqnL2HmDU69BInc2/UkVFTVrBLXuXaNTkry7LLEReP3SGJMq5iVQmoemT63w1rE1BCan3MuJUwINEQqPBL83kTurMfWqFFSK62STlXHgMS/XCNNL2VWaHs2YSyjgPJ45GSGq6G47Wzixw4mBE6YZ4P0iTYAjrahe9syyFxZi+j1d2MVd/5mEyAr9C3tae21wZVzLAvvlVOs9WfFQYCd7hTClhtyuMUxNe+CEvDQh8iEwL8hNbqZeOBDHJ0ja/ZcMKPimLUSVgseTo9Z10HlxWdpxut7cGeptKp4O58Cw13YxYZAPXY3k4nWGJFvG/k0QOTCmj3HPkZnV2zX49445ZTW4766pBUFrttMg2RWaLzoZvvOsuUsUyI+9LoOW13u0iQkNJbdlg4BJYCzbBDMXQ+dC2uW+GQ9ZmWFD0Wqy9jO4SDYdoXEsm9cELRuG78hN8WkJ4KddiLoa1xCfi+crJ0aCebD+31YXf1u7ZKgYDg0DKsA3nH97eYnbYGYtXO/29jEITAOHlRqyRgQTbMD2Ni6nDDju8o5BsJYmTHg3iaryDKzsbZdv7Ik+tpnB3TDSPKtvwuV/GN9svW+pqF4Kfu8DYF5EyAZwK4NfGr3NfSv7FsnO9aqF+Ibkcm6+ik3mvD/CjfuJ6CbmUXiC/JNCBS3hAIUNvyBQhMiZ0Lm2q7hHKf8OfnP06TKrPFSu4hm7eWijlUAkyjh0FgBPf9DulzK8thb0G43w+m6byMp4GGZmfb4bE9C5cTq08P169fZ7XTPopaG5uXMUSII3HLwakDCsdoPVhRQrARN3lPZcrmAgMS6OdYeEk96Cqjt4qfwP5A5zlsnVzXHXhZHSHz1qcU06AqsC+zqKx6qJoobnSU920pAu3UMA/dnjDPapXcRT+bMerRUSZ2WZ+JenOO2efe99+hf+nd/jIJ4rRezCoH3M8l8mr0Ig2xRZ3lsLCSEm8QsbNN9A49zzc+dz4P49WtCcSwlMueto9w2IWgLHbPCQ2+3X7DuZwN3mrcQh4CCgsbY18l3PdRAxkny20PnxnqcUp7UGRIxq0+fQKpGKOf6bTwCImaVfJruKmXqnsDQP5iyLihq2xBobihsVw0SYZgI2J3FC4ScWKvZwzhWuyY0bzBB7uhCx6xC4MKYzKd5J0CjO4WxZeYb0FAQp7sBIyhKK91ltw2Fymkc6Ni+fcO2GRo+BpVYIdHDfQyldwCRZoXE+DgIEnQuhIclhemmDs2MDI1TWlgbuzq5ZEBFg+HlNL4GhU6J6H+LFvRRFquCerhCwzpWuyUMM/b7UkHdHU961A0aQuEuN2cEG/fs7Wu09793tXCHXbxtz4U1S/2zWKHxErnhcbJbu7AEXBCYNUBpxT+5CWjmidBse9Y9L3Mzjc2WIcEFZa5rwsBnBXwJ6YFsVv705YYCPiRyrPavmNID5VXsrHlZ7luL/Z4v0d6nwI0rWkurJP5k/DirZk6ssVxfrp3NCg/XcpYbY2NWidtHUxiHR3wyZIpfZNdU/2aDiYm+mdsA7gXu4FKI34tVYdQPDilo6FjTO+KiSAl6LQkFQGMv+WwJ6ZX1kPxSnqDQGuawISVp9pO2aHEBlGH1A5MeUok1UVSFgsDEwDk2N3SsMF+wjQePsTErPDxHFJg2u9SdZK7+X2pZcjAMQjNy8945AgostwlKpHrlMdC/vl1DNxc41pIm8eQVs/JC9Bli8QJKpxhWktVEu1RdSE73Qwk4SSx2dm4TJDHRJZ+qcJZxLtEBxoGzXOIdy8ol/klOB1lWp6/3DBs27Pwz7lQQsLC7+5wfWfaML4Bg23BOsv47puL3rZIjjoisXLif6cH1+6SSa9tAxG4X97Lls3RGGYCG9unn9+kSlygYvydV5Ii8A38OE9XniaxENWnxK77FiaqsFVhhD+20jC1Ku4+NLsmKjGzI+gDKecqmpZF7lpNynzz5l7s1NuWqZwBV+cGGKg85SBiEmEG5aoVDEBUcHRTnu2gSzmqNwqRiT+SgXFgFWAaicmtKe6mQISs5VVUOyKb7XViRLDhvg7CVNio4b9SGNmzcUGNDJ2sDRtkL526QBqXDhtIa57FZSUj2Shq/gg2jNmgAQwGNDaUCsefvwqrRe/R985540uN657e6r9Xrb3L/fPzp0U/XmwoFiVoHDbA73OuHPHPjyBUA8PIrP2z7243tITBwANoAT/aABP5vXvFT+RPhYfCUNWhz8A8tI+qTZk//dF7xbsifZxU/I2Y9k2YdSdQdwsMWeurhxpdA4PBv6Jk5ZoqQOIweseuHjTS3mD+tKlw4z6f/bV4CiT/PLuND2sXwgIep8d2dX4KHW2n6MtxIn0Wsk/8W0P/+eA+zigMrp3Z9gf6C3vRgSySxk94b8/nh3JYPFnaYQHPuiWylnWkmH2NIXEpbMYW2mDheSmtNn3ucntk9kehaaL7/eMzno6AxLUHvTmtKEyAFVFOqCf17xcD1dCrWzArGog268xz7CLPe4ddpSPn1I9sVNJouNMGwg95c/xpdY3p4R3oVUsFbSvRgXaLmjHM0l/4YSQyPrs+3qzuVPeRIKs+N9YNtDTpWq6U37ILwItZNmDCzxZVog+vo2e2HDuNF2RB6hWgSBBo9nb/3Kf9KaIldzDKyFpSCbErPQSuo1+gJosZ0nWW9bN+5reGhIf3YgOiVe5i1zY/0qv1g0r3z0o4HgMm76539k1ZWp/1nH8asK+iTlldRx6SJgUfrtF4kFNY0oXMmP3BeZOpJTD0QQuNm+tfNdOMYJhBL7d5Cj3x93Nn9P6K7bAxMrHPKAkgMoHolJ9GcZVAKXlPzgVMAL5y9f2W1mrT/Z2NAwENtijS3H5TGdr5tKoCSx+h2ABo15tHCbpH5YrTBJXQzPqGj2CwaUw9IidLnaQxwPT3CrM9y6T/BwzQ6C2oK1YFUSBbTV/ByiQF1YAlAYcmW7gO3lkFAod/2L7vv2wugQ/OdBUgqhWXfPoAI5k8DIDF4YTl2b9lRAglx7b71UAKNznyyFDhl4VdQQN/3vuz+fTkkPruqt4oKfcYe8oWrFkHZZdUB9RNUpSASv1hQEwAAAABJRU5ErkJggg==");\n background-repeat: no-repeat;\n background-position: center;\n background-size: contain; } }\n .pwd-unity-bar.-pwdub-theme-internal .search-form > .icon,\n .pwd-unity-bar.-pwdub-theme-internal .search-form > .icon > use > svg {\n fill: #001a70; }\n @media (max-width: 480px) {\n .pwd-unity-bar.-pwdub-theme-internal .search-form > .icon,\n .pwd-unity-bar.-pwdub-theme-internal .search-form > .icon > use > svg {\n fill: #fff; } }\n .pwd-unity-bar.-pwdub-theme-internal .search-form > .field {\n border-color: #001a70; }\n .pwd-unity-bar.-pwdub-theme-internal .search-form > .action {\n background-color: #001a70; }\n .pwd-unity-bar.-pwdub-theme-internal .app-switcher.-on > .toggle,\n .pwd-unity-bar.-pwdub-theme-internal .app-switcher.-on > .app-switcher-menu > .menu-header,\n .pwd-unity-bar.-pwdub-theme-internal .app-switcher.-on > .app-switcher-menu > .more-resources {\n background-color: #7474C1; }\n .pwd-unity-bar.-pwdub-theme-internal .additional-actions.-on > .toggle,\n .pwd-unity-bar.-pwdub-theme-internal .additional-actions.-on > .actions-menu {\n background-color: #7474C1; }\n\n.pwd-unity-bar {\n font-size: 16px;\n font-weight: normal; }\n\n.pwd-unity-bar .additional-actions {\n display: -webkit-box;\n display: -ms-flexbox;\n display: flex;\n position: relative;\n -webkit-box-orient: horizontal;\n -webkit-box-direction: normal;\n -ms-flex-flow: row nowrap;\n flex-flow: row nowrap;\n -webkit-box-align: center;\n -ms-flex-align: center;\n align-items: center;\n -ms-flex-item-align: stretch;\n align-self: stretch;\n -webkit-box-pack: start;\n -ms-flex-pack: start;\n justify-content: flex-start; }\n .pwd-unity-bar .additional-actions > .toggle {\n margin: 0;\n border: 0;\n padding: 0;\n vertical-align: middle;\n white-space: normal;\n border-radius: 0;\n background: none;\n line-height: 1;\n -webkit-appearance: none;\n -moz-appearance: none;\n appearance: none;\n font-family: inherit;\n color: inherit;\n display: block;\n -ms-flex-item-align: stretch;\n align-self: stretch;\n width: 56px;\n outline: 0;\n cursor: pointer; }\n .pwd-unity-bar .additional-actions > .toggle > .icon {\n width: 24px;\n height: 18px; }\n .pwd-unity-bar .additional-actions > .toggle:focus > .icon {\n outline: rgba(230, 230, 230, 0.6) dotted 1px; }\n .pwd-unity-bar .additional-actions > .toggle:hover {\n background-color: rgba(62, 69, 77, 0.1); }\n @media (max-width: 480px) {\n .pwd-unity-bar .additional-actions > .toggle {\n width: 40px; } }\n .pwd-unity-bar .additional-actions > .actions-menu {\n opacity: 0;\n pointer-events: none;\n position: absolute;\n top: 100%;\n right: 0;\n min-width: 132px;\n margin: 0;\n padding: 8px 16px;\n background-color: #0078c8;\n list-style: none;\n -webkit-box-shadow: -10px 10px 20px rgba(62, 69, 77, 0.2);\n box-shadow: -10px 10px 20px rgba(62, 69, 77, 0.2); }\n @media (max-width: 480px) {\n .pwd-unity-bar .additional-actions > .actions-menu {\n width: 100vw;\n padding: 24px; } }\n .pwd-unity-bar .additional-actions > .actions-menu.-show {\n opacity: 1;\n pointer-events: auto; }\n .pwd-unity-bar .additional-actions > .actions-menu > .listitem {\n margin: 0;\n padding: 12px 16px;\n font-size: 14px;\n font-weight: bold;\n line-height: 1;\n text-transform: uppercase;\n white-space: nowrap; }\n @media (max-width: 480px) {\n .pwd-unity-bar .additional-actions > .actions-menu > .listitem {\n padding: 16px 16px;\n font-size: 15px; } }\n .pwd-unity-bar .additional-actions > .actions-menu > .listitem > .link {\n margin: 0;\n border: 0;\n padding: 0;\n vertical-align: middle;\n white-space: normal;\n border-radius: 0;\n background: none;\n line-height: 1;\n -webkit-appearance: none;\n -moz-appearance: none;\n appearance: none;\n font-family: inherit;\n color: inherit;\n cursor: pointer;\n white-space: nowrap;\n color: #fff;\n font-size: 14px;\n font-weight: bold;\n text-transform: uppercase; }\n .pwd-unity-bar .additional-actions > .actions-menu > .listitem > .link:link, .pwd-unity-bar .additional-actions > .actions-menu > .listitem > .link:visited, .pwd-unity-bar .additional-actions > .actions-menu > .listitem > .link:focus, .pwd-unity-bar .additional-actions > .actions-menu > .listitem > .link:hover, .pwd-unity-bar .additional-actions > .actions-menu > .listitem > .link:active {\n color: #fff;\n text-decoration: none; }\n\n.pwd-unity-bar .additional-actions.-on > .toggle {\n background-color: #0078c8; }\n .pwd-unity-bar .additional-actions.-on > .toggle > .icon,\n .pwd-unity-bar .additional-actions.-on > .toggle > .icon > use > svg {\n fill: #fff; }\n\n.pwd-unity-bar .additional-actions.-on > .actions-menu {\n opacity: 1;\n pointer-events: auto; }\n\n.pwd-unity-bar .app-actions {\n display: -webkit-box;\n display: -ms-flexbox;\n display: flex;\n position: relative;\n -webkit-box-orient: horizontal;\n -webkit-box-direction: normal;\n -ms-flex-flow: row nowrap;\n flex-flow: row nowrap;\n -webkit-box-align: stretch;\n -ms-flex-align: stretch;\n align-items: stretch;\n -webkit-box-pack: end;\n -ms-flex-pack: end;\n justify-content: flex-end; }\n .pwd-unity-bar .app-actions > .search-form {\n -webkit-box-flex: 0;\n -ms-flex: 0 1 160px;\n flex: 0 1 160px;\n margin: auto 8px auto 32px; }\n .pwd-unity-bar .app-actions > .link {\n margin: 0;\n border: 0;\n padding: 0;\n vertical-align: middle;\n white-space: normal;\n border-radius: 0;\n background: none;\n line-height: 1;\n -webkit-appearance: none;\n -moz-appearance: none;\n appearance: none;\n font-family: inherit;\n color: inherit;\n display: -webkit-box;\n display: -ms-flexbox;\n display: flex;\n -webkit-box-flex: 0;\n -ms-flex: none;\n flex: none;\n -webkit-box-orient: horizontal;\n -webkit-box-direction: normal;\n -ms-flex-flow: row nowrap;\n flex-flow: row nowrap;\n -webkit-box-align: center;\n -ms-flex-align: center;\n align-items: center;\n -webkit-box-pack: center;\n -ms-flex-pack: center;\n justify-content: center;\n width: 56px;\n cursor: pointer; }\n .pwd-unity-bar .app-actions > .link:link, .pwd-unity-bar .app-actions > .link:visited, .pwd-unity-bar .app-actions > .link:focus, .pwd-unity-bar .app-actions > .link:hover, .pwd-unity-bar .app-actions > .link:active {\n color: inherit;\n text-decoration: none; }\n .pwd-unity-bar .app-actions > .link:hover {\n background-color: rgba(62, 69, 77, 0.1); }\n .pwd-unity-bar .app-actions > .link.-map > .icon {\n width: 24px;\n height: 18px; }\n .pwd-unity-bar .app-actions > .link.-help > .icon {\n width: 24px;\n height: 18px; }\n .pwd-unity-bar .app-actions > .additional-actions {\n -webkit-box-flex: 0;\n -ms-flex: none;\n flex: none; }\n\n.pwd-unity-bar .app-actions.-search {\n z-index: 20; }\n .pwd-unity-bar .app-actions.-search > .link,\n .pwd-unity-bar .app-actions.-search > .additional-actions {\n display: none; }\n .pwd-unity-bar .app-actions.-search > .search-form {\n position: absolute;\n top: calc(50% - 19px);\n right: 0;\n width: 90%;\n z-index: 2; }\n\n.pwd-unity-bar .app-group {\n display: -webkit-box;\n display: -ms-flexbox;\n display: flex;\n -webkit-box-orient: horizontal;\n -webkit-box-direction: normal;\n -ms-flex-flow: row wrap;\n flex-flow: row wrap;\n -webkit-box-align: start;\n -ms-flex-align: start;\n align-items: flex-start;\n -webkit-box-pack: start;\n -ms-flex-pack: start;\n justify-content: flex-start;\n padding-top: 24px;\n padding-bottom: 24px; }\n @media (max-width: 640px) {\n .pwd-unity-bar .app-group {\n padding-top: 16px;\n padding-bottom: 8px; } }\n .pwd-unity-bar .app-group > .heading {\n width: 100%;\n margin: 0;\n margin-bottom: 16px;\n margin-left: 56px;\n color: #3e454d;\n font-size: 14px;\n font-weight: bold; }\n @media (max-width: 800px) {\n .pwd-unity-bar .app-group > .heading {\n font-size: 12px; } }\n @media (max-width: 640px) {\n .pwd-unity-bar .app-group > .heading {\n margin-left: 16px; } }\n @media (max-width: 480px) {\n .pwd-unity-bar .app-group > .heading {\n font-size: 11px; } }\n .pwd-unity-bar .app-group .app-summary {\n margin: 0 56px; }\n @media (max-width: 640px) {\n .pwd-unity-bar .app-group .app-summary {\n margin: 0 16px; }\n .pwd-unity-bar .app-group .app-summary + .app-summary {\n margin-top: 8px; } }\n .pwd-unity-bar .app-group .app-summary > .app-name {\n margin: 0;\n margin-bottom: 8px;\n font-size: 17px;\n font-weight: bold; }\n @media (max-width: 640px) {\n .pwd-unity-bar .app-group .app-summary > .app-name {\n margin-bottom: 0; } }\n @media (max-width: 480px) {\n .pwd-unity-bar .app-group .app-summary > .app-name {\n font-size: 16px; } }\n .pwd-unity-bar .app-group .app-summary > .app-name > .link:not(.-on):link, .pwd-unity-bar .app-group .app-summary > .app-name > .link:not(.-on):visited, .pwd-unity-bar .app-group .app-summary > .app-name > .link:not(.-on):focus, .pwd-unity-bar .app-group .app-summary > .app-name > .link:not(.-on):hover, .pwd-unity-bar .app-group .app-summary > .app-name > .link:not(.-on):active {\n color: #0078c8;\n text-decoration: none; }\n .pwd-unity-bar .app-group .app-summary > .app-name > .link.-on {\n position: relative;\n padding-left: 24px; }\n .pwd-unity-bar .app-group .app-summary > .app-name > .link.-on:link, .pwd-unity-bar .app-group .app-summary > .app-name > .link.-on:visited, .pwd-unity-bar .app-group .app-summary > .app-name > .link.-on:focus, .pwd-unity-bar .app-group .app-summary > .app-name > .link.-on:hover, .pwd-unity-bar .app-group .app-summary > .app-name > .link.-on:active {\n color: #001a70;\n text-decoration: none; }\n .pwd-unity-bar .app-group .app-summary > .app-name > .link.-on::before {\n position: absolute;\n left: 0;\n content: \'★\'; }\n .pwd-unity-bar .app-group .app-summary > .desc {\n margin: 1em 0;\n color: #3e454d;\n font-size: 13px; }\n\n.pwd-unity-bar .app-switcher-menu {\n display: -webkit-box;\n display: -ms-flexbox;\n display: flex;\n -webkit-box-orient: horizontal;\n -webkit-box-direction: normal;\n -ms-flex-flow: row wrap;\n flex-flow: row wrap;\n -webkit-box-align: start;\n -ms-flex-align: start;\n align-items: flex-start;\n -webkit-box-pack: start;\n -ms-flex-pack: start;\n justify-content: flex-start;\n background-color: #fff;\n -webkit-box-shadow: 10px 10px 20px rgba(62, 69, 77, 0.2);\n box-shadow: 10px 10px 20px rgba(62, 69, 77, 0.2); }\n @media (max-width: 640px) {\n .pwd-unity-bar .app-switcher-menu {\n -webkit-box-orient: vertical;\n -webkit-box-direction: normal;\n -ms-flex-flow: column nowrap;\n flex-flow: column nowrap;\n -webkit-box-align: stretch;\n -ms-flex-align: stretch;\n align-items: stretch; } }\n @media (max-width: 480px) {\n .pwd-unity-bar .app-switcher-menu {\n border: 0; } }\n .pwd-unity-bar .app-switcher-menu > .menu-header {\n display: -webkit-box;\n display: -ms-flexbox;\n display: flex;\n -webkit-box-orient: horizontal;\n -webkit-box-direction: normal;\n -ms-flex-flow: row nowrap;\n flex-flow: row nowrap;\n -webkit-box-align: center;\n -ms-flex-align: center;\n align-items: center;\n -webkit-box-pack: start;\n -ms-flex-pack: start;\n justify-content: flex-start;\n -webkit-box-ordinal-group: 2;\n -ms-flex-order: 1;\n order: 1;\n width: 50%;\n height: 56px;\n padding-left: 56px;\n background-color: #0078c8; }\n @media (max-width: 640px) {\n .pwd-unity-bar .app-switcher-menu > .menu-header {\n -webkit-box-pack: center;\n -ms-flex-pack: center;\n justify-content: center;\n -webkit-box-ordinal-group: 2;\n -ms-flex-order: 1;\n order: 1;\n width: auto;\n padding-left: 0; } }\n .pwd-unity-bar .app-switcher-menu > .menu-header > .heading {\n color: #fff;\n font-size: 18px;\n font-weight: bold;\n margin-top: 0;\n margin-bottom: 0; }\n @media (max-width: 800px) {\n .pwd-unity-bar .app-switcher-menu > .menu-header > .heading {\n font-size: 16px; } }\n @media (max-width: 480px) {\n .pwd-unity-bar .app-switcher-menu > .menu-header > .heading {\n margin-left: 40px;\n font-size: 14px; } }\n .pwd-unity-bar .app-switcher-menu > .more-resources {\n display: -webkit-box;\n display: -ms-flexbox;\n display: flex;\n -webkit-box-orient: horizontal;\n -webkit-box-direction: normal;\n -ms-flex-flow: row nowrap;\n flex-flow: row nowrap;\n -webkit-box-align: center;\n -ms-flex-align: center;\n align-items: center;\n -webkit-box-pack: start;\n -ms-flex-pack: start;\n justify-content: flex-start;\n -webkit-box-ordinal-group: 3;\n -ms-flex-order: 2;\n order: 2;\n width: 50%;\n height: 56px;\n padding-left: 56px;\n background-color: #0078c8;\n font-size: 14px; }\n @media (max-width: 640px) {\n .pwd-unity-bar .app-switcher-menu > .more-resources {\n -webkit-box-pack: center;\n -ms-flex-pack: center;\n justify-content: center;\n -webkit-box-ordinal-group: 6;\n -ms-flex-order: 5;\n order: 5;\n width: 100%;\n padding: 0;\n text-align: center; } }\n @media (max-width: 800px) {\n .pwd-unity-bar .app-switcher-menu > .more-resources {\n font-size: 14px; } }\n .pwd-unity-bar .app-switcher-menu > .more-resources > .link:link, .pwd-unity-bar .app-switcher-menu > .more-resources > .link:visited, .pwd-unity-bar .app-switcher-menu > .more-resources > .link:focus, .pwd-unity-bar .app-switcher-menu > .more-resources > .link:hover, .pwd-unity-bar .app-switcher-menu > .more-resources > .link:active {\n color: #fff;\n text-decoration: none; }\n .pwd-unity-bar .app-switcher-menu > .app-group.-all-properties {\n -webkit-box-flex: 0;\n -ms-flex: none;\n flex: none;\n -webkit-box-ordinal-group: 4;\n -ms-flex-order: 3;\n order: 3;\n width: 50%; }\n @media (max-width: 640px) {\n .pwd-unity-bar .app-switcher-menu > .app-group.-all-properties {\n -webkit-box-ordinal-group: 3;\n -ms-flex-order: 2;\n order: 2;\n width: auto; } }\n .pwd-unity-bar .app-switcher-menu > .app-group.-retrofit-developers {\n -webkit-box-flex: 0;\n -ms-flex: none;\n flex: none;\n -webkit-box-ordinal-group: 5;\n -ms-flex-order: 4;\n order: 4;\n width: 50%;\n border-left: 1px solid #e6e6e6; }\n @media (max-width: 640px) {\n .pwd-unity-bar .app-switcher-menu > .app-group.-retrofit-developers {\n -webkit-box-ordinal-group: 5;\n -ms-flex-order: 4;\n order: 4;\n width: auto;\n border-top: 1px solid #e6e6e6;\n border-left: 0; } }\n .pwd-unity-bar .app-switcher-menu > .app-group.-retrofit-properties {\n -webkit-box-flex: 0;\n -ms-flex: none;\n flex: none;\n -webkit-box-ordinal-group: 6;\n -ms-flex-order: 5;\n order: 5;\n width: 100%;\n border-top: 1px solid #e6e6e6; }\n .pwd-unity-bar .app-switcher-menu > .app-group.-retrofit-properties > .app-summary {\n width: calc(50% - 2 * 56px); }\n @media (max-width: 640px) {\n .pwd-unity-bar .app-switcher-menu > .app-group.-retrofit-properties {\n -webkit-box-ordinal-group: 4;\n -ms-flex-order: 3;\n order: 3;\n width: auto; }\n .pwd-unity-bar .app-switcher-menu > .app-group.-retrofit-properties > .app-summary {\n width: auto; } }\n\n.pwd-unity-bar .app-switcher {\n display: -webkit-box;\n display: -ms-flexbox;\n display: flex;\n position: relative;\n -webkit-box-orient: horizontal;\n -webkit-box-direction: normal;\n -ms-flex-flow: row nowrap;\n flex-flow: row nowrap;\n -webkit-box-align: center;\n -ms-flex-align: center;\n align-items: center;\n -webkit-box-pack: start;\n -ms-flex-pack: start;\n justify-content: flex-start; }\n .pwd-unity-bar .app-switcher > .appname {\n margin: 0;\n border: 0;\n padding: 0;\n vertical-align: middle;\n white-space: normal;\n border-radius: 0;\n background: none;\n line-height: 1;\n -webkit-appearance: none;\n -moz-appearance: none;\n appearance: none;\n font-family: inherit;\n color: inherit;\n font-size: 16px;\n font-weight: bold;\n line-height: 1.2;\n text-overflow: ellipsis;\n white-space: nowrap; }\n @media (max-width: 480px) {\n .pwd-unity-bar .app-switcher > .appname {\n font-size: 14px; } }\n .pwd-unity-bar .app-switcher > .toggle {\n margin: 0;\n border: 0;\n padding: 0;\n vertical-align: middle;\n white-space: normal;\n border-radius: 0;\n background: none;\n line-height: 1;\n -webkit-appearance: none;\n -moz-appearance: none;\n appearance: none;\n font-family: inherit;\n color: inherit;\n display: block;\n -ms-flex-item-align: stretch;\n align-self: stretch;\n width: 56px;\n margin-right: 8px;\n cursor: pointer;\n outline: 0;\n z-index: 11; }\n .pwd-unity-bar .app-switcher > .toggle > .icon {\n width: 24px;\n height: 18px; }\n .pwd-unity-bar .app-switcher > .toggle > .icon.-back {\n display: none; }\n .pwd-unity-bar .app-switcher > .toggle:focus > .icon {\n outline: rgba(230, 230, 230, 0.6) dotted 1px; }\n .pwd-unity-bar .app-switcher > .toggle:hover {\n background-color: rgba(62, 69, 77, 0.1); }\n @media (max-width: 480px) {\n .pwd-unity-bar .app-switcher > .toggle {\n width: 40px;\n min-width: 40px; } }\n .pwd-unity-bar .app-switcher > .app-switcher-menu {\n opacity: 0;\n pointer-events: none;\n position: absolute;\n top: 100%;\n left: 0;\n width: 90vw;\n max-width: 1024px;\n z-index: 10; }\n @media (max-width: 640px) {\n .pwd-unity-bar .app-switcher > .app-switcher-menu {\n width: 480px;\n max-width: 100vw; } }\n @media (max-width: 480px) {\n .pwd-unity-bar .app-switcher > .app-switcher-menu {\n top: 0; } }\n\n.pwd-unity-bar .app-switcher.-on > .toggle {\n background-color: #0078c8; }\n .pwd-unity-bar .app-switcher.-on > .toggle > .icon,\n .pwd-unity-bar .app-switcher.-on > .toggle > .icon > use > svg {\n fill: #fff; }\n @media (max-width: 480px) {\n .pwd-unity-bar .app-switcher.-on > .toggle > .icon.-menu {\n display: none; }\n .pwd-unity-bar .app-switcher.-on > .toggle > .icon.-back {\n display: inline; }\n .pwd-unity-bar .app-switcher.-on > .toggle > .icon.-back,\n .pwd-unity-bar .app-switcher.-on > .toggle > .icon > use > svg {\n fill: #fff; } }\n\n.pwd-unity-bar .app-switcher.-on > .app-switcher-menu {\n opacity: 1;\n pointer-events: auto; }\n\n.pwd-unity-bar .logo {\n text-indent: 100%;\n white-space: nowrap;\n overflow: hidden;\n background-image: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAFUAAAAmCAYAAAC1Q9c1AAAUJElEQVR42u2be5TcRZXHi8VFFFBhUUBARXBFfCsCq7t7iMfHgqKENyqCoMEExjynH9N5TAiJZCOryVE47FFJQpQwYDAEkkCmp+fXPT2ThAnknWAIEgiEVzYQYJJJZtL7/UzV7d9PO0OSE/a/rXPu+fXU79atW7fuq279xrlM1OGybRtcpvgXly0+6bKlVpctXOhomfI3XK7tGb1b5EbOO5Yu4Z7vGtqeV988N+rhD+jvKRqz3WVKQ1xmwUdEY4XLlZe7hvLnHK2x8R+cqxziGit6qqVaPi78ZaKxyTUUr3DWGhefpLkeUP9ml43Wid564S1w6UKMk44ucw2lpzSH+AUn2qD5nxOMUt8Zmne9IHKjolNAtzn1/jrRelbwBOsUrBX9X7hB897tzm18h8bOEr8vCa4JvLyHPtHaqr5vufr8F+BXMN/VF4531lKFS0TzBfFUdg2LP+PHFt7hNMFLGlxxmVZBseJuWlkRwR2uvuUrrqH9m25cp/6OnnKpRz7oaA3R99z45eCvcjeqL1242/38iYrwx7r6Rz4mGl1i5E0J6BxHq0iglzYd6qxl2n7qxiypeLrF2e5cmKC/9FEtfqVrXCba0R54ghdwRW+cx4mudaM7Ki7Xrr62ihu9uOImrKoId7LefV7PHpfreEYL/eekUMVrfZiPNfb2jZu4FrrT3OAHjxb+I27iGuiM8Jsw//2iH7mJ68C5Qpv5ZTf2Uf0urXUj8x8GRQp1hHDuZH6Nh+5wWy+MblFnjwYOdanoEy7dmneNj1e0C7eo/9swL5w1rm7+O/2E0fksVHjL2DVp3kwtXvj5nMssPE10tmncNpcrnmWTsHv8RDNE6z4JBmYrWIa01e9wuu1DEuxq5hPNn+nvT+r5WwkZvBdduuWzLtV8oRu3DN46XEPhUy5T+IgbpfFDCkdqzrNFkw3d4OqjjyWFqo0fiiKIhrRY41KtQ9yYpdBd41KLzhFPs91NK9ioHzvfDhEv89149WVKl2q+c0SX38uZ029Uyxc1bi0bzHoklz/18RF2H7XfI4JfDwxM0QRo4lRNeqGY7ZUAX9TfQ/hb+FNhCKFKICcI/y43YTULzWnC0/T+NWncq5rsrOrCmrymYkZ6/4oWt1njlyJAPescLRedrHHrpA2i5d2PaJyIibOJeg6SkC+SxvB+FThssPq+4wbdoc0qfVGatlPwpBvthWoWItxh8CheH+BPvT9F6+rWep5y9c3/Jjp/kGIwx3TxcwFzab1r3VhpNy4q2/wvCE/4K92Ih0+GhPrr9DcKsExaukn0XnTZlrNNqFsEvJwr+A1C8drQIsKl/9DfOyHYJ+hJMhkWxSKz0RI3PH+iF+qqWqGiObRBnf/orGENjY/B3DS5gcsxSeH7hdYvPd41eKFK+FfSpcX8kyygxY1/XGPKIySAy7VYrxkI4RebKu7mNeBfytwS6G4pyEaN8+YfNlNjhvs15Te6dP5X4rngJq2riM9FLtUmHx/dg3X2rXPSetbqXUu6KDfU8X03qirUNXFsKd6Pckmg14jnW5AB85hQN2sSfBwMIjDv6xqbDsP8NQiBvYF6i4npGlgM5v8ofrZfoZr5m1CHN71LdOdpcYxtkiB+zk4LntfvUwkOBBK0V27lchOq6HWKNxY4WH77YjdmMRv+rAQ8WeOm9LmpYQqQ6dJnJdRujd/oMu2nmevhIb5GYr59MGElQkMYzwl3ANosHhZ6vqIl+ElclHh8mc0TrStjoZbW4Us1z4cZjzJi2eJnVnAff9YmHcUuviCiPYIpInQeTtnMRgMvhphwVsunvidE0u8E83/MDVt4wl6E+qp2bltVU6+583AeBBIYgVEYwByDWYsZ7Xaj/C3mT4AalR/IEM3xk+DTu+QHB2Dq+EY9m93ft2wrC+8S/pNkGMH8DzPzx0L0fFS0Lhetr5tvRAhSmEfw3QquP419f/FhrEH0LqsKlUCamnsULoHgxFoIcFgSFizam1xO8pMQX9bAXvwl9CwNCgK8SAMR6hOWSsCUCCDUxxFq3y7dvBoTHM1i8NEIgrQFJqQd6wRpfGcYt0kmOIFNELQg4D6flmlW9C8uY8Pwo2gFrgDaonefF3LzD7Q4tGOH3q9SP/CMxqUQquZ5RWOZm4C3QvCEaNyAK4OOng86axY8URaiP5vV0D7Uv2s/RjTzJlQCVQhsS+FTbvEO6OFGBBnRnaR1bfAWFWUQ0vMauFOIV9pkJlT1DURAaCo5afAllyBozB9Ba8enEyVFOItQ9Z6UBq3oQQCYnJ6/00Kb0BbRmxSnV/mvgqN35JffZSGizdg9oo9wXxCtX9vc6r9OwGIAFomWYJZTQ4Te7IMfc5f7LEFPbWDrj4SHT53vGiVEv87DY6EWF0ggaOqNni/SLGkq/Fr0hy9y+HTLt/ymiT45bGjid6zX1uJi50Y2nyH1/owGH21+KEZc9F5SHhy/7aye71M68znSFvo04UmYtph4P2mXUpRPkP4IPkn6wpPcjtyxL/0ZLi0gI8DF4Gd5T3o0snAsJlkdC183yKfSjK/hC4+BV2nDp8EB+BuLwddxAGAOxvr3iz7tGpqPQ/PIPIRzirk2eKgGM7IBDivwQAMHjWRdrBfa+OzRZfn+zmOZnzno93TEG/IjDYT//29/2xDQAeGiWElFtPzQR89FH0KjOE0kB9lOAGgKR1F2PJgkzeMYYX7XiQZHReiBm2r7oM8CAg4aOlQahHbjQpgT5hInMDSEd+AwlwGaVwPQsndo7ZCmI8lerM+e9rsWyh/oGzfs/vc5GhY3dO5xzG84YZ4YrlXASramyqHwjusk+s+UmndLpf9HfqGbAIQZ1hwx053v1QIfEu4u4ezSsw1mLLDFCT5+thiJHnjQJLO4u3oiu0PC7ctTox3Ce1qp0lb9fo5zPa8tImvcXeAInhVQa+gXQq69mSAp2tsUIK/H/DlWko1AYx/jGdslmBFiydfU/yy88a4GX/z49K/0AP6abMHchuWp3xcj4ewfeaDPNNUQM4s+HyK7HTGVOrUOMGKmqXp/niZG6OAISjyHxQIjQyhudGOXEtz2gOcdfGkGWm++XMw+FI7Le4y3twDwmCvUCtqG49sUeF5W1Gaetx7Le4ISRSLa6LbzRWuXgmjNWOOFuTgg+FpFqURcqPpozJ6Kj4/Y+d6Ql95pMoiFVfqhJt0jh7/HT1SMTxCofmjq/08SdOHtCpnD00nnzQlEALPg9Ag88/BA7YE2TKafLvzZJ/rN3Ur0ewS98KcDwB4DeKFPOL3Q0W+KHoripZ8RYKmmoQDq3w0+uMwJLQPjIaSOc0wxJI83UQobmwTG0Q/AH5kF6VbVwkOR5LcQZVIR9HkiVSNanDJMY5G2sJBi/MFem+lDHCGBB44Wd5+rm+ZNv27DO8X4XWgpjJEWgceG4i7Ex/UmVOEt8BWzkudJgIYwNxsi4MliSJvA8zxxMsp1jCArkBvYAi8IjnGiCZ1ayGis8mXRmRdbW6kLvhjLPFp/L65MNHYzxrTY3gfFaEwIrHiFOnos/+O3kumreGXHRU1QNMFDSL/BW+FS808ytHCs7WYSTR6geKO9xkQoYsCAtHc37kRmu03MIogKvtfcjvrPdNn2b4f6wzc4UkpIt6F5aC4L1rjtop8VvS/3FVfSEkaudAG+nhOdYAsCQKPBF/xRgvt3SprQ5emh+E3mkrs409GggaaaRaUjjS9OJl0ERxp5rt7dxfqQF9oaSoMLXXaJTwNxARQLYMC0EKdtPk6CPEsEXoIxEyq4BAUK2bFQi7fi0zALrz0yfcwwfv8TGEEweu7gICCa9+CbhO8thADTT+N0JFyEGugrkHB83VvLdnwFodqa2EgJZLzbj+arccU3xI8XGm6POnCikdNqbZEODQj1TYRKjVkF/tOTDN+RdAHUOq2CLqI/xsyYwISKcOjTorKgkJJwzDTTR/NkAffa+VtJPwWV2fQLxxdSUsWzuDFgXh8so916DraTHU4/WeWiwg8uQvUbQ8aSv8DjrzmMgMkzCCYItVQVqsaPdf22OHr7010QasoLVXTCEfavh/tn57sV0GZIqPCzwx+vW9dVA5ad6TF7OwZCELcQ/OltDII5c/iCCj5Wk3mTxURJt8z0MRlqsKERrPTeH2G9JRR9Mbj8JTReYMK+t3pMrlie7BvlvxqhYva2CRY0TaimqfDro3ee4orMN63faZ5a6yj1jVOQvM5MV3wMrNHUbHmw8eSVqHgCV1HSUNNUNq0dq4+PayOikznTmrmECtLtnIPVF/G3BSlz0KEEuJwSoBY3gQBEPwvGd9quhWuYG9Rn6QgBbJIVLzRvXguxYPRXjoSmOcBBCRU3YYGKecdp8fAJIAiroXJjkG0/PcxzCUI1TUVBCEIcCKjEUcnT+9mag/c+04EWfhZLSTKtzts903nMBaROnDYlLRaRFKpgd8DhOuYqK4Z4n6x+mboq8t50R604QjTmYPrCRRgvk2AnAuXYED3ZJILCMNOKt0uoxrN+dwl2AFoPz+3CY0M7qMNa0Uh9rwsYY2N3Smu3C16HT+giUNHohndiBBeBcZnPWkrESNwtqmX77ptaROR1InRCoAmTKr6pd5HwX7H8lZ3Vs+rYuc+hlmomrnHtyeOwr2+2BmYRfDQXX2zC6l+oxQMRKldGFOPR0ACdfj4uLrmGiTXVhJrYEHN9wf0ZIJeGEhCnU8mKja84FVdasIEAAoaogYh0CQ8w4VYMBwaC9m6kYpMw/aFhcZZZRHa0swKzhPAaGwmeP1a2fsluDg5KqODFPrUsujdxW6B16OZAkG6dyH2cYLjVM2SdAzW+KlTLh5kb/uATDebJRkGjJtj9rQuIfkPaAiETrCfQGo6cbbP1+3cIL4kTnkzs80Fo2jmeeyjvb3cFTe4S7hCrsovefzNOff546y2g3oR1cIHKUqryPqN/fKVdvphreoFXBB2VyYZE4yHydfJjeCR1DNdPM6nPmixrXQBXKJwaGBT7E1IddgStvNI1YK5Rr3BNqDEO/eSjoXHDqL5qjguwwwhWTEZa6GP8ncgquJeHznxj9OCEWoqFSsF6PxqXkhrfHR+Gir2kVHY9REDCjeCTwzcTbwgGGh+1u5TLn8hXJuYCbLEMJjLjIsgI9HslAck0VXje9NlRisU0+5ABv4XgTaDgscMcDSmaIESE5DfHagFb+KDDyosmVHAPWFPRNp4EYq6YSdA5HfEERj58OocOO7tT7dfYpFA1vlznrPlr7NfgAcGSUXCzQS5em/haozQH86aBZtbsUHzd/EuPk0/iINRZyXKhxixAgPgmMQOTrwpnrhj/o2jc41OTtlnkrWG+6sFCODnIvH3Rv0A5ksDa5aFgz+0hDVyI1Ybjdk9SqHbVEuY6knw6qa24BGUx3zWUGhcQjmndwW90Y+beHKLvJXbrPCK/wHBCzSC6LiF4zuRbocPCvEaW5uz9aNh8BgEqaNYucLmQ4w6pRqi83z+hqkoVR38BQkpA+BulIBsg00EhEGqyFkI2w8cTceAk+F5GDTakXTvCbepsCvB7d9RU6s0FxBF9Na4hefZVX9mboxy2mT5pSZx/NnDqsmNtqEZlzDKYj2TZaqjCmSfm0MSd0Av12wGJo/TIeL4ytLZxEbdvTW02v8/YGiDgEEg5hJhQNV6uKj5dmvkbv9xJCf9BqmLkvH6TC6/jGt7KBdxq6YOvBURTzb8lgtoYiBEdhQue6rBB47kGYecxfUwMPEpx6bZ/tblq5yynJDTw8WdoNWMm1gg1VdgZyn1b30pTqaeCBz1BTy0U7LkToYp+swlVsNuESvkRTTXFM5459IQsAa3vDi6k2fXXuI/i+ySKHpS70MwaobJbhkMli2+rrOG063XryjtwyAI4tk7jWqWfCzbo5QpnMp8EB5xj30XRoE9Jj3fQ5bYTDTd69rRUjvfMy/yeLuM8/fh3cq62j1s9l34DcmbuqJKFe1ujBPkpePIHHM3D737aIf317xcO/nk/Gsztzy3mPunZN7CA8fB/0/aHX0OsBTt3G8D4XnHoxyS4icTk6Te65HT1Dx1PGsauVktmdcKzY6gxl6xK0cehYIjGcjNqjaDFqYfbWu7cwe9vA66aeQQFdDQM12B1CKPDBSRzYR3Q5MMzy4tt7f2vv1J9QqMG9+1oyjVlLuWZ3EfJj83h2ptu5adXc+uoQDGHvDCc2G4RPMenPJhO9ZPJMR0T+0zN2ujyYI19mltb/faF8PqWFDUG/yll84Dqt6cjVFacvP4o0cyaC9Lv/9LYja5+0RQiNvdf8s8ZqvaCm7ky8ePz00ip+ASJDy7igH0QDZ/kfeODBwaMIQ+l5ZaerOLELAnlanJZOf/xXjCLb9B1xSYt7leucenxaIwc+q/1/vd88q7+nFWFtMg3lKY0VrVt7JK0gtz9EvzdquVOjX1ueZZgsseTtqueKxzm6OTbKa5+glBn6N366vev9fNPJYPRXFSbSnxBaLe7HKO5LDSBQpfvDpiP5wHJBXwRn8ZHZoKZ+j1DAWcmwN/J34DheCg0SUApS8F0qrhXJ6wseagWMiIIdahSqo1azCRLx6QR06lISRB36jv54/j6mFSKSMyiq+W33OKMNHgrH6pJU39kn4QzTjQnmBmLhxnUdCndab6Izxx5FYS/vHpkzi4+g0tIjsV9H7VlvFApKmNd4v16F5oPXC2/19rv1nM6666FWvnwG358BMPPAYN47gMGxXiMtUgrAfxSzD2uhdzKiSPcE12khRZdQ8c9fFcVynxjtCnXJiL+uVrs7S5NMq1nyl84SlOvlvbX8c8N0tiJlnjr75wEPsgyFKxCwj5b+eMxOuFMcY2PfjSkZ6N1UFgq3Ckk5NwOyx01cANBLikezrcbYNI25dcXJr/8xqfvp0xq8P4X9AcJPy6GhDcAAAAASUVORK5CYII=");\n background-repeat: no-repeat;\n background-position: center;\n background-size: contain; }\n .pwd-unity-bar .logo:link, .pwd-unity-bar .logo:visited, .pwd-unity-bar .logo:focus, .pwd-unity-bar .logo:hover, .pwd-unity-bar .logo:active {\n color: inherit;\n text-decoration: none; }\n @media (-webkit-min-device-pixel-ratio: 2), (min-resolution: 192dpi), (min-resolution: 2dppx) {\n .pwd-unity-bar .logo {\n text-indent: 100%;\n white-space: nowrap;\n overflow: hidden;\n background-image: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAKsAAABMCAYAAAASqUcjAAAni0lEQVR42u2dC7hdVXGAD7bWt61ttdUqVatY66Nq1WqtohZfxUdVaLFQtVZDRZE87jnnJiEQSBALCoqVioooIGAoIKBAkrP3zpuHCcgjCEYeRfANBERI7r3J6frPnrmzTiZ777Nzb5KrH/v7Jufknr1mzZo1a9asWbNmNRrt5LONdrq00UwuarTSbztoJqc12tnBjaHFT2nwdLt7NPZf9Dt8Db/t32glaXjvwkYrW9J7d372Bw2e+fMf0ZjffUSDZyh9V6gj4b3wuTh8nt5oZn/KT+H/L8jrSi6ROr/TGF72Cn4CV8D7ZegL8K1GM80CLQfwk9BQ8QRa9WllswLu5aG954fPToCvNA695In8pHT24R1O30vbAlwMXQ7a6akB5/TQ5pfFZfXT2kabs0sMjwfhH3z8pNIcvs8L5ZeHz/MCLAv8Omy77Yrpby1/fsBzCTx09fG3JjzMjg80v9nKZr/b+5y29pEiC0koewF10u/a54C2DRzwxt5LDjU+J/9JP1EX7wQcC/ro9v3y8fDecnDRzwHf1xoz1vzhuAzFT0D6/cZR13Qbc1d3G4dfEeDyfph3ZfhtTTcguT0g/qe8Yac8Usoe0VhwXbcxZ1W3Mf9q3vklQjjeqEUq1GmrcfS14b3V4b113UDUfY0Z2XNyocheH+qlHquv1cnrAVcr/Qn09epYcH1XGm9M9o/vxNkrnhzw/Lhx1PdyPEdcRV3U8yaHS7+3s8Opj7bzbj9voFdxpA+F9n2jMbT8WVrnOI6hpa/P6/sueBSHA2kbuC5HKKTTlzSOubEbBm63ccz6LnVYn28jrIu6wudlr6VteZ9tQ/NceCt8bgecDAL4a+1+dKjzxsbR13UDv7qNhet550tO8dC2VnpNj97h8fdON3lKvtz7bfbKbpANflvp6B5XCN9+Uvj9VmQDHkAbfA10vb2vXRHyqwJikG4OMJZDsiWHdCR8buY7De/9Npy8MRpF7VyQk000sFfxnM6faKeZBu4cFgSV3zc1hpfz+aPGjM6z5bfXSr1bAy18bgmaeN8GD7ja6c1C30MwPAyYuYMKK++olgQH+AFw5Z2WfdZGOmBlwjtNGaQjUgYYFRgBB3/vtefItQzAOwNtL6do0NiPygV+6d/zXgB4NKo4PNC2NQjk0khYL8gHbvorPplhCjWrKoV28nfhffBsBW/cn/K5Wf7eZeAywwQt9hiK8hn+f2VQWtD6a/pb+eOFNVsBvbwnfPyiyUT6ORnEDwr/LnPCqvQilAg8tMFL5Ah8zHrWzgCGfC0EqsCEivNRgfDNlVFPY2EoGgKVbZp1jgjxCO+hfZ2w5oyfLg0YFcG7qzGMsIo2gHnUS/2t8NnsvF2FNfzthwh6qGtEGHN4lbA65rSz0xix1E8dfAojNzRmXCZTjnWGTOEt2kbbpfN7vIAWyqLBcg2VjTAIc96kNzVmd/6I4lIvwjqCdgRPjmMl5QVPD+C1CE+yWmnG7JFB8GtwY3YMIqzQJLzM62MwwXOA9vC7DhLaoFP90OLHhb99l35CaPLf0pNUWIFIs64Cl8qEamDp68/TTwwM4d8S1x82IP+H8qIUe8pElNr/NYZWP8X6xQvr5kAoBRb3Gj2UvDEg+LdA8HoRxFFhApr2lRRFyzlhnX7ZU7VR2EEi1DMGFNZupbBiy1ULq0012NrQBX1NBiR1iPAxqtvJOwyfF1ZoltH/iwCHoKUDfIjRbzOKaK0jYXy2kOLRrDGibeM7plMQ3neHz/eHOv41vH9g4MH7At8/2BjK9qGYalaEFQ1VU1gpowBfhxtDnVdj8oT/H0d7eAd6hZ/f1tkg1LG2T1gRPJ2OlS+nhD5tpatrCqvRjfCZCbAB2VNtr0pBZsH9zeT0wrpJmHNKzIfQyDfQGTAc7dBD1O4cICbE4ZGwUtnt2IeOqZgBu1iz6kBBIKRO1TZbYYpoFvB+sVSz2kC8rTF/7WP7eZPtB9/QnLwnU+gPxxejzSV751ojU432UBDIF5bSbVr5/B3WrPHgR7vHD4tg2oUwQS+zwfxFv0f7w/d1sbAypTu60LA7qlmZ0pW/rEvQ+qY88hkM7Up5FlqihZ2wglym+dOl0x5vi5zkLjpMhS2M1INUWJ1mNa+BjSJWsvU1a31h9Z1Jp59NOTFzGLHnoyXpVDFxbmHqVm1cKKxMTa1VTzObVB6EHfyqQWE4WswG+mb+rsIaBPgl5WaLCWuhZu3WEFZdrEwXLw3TvvQFfGUQsrgCZ7Gw9nsDdlhYEXTFgzDynmn6C1hMi9mSr2taS54WL7S8ZmU11689XkVHCMItMu29x4SVxonmhbG4MjCqcUMAuEwYvcPLxCYpE9Zs62SYATZ6s6cz0Gg8+FkQ4H2ImD1Ge+IpB8YUCSsD11b863+Pr0zpwtyt8Eds4WkqrNAtvOvVJzw5M9CzKPztmwHODnBer/OGL33m5GvW5HX2otiJ83LNKou66+EXQmjCip29XAZoeikLPwC3o9B/L/1J22oJK/VYv94ufAU2YwLh6pLF5Ah9jhmq5bxm5UX8Y7hhmK6a6T8G4q5QrSoNeCCscl+kNiuNUxUOg9T9BEMAviOgMv2OgatYWJPJ0aw21RxIWZgvdF6f+wnTk3GhMbhEg3zNmQ9OWJM+YbU6lr6qp2HaMhhZlLLwVLdcs3+BhYDQDgXoymnJWAy9VMlgBpgUmxW/53D2zFD+r2kTA1b6cVO+6MzObfCctMFsVtpBfzKQrS8NqENMqTrCCm/VfJIBPpYP7uwHzFbh3U83juzrl7P6ZhMVVnHPKFM3UxkLC5HwLSAAEc77UFRt0Tk0Tn7fKjBCB/EJgCuagkVYk0qbtb5m9VMkjaXR0uHUf7JuZqhbanwqPEy8GIeGThtAs6oGZlMA95IIwKgKq/pZnTeAdsagXgaUAAJlwlqsWbs1vAHQJC4r2qz2NfSIYL7PewMoY7LA+3G/Ku7awmobHl+lnPYL3hrh+b7wAjlRpcbsaG3sd12p3agNHhMit+bIs/vxJUYMHVbNClAOXDAlBkZov2ZNJnuB5b0AaJNW+jMdwdRr0/OSl4fvdzMY9TcWjSqs1Zp1vmnWZrq3mkGmKdJDzAwwYRVT4YHwuTHw7j4gfL+HTsNPy2w2gLB6zbq/E1Y6HMVhJoH5ekehB1cZ9jxtMT8rwmqalQFo/Wgg+OpoVhtg2P2t7A7pjxHh1ydy+pe/CLvVfuspwn+3NpqwGoFUYqAG7zpWlqrOTViviE2EXwamzgzEfADB6MEQ7pn0HHDYAmvimhX7kk7rh0a0FZx+SO1pc4tkt4a6rwtwk0zd8cLyLGVKkWaN3XJ0ri1YrJ58AHT2yztmmS2wAOpCk7VX7dmYGbTorM5fNWYHGFr8wmBOPB+cVQss2omAxe2GHq9Z1a9rO5P6iQmAKWTeDVk0qrCap6ATcB0U8H4ktGkaPJV+3QBPeK+usCIPgltn497MJv1yI+3VfpFZ8bzteQN0pb4hfP8SdhwMCp9HB3hnzkg3BQ7HHYow6Hv2WIdWewOyCWpW0zg0ksaKNrHFIbigVV1YsWkyN/kzig6kWeVhN4e2QZ9o6nvRkGoG5Aus2HXVefHOd12p/Z/mwoI7Ei8PAtrODjNzw/iIzRpp1k0yPR+/PdKIsaAvBvIGsCiLHraNbSMgtUXu3P5+MTdp+nNmyQI/K94A//hADS+srPBwN6j2xX+nmwKT52cNdZY9ZgL8nLpU48EQtD+dqe4RczWl+Soen6wXVmtbe+nvq2M8fN+TAS2/xU72DsJsbRNhBRACbNw6wtoSYUXgSp5CbwBmSsEDnYAT1nHXVfZ57UtANbBsCtQWVpQBfS926aD9wrsf3q6flQ5QgaQhaFEI1UZVCSsC5gJZ2G6dgJ8V+szUSG6WiB4imb4jEVsXE7XEdCVtOoRGSoMBmKb24b09aAI5w6BftPC5kcZs07bYLRc+l1IXri98tdSh5alHGLu/226lI9S1xZZqW+nXaCgi3pI00PTfCEO83YoSEY19B+9Jm4G8XDvLwt8+pW5GeLSNn/WtKnBqawMWC9F1wirbx7bd6gNZVtUSVttCfj+KR/pF4X7rFwFd4PEJLtrKA4EIGhXTYexwWCOoJH68sKqNI0J4m4sNkE0BEZ4RRlJvMTFsgSy6OLMVswWyqH0E4To10AADscMWrqf8idKmS5WZstq/odFc/ly0Plo3h5VPYhZR+qGLBRnRYIJjtkzvY0pXX3QY71OOjkUw5l/D/7+q/FFh5R1+10WLc11JVBuRSmxQsCqXTr8QQQA/9SOEvtxqjXq6Usq8kveU3tydmL6ldEFKP+nCsp1dBS0S6KObAl5Y29lKDVbB/RVrfQQcPjGL8A7CGi8arV9W8dv3e7b6nBVP1X5h84JBO94vtIfF8MzOXjTwanXjyEj+WmSXlQsrHaq7QzCumd4Ra1Z7L5uOUMFEEbyfjAvrrOR1dCZEiW2HNog16y1C3xbVFuAxEI8FTMNlNOeyp+JKkhFMm2Q68w8aHOFXvLnbKfmobnhI22I3U1wvwkL4H+4gGH+yakU2DHQgIqSiGW1666efz83SxmtY9IigXyQ+x1HznfpyuWCkSR4Kmf6ttse8Ap23VgmradZknbR5c8w3r1mTNaI99T0zHRE0WSuI3z4TE+DPw9/upl9E1vjt1AKb+B/gmZqGeRuzj/HDuikjrC0V1k6hsDpoSYOgHU2PJwJmiUkhRvq71N6C6WpLs7rHjSKOaTUFLlGbVfAwVbl6RatuCN/P0O1VtwBFWMV8MRwe4J/w57rtCWtpOWhEIGJhbdUXVrZc2RSAjskRVhSICSteBNHG5lvGMxD1i9rFbH/n5l9uOkq5VfnU0Vr2JtwsNAx3yqAR+LnqXv5mYlzBEQh7jWgVHosRnbv8GeGd/D06lulRvQaofUZSDLOyPx7XUCwamlLW3vHAdAc9zSXPDWXeRnvC//fhU6fW7Q0+/MaU5T3qoT6lOcfp6+VvrKhhqu94c9PQNqLX2EoMfIrxeHzwZygImwxw8GNvQldpOWjURdv8K55Im+N3jEZv0ilPVCA5oQEd1AneIPh7uffA01oiPOvIe9lfRlrxecpPPtmV07/THusX4iZWPaGQtmb2Esf/ImEcVGAn9F634rdJfSYXn4vUh15X366i1ZfZ9bSYcvIoJoU2Wwgp1BES9Rboyp/PIoLiOqjT/UZ5+YwbwN+kjkrQ6CBPE/hK2+9pMzxAhM+A9lcxu4pmX7fx1r8DDQV0FNXHM8myYLT59/juaHMyUN0v/O76kX+wFbBFFNgdAjSAul6jjegYDzBhfIbHg9bTaJQKpisHQwT4vwpMlQDGZR1Oh78GlNBmHW9tceUK8JVBWVkTKF+vQikeT1vBQNht0+humMKr369H/9R+9vgtqM8UJQNgkAcfF74uFib4smLgb/zGqrx2R0+7+LHBuN8LwMep+DDGqbM2Plar4InxKfB/FgPD2XNYlBUKHAuQGWEXZXqof04/8Dd2WNilqjqECD/w2VJulwBeixn9tPHd2jL5oO1TfvLocRTqhaYdbQsLq0ITpPQZTmeIH+9eoqoU8FXyN/HvrUBYzKVVfaKULTLxgd7P7lGOL7tHXEor8AYMgo9pw/AlWwyfo5Pf1mqHSsNthQ7TOZ+Pg7mZ3iqBxTHwt1/iuqKtWta1iwFBwDLuNzZBKLvz4RYitQJtC6PdsWMlakvaMonA8SRcehxfJ76h/9TvF+B3/XoT+QR3+j34LGfC3qmHNnlKbVncFbJVqHuzBsMSYIAw426qeZyE8/44zBUf+O1IxYoXlyWrcILM1iT42oYvxssOEnGSrlxOr7joUnZ+KENASwz8LQ4sfk1RPgGCVPI4gKsUz84H2sd5/jhuo52cxq6XBOdMMqxiV83O8Pfz8YLeOf/hCdSL/1R24cQHvYEEH8xsKkfFSowsHJqwQc+2NxM9476JHQSQqaYrs0HMd5rcKNFKm8AZ4ducD4DOwRXCb3VhPqD1NMK9n8YR3VHCvxqFMPJYowktlEghpUVxuLY20//KeebzCeCHhhYNY9Oyg4J739Pif4dm6Ip34loZx1OEH8X18Bl/r6Qt5ilt1NgCE9azNDKLd2u10b8/Fu8Ecu5Kg8HdzBZpwSE9I6+hZQpUIIK8zrYTPRJrkOyksNUZ71Mr2Hn101QgSoXfdj8Ul6NPEi7czCAx+kzDMq0TA6Gxt1bewYi8cy0bCUZD3LaesG6MI7p2AYzEJx2EJ6fwN23PJMMWyR/BTPO2bcyAc9C4k1OvRFbpAJkrmpewVHmchiX4F1tQDs/1dYCNsHSM7UPTXP6JM7BoxJIQ5IQLuw+BUIIqjqdcqFt4hR3Zyk50uEQzY8LIGTEn8K6tEifAzpPi8Jo12QivdqWwSvu/sGuEFR4hrL28CjtJWD1o7K+Egg4VK0ZOLc4TzeOlfwwETI+KoOIY8aJcE3jhkgiifDoe7rxCGVEo+CxoWBR54QC/7dsPdfaxQGSnmT9ZwWAv/CQp03Z5M+De/oGdaAhgH992UFDsE5i4sG5V2ozOLID9JvVNrrDSNwot+xyE/yIfY36dZOfkZ+pU65Emo/LbdeQTUEFwrgcLQtiA9rQG+UaIafEJJ6w+QdrBxXTZqVXcIUaHfaK9mdahx88anoF6sI7wNbIMqsBuI6x361FkmLp9oK4iLe6VQTkkm1AkBInUEtam4K4P4NxCG4OyeOtkaVb4YXZxUvauHGlJLo7NgVhYX4ApoIfoiqZHDSjQcv7Q2tLqKdeCas9yngT7bl4A3vXMiU9XfsbKAWaqSGBH19OTlHWwhv3tq20FpH0v4h2yJtqxcw8wWwONy4QJuiROthiw5Y75vng7qoTVcEsMbG2AHuinjbiW6gmr5UvrhxXCL/iyyisfb3rqucDXmDkWTd8kMnCC4WzD5NPxStlPucua4HBazGsv7MwbY7+oX6itkMVM1QCy1JVO02PLQo+3n7eaIHntqpn7XIgcEWGcIiD1Zis5MnyfHz4D8Cnf28kCQgyxtekonQILzKF74Snxs6GDjqI8EOMlPxYmGINnIGHVIHVSGbWyI3swrPg8uDbwfjs9ioVOoOsvtL+9sPp6GaByGoKcvP+skOfyzf4jfD8BH607yeFx5QtxaNA+iBcRTMtMN7Fg+Ck3U1PABEKFVo9jzLPFUAGMSfzqCCF5RT5N4mAtiYYXKDMBLnyCOyOmyYiZztUk8WVXBujwe6R1NZudTy1U88ENg9CDu8jcoOOIYa21Ralpi7ywGm76gFlpgo9ruxdWP8jb6dfL0DHgoY32lyxSR6SeSwsYwNGP9J7CxYwF/Zop4DP23aYHwqrsNAYGtrLicKt5jkTQ+LJFX6tzXKFmJqMM07k3SUYlsPkQDgnClNhtp+9iEvlsdhKNVRCwAR12TDv5CFNqsbCu1iTNT9ddNsqX4YY/AwkrvIF/ml8Ks2hRMW79BFwgC+UHEVZLqvbN+KChBUfZIVK2icP7dyIrJmt+MOOvZ4vX7xRphDrq16/kAVXNnzEBie1DAmWdvVrljvmmi6wSG5rtRE0CXGjTkMtJafBeCTti4bR6OspiSU6pPqi2um9rcnq9GFujhWlvEGFlv3xQ7V1DWH0i39qP1VlPWJOzi5FZH6OBpQ1O1iz5SPpjYhGcdtWc8G717Rzw/T7SaNqe6zqnEBIdOT8gh7zSAKhJUt7RPRqvdjELUj6s5J/M0QhvAjC99PCuoYwINba6DlCrQxPbauANmmmQ55RthTUtF9Y5AwvrHrU1qzwa/jgoUM+OC2t2dmlAtq0njkQhFLRhTDZe7uH8VsHuU2cvXDOi0QoXNayy48NxUvklbtqudsCz0NnbbTagFeYVa3jZtz7WdbIKFPcf0Aa/kBKG2i5JwOM2MSgDyNbwQa6eWsKaVAjrTtKs9MfEn8kXVkt3tMA0q8flkosUBY1U24rJiSqslsMo/RHaqFJYPVPboFB7hum5yI1GDic9JUrOAR1ojjlkpvaMGMOGpV7djVOTI4AzOTSlI0E5bjqd4sIqZ/YTtqABFopENw0EvDt07eN2mhlg58z+t8QMGNWdThe2aZ1uSSJgcOEqHCR4BazD34IQeXu12m4lkkenB92uLXF/jYgAXO3CDJUJjMRmKsm/wOG8AGvjhMAiWEvcAKV+PY07i6lI6pj6wsqA5vMBzKzBId1AWn6y2ehumdFVf4GlC6v4lAh8t2uQ0o0oJCcvoiiox80OPgxu8bOiDHwFixszBXjw0zl/ZhXYhQe34UmIcIngJKNFizz8gNZ5thGgLiMR1Mgpn+msQNljXK58TXHU7DcbLDVk9mHjUW2bdVcLa94O+ok6BgUNE114A/y6dIddV83kjLImsGAiprnKdSUBTwu03aWJzZym8SvlE+PYAvWv1o3uicP7JOntfTbivH/WLuEw4YF2QHB8w9Pud0V0xGswD/Wa284tVr7l+DQlNauBJp4bFKTdD4rAnV9TWC3lJws7dvpmdV5BvDRHtyXp8juJ08BcVN921XoGb48PTfU+yg+J5BfuyTNl0JD8mEfyM03zUydETO/YwtjWcEVwx1f6eBMgWyP2rQ/hY7rWHJ/NChNAfZCm0Ze7MELJcif5mJ5ndU19Ya0PmSW4IJ9YbWG1tpFhO4dUPx9CATEQnG/VgQS3s6NaFtsKYdbplonPaUTLovJyomOEAJt2K8Hvtgy+EZDML9wI4IoeTAtPy6jEhC6wxrsB2vJeAR94gx02OWbAmt9GYd0qsuFAB3/FhpHFQeMl0v6pTnOenQtDitxHNEr2refwvRbj/Mp1PTYwWtHuRvImAKOObHkmNG5TY5HFvnqXG9NKkbuLLCBoAGVWkZPd6pz6ZgC/14AJmAF+xnRQHSY4avGsacsplfL95+yD4nx3zNa8Vdz9yimCMtUOkWX2iWxr3keCMXBgWxZ6IbiQg5GmHedjX3+hLijv4M/uYGtTy/h8T2Swc7EE4FJT4FeaDBgaagjr7tCsPvppDp/FQB9ShvNepJmsK6z1wQff0McchnTtrRTWmYufoclfjTi/4lRjuEBQdVooNBG0bHyJV5FtiyY3YTF6bS/+cu+RiK+/PMxScjqGEBNLJj851FgQizDL6pzyZgC/bawEFAWfLDD1jrBWdubEhTXbCsQB32WeCzxQ8KzYTq02Bc5006rXmiWjZfwqyRuEIIFqXD6cLnuwMXPpS1VYq4+/+NMJeBtsM4OyIlxmp99dYKdbVjwXdDO1NKudm0tCCnmuiQrArEO4XxUMr3w2uRg0V4RrJw5/hLVW0Dft9zxwZpb424tX/9UXnx2IZtVOr3umhugm7EhiGt21N4ODXn6xTITTXQdO8gyNfYXOEh/gZ62NtgduqdlLzJ5hOdE6nP6N1j2lt1uZyid/uxWXZo2g7ygBcysrml3VJbmJNYXKX21h5Sw3marLwv7K7FRp2DS0WCh/Ox00MB4/8toFXgAX+FLm0yWPqxOMdnaA3mcFjlLPRTudo3RMSc1q/FoCTs1JC6+qwecji+OWif8Fd8FMKzNpcjMB5WTOJm0790CQoIOZEYVVwF/yA/sovLopDDl+Uh3976ciiVZnWt1L7oUiur3exoGNugdZrWunusbQMe7AozcndFeHlOQStX4c7jL+7rWyFwKxm69wIYlTU7NeNsH8XV5Ym0miwlp3BwszzWll57Hhc6lLqFInLvPA+NqXOtowdoFIImGbDmqaAO4woDSGy3vZBxehLh1QmuIcIaKzsXElmGagsnrtpTvhMGW2W33wNUBf1s0qCDAYKT+IsMIXURjn8LZp9ezRFj/i+99vsSaLag8yKtPkbQSGDGwKqD8NdxE3dOjD8Q1bbY8MusOlfrdiEyBpqwYr9TgYbKF+vXHPsrok7sRrybH0Y2oI6+4xA9qTfawFYU1NWCtCBHkfcDOgC+4vyFFRU7vG++2nDj6Fj0cr3SGxiLFgLbTVZFKOx/yb97PXrHhcSnRW6HKbcpnQ+7PsBVCxchXf87WN+Rc/VmmZYmaAZqm5khkAoPOZXj1k/rtCc8neeq/ZgJrVx7MC8ep+KHk3fapKrcTePre2drVg5vQ9NUwBvdr7K1qZ7jaRN58VdfWUbYTbHrF1lsUCECiRbCrBB62SbKw6aZi+o2VLRv9W8uLrTtrU28Gyi4IrAS3X/30TINdAzZyIsFLG5XPApRbj8F4XcNXWrv4wIAyu9rF1paH7xhfAGbHpSjpxADwSnpfOUKL98Y7kcNXURRsSkk/pWNxnCBDxA9uFVif8lv0LOPMBsL2VayKdQp2ZO5Y+dXawEr0WvjYwGAHaiOdkwsLqE5ccxOK72B3KtURiu1q7a24QNEtMAZ/RZL1GePsFUafljlgXbMNKPtYXaHmnXbmaEaO+8GjE6trHnXnIIep3snzUmct7UCSszd2hWb1zXr/7v9tv8C06g9acNGFFDuxKzXWevz6csyrValnY4HtLR4TFukL48UVpIzVKXGNHK468uPvq44t1pUFF9GjGwjO0fqDsEgq7bzY5ydx1iWOm3dmVvFltst/0EEEDizRjYTtZwqomkx5MLU100fSnn2vZrUG4nhxdojZaZG8gQO58VJ20QICFA04vSrjGilxPRxYtqqCVKX7Q0WnHypeVLgQsgVt6crzyrekNmNLCmt+4uK2wphMTVptlH88WPDyo9Ltiu8ZPrSPAKmQ+Q9yIRkahoYw4r6XpSFmxjrlVOrgxAbgMmIBnnwRDp5K1goPGOhyy6NrocAxgo7MKJqJdZhKHn7bKNLmBe2C1rU5YLbBmS0H523Y0b4DGQYBzIuD6EQGRgW5mQLyDdYW4nhyOUZlJnDeg4Nj/dF27ODoA8bGr7Vp/g6CdvAON4/f4+7ZX56lgVkR0/TT23frkudlFfZ3kE2owFQsdhelnOjBsMCPdH+0psdFtITm09F3aXies81SzZiWadcVvkBmQJsXn41SzpudUHcXWjJPc71Blu/KJ7Vpvy82ur7wJonSLEmD6h/kW2eSF1S/YkjO4CwDBVzy6IhWtMa0w9pRsK2S5g4ZhKRsDf+d3Em9YuXJ/nQ85/CgCAT0VdZgTPD5SDv0E8vjytFnbeNfAwgr92n7cgkd9T3k3qWB9gJnT7w3g6E/O96yAH+vER2rCWtGO2cQEOB6ZXEGHui/rPwQg526gzn45ZPux+CIYhC1VCFGiSrUXIWmcRB0OZcEheMCNX5fpVQXc4ePIA2WbUtbAaMINpU7tbr17vGzkJ/sDitPA2swJB2hz2o9TwtAofPJlOwdwUBKTpobzW3n3MvJ0afsnFZRe6CP/WfRgPxrfPT/4jcOcg3qZyGNFX9PnJgce6IPdcoFXPeHhvV1Rl693Z9Y55S+Vm3h9e0yYR5O1V+wzz1mmuzpxkh6Pu9uz9GpLf7dpP22OIRO6gtPTyHdoKSpv7xpAWwm/6t+bC/irNI0XAu7dCleeXsFZ1fdOBuDHBHlcIFdT7fEX1ZY1lHeq3od5g15wO5B92y2nseqyYHBXaZiqxGZVl/ZaAIkvV4HP4OGn/tShAjGJ5kgubIU01K8DfBONGfUCPHE+Pix0O/FhJY3RzT2rHOCLBcAJLHGSLMK4qOKQ7PG8b4sVe/g7Xgw+SdVZtd+Mw9r9VlAvOGOBiOklFxe/syVL/Uongum1nb/C02VplAcc1A9uvpP523leiAhzvm2hRQZCJZ3w4OGn/MwX6dE5GkGIIY5/8hLEOQLiHK447nlXPh8I79qOEg+dSsQ8uVrZfeOzGdILDWfP7BMMxUmuWFIhDXVebXQ5Z/bH5d7Wm+Qu0nVhlfwxP0iSs+We0xsCXEv6Rt7XwG0VGrJ3a33xYKPdhNS57dxW+iXhzYaA8y45lTqtP2B+2RvYqiQleo53w6PCivoiaJHDgCbU3KPaTO4m727vRp6m4MZbM7W0M7bNbgLq9sI6K08MlnAsN7Vz7MlCF27YDpdCfPKmLh1Goi9Seuu1neDXaLGA4+f48kS4NjaOubFLx3ntxvudg7kZBad7JPSA0dgOEVwL12tKoQ04tfExc8+p4tPAHxGqMdmp+SkBMtzAuE345SqO/8RuokDzYYFm6Pyoz12brKD+vL3ZyvDOeiKZ4ve4IFj8uNdrBkQGCnSQ7TsWVg50MpAslVOgkxsZhzvPVmGdEvKy+x+fbpMLdDlopppWDundyZl/mxolc+GCG/IbZPCnktd1aPVT+hhMvtFmKEsM7YxFjyHJheyQbKQzYic+0yCRVFxoTLSXS2hhF4XMQ+D1Fjw0GIOGG1W0Q/tiGcjNhWN7FsnnfI4tND8DlMGENkNLss1Luwn4MBqi98HX6nyAvLi0m2l7mwH1OnbexEn/A/4fcF9F2/sSfUCH0sS5NAYewTmK6+GnWFiZYkWzfjm62eNnbFnqgUHL8ZktFI2Zb8shZKoRVVjmM61nP0a7cXYepza7JUydOO11itQM2BIJdYtsNZ6qHWnCKunF0WwEsRB3QCwE2r+ZHOo0dS5cVyI0XMjhFoxszZIyHs2cH0W5k11A4gbk+qW2F9ZkCcKqeRlyDZp9QAeybprodiXv5skr0l+BGxPI0cF3zBlwcVZqKgorF4FhTwW4HKaGBgrYd2Dwv6cKxe83kzWk6SHHqmoipi8T1vV29WOuCe8ncp3QwlhYyd3JdeLEtHIpB5cXs9vhIsXkBhnsRz4lPc6ZtnKWRRP2bDu5jz19tkERcK0z9vVxX5XsgZPyRoVhHVpchTW2hdFobLsSV6G44mB0hF20/Vq5RSaf4o9YK4nkvLDKe+fJCd2vkCAvNgMYlJIO6Gr6lkENrfAgnt77A4OSq9HmDCoL53NJTxYy+9CH2+vjor9Vy1ZaUT5bgzY5nL3cQODX6cDw/zN2OlBXOzs/wMEqMGaHZh+TafgcFgLh/ePRtBCs0zWfZgZcz2+fQ2uSB5Q7EcBnwtDTzLfK6dUO9hkXy7Hi3UYTvR9tZh06rpGOczfJkMIIGkkzzvc5vTK3MyWrBo5PhMJo0Vju5AQ4EXRO55JwTvgy3BhKZ4q2PrzQDMBcoN3kQCVBb6z9Zy97NQOKxSTbxmSQJpYA84cLJWxQmYY3MyC6AtMH9xzCiWX6cNfISnIGcll4t9Zu2cqzRVMLzYrgIDA5g7N7GkPZPsZgYSLa9NibuzCYhUG+MAoMV5x2l+yD4OMGF2d6WHDOHQTVcD9qgBngZhqWpHEv69PoLOJO/En4e+eI8fxPn7kTQbjQ4UbIuUnxUxu68coegVU7mSka08QO58kMc8JdYtY4YV2NjQx9tJvvBIubZhWbFbu6lS5XUwbbmgUrAu4GDYOWxSI8JOmv4ppKD52/26DrjzywUmahwuofrcYixlbJ8r4wGAFGqAIczfuh3AlM4d6HmLTRwvhvVTODA7AcV8mnLHbTBCbgPAm3ki3axC2EUKttx6IIzwS2rL+RcA8WSeGdE7Bv3QIL84Nkb7ip2mvtogeyRrdDHSo4SqvmoGVRSbuZlslArrTYINiTWYkFqpS1NrVX7elS3FMOrUkZcl2V3H6+u+Tl/wGgAoh95gLkGwAAAABJRU5ErkJggg==");\n background-repeat: no-repeat;\n background-position: center;\n background-size: contain; } }\n\n.pwd-unity-bar .search-form {\n display: -webkit-box;\n display: -ms-flexbox;\n display: flex;\n position: relative;\n -webkit-box-orient: horizontal;\n -webkit-box-direction: normal;\n -ms-flex-flow: row nowrap;\n flex-flow: row nowrap;\n -webkit-box-align: center;\n -ms-flex-align: center;\n align-items: center;\n -webkit-box-pack: start;\n -ms-flex-pack: start;\n justify-content: flex-start; }\n .pwd-unity-bar .search-form > .icon {\n position: absolute;\n top: calc(50% - 9px);\n left: 5px;\n width: 24px;\n height: 18px;\n z-index: 2;\n pointer-events: none; }\n @media (max-width: 480px) {\n .pwd-unity-bar .search-form > .icon {\n left: 4px;\n cursor: pointer; } }\n .pwd-unity-bar .search-form > .icon,\n .pwd-unity-bar .search-form > .icon > use > svg {\n fill: #0078c8; }\n .pwd-unity-bar .search-form > .field {\n -webkit-appearance: none;\n -moz-appearance: none;\n appearance: none;\n -webkit-box-flex: 1;\n -ms-flex: auto;\n flex: auto;\n min-width: 100px;\n height: 38px;\n padding-right: 8px;\n padding-left: 32px;\n border: 2px solid #0078c8;\n border-radius: 0;\n background-color: #fff;\n font: inherit;\n font-size: 15px;\n color: #3e454d; }\n .pwd-unity-bar .search-form > .action {\n margin: 0;\n border: 0;\n padding: 0;\n vertical-align: middle;\n white-space: normal;\n border-radius: 0;\n background: none;\n line-height: 1;\n -webkit-appearance: none;\n -moz-appearance: none;\n appearance: none;\n font-family: inherit;\n color: inherit;\n display: none;\n height: 34px;\n padding: 0 8px;\n border: 2px solid #fff;\n border-left-width: 0;\n background-color: #0078c8;\n color: #fff;\n font: inherit;\n font-size: 15px; }\n .pwd-unity-bar .search-form > .field:focus + .action {\n display: block; }\n\n@media (max-width: 480px) {\n .pwd-unity-bar .app-actions.-search > .search-form {\n padding: 0 8px; } }\n\n@media (max-width: 480px) {\n .pwd-unity-bar .app-actions.-search > .search-form > .icon {\n right: 16px;\n left: auto; } }\n\n.pwd-unity-bar .app-actions.-search > .search-form > .field {\n border-right-width: 0; }\n @media (max-width: 480px) {\n .pwd-unity-bar .app-actions.-search > .search-form > .field {\n opacity: 1;\n pointer-events: auto;\n padding-left: 12px; } }\n\n.pwd-unity-bar .app-actions.-search > .search-form > .action {\n display: inline; }\n @media (max-width: 480px) {\n .pwd-unity-bar .app-actions.-search > .search-form > .action {\n padding: 0;\n width: 44px;\n text-align: left;\n text-indent: 100%;\n white-space: nowrap;\n overflow: hidden; } }\n\n.pwd-unity-bar {\n display: -webkit-box;\n display: -ms-flexbox;\n display: flex;\n position: relative;\n -webkit-box-flex: 0;\n -ms-flex: none;\n flex: none;\n -webkit-box-orient: horizontal;\n -webkit-box-direction: normal;\n -ms-flex-flow: row nowrap;\n flex-flow: row nowrap;\n -webkit-box-align: stretch;\n -ms-flex-align: stretch;\n align-items: stretch;\n -webkit-box-pack: justify;\n -ms-flex-pack: justify;\n justify-content: space-between;\n width: 100%;\n height: 56px;\n min-height: 56px;\n padding: 0;\n z-index: 10000; }\n .pwd-unity-bar > .app-switcher {\n width: calc((100% - 85px)/2); }\n .pwd-unity-bar > .logo {\n -webkit-box-flex: 0;\n -ms-flex: none;\n flex: none;\n -ms-flex-item-align: center;\n align-self: center;\n width: 85px;\n height: 38px; }\n @media (max-width: 480px) {\n .pwd-unity-bar > .logo {\n display: none; } }\n .pwd-unity-bar > .app-actions {\n width: calc((100% - 85px)/2); }\n',""])},function(e,n,t){"use strict";e.exports=function(e){var n=[];return n.toString=function(){return this.map(function(n){var t=function(e,n){var t=e[1]||"",r=e[3];if(!r)return t;if(n&&"function"==typeof btoa){var a=(i=r,"/*# sourceMappingURL=data:application/json;charset=utf-8;base64,"+btoa(unescape(encodeURIComponent(JSON.stringify(i))))+" */"),o=r.sources.map(function(e){return"/*# sourceURL="+r.sourceRoot+e+" */"});return[t].concat(o).concat([a]).join("\n")}var i;return[t].join("\n")}(n,e);return n[2]?"@media "+n[2]+"{"+t+"}":t}).join("")},n.i=function(e,t){"string"==typeof e&&(e=[[null,e,""]]);for(var r={},a=0;a<this.length;a++){var o=this[a][0];null!=o&&(r[o]=!0)}for(a=0;a<e.length;a++){var i=e[a];null!=i[0]&&r[i[0]]||(t&&!i[2]?i[2]=t:t&&(i[2]="("+i[2]+") and ("+t+")"),n.push(i))}},n}},function(e,n,t){var r,a,o={},i=(r=function(){return window&&document&&document.all&&!window.atob},function(){return void 0===a&&(a=r.apply(this,arguments)),a}),s=function(e){var n={};return function(e){return void 0===n[e]&&(n[e]=function(e){return document.querySelector(e)}.call(this,e)),n[e]}}(),c=null,l=0,p=[],d=t(31);function u(e,n){for(var t=0;t<e.length;t++){var r=e[t],a=o[r.id];if(a){a.refs++;for(var i=0;i<a.parts.length;i++)a.parts[i](r.parts[i]);for(;i<r.parts.length;i++)a.parts.push(g(r.parts[i],n))}else{var s=[];for(i=0;i<r.parts.length;i++)s.push(g(r.parts[i],n));o[r.id]={id:r.id,refs:1,parts:s}}}}function h(e,n){for(var t=[],r={},a=0;a<e.length;a++){var o=e[a],i=n.base?o[0]+n.base:o[0],s={css:o[1],media:o[2],sourceMap:o[3]};r[i]?r[i].parts.push(s):t.push(r[i]={id:i,parts:[s]})}return t}function f(e,n){var t=s(e.insertInto);if(!t)throw new Error("Couldn't find a style target. This probably means that the value for the 'insertInto' parameter is invalid.");var r=p[p.length-1];if("top"===e.insertAt)r?r.nextSibling?t.insertBefore(n,r.nextSibling):t.appendChild(n):t.insertBefore(n,t.firstChild),p.push(n);else{if("bottom"!==e.insertAt)throw new Error("Invalid value for parameter 'insertAt'. Must be 'top' or 'bottom'.");t.appendChild(n)}}function m(e){if(null===e.parentNode)return!1;e.parentNode.removeChild(e);var n=p.indexOf(e);n>=0&&p.splice(n,1)}function b(e){var n=document.createElement("style");return e.attrs.type="text/css",w(n,e.attrs),f(e,n),n}function w(e,n){Object.keys(n).forEach(function(t){e.setAttribute(t,n[t])})}function g(e,n){var t,r,a,o;if(n.transform&&e.css){if(!(o=n.transform(e.css)))return function(){};e.css=o}if(n.singleton){var i=l++;t=c||(c=b(n)),r=A.bind(null,t,i,!1),a=A.bind(null,t,i,!0)}else e.sourceMap&&"function"==typeof URL&&"function"==typeof URL.createObjectURL&&"function"==typeof URL.revokeObjectURL&&"function"==typeof Blob&&"function"==typeof btoa?(t=function(e){var n=document.createElement("link");return e.attrs.type="text/css",e.attrs.rel="stylesheet",w(n,e.attrs),f(e,n),n}(n),r=function(e,n,t){var r=t.css,a=t.sourceMap,o=void 0===n.convertToAbsoluteUrls&&a;(n.convertToAbsoluteUrls||o)&&(r=d(r));a&&(r+="\n/*# sourceMappingURL=data:application/json;base64,"+btoa(unescape(encodeURIComponent(JSON.stringify(a))))+" */");var i=new Blob([r],{type:"text/css"}),s=e.href;e.href=URL.createObjectURL(i),s&&URL.revokeObjectURL(s)}.bind(null,t,n),a=function(){m(t),t.href&&URL.revokeObjectURL(t.href)}):(t=b(n),r=function(e,n){var t=n.css,r=n.media;r&&e.setAttribute("media",r);if(e.styleSheet)e.styleSheet.cssText=t;else{for(;e.firstChild;)e.removeChild(e.firstChild);e.appendChild(document.createTextNode(t))}}.bind(null,t),a=function(){m(t)});return r(e),function(n){if(n){if(n.css===e.css&&n.media===e.media&&n.sourceMap===e.sourceMap)return;r(e=n)}else a()}}e.exports=function(e,n){if("undefined"!=typeof DEBUG&&DEBUG&&"object"!=typeof document)throw new Error("The style-loader cannot be used in a non-browser environment");(n=n||{}).attrs="object"==typeof n.attrs?n.attrs:{},n.singleton||(n.singleton=i()),n.insertInto||(n.insertInto="head"),n.insertAt||(n.insertAt="bottom");var t=h(e,n);return u(t,n),function(e){for(var r=[],a=0;a<t.length;a++){var i=t[a];(s=o[i.id]).refs--,r.push(s)}e&&u(h(e,n),n);for(a=0;a<r.length;a++){var s;if(0===(s=r[a]).refs){for(var c=0;c<s.parts.length;c++)s.parts[c]();delete o[s.id]}}}};var y,x=(y=[],function(e,n){return y[e]=n,y.filter(Boolean).join("\n")});function A(e,n,t,r){var a=t?"":r.css;if(e.styleSheet)e.styleSheet.cssText=x(n,a);else{var o=document.createTextNode(a),i=e.childNodes;i[n]&&e.removeChild(i[n]),i.length?e.insertBefore(o,i[n]):e.appendChild(o)}}},function(e,n){e.exports=function(e){var n="undefined"!=typeof window&&window.location;if(!n)throw new Error("fixUrls requires window.location");if(!e||"string"!=typeof e)return e;var t=n.protocol+"//"+n.host,r=t+n.pathname.replace(/\/[^\/]*$/,"/");return e.replace(/url\s*\(((?:[^)(]|\((?:[^)(]+|\([^)(]*\))*\))*)\)/gi,function(e,n){var a,o=n.trim().replace(/^"(.*)"$/,function(e,n){return n}).replace(/^'(.*)'$/,function(e,n){return n});return/^(#|data:|http:\/\/|https:\/\/|file:\/\/\/)/i.test(o)?e:(a=0===o.indexOf("//")?o:0===o.indexOf("/")?t+o:r+o.replace(/^\.\//,""),"url("+JSON.stringify(a)+")")})}},function(e,n){e.exports=function(e){return e.replace(/[A-Z]/g,function(e){return"-"+e.toLowerCase()}).toLowerCase()}}])}); |
// NOTE
// ------------------------------------------------------------
// To get around a bug where sorting doesn't work with remote data,
// we cloned the default Table Header component and psuedo monkey patched a fix.
// ('psuedo' since Material-Table supports component overriding)
//
// This file is based on m-table-header in v1.66.0:
// https://github.com/mbrn/material-table/blob/599f8562c6ea653bd7154c59d4e2b6cd9effbaa8/src/components/m-table-header.js
//
//
// IMPORTANT NOTE
// ------------------------------------------------------------
// This patched file doesn't support the `draggable` feature.
// Didn't want to import the 'react-beautiful-dnd' library
//
import React from 'react'
import PropTypes from 'prop-types'
import TableHead from '@material-ui/core/TableHead'
import TableRow from '@material-ui/core/TableRow'
import TableCell from '@material-ui/core/TableCell'
import TableSortLabel from '@material-ui/core/TableSortLabel'
import Checkbox from '@material-ui/core/Checkbox'
import { withStyles } from '@material-ui/core/styles'
import { Tooltip } from '@material-ui/core'
// From original:
// import { Draggable } from 'react-beautiful-dnd'
// import * as CommonValues from '../utils/common-values'
import { TableContextSort } from 'components/Table/TableContext'
export class MTableHeader extends React.Component {
renderHeader(sortDirection) {
const size = this.props.options.padding === 'default' ? 'medium' : 'small'
const mapArr = this.props.columns
.filter((columnDef) => !columnDef.hidden && !(columnDef.tableData.groupOrder > -1))
.sort((a, b) => a.tableData.columnOrder - b.tableData.columnOrder)
.map((columnDef /*, index*/) => {
let content = columnDef.title
// From original:
// if (this.props.draggable) {
// content = (
// <Draggable
// key={columnDef.tableData.id}
// draggableId={columnDef.tableData.id.toString()}
// index={index}
// >
// {(provided, snapshot) => (
// <div
// ref={provided.innerRef}
// {...provided.draggableProps}
// {...provided.dragHandleProps}
// >
// {columnDef.title}
// </div>
// )}
// </Draggable>
// )
// }
if (columnDef.sorting !== false && this.props.sorting) {
content = (
<TableSortLabel
IconComponent={this.props.icons.SortArrow}
active={this.props.orderBy === columnDef.tableData.id}
direction={this.props.orderDirection || 'asc'}
onClick={() => {
this.props.onOrderChange(columnDef.tableData.id, sortDirection === 'desc' ? 'asc' : 'desc')
}}
>
{content}
</TableSortLabel>
)
}
if (columnDef.tooltip) {
content = (
<Tooltip title={columnDef.tooltip}>
<span>{content}</span>
</Tooltip>
)
}
/* eslint-disable */
const cellAlignment =
columnDef.align !== undefined
? columnDef.align
: ['numeric', 'currency'].indexOf(columnDef.type) !== -1
? 'right'
: 'left'
/* eslint-enable */
return (
<TableCell
key={columnDef.tableData.id}
align={cellAlignment}
className={this.props.classes.header}
style={{
...this.props.headerStyle,
...columnDef.headerStyle,
boxSizing: 'border-box',
// From original:
// width: columnDef.tableData.width,
}}
size={size}
>
{content}
</TableCell>
)
})
return mapArr
}
renderActionsHeader() {
const localization = {
...MTableHeader.defaultProps.localization,
...this.props.localization,
}
// From original:
// const width = CommonValues.actionsColumnWidth(this.props)
return (
<TableCell
key="key-actions-column"
padding="checkbox"
className={this.props.classes.header}
style={{
...this.props.headerStyle,
// From original:
// width: width,
textAlign: 'center',
boxSizing: 'border-box',
}}
>
<TableSortLabel hideSortIcon disabled>
{localization.actions}
</TableSortLabel>
</TableCell>
)
}
renderSelectionHeader() {
// From original:
// const selectionWidth = CommonValues.selectionMaxWidth(
// this.props,
// this.props.treeDataMaxLevel
// )
return (
<TableCell
padding="none"
key="key-selection-column"
className={this.props.classes.header}
style={{ ...this.props.headerStyle /*, width: selectionWidth*/ }}
>
{this.props.showSelectAllCheckbox && (
<Checkbox
indeterminate={this.props.selectedCount > 0 && this.props.selectedCount < this.props.dataCount}
checked={this.props.dataCount > 0 && this.props.selectedCount === this.props.dataCount}
onChange={(event, checked) => this.props.onAllSelected && this.props.onAllSelected(checked)}
{...this.props.options.headerSelectionProps}
/>
)}
</TableCell>
)
}
renderDetailPanelColumnCell() {
return (
<TableCell
padding="none"
key="key-detail-panel-column"
className={this.props.classes.header}
style={{ ...this.props.headerStyle }}
/>
)
}
render() {
return (
<TableContextSort.Consumer>
{(sortDirection) => {
const headers = this.renderHeader(sortDirection)
if (this.props.hasSelection) {
headers.splice(0, 0, this.renderSelectionHeader())
}
if (this.props.showActionsColumn) {
if (this.props.actionsHeaderIndex >= 0) {
let endPos = 0
if (this.props.hasSelection) {
endPos = 1
}
headers.splice(this.props.actionsHeaderIndex + endPos, 0, this.renderActionsHeader())
} else if (this.props.actionsHeaderIndex === -1) {
headers.push(this.renderActionsHeader())
}
}
if (this.props.hasDetailPanel) {
if (this.props.detailPanelColumnAlignment === 'right') {
headers.push(this.renderDetailPanelColumnCell())
} else {
headers.splice(0, 0, this.renderDetailPanelColumnCell())
}
}
if (this.props.isTreeData > 0) {
headers.splice(
0,
0,
<TableCell
padding="none"
key={'key-tree-data-header'}
className={this.props.classes.header}
style={{ ...this.props.headerStyle }}
/>
)
}
this.props.columns
.filter((columnDef) => columnDef.tableData.groupOrder > -1)
.forEach((columnDef) => {
headers.splice(
0,
0,
<TableCell
padding="checkbox"
key={'key-group-header' + columnDef.tableData.id}
className={this.props.classes.header}
/>
)
})
return (
<TableHead>
<TableRow>{headers}</TableRow>
</TableHead>
)
}}
</TableContextSort.Consumer>
)
}
}
MTableHeader.defaultProps = {
dataCount: 0,
hasSelection: false,
headerStyle: {},
selectedCount: 0,
sorting: true,
localization: {
actions: 'Actions',
},
orderBy: undefined,
orderDirection: 'asc',
actionsHeaderIndex: 0,
detailPanelColumnAlignment: 'left',
draggable: true,
thirdSortClick: true,
}
MTableHeader.propTypes = {
columns: PropTypes.array.isRequired,
dataCount: PropTypes.number,
hasDetailPanel: PropTypes.bool.isRequired,
detailPanelColumnAlignment: PropTypes.string,
hasSelection: PropTypes.bool,
headerStyle: PropTypes.object,
localization: PropTypes.object,
selectedCount: PropTypes.number,
sorting: PropTypes.bool,
onAllSelected: PropTypes.func,
onOrderChange: PropTypes.func,
orderBy: PropTypes.number,
orderDirection: PropTypes.string,
actionsHeaderIndex: PropTypes.number,
showActionsColumn: PropTypes.bool,
showSelectAllCheckbox: PropTypes.bool,
draggable: PropTypes.bool,
thirdSortClick: PropTypes.bool,
tooltip: PropTypes.string,
}
export const styles = (theme) => ({
header: {
position: 'sticky',
top: 0,
zIndex: 10,
backgroundColor: theme.palette.background.paper, // Change according to theme,
},
})
export default withStyles(styles)(MTableHeader)
|
const { BookSpider, MovieSpider, MusicSpider } = require("./spiders");
const renderer = require("./renderer");
const path = require("path");
const fs = require("hexo-fs");
const { config } = hexo;
const { doubanCard } = config;
var cookie;
if (doubanCard) {
cookie = doubanCard.cookie;
}
const DOUBAN_CARD_BOOK_TEMPLATE = path.resolve(__dirname, "./templates/bookCard.html");
const DOUBAN_CARD_MOVIE_TEMPLATE = path.resolve(__dirname, "./templates/movieCard.html");
const DOUBAN_CARD_MUSIC_TEMPLATE = path.resolve(__dirname, "./templates/musicCard.html");
const style = fs.readFileSync(path.resolve(__dirname, "./templates/assets/style.css"), { encoding: "utf8" });
var bookSpider = new BookSpider(cookie);
var movieSpider = new MovieSpider(cookie);
var musicSpider = new MusicSpider(cookie);
/**
* 注册标签渲染
*/
hexo.extend.tag.register(
"douban",
(args) => {
return new Promise((resolve, reject) => {
var type, subjectId;
// 参数类型验证
if (!args[0] || !args[1]) {
return reject(args);
}
if (isNaN(args[0])) {
type = args[0];
subjectId = args[1];
} else if (isNaN(args[1])) {
type = args[1];
subjectId = args[0];
}
if (!(isNaN(type) && !isNaN(subjectId))) return reject(args);
if (type === "book") {
bookSpider.crawl(subjectId).then((bookInfo) => {
renderer.render(DOUBAN_CARD_BOOK_TEMPLATE, { style, ...bookInfo }, (err, res) => {
if (err) {
return reject(err);
}
resolve(res);
});
});
} else if (type === "movie") {
movieSpider.crawl(subjectId).then((movieInfo) => {
renderer.render(DOUBAN_CARD_MOVIE_TEMPLATE, { style, ...movieInfo }, (err, res) => {
if (err) {
return reject(err);
}
resolve(res);
});
});
} else if (type === "music") {
musicSpider.crawl(subjectId).then((musicInfo) => {
renderer.render(DOUBAN_CARD_MUSIC_TEMPLATE, { style, ...musicInfo }, (err, res) => {
if (err) {
return reject(err);
}
resolve(res);
});
});
}
});
},
{
async: true,
}
);
|
import os
from io import StringIO, BytesIO
import csv
import uuid
from collections import OrderedDict
from django.db.models import Q
from Bio import SeqIO
# import sbol
from snekbol import snekbol
from lims.inventory.models import Item
class DesignFileParser:
GENBANK_FEATURE_TYPES = (
'primer_bind',
'cds',
'rbs',
'5\'_utr',
'promoter',
'3\'_utr',
'terminator',
'unknown',
'structual', # Support EGF imports
)
SO_URI = 'http://identifiers.org/so/SO:'
SO_MISC = SO_URI + '0000001'
SO_PROMOTER = SO_URI + '0000167'
SO_CDS = SO_URI + '0000316'
SO_RBS = SO_URI + '0000139'
SO_TERMINATOR = SO_URI + '0000141'
SO_OPERATOR = SO_URI + '0000057'
SO_INSULATOR = SO_URI + '0000627'
SO_RIBONUCLEASE_SITE = SO_URI + '0001977'
SO_RNA_STABILITY_ELEMENT = SO_URI + '0001979'
SO_PROTEASE_SITE = SO_URI + '0001956'
SO_PROTEIN_STABILITY_ELEMENT = SO_URI + '0001955'
SO_ORIGIN_OF_REPLICATION = SO_URI + '0000296'
SO_RESTRICTION_ENZYME_CUT_SITE = SO_URI + '0000168'
SO_PRIMER_BINDING_SITE = SO_URI + '0005850'
ROLES = {
'promoter': SO_PROMOTER,
'cds': SO_CDS,
'ribosome entry site': SO_RBS,
'rbs': SO_RBS,
'terminator': SO_TERMINATOR,
'operator': SO_OPERATOR,
'insulator': SO_INSULATOR,
'ribonuclease site': SO_RIBONUCLEASE_SITE,
'rna stability element': SO_RNA_STABILITY_ELEMENT,
'protease site': SO_PROTEASE_SITE,
'protein stability element': SO_PROTEIN_STABILITY_ELEMENT,
'origin of replication': SO_ORIGIN_OF_REPLICATION,
'restriction site': SO_RESTRICTION_ENZYME_CUT_SITE,
'primer binding site': SO_PRIMER_BINDING_SITE,
'user defined': SO_MISC,
}
INVERT_ROLES = {v: k for k, v in ROLES.items()}
def __init__(self, data):
self.file_data = StringIO(initial_value=data)
# This may need to be set as a setting
self.default_uri = 'http://leaflims.github.io/'
# SBOL specific stuff
self.document = snekbol.Document(self.default_uri)
self.construct = snekbol.ComponentDefinition('Construct')
self.document.add_component_definition(self.construct)
def name_to_identity(self, name):
return name.replace(' ', '_')
def get_inventory_item(self, name):
"""
Get an item matching the name/identifier from the inventory
"""
try:
item = Item.objects.get(Q(name=name) | Q(identifier=name))
return item
except Item.DoesNotExist:
return False
def csv_to_sbol_component(self, element):
"""
Take a CSV element and convert to an SBOL component
"""
component_seq = snekbol.Sequence(self.name_to_identity(element['Name']),
element['Sequence'])
component = snekbol.ComponentDefinition(self.name_to_identity(element['Name']),
roles=[self.ROLES.get(element['Role'],
self.SO_MISC)],
sequences=[component_seq])
self.document.add_component_definition(component)
return component
def genbank_to_sbol_component(self, element, sequence, feature_type):
"""
Create an SBOL component from a genbank element
"""
component_seq = snekbol.Sequence(self.name_to_identity(element),
sequence)
component = snekbol.ComponentDefinition(self.name_to_identity(element),
roles=[self.ROLES.get(feature_type,
self.SO_MISC)],
sequences=[component_seq])
self.document.add_component_definition(component)
return component
def make_sbol_construct(self, elements):
"""
Take all elements and sequences and make an SBOL construct from them
"""
self.document.assemble_component(self.construct, elements)
def make_sbol_xml(self):
"""
Take an SBOL definition and turn into RDF/XML
"""
xml_file = BytesIO()
self.document.write(xml_file)
xml_file.seek(0)
return xml_file.read()
def get_sbol_from_xml(self, source_data):
"""
Read in SBOL XML from source data and set document
"""
filename = '/tmp/' + str(uuid.uuid4()) + '.xml'
with open(filename, 'w+') as sf:
sf.write(self.file_data.read())
self.document.read(filename)
os.remove(filename)
def sbol_to_list(self):
"""
Take an sbol file and return a linear list of components
"""
# Read in SBOL file
# Look for component def with components
# Build a list of SBOL componetns from this
# If multiple do something fancy?
elements = []
self.document.read(self.file_data)
for c in self.document.list_components():
if len(c.components) > 0:
comp_elems = []
for cl in self.document.get_components(c.identity):
role_uri = cl.definition.roles[0]
comp_elems.append({'name': cl.display_id,
'role': self.INVERT_ROLES[role_uri].replace(' ', '-')})
elements.append(comp_elems)
return elements
def parse_sbol(self):
"""
Take an SBOL XML file and parse to items/sbol
"""
elements = self.sbol_to_list()
items = []
for e in elements:
for c in e:
item = self.get_inventory_item(c['name'])
if item:
items.append(item)
return items, elements
def parse_gb(self):
"""
Take a genbank file and parse to items/SBOL
"""
items = []
elements = OrderedDict()
sbol = None
try:
record = SeqIO.read(self.file_data, 'genbank')
features = record.features # sorted(record.features, key=attrgetter('location.start'))
for feat in features:
# The file sometimes has lowercase and sometimes uppercase
# types so normalise to lowercase.
if feat.type.lower() in self.GENBANK_FEATURE_TYPES:
name = ''
# Look for the label key. Other keys can be set but
# most software simply sets the label key and nothing
# else.
for key, value in feat.qualifiers.items():
if key == 'label':
name = value[0]
if name:
feature_type = feat.type.lower()
if feature_type == 'rbs':
feature_type = 'ribosome entry site'
elif feature_type == 'primer_bind':
feature_type = 'primer binding site'
seq = str(feat.extract(record.seq))
elements[name] = self.genbank_to_sbol_component(name, seq, feature_type)
item = self.get_inventory_item(name)
if item:
items.append(item)
except Exception as e:
print(e)
pass
else:
if len(elements.values()) > 0:
self.make_sbol_construct(list(elements.values()))
sbol = self.make_sbol_xml()
return items, sbol
def parse_csv(self):
reader = csv.DictReader(self.file_data)
items = []
elements = {}
for line in reader:
# Using the EGF style CSV file with the following
# headers:
# Name, Description, Role, Color, Sequence, @metadata
# Create SBOL construct from the file
if 'Name' in line and 'Role' in line:
if line['Name'] not in elements:
elements[line['Name']] = self.csv_to_sbol_component(line)
if 'Name' in line and line['Name'] != '':
item = self.get_inventory_item(line['Name'])
if item:
items.append(item)
self.make_sbol_construct(list(elements.values()))
sbol = self.make_sbol_xml()
return items, sbol
|
/*
Author:
Julius Seltenheim ([email protected])
Tooltip is right now a single instance class.
When another instance is created, the old one will be destroyed
*/
class Tooltip {
constructor(event, text) {
//check if tooltip exists
this.div = this.createDiv();
const x = event.pageX;
const y = event.pageY;
this.div.style.top = y + 'px';
this.div.style.left = (x + 10) + 'px';
this.div.innerHTML = text;
document.getElementsByTagName('body')[0].appendChild(this.div);
}
createDiv() {
const div = document.createElement('div');
div.style.position = 'absolute';
div.style.display = 'block';
div.style.backgroundColor = 'black';
div.style.color = 'white';
div.style.font = 'Arial';
div.style.fontSize = '10px';
div.style.padding = '3px';
return div;
}
destroy() {
document.getElementsByTagName('body')[0].removeChild(this.div);
}
}
module.exports = Tooltip; |
"use strict";
var _interopRequireDefault = require("@babel/runtime/helpers/interopRequireDefault");
Object.defineProperty(exports, "__esModule", {
value: true
});
exports.default = void 0;
var _createSvgIcon = _interopRequireDefault(require("./utils/createSvgIcon"));
var _jsxRuntime = require("react/jsx-runtime");
var _default = (0, _createSvgIcon.default)( /*#__PURE__*/(0, _jsxRuntime.jsx)("path", {
d: "M17.5 3C15.57 3 14 4.57 14 6.5V8h-4V6.5C10 4.57 8.43 3 6.5 3S3 4.57 3 6.5 4.57 10 6.5 10H8v4H6.5C4.57 14 3 15.57 3 17.5S4.57 21 6.5 21s3.5-1.57 3.5-3.5V16h4v1.5c0 1.93 1.57 3.5 3.5 3.5s3.5-1.57 3.5-3.5-1.57-3.5-3.5-3.5H16v-4h1.5c1.93 0 3.5-1.57 3.5-3.5S19.43 3 17.5 3zM16 8V6.5c0-.83.67-1.5 1.5-1.5s1.5.67 1.5 1.5S18.33 8 17.5 8H16zM6.5 8C5.67 8 5 7.33 5 6.5S5.67 5 6.5 5 8 5.67 8 6.5V8H6.5zm3.5 6v-4h4v4h-4zm7.5 5c-.83 0-1.5-.67-1.5-1.5V16h1.5c.83 0 1.5.67 1.5 1.5s-.67 1.5-1.5 1.5zm-11 0c-.83 0-1.5-.67-1.5-1.5S5.67 16 6.5 16H8v1.5c0 .83-.67 1.5-1.5 1.5z"
}), 'KeyboardCommandKeyOutlined');
exports.default = _default; |
"use strict";
var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) {
var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;
if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc);
else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;
return c > 3 && r && Object.defineProperty(target, key, r), r;
};
Object.defineProperty(exports, "__esModule", { value: true });
///---------------------------------------
///
///------------------------------------
var core_1 = require("@angular/core");
var NgbdDatepickerPopup = (function () {
function NgbdDatepickerPopup() {
}
return NgbdDatepickerPopup;
}());
NgbdDatepickerPopup = __decorate([
core_1.Component({
selector: 'ngbd-datepicker-popup',
template: "\n<form class=\"form-inline\">\n <div class=\"form-group\">\n <div class=\"input-group\">\n <input class=\"form-control\" placeholder=\"yyyy-mm-dd\"\n name=\"dp\" [(ngModel)]=\"model\" ngbDatepicker #d=\"ngbDatepicker\">\n <div class=\"input-group-addon\" (click)=\"d.toggle()\">\n <!--<img src=\"img/calendar-icon.svg\" style=\"width: 1.2rem; height: 1rem; cursor: pointer;\" />-->\n <span class=\"glyphicon glyphicon-calendar\" style=\"width: 1.2rem; height: 1rem; cursor: pointer;\"></span>\n </div>\n </div>\n </div>\n</form>\n<hr />\n<pre>Model: {{ model | json }}</pre>\n"
//templateUrl: '../../../../tsScripts/Shared/Common/Datepicker-popup.html'
})
], NgbdDatepickerPopup);
exports.NgbdDatepickerPopup = NgbdDatepickerPopup;
//# sourceMappingURL=Datepicker-popup.js.map |
import { h } from 'vue'
export default {
name: "QuestionBold",
vendor: "Ph",
type: "",
tags: ["question","bold"],
render() {
return h(
"svg",
{"xmlns":"http://www.w3.org/2000/svg","viewBox":"0 0 256 256","class":"v-icon","fill":"currentColor","data-name":"ph-question-bold","innerHTML":" <rect width='256' height='256' fill='none'/> <circle cx='128.00146' cy='128' r='96' fill='none' stroke='#000' stroke-linecap='round' stroke-linejoin='round' stroke-width='24'/> <circle cx='128' cy='176' r='16'/> <path d='M128.001,136.0045a28,28,0,1,0-28-28' fill='none' stroke='#000' stroke-linecap='round' stroke-linejoin='round' stroke-width='24'/>"},
)
}
} |
import { createMachine, interpret } from 'xstate';
const elBox = document.querySelector('#box');
const setPoint = (context, event) => {
// Set the data-point attribute of `elBox`
// ...
};
const machine = createMachine({
initial: 'idle',
states: {
idle: {
on: {
mousedown: {
// Add your action here
// ...
target: 'dragging',
},
},
},
dragging: {
on: {
mouseup: {
target: 'idle',
},
},
},
},
});
const service = interpret(machine);
service.onTransition((state) => {
console.log(state);
elBox.dataset.state = state.value;
});
service.start();
elBox.addEventListener('mousedown', (event) => {
service.send(event);
});
elBox.addEventListener('mouseup', (event) => {
service.send(event);
});
|
var searchData=
[
['individual',['Individual',['../classtvg_1_1SwCanvas.html#a9b9770837f0171b15f0cd86f94e8e22bab0257211e60ed5eb6767ec8ed3ec2524',1,'tvg::SwCanvas']]],
['init',['init',['../classtvg_1_1Initializer.html#aecd30dc028635b645b0dac5b6facea73',1,'tvg::Initializer']]],
['initializer',['Initializer',['../classtvg_1_1Initializer.html',1,'tvg']]],
['insufficientcondition',['InsufficientCondition',['../group__ThorVG.html#gga28287671eaf7406afd604bd055ba4066a119732ff568bf103d744e930ae2404f1',1,'tvg']]],
['invalidarguments',['InvalidArguments',['../group__ThorVG.html#gga28287671eaf7406afd604bd055ba4066ae73a2e92f1c87086c838b442552a4775',1,'tvg']]],
['invalphamask',['InvAlphaMask',['../group__ThorVG.html#ggaabdf94ada64e69d06deabc5aa6576f87a59cc48dcf714e3a3c2492f4dce1fe134',1,'tvg']]],
['initializer',['Initializer',['../group__ThorVGCapi__Initializer.html',1,'']]]
];
|
export const setNotification = (text, timeSeconds) => {
return async dispatch => {
const timer = setTimeout(() => {
dispatch(clearNotification())
}, timeSeconds * 1000) // s -> ms
dispatch({ type: 'SET_NOTIFICATION', data: { text, timer } })
}
}
export const clearNotification = () => {
return {
type: 'CLEAR_NOTIFICATION'
}
}
const notificationReducer = (state = { text: 'welcome', timer: null }, action) => {
switch (action.type) {
case 'SET_NOTIFICATION':
if (state.timer !== null) {
clearTimeout(state.timer)
}
return { text: action.data.text, timer: action.data.timer }
case 'CLEAR_NOTIFICATION':
return { text: '', timer: null }
default:
return state
}
}
export default notificationReducer |
import 'primereact/resources/themes/saga-blue/theme.css'
import 'primereact/resources/primereact.min.css';
import 'primeicons/primeicons.css';
import AdminTemplate from './templates/AdminTemplate';
import { createBrowserHistory } from 'history';
import { Router, Switch } from 'react-router';
import { IngredientCategory } from './ingredient/category/IngredientCategory';
import { IngredientType } from './ingredient/type/IngredientType';
import Dashboard from './pages/Dashboard';
import IngredientItem from './ingredient/item/IngredientItem';
import { IngredientInventory } from './pages/IngredientInventory';
import { RecipeGroup } from './recipe/group/RecipeGroup';
import { RecipeChild } from './recipe/child/RecipeChild';
import { RecipeDetail } from './recipe/detail/RecipeDetail';
import { Recipes } from './recipe/recipes/Recipes';
import { IngredientHistory } from './ingredient/type/IngredientHistory';
// import { IngredientItem } from './ingredient/item/IngredientItem';
export const history = createBrowserHistory();
function App() {
return (
<Router history={history}>
<Switch>
<AdminTemplate path="/" exact Component={Dashboard}/>
<AdminTemplate path="/ingredient-inventory" exact Component={IngredientInventory}/>
<AdminTemplate path="/ingredient" exact Component={IngredientCategory} />
<AdminTemplate path="/ingredient/:id" exact Component={IngredientType} />
<AdminTemplate path="/ingredient/history/:id" exact Component={IngredientHistory} />
<AdminTemplate path="/ingredient/type/:id" exact Component={IngredientItem} />
<AdminTemplate path="/recipe" exact Component={RecipeGroup} />
<AdminTemplate path="/recipes" exact Component={Recipes} />
<AdminTemplate path="/recipe/:id" exact Component={RecipeChild} />
<AdminTemplate path="/recipe/child/:id" exact Component={RecipeDetail} />
<AdminTemplate path="/supplier" exact Component={Dashboard} />
<AdminTemplate path="/notification" exact Component={Dashboard} />
</Switch>
</Router>
)
}
export default App;
|
#!/usr/bin/env python
# Based on http://peter-hoffmann.com/2012/python-simple-queue-redis-queue.html
# and the suggestion in the redis documentation for RPOPLPUSH, at
# http://redis.io/commands/rpoplpush, which suggests how to implement a work-queue.
import redis
from redis.sentinel import Sentinel
import uuid
import random
import hashlib
class RedisWQ(object):
def __init__(self, name, **kwargs)
"""Default: host='localhost', port=6379, db=0
name is the name of the work queue (required)
"""
self._db = redis.StrictRedis(**kwargs)
self._session = str(uuid.uuid4())
self._main_q_key = name
self._processing_q_key = name + ":processing"
self._lease_key_prefix = name + ":leased_by_session:"
def sessionID(self):
return self._session
def _main_qsize(self):
return self._db.llen(self._main_q_key)
def _processing_qsize(self):
return self._db.llen(self._processing_q_key)
def empty(self):
return self._main_qsize() == 0 and self._processing_qsize() == 0
def push(self, item):
self._db.rpush(self._main_q_key, item)
def _itemkey(self, item):
return hashlib.sha224(item).hexdigest()
def _lease_exists(self, item):
return self._db.exists(self._lease_key_prefix + self._itemkey(item))
def lease(self, lease_secs=60, block=True, timeout=None):
if self._db.llen(self._main_q_key) == 0:
return None
else:
if block:
item = self._db.brpoplpush(self._main_q_key, self._processing_q_key, timeout=timeout)
else:
item = self._db.rpoplpush(self._main_q_key, self._processing_q_key)
if item:
itemkey = self._itemkey(item)
self._db.setex(self._lease_key_prefix + itemkey, lease_secs, self._session)
return item
def complete(self, value):
self._db.lrem(self._processing_q_key, 0, value)
itemkey = self._itemkey(value)
self._db.delete(self._lease_key_prefix + itemkey, self._session)
return itemkey
class RedisWQProcessor(object):
def __init__(self, queue_name, service_name, master_group_name, port=6379, sentinel_port=26379):
self._current_job = None
self._host_name = host_name
self._queue_name = queue_name
self.open_client()
def get_redis_instances(self, redis_service, master_group_name):
sentinel = Sentinel([(redis_service, sentinel_port)], socket_timeout=0.1)
master_host, master_port = sentinel.discover_master(master_group_name)
slaves = sentinel.discover_slaves(master_group_name)
slave_host, slave_port = random.choice(slaves)
return master_host, slave_host
def open_client(self):
master_host, slave_host = self.get_redis_instances(self._host_name)
self.Q = RedisWQ(name=self._queue_name, host=master_host)
self.slave_Q = RedisWQ(name=self._queue_name, host=slave_host)
def isEmpty(self):
max_retries = 3
num_tries = 0
while num_tries < max_retries:
try:
return self.slave_Q.empty()
except Exception:
num_tries += 1
def getJob(self):
max_retries = 3
num_tries = 0
while num_tries < max_retries:
try:
job = self.Q.lease(lease_secs=60, block=True)
if job is not None:
return job
else:
return None
except Exception:
num_tries += 1
del self.Q
del self.slave_Q
self.open_client()
def releaseJob(self):
max_retries = 3
num_tries = 0
while num_tries < max_retries:
try:
self.Q.complete(self._current_job)
break
except Exception:
num_tries += 1
self._current_job = None |
sap.ui.define([
"sap/ui/core/mvc/Controller",
"sap/ui/model/json/JSONModel"
], function(Controller, JSONModel) {
"use strict";
return Controller.extend("Demo.controller.Home", {
onInit : function() {
},
/////////////////////////////////////
// EVENTS
/////////////////////////////////////
onLayoutComplete: function(oEvent) {
console.log("EVENT -> onLayoutComplete");
},
onRemoveComplete: function(oEvent) {
console.log("EVENT -> onRemoveComplete");
},
onImageLoadedAlways: function(oEvent) {
console.log("EVENT -> onImageLoadedAlways");
},
onImageLoadedDone: function(oEvent) {
console.log("EVENT -> onImageLoadedDone");
},
onImageLoadedFail: function(oEvent) {
console.log("EVENT -> onImageLoadedFail");
},
onImageLoadedProgress: function(oEvent) {
console.log("EVENT -> onImageLoadedProgress");
console.log("EVENT -> image " + oEvent.getParameter("image") );
console.log("EVENT -> isLoaded " + oEvent.getParameter("loaded") );
}
});
}); |
# ---------------------------------------------------------------------
# Extreme.XOS.get_mac_address_table
# ---------------------------------------------------------------------
# Copyright (C) 2007-2015 The NOC Project
# See LICENSE for details
# ---------------------------------------------------------------------
from noc.core.script.base import BaseScript
from noc.sa.interfaces.igetmacaddresstable import IGetMACAddressTable
import re
class Script(BaseScript):
name = "Extreme.XOS.get_mac_address_table"
interface = IGetMACAddressTable
TIMEOUT = 1900
rx_line = re.compile(
r"^(?P<mac>\S+)\s+\S+\((?P<vlan_id>\d+)\)\s+\d+\s+"
r"(?P<type>([dhmis\s]+))\s+?(?:\S+)?\s+"
r"(?P<interfaces>\d+(\:\d+)?)(?:\S+)?$"
)
def execute(self, interface=None, vlan=None, mac=None):
cmd = "show fdb"
if mac is not None:
cmd += " %s" % self.profile.convert_mac(mac)
if interface is not None:
cmd += " ports %s" % interface
if vlan is not None:
cmd += " vlan %s" % vlan
vlans = self.cli(cmd)
r = []
for l in vlans.split("\n"):
match = self.rx_line.match(l.strip())
if match:
mactype = match.group("type")
r.append(
{
"vlan_id": match.group("vlan_id"),
"mac": match.group("mac"),
"interfaces": [match.group("interfaces")],
"type": {
"d m": "D",
"dhm": "D",
"dhmi": "D",
"d mi": "D",
"s m": "S",
"shm": "S",
}[mactype.strip()],
}
)
return r
|
/* global slow */
$(function ()
{
$('#slaid img:eq(0)').addClass("ativo").show();
// var texto = $(".ativo").attr("alt");
// $('#slaid').prepend("<p>"+texto+"</p>");
setInterval(slideshow,10000);
function slideshow(){
if($('.ativo').next().size())
{
($('.ativo')
.fadeOut('slow')
.removeClass('ativo')
.next().fadeIn(600)
.addClass('ativo'));
}
else{
$('.ativo')
.fadeOut(800)
.removeClass('.ativo');
$('#slaid img:eq(0)')
.fadeIn(500)
.addClass('ativo');
}
var texto = $('.ativo').attr("alt");
$('#slaid p')
.fadeOut(700)
.html(texto)
.delay(500)
.fadeIn(1000);
}
});
|
(window.webpackJsonp=window.webpackJsonp||[]).push([[29,8,17],{59:function(t,e,n){"use strict";var o=n(589);e.a=o.a},644:function(t,e,n){},657:function(t,e,n){},665:function(t,e,n){"use strict";var o=n(68),r=n(1),c=(n(27),n(80),n(58),n(31),n(44),n(98),n(12),n(9),n(11),n(15),n(10),n(16),n(644),n(588)),l=n(120),h=n(141),d=n(242),f=n(244),v=n(243),m=n(241),y=n(61),O=n(145),w=n(17),C=n(18),j=n(0);function $(object,t){var e=Object.keys(object);if(Object.getOwnPropertySymbols){var n=Object.getOwnPropertySymbols(object);t&&(n=n.filter((function(t){return Object.getOwnPropertyDescriptor(object,t).enumerable}))),e.push.apply(e,n)}return e}function _(t){for(var i=1;i<arguments.length;i++){var source=null!=arguments[i]?arguments[i]:{};i%2?$(Object(source),!0).forEach((function(e){Object(r.a)(t,e,source[e])})):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(source)):$(Object(source)).forEach((function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(source,e))}))}return t}var x=Object(w.a)(l.a,h.a,d.a,f.a,v.a,m.a,y.a);e.a=x.extend({name:"v-dialog",directives:{ClickOutside:O.a},props:{dark:Boolean,disabled:Boolean,fullscreen:Boolean,light:Boolean,maxWidth:{type:[String,Number],default:"none"},noClickAnimation:Boolean,origin:{type:String,default:"center center"},persistent:Boolean,retainFocus:{type:Boolean,default:!0},scrollable:Boolean,transition:{type:[String,Boolean],default:"dialog-transition"},width:{type:[String,Number],default:"auto"}},data:function(){return{activatedBy:null,animate:!1,animateTimeout:-1,isActive:!!this.value,stackMinZIndex:200,previousActiveElement:null}},computed:{classes:function(){var t;return t={},Object(r.a)(t,"v-dialog ".concat(this.contentClass).trim(),!0),Object(r.a)(t,"v-dialog--active",this.isActive),Object(r.a)(t,"v-dialog--persistent",this.persistent),Object(r.a)(t,"v-dialog--fullscreen",this.fullscreen),Object(r.a)(t,"v-dialog--scrollable",this.scrollable),Object(r.a)(t,"v-dialog--animated",this.animate),t},contentClasses:function(){return{"v-dialog__content":!0,"v-dialog__content--active":this.isActive}},hasActivator:function(){return Boolean(!!this.$slots.activator||!!this.$scopedSlots.activator)}},watch:{isActive:function(t){var e;t?(this.show(),this.hideScroll()):(this.removeOverlay(),this.unbind(),null==(e=this.previousActiveElement)||e.focus())},fullscreen:function(t){this.isActive&&(t?(this.hideScroll(),this.removeOverlay(!1)):(this.showScroll(),this.genOverlay()))}},created:function(){this.$attrs.hasOwnProperty("full-width")&&Object(C.e)("full-width",this)},beforeMount:function(){var t=this;this.$nextTick((function(){t.isBooted=t.isActive,t.isActive&&t.show()}))},beforeDestroy:function(){"undefined"!=typeof window&&this.unbind()},methods:{animateClick:function(){var t=this;this.animate=!1,this.$nextTick((function(){t.animate=!0,window.clearTimeout(t.animateTimeout),t.animateTimeout=window.setTimeout((function(){return t.animate=!1}),150)}))},closeConditional:function(t){var e=t.target;return!(this._isDestroyed||!this.isActive||this.$refs.content.contains(e)||this.overlay&&e&&!this.overlay.$el.contains(e))&&this.activeZIndex>=this.getMaxZIndex()},hideScroll:function(){this.fullscreen?document.documentElement.classList.add("overflow-y-hidden"):f.a.options.methods.hideScroll.call(this)},show:function(){var t=this;!this.fullscreen&&!this.hideOverlay&&this.genOverlay(),this.$nextTick((function(){t.$nextTick((function(){t.previousActiveElement=document.activeElement,t.$refs.content.focus(),t.bind()}))}))},bind:function(){window.addEventListener("focusin",this.onFocusin)},unbind:function(){window.removeEventListener("focusin",this.onFocusin)},onClickOutside:function(t){this.$emit("click:outside",t),this.persistent?this.noClickAnimation||this.animateClick():this.isActive=!1},onKeydown:function(t){if(t.keyCode===j.y.esc&&!this.getOpenDependents().length)if(this.persistent)this.noClickAnimation||this.animateClick();else{this.isActive=!1;var e=this.getActivator();this.$nextTick((function(){return e&&e.focus()}))}this.$emit("keydown",t)},onFocusin:function(t){if(t&&this.retainFocus){var e=t.target;if(e&&![document,this.$refs.content].includes(e)&&!this.$refs.content.contains(e)&&this.activeZIndex>=this.getMaxZIndex()&&!this.getOpenDependentElements().some((function(t){return t.contains(e)}))){var n=this.$refs.content.querySelectorAll('button, [href], input, select, textarea, [tabindex]:not([tabindex="-1"])'),r=Object(o.a)(n).find((function(t){return!t.hasAttribute("disabled")}));r&&r.focus()}}},genContent:function(){var t=this;return this.showLazyContent((function(){return[t.$createElement(c.a,{props:{root:!0,light:t.light,dark:t.dark}},[t.$createElement("div",{class:t.contentClasses,attrs:_({role:"document",tabindex:t.isActive?0:void 0},t.getScopeIdAttrs()),on:{keydown:t.onKeydown},style:{zIndex:t.activeZIndex},ref:"content"},[t.genTransition()])])]}))},genTransition:function(){var content=this.genInnerContent();return this.transition?this.$createElement("transition",{props:{name:this.transition,origin:this.origin,appear:!0}},[content]):content},genInnerContent:function(){var data={class:this.classes,ref:"dialog",directives:[{name:"click-outside",value:{handler:this.onClickOutside,closeConditional:this.closeConditional,include:this.getOpenDependentElements}},{name:"show",value:this.isActive}],style:{transformOrigin:this.origin}};return this.fullscreen||(data.style=_(_({},data.style),{},{maxWidth:"none"===this.maxWidth?void 0:Object(j.g)(this.maxWidth),width:"auto"===this.width?void 0:Object(j.g)(this.width)})),this.$createElement("div",data,this.getContentSlot())}},render:function(t){return t("div",{staticClass:"v-dialog__container",class:{"v-dialog__container--attached":""===this.attach||!0===this.attach||"attach"===this.attach},attrs:{role:"dialog"}},[this.genActivator(),this.genContent()])}})},690:function(t,e,n){"use strict";n(12),n(9),n(11),n(15),n(10),n(16);var o=n(1),r=(n(31),n(657),n(112)),c=n(59),l=n(33),h=n(61),d=n(37),f=n(4).a.extend({name:"transitionable",props:{mode:String,origin:String,transition:String}}),v=n(17),m=n(18);function y(object,t){var e=Object.keys(object);if(Object.getOwnPropertySymbols){var n=Object.getOwnPropertySymbols(object);t&&(n=n.filter((function(t){return Object.getOwnPropertyDescriptor(object,t).enumerable}))),e.push.apply(e,n)}return e}function O(t){for(var i=1;i<arguments.length;i++){var source=null!=arguments[i]?arguments[i]:{};i%2?y(Object(source),!0).forEach((function(e){Object(o.a)(t,e,source[e])})):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(source)):y(Object(source)).forEach((function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(source,e))}))}return t}e.a=Object(v.a)(r.a,h.a,f).extend({name:"v-alert",props:{border:{type:String,validator:function(t){return["top","right","bottom","left"].includes(t)}},closeLabel:{type:String,default:"$vuetify.close"},coloredBorder:Boolean,dense:Boolean,dismissible:Boolean,closeIcon:{type:String,default:"$cancel"},icon:{default:"",type:[Boolean,String],validator:function(t){return"string"==typeof t||!1===t}},outlined:Boolean,prominent:Boolean,text:Boolean,type:{type:String,validator:function(t){return["info","error","success","warning"].includes(t)}},value:{type:Boolean,default:!0}},computed:{__cachedBorder:function(){if(!this.border)return null;var data={staticClass:"v-alert__border",class:Object(o.a)({},"v-alert__border--".concat(this.border),!0)};return this.coloredBorder&&((data=this.setBackgroundColor(this.computedColor,data)).class["v-alert__border--has-color"]=!0),this.$createElement("div",data)},__cachedDismissible:function(){var t=this;if(!this.dismissible)return null;var e=this.iconColor;return this.$createElement(c.a,{staticClass:"v-alert__dismissible",props:{color:e,icon:!0,small:!0},attrs:{"aria-label":this.$vuetify.lang.t(this.closeLabel)},on:{click:function(){return t.isActive=!1}}},[this.$createElement(l.a,{props:{color:e}},this.closeIcon)])},__cachedIcon:function(){return this.computedIcon?this.$createElement(l.a,{staticClass:"v-alert__icon",props:{color:this.iconColor}},this.computedIcon):null},classes:function(){var t=O(O({},r.a.options.computed.classes.call(this)),{},{"v-alert--border":Boolean(this.border),"v-alert--dense":this.dense,"v-alert--outlined":this.outlined,"v-alert--prominent":this.prominent,"v-alert--text":this.text});return this.border&&(t["v-alert--border-".concat(this.border)]=!0),t},computedColor:function(){return this.color||this.type},computedIcon:function(){return!1!==this.icon&&("string"==typeof this.icon&&this.icon?this.icon:!!["error","info","success","warning"].includes(this.type)&&"$".concat(this.type))},hasColoredIcon:function(){return this.hasText||Boolean(this.border)&&this.coloredBorder},hasText:function(){return this.text||this.outlined},iconColor:function(){return this.hasColoredIcon?this.computedColor:void 0},isDark:function(){return!(!this.type||this.coloredBorder||this.outlined)||d.a.options.computed.isDark.call(this)}},created:function(){this.$attrs.hasOwnProperty("outline")&&Object(m.a)("outline","outlined",this)},methods:{genWrapper:function(){var t=[this.$slots.prepend||this.__cachedIcon,this.genContent(),this.__cachedBorder,this.$slots.append,this.$scopedSlots.close?this.$scopedSlots.close({toggle:this.toggle}):this.__cachedDismissible];return this.$createElement("div",{staticClass:"v-alert__wrapper"},t)},genContent:function(){return this.$createElement("div",{staticClass:"v-alert__content"},this.$slots.default)},genAlert:function(){var data={staticClass:"v-alert",attrs:{role:"alert"},on:this.listeners$,class:this.classes,style:this.styles,directives:[{name:"show",value:this.isActive}]};this.coloredBorder||(data=(this.hasText?this.setTextColor:this.setBackgroundColor)(this.computedColor,data));return this.$createElement("div",data,[this.genWrapper()])},toggle:function(){this.isActive=!this.isActive}},render:function(t){var e=this.genAlert();return this.transition?t("transition",{props:{name:this.transition,origin:this.origin,mode:this.mode}},[e]):e}})}}]); |
var express = require('express');
var fs = require('fs');
var https = require('https');
var path = require('path');
var bodyParser = require('body-parser');
var Houndify = require('houndify');
//parse arguments
var argv = require('minimist')(process.argv.slice(2));
//config file
var configFile = argv.config || 'config';
var config = require(path.join(__dirname, configFile));
//express app
var app = express();
const port = 3446;
const hostname = '127.0.0.1';
app.use(express.static(__dirname));
app.get('/', function(req, res) {
res.sendFile(path.join(__dirname + '/index.html'));
});
//authenticates requests
app.get('/houndifyAuth', Houndify.HoundifyExpress.createAuthenticationHandler({
clientId: config.clientId,
clientKey: config.clientKey
}));
//sends the request to Houndify backend with authentication headers
app.post('/textSearchProxy', bodyParser.text({ limit: '1mb' }), Houndify.HoundifyExpress.createTextProxyHandler());
if (config.https) {
//ssl credentials
var privateKey = fs.readFileSync(config.sslKeyFile);
var certificate = fs.readFileSync(config.sslCrtFile);
var credentials = { key: privateKey, cert: certificate };
//https server
var httpsServer = https.createServer(credentials, app);
httpsServer.listen(port, function() {
fs.readFile("index.html", function(err, data){
response.writeHead(200, {'Content-Type': 'text/html'});
response.write(data);
response.end();
console.log("HTTPS server running on port", port);
console.log("Open https://127.0.0.1:" + port, "in the browser to view the Web SDK demo");
});
});
} else {
app.listen(port, function() {
console.log("HTTP server running on port", port);
console.log("Open http://127.0.0.1:" + port, "in the browser to view the Web SDK demo");
});
} |
'use strict';
var assert = require('assert');
var sinon = require('sinon');
var mocks = require('../mocks');
var bootstrap = require('../bootstrap');
var Verifier = require('../../lib/verifier').Verifier;
describe('signature verification', function() {
var clock;
var verifier;
var sandbox;
beforeEach(function() {
sandbox = sinon.sandbox.create();
clock = sandbox.useFakeTimers(mocks.goodDate.getTime());
verifier = new Verifier(bootstrap.TEST_MASTER_KEY);
});
afterEach(function() {
sandbox.restore();
clock.restore();
});
it('successfully verifies a valid request', function(done) {
bootstrap.createHttpServer(verifier, done, function(err, server) {
assert.equal(err, null);
bootstrap.sendRequest(mocks.goodRequest, function(err, res) {
server.close();
assert.equal(err, null);
assert.strictEqual(res.statusCode, 200);
done();
});
});
});
it('rejects a request due to invalid signature header', function(done) {
bootstrap.createHttpServer(verifier, done, function(err, server) {
assert.equal(err, null);
bootstrap.sendRequest(mocks.invalidSignature, function(err, res, body) {
server.close();
assert.equal(err, null);
assert.strictEqual(res.statusCode, 401);
assert.strictEqual(body, 'invalid signature', 'Incorrect error reason');
done();
});
});
});
it('rejects a request due to invalid signature values', function(done) {
bootstrap.createHttpServer(verifier, done, function(err, server) {
assert.equal(err, null);
bootstrap.sendRequest(mocks.invalidRequest, function(err, res, body) {
server.close();
assert.equal(err, null);
assert.strictEqual(res.statusCode, 401);
assert.strictEqual(body, 'invalid signature', 'Incorrect error reason');
done();
});
});
});
it('rejects a request due to clock skew', function(done) {
bootstrap.createHttpServer(verifier, done, function(err, server) {
assert.equal(err, null);
bootstrap.sendRequest(mocks.clockSkewRequest, function(err, res, body) {
server.close();
assert.equal(err, null);
assert.strictEqual(res.statusCode, 400);
assert.strictEqual(body, 'clock skew', 'Incorrect error reason');
done();
});
});
});
it('rejects a request due to missing headers', function(done) {
bootstrap.createHttpServer(verifier, done, function(err, server) {
assert.equal(err, null);
bootstrap.sendRequest(mocks.emptyRequest, function(err, res) {
server.close();
assert.equal(err, null);
assert.strictEqual(res.statusCode, 400);
done();
});
});
});
});
|
import { IconChevronDown, IconTimesCircle } from 'dls-icons-vue'
import ui from 'veui/managers/ui'
const TAG_SIZE_MAP = {
xs: 's',
s: 's',
m: 's',
l: 'm'
}
ui.defaults(
{
icons: {
expand: IconChevronDown,
collapse: IconChevronDown,
clear: IconTimesCircle,
separator: IconChevronDown
},
ui: {
size: {
values: ['xs', 's', 'm', 'l'],
inherit: true,
default: 'm'
}
},
parts: {
clear: 'icon aux',
tag: ({ size }) => TAG_SIZE_MAP[size] || size
}
},
'cascader'
)
|
"use strict";
var amplitude_1 = require('./amplitude');
var utils_1 = require('./utils');
var combinatorics_1 = require('./combinatorics');
var I = amplitude_1["default"].I;
var Amplitude = amplitude_1["default"].Amplitude;
// Var Constants
var hbar = 1;
var System = function (num_particles, box, potential) {
var preProduct = [];
for (var particle = 0; particle < num_particles; particle++) {
var possiblePositions = [];
for (var particle_x = 0; particle_x < box.max_resolution; particle_x += 1) {
possiblePositions.push(particle_x);
}
preProduct.push(possiblePositions);
}
this.states = combinatorics_1["default"].cartesianProduct(preProduct);
this.resolution = box.max_resolution;
this.potential = potential;
this.geometry = box;
};
// A wave function is a state function that gives you
// amplitudes of other states (which we'll typically
// take as time invariant states (that is, eigenstates of
// the Hamiltonian). I recognize that we're looking at this
// oddly, but let's see where this goes. We're thinking of a
// wave function less like an object in hilbert space, but rather,
// this thing that gives you the amplitude of another state.
//
// In this perspective, we're thinking of wavefunctions not as superposition
// of states, but as objects that tell you the outcome of measurements (which
// are the actual states, because we know what it means to say the particle is
// in State X, but not necessarily what it means to be in a*State X + b*State Y).
// I suspect that looking at things this way might make explaining Heisenburg's
// Uncertainty Principle harder.
var StateFunction = function (states) {
this.amplitudes = [];
for (var i = 0; i < states.length; i++) {
var state_amp = states[i];
var state = state_amp[0];
var amp = state_amp[1];
this.amplitudes[this.computeIndex(state)] = amp;
}
// TODO: Normalize all wave amplitudes.
};
// This is slow, and probably wrong.
// However, it does give some suggestion as to what our
// "States" look like.
// TODO: Ensure that if two states are the same, they always
// have the same index. Until then, our states will need to
// be ordered arrays.
StateFunction.prototype.computeIndex = function (state) {
return JSON.stringify(state);
};
StateFunction.prototype.get = function (state) {
var index = this.computeIndex(state);
if (index === undefined) {
return 0;
}
return this.amplitudes[index];
};
StateFunction.prototype.set = function (state, amplitude) {
var index = this.computeIndex(state);
if (index === undefined) {
return;
}
this.amplitudes[index] = amplitude;
};
var WaveFunction = StateFunction;
var secondDerivative = function (fx, fx_minus_h, fx_plus_h, dx) {
if (typeof (fx) === "number") {
fx = new amplitude_1["default"].Amplitude(fx, 0);
}
if (typeof (fx_minus_h) === "number") {
fx_minus_h = new amplitude_1["default"].Amplitude(fx_minus_h, 0);
}
if (typeof (fx_plus_h) === "number") {
fx_plus_h = new amplitude_1["default"].Amplitude(fx_plus_h, 0);
}
// [ f(x+h) - 2f(x) + f(x-h) ]/ dx^2
return fx_minus_h.add(fx.multiply(-2)).add(fx_plus_h).multiply(1 / (dx * dx));
};
var Hamiltonian = function (system) {
// `StateFunction.apply(this, [system.states]); // I have no idea what this is supposed to do.
this.system = system; // Grab potential and resolution.
};
// This function is intended to evaluate the value of the Hamiltonian
// at the current point in time, given, the wavefunction's current configuration.
Hamiltonian.prototype.update = function (wavefunction) {
for (var state_id = 0; state_id < wavefunction.states.length; state_id++) {
var state = wavefunction.interior_states[state_id];
for (var particle_id = 0; particle_id < wavefunction.particles.length; particle_id++) {
var particle = wavefunction.particles[particle_id];
var this_state_amplitude = wavefunction.get(state);
// Adjacent states for kinectic energy; 'prev' and 'next' are slight misnomers.
// They refer to the state in the which have the current particle moved -dx and +dx
// respectively. If these states are not in set of states, they are assumed to be boundary states
// and thus will have amplitude of zero.
// TODO: This seems to only make sense when our system is in one dimension. :(
var prev_state = utils_1["default"].ArrayUtils.addedIndex(state, particle_id, -1);
var previous_state_amplitude = wavefunction.get(prev_state);
var next_state = utils_1["default"].ArrayUtils.addedIndex(state, particle_id, 1);
var next_state_amplitude = wavefunction.states.get(next_state);
// TODO: Correct solution for this.states.resolution. Currently, I'm cheating.
// Compute Energy Amplitude Terms
var kineticAmplitude = new Amplitude((-hbar / (particle.mass * 2)) *
secondDerivative(this_state_amplitude, previous_state_amplitude, next_state_amplitude, 1 / this.system.resolution), 0);
// TODO: Figure out what this variable center_state_amplitude
// was supposed to be.
var center_state_amplitude = new Amplitude(0, 0);
var potentialAmplitude = center_state_amplitude.multiply(this.system.potential(state)); // V(x)*Psi(x)
// H = K + V
this.set(state, kineticAmplitude.add(potentialAmplitude));
}
}
};
// Time Step evolution of the system
// Should probably be a method on System.
function schroedingerStep(wavefunction, system) {
var nextWaveFunction = new WaveFunction(state);
var hamiltonian = system.hamiltonian;
hamiltonian.update(wavefunction);
// Go over all interior states (boundary states never change, they're always zero)
for (var i = 0; i < wavefunction.states.length; i++) {
var state = system.states[i];
var amplitude = wavefunction.getAmplitude(state);
var nextAmplitude = amplitude.add(I.multiply(-1 / hbar).multiply(hamiltonian.get(state)));
nextWaveFunction.set(state, nextAmplitude);
}
return nextWaveFunction;
}
exports.__esModule = true;
exports["default"] = {
// The core objects here are the System
// and the Hamiltonian.
System: System,
Hamiltonian: Hamiltonian,
secondDerivative: secondDerivative,
StateFunction: StateFunction,
schroedingerStep: schroedingerStep // Make this a method on System
};
//# sourceMappingURL=quantum.js.map |
(function() {
'use strict';
angular
.module('hostelApp')
.controller('JhiMetricsMonitoringModalController', JhiMetricsMonitoringModalController);
JhiMetricsMonitoringModalController.$inject = ['$uibModalInstance', 'threadDump'];
function JhiMetricsMonitoringModalController ($uibModalInstance, threadDump) {
var vm = this;
vm.cancel = cancel;
vm.getLabelClass = getLabelClass;
vm.threadDump = threadDump;
vm.threadDumpAll = 0;
vm.threadDumpBlocked = 0;
vm.threadDumpRunnable = 0;
vm.threadDumpTimedWaiting = 0;
vm.threadDumpWaiting = 0;
angular.forEach(threadDump, function(value) {
if (value.threadState === 'RUNNABLE') {
vm.threadDumpRunnable += 1;
} else if (value.threadState === 'WAITING') {
vm.threadDumpWaiting += 1;
} else if (value.threadState === 'TIMED_WAITING') {
vm.threadDumpTimedWaiting += 1;
} else if (value.threadState === 'BLOCKED') {
vm.threadDumpBlocked += 1;
}
});
vm.threadDumpAll = vm.threadDumpRunnable + vm.threadDumpWaiting +
vm.threadDumpTimedWaiting + vm.threadDumpBlocked;
function cancel () {
$uibModalInstance.dismiss('cancel');
}
function getLabelClass (threadState) {
if (threadState === 'RUNNABLE') {
return 'label-success';
} else if (threadState === 'WAITING') {
return 'label-info';
} else if (threadState === 'TIMED_WAITING') {
return 'label-warning';
} else if (threadState === 'BLOCKED') {
return 'label-danger';
}
}
}
})();
|
#!/usr/bin/env python
# -*- coding: utf-8 -*-
import json
from alipay.aop.api.FileItem import FileItem
from alipay.aop.api.constant.ParamConstants import *
from alipay.aop.api.domain.AlipayInsServiceServicestatusSyncModel import AlipayInsServiceServicestatusSyncModel
class AlipayInsServiceServicestatusSyncRequest(object):
def __init__(self, biz_model=None):
self._biz_model = biz_model
self._biz_content = None
self._version = "1.0"
self._terminal_type = None
self._terminal_info = None
self._prod_code = None
self._notify_url = None
self._return_url = None
self._udf_params = None
self._need_encrypt = False
@property
def biz_model(self):
return self._biz_model
@biz_model.setter
def biz_model(self, value):
self._biz_model = value
@property
def biz_content(self):
return self._biz_content
@biz_content.setter
def biz_content(self, value):
if isinstance(value, AlipayInsServiceServicestatusSyncModel):
self._biz_content = value
else:
self._biz_content = AlipayInsServiceServicestatusSyncModel.from_alipay_dict(value)
@property
def version(self):
return self._version
@version.setter
def version(self, value):
self._version = value
@property
def terminal_type(self):
return self._terminal_type
@terminal_type.setter
def terminal_type(self, value):
self._terminal_type = value
@property
def terminal_info(self):
return self._terminal_info
@terminal_info.setter
def terminal_info(self, value):
self._terminal_info = value
@property
def prod_code(self):
return self._prod_code
@prod_code.setter
def prod_code(self, value):
self._prod_code = value
@property
def notify_url(self):
return self._notify_url
@notify_url.setter
def notify_url(self, value):
self._notify_url = value
@property
def return_url(self):
return self._return_url
@return_url.setter
def return_url(self, value):
self._return_url = value
@property
def udf_params(self):
return self._udf_params
@udf_params.setter
def udf_params(self, value):
if not isinstance(value, dict):
return
self._udf_params = value
@property
def need_encrypt(self):
return self._need_encrypt
@need_encrypt.setter
def need_encrypt(self, value):
self._need_encrypt = value
def add_other_text_param(self, key, value):
if not self.udf_params:
self.udf_params = dict()
self.udf_params[key] = value
def get_params(self):
params = dict()
params[P_METHOD] = 'alipay.ins.service.servicestatus.sync'
params[P_VERSION] = self.version
if self.biz_model:
params[P_BIZ_CONTENT] = json.dumps(obj=self.biz_model.to_alipay_dict(), ensure_ascii=False, sort_keys=True, separators=(',', ':'))
if self.biz_content:
if hasattr(self.biz_content, 'to_alipay_dict'):
params['biz_content'] = json.dumps(obj=self.biz_content.to_alipay_dict(), ensure_ascii=False, sort_keys=True, separators=(',', ':'))
else:
params['biz_content'] = self.biz_content
if self.terminal_type:
params['terminal_type'] = self.terminal_type
if self.terminal_info:
params['terminal_info'] = self.terminal_info
if self.prod_code:
params['prod_code'] = self.prod_code
if self.notify_url:
params['notify_url'] = self.notify_url
if self.return_url:
params['return_url'] = self.return_url
if self.udf_params:
params.update(self.udf_params)
return params
def get_multipart_params(self):
multipart_params = dict()
return multipart_params
|
export { default } from 'ember-data-prismic/models/prismic-document';
|
const Discord = require("discord.js");
const fetch = require("node-fetch");
module.exports = {
name: "djs",
aliases: ["discordjs", "djsdocs"],
description: "Look at the discord.js docs",
category: "Utility",
usage: "djs (query)",
run: async (client, message, args) => {
try {
const query = args[0];
let version = message.content.split("--src=")[1];
if (!version) version = "stable";
if (!query)
return message.lineReply("<:xvector:869193619318382602> **| Please enter a term to search!**");
const res = await fetch(`https://djsdocs.sorta.moe/v2/embed?src=${version}&q=${query}`);
const body = await res.json();
return message
.lineReply({
embed: body,
})
.catch((c) => {
message.lineReply("<:xvector:869193619318382602> **| Invaild query!**");
});
} catch (err) {
console.log(err);
const Anerror = new Discord.MessageEmbed()
.setColor("#e63064")
.setTitle("<:errorcode:868245243357712384> AN ERROR OCCURED!")
.setDescription(`\`\`\`${err}\`\`\``)
.setFooter("Error in code: Report this error to kotlin0427")
.setTimestamp();
return message.lineReply(Anerror);
}
},
};
|
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
exports.findExpandedKeys = findExpandedKeys;
exports.getExpandRange = getExpandRange;
function findExpandedKeys() {
var prev = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : [];
var next = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : [];
var prevLen = prev.length;
var nextLen = next.length;
if (Math.abs(prevLen - nextLen) !== 1) {
return {
add: false,
key: null
};
}
function find(shorter, longer) {
var cache = new Map();
shorter.forEach(function (key) {
cache.set(key, true);
});
var keys = longer.filter(function (key) {
return !cache.has(key);
});
return keys.length === 1 ? keys[0] : null;
}
if (prevLen < nextLen) {
return {
add: true,
key: find(prev, next)
};
}
return {
add: false,
key: find(next, prev)
};
}
function getExpandRange(shorter, longer, key) {
var shorterStartIndex = shorter.findIndex(function (data) {
return data.key === key;
});
var shorterEndNode = shorter[shorterStartIndex + 1];
var longerStartIndex = longer.findIndex(function (data) {
return data.key === key;
});
if (shorterEndNode) {
var longerEndIndex = longer.findIndex(function (data) {
return data.key === shorterEndNode.key;
});
return longer.slice(longerStartIndex + 1, longerEndIndex);
}
return longer.slice(longerStartIndex + 1);
} |
Subsets and Splits