path
stringlengths
5
195
repo_name
stringlengths
5
79
content
stringlengths
25
1.01M
src/components/footer/footer.js
getcha22/react-blog
import React from 'react' import styles from './footer.css' class Footer extends React.Component { render() { return ( <div className={styles.footer}> Copyright © 2016-2017 getcha22.com | getcha22 | HaoXiang | 郝翔 | [email protected] </div>); } } export default Footer
packages/react-test-renderer/src/ReactShallowRenderer.js
rickbeerendonk/react
/** * Copyright (c) Facebook, Inc. and its affiliates. * * This source code is licensed under the MIT license found in the * LICENSE file in the root directory of this source tree. * * @flow */ import React from 'react'; import {isForwardRef, isMemo, ForwardRef} from 'react-is'; import describeComponentFrame from 'shared/describeComponentFrame'; import getComponentName from 'shared/getComponentName'; import shallowEqual from 'shared/shallowEqual'; import invariant from 'shared/invariant'; import checkPropTypes from 'prop-types/checkPropTypes'; import ReactSharedInternals from 'shared/ReactSharedInternals'; import is from 'shared/objectIs'; import type {Dispatcher as DispatcherType} from 'react-reconciler/src/ReactFiberHooks'; import type { ReactContext, ReactEventResponderListener, } from 'shared/ReactTypes'; import type {ReactElement} from 'shared/ReactElementType'; type BasicStateAction<S> = (S => S) | S; type Dispatch<A> = A => void; type Update<A> = { action: A, next: Update<A> | null, }; type UpdateQueue<A> = { first: Update<A> | null, dispatch: any, }; type Hook = { memoizedState: any, queue: UpdateQueue<any> | null, next: Hook | null, }; const {ReactCurrentDispatcher} = ReactSharedInternals; const RE_RENDER_LIMIT = 25; const emptyObject = {}; if (__DEV__) { Object.freeze(emptyObject); } // In DEV, this is the name of the currently executing primitive hook let currentHookNameInDev: ?string; function areHookInputsEqual( nextDeps: Array<mixed>, prevDeps: Array<mixed> | null, ) { if (prevDeps === null) { if (__DEV__) { console.error( '%s received a final argument during this render, but not during ' + 'the previous render. Even though the final argument is optional, ' + 'its type cannot change between renders.', currentHookNameInDev, ); } return false; } if (__DEV__) { // Don't bother comparing lengths in prod because these arrays should be // passed inline. if (nextDeps.length !== prevDeps.length) { console.error( 'The final argument passed to %s changed size between renders. The ' + 'order and size of this array must remain constant.\n\n' + 'Previous: %s\n' + 'Incoming: %s', currentHookNameInDev, `[${nextDeps.join(', ')}]`, `[${prevDeps.join(', ')}]`, ); } } for (let i = 0; i < prevDeps.length && i < nextDeps.length; i++) { if (is(nextDeps[i], prevDeps[i])) { continue; } return false; } return true; } class Updater { constructor(renderer) { this._renderer = renderer; this._callbacks = []; } _renderer: ReactShallowRenderer; _callbacks: Array<any>; _enqueueCallback(callback, publicInstance) { if (typeof callback === 'function' && publicInstance) { this._callbacks.push({ callback, publicInstance, }); } } _invokeCallbacks() { const callbacks = this._callbacks; this._callbacks = []; callbacks.forEach(({callback, publicInstance}) => { callback.call(publicInstance); }); } isMounted(publicInstance) { return !!this._renderer._element; } enqueueForceUpdate(publicInstance, callback, callerName) { this._enqueueCallback(callback, publicInstance); this._renderer._forcedUpdate = true; this._renderer.render(this._renderer._element, this._renderer._context); } enqueueReplaceState(publicInstance, completeState, callback, callerName) { this._enqueueCallback(callback, publicInstance); this._renderer._newState = completeState; this._renderer.render(this._renderer._element, this._renderer._context); } enqueueSetState(publicInstance, partialState, callback, callerName) { this._enqueueCallback(callback, publicInstance); const currentState = this._renderer._newState || publicInstance.state; if (typeof partialState === 'function') { partialState = partialState.call( publicInstance, currentState, publicInstance.props, ); } // Null and undefined are treated as no-ops. if (partialState === null || partialState === undefined) { return; } this._renderer._newState = { ...currentState, ...partialState, }; this._renderer.render(this._renderer._element, this._renderer._context); } } function createHook(): Hook { return { memoizedState: null, queue: null, next: null, }; } function basicStateReducer<S>(state: S, action: BasicStateAction<S>): S { return typeof action === 'function' ? action(state) : action; } class ReactShallowRenderer { static createRenderer = function() { return new ReactShallowRenderer(); }; constructor() { this._reset(); } _reset() { this._context = null; this._element = null; this._instance = null; this._newState = null; this._rendered = null; this._rendering = false; this._forcedUpdate = false; this._updater = new Updater(this); this._dispatcher = this._createDispatcher(); this._workInProgressHook = null; this._firstWorkInProgressHook = null; this._isReRender = false; this._didScheduleRenderPhaseUpdate = false; this._renderPhaseUpdates = null; this._numberOfReRenders = 0; } _context: null | Object; _newState: null | Object; _instance: any; _element: null | ReactElement; _rendered: null | mixed; _updater: Updater; _rendering: boolean; _forcedUpdate: boolean; _dispatcher: DispatcherType; _workInProgressHook: null | Hook; _firstWorkInProgressHook: null | Hook; _renderPhaseUpdates: Map<UpdateQueue<any>, Update<any>> | null; _isReRender: boolean; _didScheduleRenderPhaseUpdate: boolean; _numberOfReRenders: number; _validateCurrentlyRenderingComponent() { invariant( this._rendering && !this._instance, 'Invalid hook call. Hooks can only be called inside of the body of a function component. This could happen for' + ' one of the following reasons:\n' + '1. You might have mismatching versions of React and the renderer (such as React DOM)\n' + '2. You might be breaking the Rules of Hooks\n' + '3. You might have more than one copy of React in the same app\n' + 'See https://fb.me/react-invalid-hook-call for tips about how to debug and fix this problem.', ); } _createDispatcher(): DispatcherType { const useReducer = <S, I, A>( reducer: (S, A) => S, initialArg: I, init?: I => S, ): [S, Dispatch<A>] => { this._validateCurrentlyRenderingComponent(); this._createWorkInProgressHook(); const workInProgressHook: Hook = (this._workInProgressHook: any); if (this._isReRender) { // This is a re-render. const queue: UpdateQueue<A> = (workInProgressHook.queue: any); const dispatch: Dispatch<A> = (queue.dispatch: any); if (this._numberOfReRenders > 0) { // Apply the new render phase updates to the previous current hook. if (this._renderPhaseUpdates !== null) { // Render phase updates are stored in a map of queue -> linked list const firstRenderPhaseUpdate = this._renderPhaseUpdates.get(queue); if (firstRenderPhaseUpdate !== undefined) { (this._renderPhaseUpdates: any).delete(queue); let newState = workInProgressHook.memoizedState; let update = firstRenderPhaseUpdate; do { const action = update.action; newState = reducer(newState, action); update = update.next; } while (update !== null); workInProgressHook.memoizedState = newState; return [newState, dispatch]; } } return [workInProgressHook.memoizedState, dispatch]; } // Process updates outside of render let newState = workInProgressHook.memoizedState; let update = queue.first; if (update !== null) { do { const action = update.action; newState = reducer(newState, action); update = update.next; } while (update !== null); queue.first = null; workInProgressHook.memoizedState = newState; } return [newState, dispatch]; } else { let initialState; if (reducer === basicStateReducer) { // Special case for `useState`. initialState = typeof initialArg === 'function' ? ((initialArg: any): () => S)() : ((initialArg: any): S); } else { initialState = init !== undefined ? init(initialArg) : ((initialArg: any): S); } workInProgressHook.memoizedState = initialState; const queue: UpdateQueue<A> = (workInProgressHook.queue = { first: null, dispatch: null, }); const dispatch: Dispatch< A, > = (queue.dispatch = (this._dispatchAction.bind(this, queue): any)); return [workInProgressHook.memoizedState, dispatch]; } }; const useState = <S>( initialState: (() => S) | S, ): [S, Dispatch<BasicStateAction<S>>] => { return useReducer( basicStateReducer, // useReducer has a special case to support lazy useState initializers (initialState: any), ); }; const useMemo = <T>( nextCreate: () => T, deps: Array<mixed> | void | null, ): T => { this._validateCurrentlyRenderingComponent(); this._createWorkInProgressHook(); const nextDeps = deps !== undefined ? deps : null; if ( this._workInProgressHook !== null && this._workInProgressHook.memoizedState !== null ) { const prevState = this._workInProgressHook.memoizedState; const prevDeps = prevState[1]; if (nextDeps !== null) { if (areHookInputsEqual(nextDeps, prevDeps)) { return prevState[0]; } } } const nextValue = nextCreate(); (this._workInProgressHook: any).memoizedState = [nextValue, nextDeps]; return nextValue; }; const useRef = <T>(initialValue: T): {current: T} => { this._validateCurrentlyRenderingComponent(); this._createWorkInProgressHook(); const previousRef = (this._workInProgressHook: any).memoizedState; if (previousRef === null) { const ref = {current: initialValue}; if (__DEV__) { Object.seal(ref); } (this._workInProgressHook: any).memoizedState = ref; return ref; } else { return previousRef; } }; const readContext = <T>( context: ReactContext<T>, observedBits: void | number | boolean, ): T => { return context._currentValue; }; const noOp = () => { this._validateCurrentlyRenderingComponent(); }; const identity = (fn: Function): Function => { return fn; }; const useResponder = ( responder, props, ): ReactEventResponderListener<any, any> => ({ props: props, responder, }); // TODO: implement if we decide to keep the shallow renderer const useTransition = ( config, ): [(callback: () => void) => void, boolean] => { this._validateCurrentlyRenderingComponent(); const startTransition = callback => { callback(); }; return [startTransition, false]; }; // TODO: implement if we decide to keep the shallow renderer const useDeferredValue = <T>(value: T, config): T => { this._validateCurrentlyRenderingComponent(); return value; }; return { readContext, useCallback: (identity: any), useContext: <T>(context: ReactContext<T>): T => { this._validateCurrentlyRenderingComponent(); return readContext(context); }, useDebugValue: noOp, useEffect: noOp, useImperativeHandle: noOp, useLayoutEffect: noOp, useMemo, useReducer, useRef, useState, useResponder, useTransition, useDeferredValue, }; } _dispatchAction<A>(queue: UpdateQueue<A>, action: A) { invariant( this._numberOfReRenders < RE_RENDER_LIMIT, 'Too many re-renders. React limits the number of renders to prevent ' + 'an infinite loop.', ); if (this._rendering) { // This is a render phase update. Stash it in a lazily-created map of // queue -> linked list of updates. After this render pass, we'll restart // and apply the stashed updates on top of the work-in-progress hook. this._didScheduleRenderPhaseUpdate = true; const update: Update<A> = { action, next: null, }; let renderPhaseUpdates = this._renderPhaseUpdates; if (renderPhaseUpdates === null) { this._renderPhaseUpdates = renderPhaseUpdates = new Map(); } const firstRenderPhaseUpdate = renderPhaseUpdates.get(queue); if (firstRenderPhaseUpdate === undefined) { renderPhaseUpdates.set(queue, update); } else { // Append the update to the end of the list. let lastRenderPhaseUpdate = firstRenderPhaseUpdate; while (lastRenderPhaseUpdate.next !== null) { lastRenderPhaseUpdate = lastRenderPhaseUpdate.next; } lastRenderPhaseUpdate.next = update; } } else { const update: Update<A> = { action, next: null, }; // Append the update to the end of the list. let last = queue.first; if (last === null) { queue.first = update; } else { while (last.next !== null) { last = last.next; } last.next = update; } // Re-render now. this.render(this._element, this._context); } } _createWorkInProgressHook(): Hook { if (this._workInProgressHook === null) { // This is the first hook in the list if (this._firstWorkInProgressHook === null) { this._isReRender = false; this._firstWorkInProgressHook = this._workInProgressHook = createHook(); } else { // There's already a work-in-progress. Reuse it. this._isReRender = true; this._workInProgressHook = this._firstWorkInProgressHook; } } else { if (this._workInProgressHook.next === null) { this._isReRender = false; // Append to the end of the list this._workInProgressHook = (this ._workInProgressHook: any).next = createHook(); } else { // There's already a work-in-progress. Reuse it. this._isReRender = true; this._workInProgressHook = this._workInProgressHook.next; } } return this._workInProgressHook; } _finishHooks(element: ReactElement, context: null | Object) { if (this._didScheduleRenderPhaseUpdate) { // Updates were scheduled during the render phase. They are stored in // the `renderPhaseUpdates` map. Call the component again, reusing the // work-in-progress hooks and applying the additional updates on top. Keep // restarting until no more updates are scheduled. this._didScheduleRenderPhaseUpdate = false; this._numberOfReRenders += 1; // Start over from the beginning of the list this._workInProgressHook = null; this._rendering = false; this.render(element, context); } else { this._workInProgressHook = null; this._renderPhaseUpdates = null; this._numberOfReRenders = 0; } } getMountedInstance() { return this._instance; } getRenderOutput() { return this._rendered; } render(element: ReactElement | null, context: null | Object = emptyObject) { invariant( React.isValidElement(element), 'ReactShallowRenderer render(): Invalid component element.%s', typeof element === 'function' ? ' Instead of passing a component class, make sure to instantiate ' + 'it by passing it to React.createElement.' : '', ); element = ((element: any): ReactElement); // Show a special message for host elements since it's a common case. invariant( typeof element.type !== 'string', 'ReactShallowRenderer render(): Shallow rendering works only with custom ' + 'components, not primitives (%s). Instead of calling `.render(el)` and ' + 'inspecting the rendered output, look at `el.props` directly instead.', element.type, ); invariant( isForwardRef(element) || (typeof element.type === 'function' || isMemo(element)), 'ReactShallowRenderer render(): Shallow rendering works only with custom ' + 'components, but the provided element type was `%s`.', Array.isArray(element.type) ? 'array' : element.type === null ? 'null' : typeof element.type, ); if (this._rendering) { return; } if (this._element != null && this._element.type !== element.type) { this._reset(); } const elementType = isMemo(element) ? element.type.type : element.type; const previousElement = this._element; this._rendering = true; this._element = element; this._context = getMaskedContext(elementType.contextTypes, context); // Inner memo component props aren't currently validated in createElement. if (isMemo(element) && elementType.propTypes) { currentlyValidatingElement = element; checkPropTypes( elementType.propTypes, element.props, 'prop', getComponentName(elementType), getStackAddendum, ); } if (this._instance) { this._updateClassComponent(elementType, element, this._context); } else { if (shouldConstruct(elementType)) { this._instance = new elementType( element.props, this._context, this._updater, ); if (typeof elementType.getDerivedStateFromProps === 'function') { const partialState = elementType.getDerivedStateFromProps.call( null, element.props, this._instance.state, ); if (partialState != null) { this._instance.state = Object.assign( {}, this._instance.state, partialState, ); } } if (elementType.contextTypes) { currentlyValidatingElement = element; checkPropTypes( elementType.contextTypes, this._context, 'context', getName(elementType, this._instance), getStackAddendum, ); currentlyValidatingElement = null; } this._mountClassComponent(elementType, element, this._context); } else { let shouldRender = true; if (isMemo(element) && previousElement !== null) { // This is a Memo component that is being re-rendered. const compare = element.type.compare || shallowEqual; if (compare(previousElement.props, element.props)) { shouldRender = false; } } if (shouldRender) { const prevDispatcher = ReactCurrentDispatcher.current; ReactCurrentDispatcher.current = this._dispatcher; try { // elementType could still be a ForwardRef if it was // nested inside Memo. if (elementType.$$typeof === ForwardRef) { invariant( typeof elementType.render === 'function', 'forwardRef requires a render function but was given %s.', typeof elementType.render, ); this._rendered = elementType.render.call( undefined, element.props, element.ref, ); } else { this._rendered = elementType(element.props, this._context); } } finally { ReactCurrentDispatcher.current = prevDispatcher; } this._finishHooks(element, context); } } } this._rendering = false; this._updater._invokeCallbacks(); return this.getRenderOutput(); } unmount() { if (this._instance) { if (typeof this._instance.componentWillUnmount === 'function') { this._instance.componentWillUnmount(); } } this._reset(); } _mountClassComponent( elementType: Function, element: ReactElement, context: null | Object, ) { this._instance.context = context; this._instance.props = element.props; this._instance.state = this._instance.state || null; this._instance.updater = this._updater; if ( typeof this._instance.UNSAFE_componentWillMount === 'function' || typeof this._instance.componentWillMount === 'function' ) { const beforeState = this._newState; // In order to support react-lifecycles-compat polyfilled components, // Unsafe lifecycles should not be invoked for components using the new APIs. if ( typeof elementType.getDerivedStateFromProps !== 'function' && typeof this._instance.getSnapshotBeforeUpdate !== 'function' ) { if (typeof this._instance.componentWillMount === 'function') { this._instance.componentWillMount(); } if (typeof this._instance.UNSAFE_componentWillMount === 'function') { this._instance.UNSAFE_componentWillMount(); } } // setState may have been called during cWM if (beforeState !== this._newState) { this._instance.state = this._newState || emptyObject; } } this._rendered = this._instance.render(); // Intentionally do not call componentDidMount() // because DOM refs are not available. } _updateClassComponent( elementType: Function, element: ReactElement, context: null | Object, ) { const {props} = element; const oldState = this._instance.state || emptyObject; const oldProps = this._instance.props; if (oldProps !== props) { // In order to support react-lifecycles-compat polyfilled components, // Unsafe lifecycles should not be invoked for components using the new APIs. if ( typeof elementType.getDerivedStateFromProps !== 'function' && typeof this._instance.getSnapshotBeforeUpdate !== 'function' ) { if (typeof this._instance.componentWillReceiveProps === 'function') { this._instance.componentWillReceiveProps(props, context); } if ( typeof this._instance.UNSAFE_componentWillReceiveProps === 'function' ) { this._instance.UNSAFE_componentWillReceiveProps(props, context); } } } // Read state after cWRP in case it calls setState let state = this._newState || oldState; if (typeof elementType.getDerivedStateFromProps === 'function') { const partialState = elementType.getDerivedStateFromProps.call( null, props, state, ); if (partialState != null) { state = Object.assign({}, state, partialState); } } let shouldUpdate = true; if (this._forcedUpdate) { shouldUpdate = true; this._forcedUpdate = false; } else if (typeof this._instance.shouldComponentUpdate === 'function') { shouldUpdate = !!this._instance.shouldComponentUpdate( props, state, context, ); } else if ( elementType.prototype && elementType.prototype.isPureReactComponent ) { shouldUpdate = !shallowEqual(oldProps, props) || !shallowEqual(oldState, state); } if (shouldUpdate) { // In order to support react-lifecycles-compat polyfilled components, // Unsafe lifecycles should not be invoked for components using the new APIs. if ( typeof elementType.getDerivedStateFromProps !== 'function' && typeof this._instance.getSnapshotBeforeUpdate !== 'function' ) { if (typeof this._instance.componentWillUpdate === 'function') { this._instance.componentWillUpdate(props, state, context); } if (typeof this._instance.UNSAFE_componentWillUpdate === 'function') { this._instance.UNSAFE_componentWillUpdate(props, state, context); } } } this._instance.context = context; this._instance.props = props; this._instance.state = state; this._newState = null; if (shouldUpdate) { this._rendered = this._instance.render(); } // Intentionally do not call componentDidUpdate() // because DOM refs are not available. } } let currentlyValidatingElement = null; function getDisplayName(element) { if (element == null) { return '#empty'; } else if (typeof element === 'string' || typeof element === 'number') { return '#text'; } else if (typeof element.type === 'string') { return element.type; } else { const elementType = isMemo(element) ? element.type.type : element.type; return elementType.displayName || elementType.name || 'Unknown'; } } function getStackAddendum() { let stack = ''; if (currentlyValidatingElement) { const name = getDisplayName(currentlyValidatingElement); const owner = currentlyValidatingElement._owner; stack += describeComponentFrame( name, currentlyValidatingElement._source, owner && getComponentName(owner.type), ); } return stack; } function getName(type, instance) { const constructor = instance && instance.constructor; return ( type.displayName || (constructor && constructor.displayName) || type.name || (constructor && constructor.name) || null ); } function shouldConstruct(Component) { return !!(Component.prototype && Component.prototype.isReactComponent); } function getMaskedContext(contextTypes, unmaskedContext) { if (!contextTypes || !unmaskedContext) { return emptyObject; } const context = {}; for (let key in contextTypes) { context[key] = unmaskedContext[key]; } return context; } export default ReactShallowRenderer;
views/blocks/Photo/Photo.js
urfu-2016/team5
import React from 'react'; import './Photo.css'; import b from 'b_'; const photo = b.lock('photo'); function Status(props) { if (props.userIsCreator || props.status === null) { return null; } return ( <div className={['control', photo('checker')].join(' ')}> <i className={`fa ${props.status ? 'fa-check' : 'fa-times'}`} area-hidden="true"></i> </div> ); } function Button(props) { if (props.userIsCreator || props.status) { return null; } return ( <button className={['control', photo('button')].join(' ')} disabled={!props.existGeolocation || props.sending} onClick={props.handleClick}> <i className={`fa fa-crosshairs ${props.sending ? 'fa-spin' : ''}`} aria-hidden="true"></i> </button> ); } function ShowDescriptionButton(props) { if (!(props.userIsCreator || props.status) || !props.description) { return null; } return ( <button className={['control', photo('button')].join(' ')} onClick={props.handleShowDescription}> <i className="fa fa-info" aria-hidden="true"></i> </button> ); } export default class Photo extends React.Component { constructor(props) { super(props); this.handleClick = this.handleClick.bind(this); this.handleShowDescription = this.handleShowDescription.bind(this); this.state = { showDescription: false }; } handleShowDescription() { this.setState(prevState => ({showDescription: !prevState.showDescription})); } handleClick() { this.props.canSend(canSend => { if (canSend) { this.props.onAction(); } }); } render() { const { existGeolocation, userIsCreator, description, sending, status, title, src } = this.props; return ( <div className={photo()}> <div className={photo('img', {hidden: this.state.showDescription})}> <Status status={status} userIsCreator={userIsCreator}/> <Button status={status} existGeolocation={existGeolocation} userIsCreator={userIsCreator} sending={sending} handleClick={this.handleClick} /> <ShowDescriptionButton status={status} handleShowDescription={this.handleShowDescription} userIsCreator={userIsCreator} description={description} /> <img src={src}></img> {(userIsCreator || status) && title && <p className={photo('title')}> {title} </p> } </div> {(userIsCreator || status) && description && <div className={photo('description', {show: this.state.showDescription})}> <p>{description}</p> <button className={['control', photo('button', {back: true})].join(' ')} onClick={this.handleShowDescription}> <i className="fa fa-times" aria-hidden="true"></i> </button> </div> } </div> ); } }
src/utils/domUtils.js
mengmenglv/react-bootstrap
import React from 'react'; import canUseDom from 'dom-helpers/util/inDOM'; import getOwnerDocument from 'dom-helpers/ownerDocument'; import getOwnerWindow from 'dom-helpers/ownerWindow'; import contains from 'dom-helpers/query/contains'; import activeElement from 'dom-helpers/activeElement'; import getOffset from 'dom-helpers/query/offset'; import offsetParent from 'dom-helpers/query/offsetParent'; import getPosition from 'dom-helpers/query/position'; import css from 'dom-helpers/style'; function ownerDocument(componentOrElement) { let elem = React.findDOMNode(componentOrElement); return getOwnerDocument((elem && elem.ownerDocument) || document); } function ownerWindow(componentOrElement) { let doc = ownerDocument(componentOrElement); return getOwnerWindow(doc); } // TODO remove in 0.26 function getComputedStyles(elem) { return ownerDocument(elem).defaultView.getComputedStyle(elem, null); } /** * Get the height of the document * * @returns {documentHeight: number} */ function getDocumentHeight() { return Math.max(document.documentElement.offsetHeight, document.height, document.body.scrollHeight, document.body.offsetHeight); } /** * Get an element's size * * @param {HTMLElement} elem * @returns {{width: number, height: number}} */ function getSize(elem) { let rect = { width: elem.offsetWidth || 0, height: elem.offsetHeight || 0 }; if (typeof elem.getBoundingClientRect !== 'undefined') { let {width, height} = elem.getBoundingClientRect(); rect.width = width || rect.width; rect.height = height || rect.height; } return rect; } export default { canUseDom, css, getComputedStyles, contains, ownerWindow, ownerDocument, getOffset, getDocumentHeight, getPosition, getSize, activeElement, offsetParent };
site/header.js
wangzuo/feng-ui
import React from 'react'; import { Link } from 'react-router'; module.exports = () => ( <div className="m-header"> <div className="g-c"> <h1> <Link to="/">feng-ui</Link> </h1> <nav className="f-fr"> <Link activeClassName="is-active" to="/">Getting started</Link> <Link activeClassName="is-active" to="/css">CSS</Link> <Link activeClassName="is-active" to="#">React</Link> <a href="http://github.com/wangzuo/feng-ui">Github</a> </nav> {/*<Nav className="u-nav-x f-fr" items={pages}/>*/} </div> </div> );
docs/app/Examples/collections/Grid/ResponsiveVariations/GridExampleReversedComputer.js
ben174/Semantic-UI-React
import React from 'react' import { Grid } from 'semantic-ui-react' const GridExampleReversedComputer = () => ( <Grid reversed='computer' columns='equal'> <Grid.Row> <Grid.Column>Computer A Fourth</Grid.Column> <Grid.Column>Computer A Third</Grid.Column> <Grid.Column>Computer A Second</Grid.Column> <Grid.Column>Computer A First</Grid.Column> </Grid.Row> <Grid.Row> <Grid.Column>Computer B Fourth</Grid.Column> <Grid.Column>Computer B Third</Grid.Column> <Grid.Column>Computer B Second</Grid.Column> <Grid.Column>Computer B First</Grid.Column> </Grid.Row> </Grid> ) export default GridExampleReversedComputer
src/components/Group.js
PsychoLlama/luminary
import { TouchableWithoutFeedback, Vibration } from 'react-native'; import styled from 'styled-components/native'; import React, { Component } from 'react'; import { connect } from 'react-redux'; import PropTypes from 'prop-types'; import R from 'ramda'; import * as colors from '../constants/colors'; import * as actions from '../actions/groups'; import { selector } from '../utils/redux'; export const Container = styled.View` border-color: ${colors.groups.divider}; background-color: ${colors.groups.bg}; justify-content: center; align-items: center; position: absolute; border-width: 0.5px; ${props => props.on && ` border-bottom-color: ${colors.groups.status.on}; border-bottom-width: 2px; padding-top: 1.5px; `}; `; export const Title = styled.Text` color: ${colors.text}; font-size: 20px; padding: 2px; ${props => props.small && 'font-size: 12px'}; `; const extractLayout = R.pick(['top', 'left', 'width', 'height']); export class Group extends Component { static propTypes = { toggleLights: PropTypes.func.isRequired, blockWidth: PropTypes.number.isRequired, serverUrl: PropTypes.string.isRequired, group: PropTypes.shape({ name: PropTypes.string.isRequired, id: PropTypes.string.isRequired, anyOn: PropTypes.bool, }), }; render() { const { group, blockWidth } = this.props; const constrainWidth = blockWidth === 1; const position = extractLayout(this.props); const on = R.propOr(false, 'anyOn', group); return ( <TouchableWithoutFeedback onPressIn={this.provideFeedback} onPress={this.toggleLights} > <Container on={on} style={position}> <Title small={constrainWidth}>{R.prop('name', group)}</Title> </Container> </TouchableWithoutFeedback> ); } provideFeedback = () => Vibration.vibrate(10); toggleLights = () => { const { serverUrl, group } = this.props; this.props.toggleLights(serverUrl, { on: !group.anyOn, id: group.id, }); }; } const withLayout = fn => (state, props) => R.pipe(R.path(['layout', 'reserved', props.id]), fn)(state); export const mapStateToProps = selector({ blockWidth: withLayout(R.prop('width')), serverUrl: R.path(['server', 'url']), group: (state, props) => { const groupId = withLayout(R.prop('group'))(state, props); return R.path(['groups', groupId], state); }, }); const mapDispatchToProps = { toggleLights: actions.toggleLights, }; export default connect(mapStateToProps, mapDispatchToProps)(Group);
src/client/viewer.components/Viewer.Extensions/Viewing.Extension.ScreenShotManager/Viewing.Extension.ScreenShotManager.js
jeremytammik/forgefader
///////////////////////////////////////////////////////// // Viewing.Extension.ScreenShotManager // by Philippe Leefsma, March 2017 // ///////////////////////////////////////////////////////// import './Viewing.Extension.ScreenShotManager.scss' import ContentEditable from 'react-contenteditable' import ExtensionBase from 'Viewer.ExtensionBase' import WidgetContainer from 'WidgetContainer' import Label from 'react-text-truncate' import Toolkit from 'Viewer.Toolkit' import React from 'react' class ScreenShotManagerExtension extends ExtensionBase { ///////////////////////////////////////////////////////// // Class constructor // ///////////////////////////////////////////////////////// constructor (viewer, options) { super (viewer, options) this.onItemClicked = this.onItemClicked.bind(this) this.deleteItem = this.deleteItem.bind(this) this.onResize = this.onResize.bind(this) this.addItem = this.addItem.bind(this) this.react = options.react } ///////////////////////////////////////////////////////// // // ///////////////////////////////////////////////////////// get className() { return 'screenshot-manager' } ///////////////////////////////////////////////////////// // Extension Id // ///////////////////////////////////////////////////////// static get ExtensionId() { return 'Viewing.Extension.ScreenShotManager' } ///////////////////////////////////////////////////////// // Load callback // ///////////////////////////////////////////////////////// load () { window.addEventListener( 'resize', this.onResize) this.react.setState({ height: this.viewer.container.clientHeight, width: this.viewer.container.clientWidth, items: [] }).then (() => { this.react.setRenderExtension(this) }) console.log('Viewing.Extension.ScreenShotManager loaded') return true } ///////////////////////////////////////////////////////// // Unload callback // ///////////////////////////////////////////////////////// unload () { console.log('Viewing.Extension.ScreenShotManager unloaded') return true } ///////////////////////////////////////////////////////////////// // // ///////////////////////////////////////////////////////////////// addItem () { const state = this.react.getState() this.viewer.getScreenShot( state.width, state.height, (blob) => { const state = this.react.getState() const screenshot = { name: new Date().toString('d/M/yyyy H:mm:ss'), height: state.height, width: state.width, id: this.guid(), blob } this.react.setState({ items: [...state.items, screenshot] }) }) } ///////////////////////////////////////////////////////////////// // // ///////////////////////////////////////////////////////////////// onItemClicked (item) { this.saveAs(item.blob, item.name + '.png') } ///////////////////////////////////////////////////////////////// // // ///////////////////////////////////////////////////////////////// saveAs (blob, filename) { const link = document.createElement('a') link.setAttribute('download', filename) link.setAttribute('href', blob) link.click() } ///////////////////////////////////////////////////////////////// // // ///////////////////////////////////////////////////////////////// deleteItem (id) { const state = this.react.getState() this.react.setState({ items: state.items.filter((item) => { return item.id !== id }) }) } ///////////////////////////////////////////////////////// // // ///////////////////////////////////////////////////////// onKeyDownNumeric (e) { //backspace, ENTER, ->, <-, delete, '.', ',', const allowed = [8, 13, 37, 39, 46, 188, 190] if (allowed.indexOf(e.keyCode) > -1 || (e.keyCode > 47 && e.keyCode < 58)) { return this.onKeyDown(e) } e.stopPropagation() e.preventDefault() } ///////////////////////////////////////////////////////// // // ///////////////////////////////////////////////////////// onInputChanged (e, key) { const state = this.react.getState() state[key] = Math.floor(parseFloat(e.target.value)) this.react.setState(state) } ///////////////////////////////////////////////////////// // // ///////////////////////////////////////////////////////// onResize () { this.react.setState({ height: this.viewer.container.clientHeight, width: this.viewer.container.clientWidth }) } ///////////////////////////////////////////////////////// // // ///////////////////////////////////////////////////////// renderTitle () { return ( <div className="title"> <label> Screenshot Manager </label> </div> ) } ///////////////////////////////////////////////////////// // // ///////////////////////////////////////////////////////// renderControls () { const state = this.react.getState() return ( <div className="controls"> <button onClick={this.addItem} title="Take Screenshot"> <span className="fa fa-camera"> </span> </button> <label> Width (px): </label> <ContentEditable onChange={(e) => this.onInputChanged(e, 'width')} onKeyDown={(e) => this.onKeyDownNumeric(e)} className="size-input" html={state.width}/> <label> x Height (px): </label> <ContentEditable onChange={(e) => this.onInputChanged(e, 'height')} onKeyDown={(e) => this.onKeyDownNumeric(e)} className="size-input" html={state.height}/> </div> ) } ///////////////////////////////////////////////////////// // // ///////////////////////////////////////////////////////// renderItems () { const state = this.react.getState() const items = state.items.map((item) => { const text = `${item.name} [${item.width} x ${item.height}]` return ( <div key={item.id} className="item" onClick={ () => this.onItemClicked (item) }> <div className="preview" style={{ content: `url(${item.blob})` }}> </div> <Label truncateText=" …" text={text} line={1} /> <button onClick={(e) => { this.deleteItem(item.id) e.stopPropagation() e.preventDefault() }} title="Delete Screenshot"> <span className="fa fa-times"> </span> </button> </div> ) }) return ( <div className="items"> { items } </div> ) } ///////////////////////////////////////////////////////// // // ///////////////////////////////////////////////////////// render (opts = {showTitle: true}) { return ( <WidgetContainer renderTitle={this.renderTitle} showTitle={opts.showTitle} className={this.className}> { this.renderControls() } { this.renderItems() } </WidgetContainer> ) } } Autodesk.Viewing.theExtensionManager.registerExtension( ScreenShotManagerExtension.ExtensionId, ScreenShotManagerExtension)
components/admin/playerdata/PlayerData.js
nvbf/pepper
import React from 'react'; import styled from 'styled-components'; import { transparentize } from 'polished'; import { gql, graphql } from 'react-apollo'; import TableHead from './TableHead'; import PlayerLine from './PlayerLine'; import color from '../../../libs/color'; import type { Team as TeamType } from '../../../types/types'; const Container = styled.div` width: 400px; min-height: 350px; border-radius: 6px; background-color: ${color.white}; box-shadow: 0px 2px 6px ${transparentize(0.8, color.seaBlue)}; height: 0%; `; export function PlayerData(props: { loading: boolean, error: boolean, team: TeamType }) { if (props.error) { return <div>Error</div>; } if (props.loading) { return <div>Loading</div>; } return ( <Container> <TableHead logo={props.team.logo} name={props.team.shortName} /> {props.team.players.map(player => <PlayerLine key={player.id} player={player} />)} </Container> ); } const PLAYERS_FROM_TEAM_QUERY = gql` query TeamWithPlayers($matchId: ID!) { Match(id: $matchId) { id homeTeam { id name shortName logo players(orderBy: position_ASC) { id name number position active image } } awayTeam { id name shortName logo players(orderBy: position_ASC) { id name number position active image } } } } `; export default graphql(PLAYERS_FROM_TEAM_QUERY, { options: props => ({ variables: { matchId: props.matchId } }), props: ({ ownProps, data }) => ({ team: data.Match[ownProps.team], loading: data.loading, error: data.error, }), })(PlayerData);
packages/reactor-kitchensink/src/examples/Charts/Line/SplineMarkers/SplineMarkers.js
dbuhrman/extjs-reactor
import React, { Component } from 'react'; import { Container } from '@extjs/ext-react'; import { Cartesian } from '@extjs/ext-react-charts'; import ChartToolbar from '../../ChartToolbar'; import storeData from './storeData'; export default class SplineMarkers extends Component { store = Ext.create('Ext.data.Store', { fields: ['theta', 'sin', 'cos', 'tan' ], data: storeData }) state = { theme: 'default' } changeTheme = theme => this.setState({ theme }) render() { const { theme } = this.state; return ( <Container padding={!Ext.os.is.Phone && 10} layout="fit"> <ChartToolbar onThemeChange={this.changeTheme} theme={theme}/> <Cartesian shadow store={this.store} theme={theme} insetPadding="10 20 10 10" legend={{ type: 'sprite', docked: 'top', marker: { size: 16 } }} axes={[{ type: 'numeric', fields: ['sin', 'cos', 'tan' ], position: 'left', grid: true, renderer: (axis, label) => Ext.util.Format.number(label, '0.0') }, { type: 'category', title: 'Theta', fields: 'theta', position: 'bottom', style: { textPadding: 0 // remove extra padding between labels to make sure no labels are skipped }, grid: true, label: { rotate: { degrees: -45 } } }]} series={[{ type: 'line', xField: 'theta', yField: 'sin', smooth: true, style: { lineWidth: 2 }, marker: { radius: 4 }, highlight: { fillStyle: '#000', radius: 5, lineWidth: 2, strokeStyle: '#fff' } }, { type: 'line', xField: 'theta', yField: 'cos', smooth: true, style: { lineWidth: 2 }, marker: { radius: 4 }, highlight: { fillStyle: '#000', radius: 5, lineWidth: 2, strokeStyle: '#fff' } }, { type: 'line', xField: 'theta', yField: 'tan', smooth: true, style: { lineWidth: 2 }, marker: { radius: 4 }, highlight: { fillStyle: '#000', radius: 5, lineWidth: 2, strokeStyle: '#fff' } }]} /> </Container> ) } }
docs/src/app/components/pages/components/CircularProgress/Page.js
pancho111203/material-ui
import React from 'react'; import Title from 'react-title-component'; import CodeExample from '../../../CodeExample'; import PropTypeDescription from '../../../PropTypeDescription'; import MarkdownElement from '../../../MarkdownElement'; import circleProgressReadmeText from './README'; import circleProgressCode from '!raw!material-ui/CircularProgress/CircularProgress'; import CircleProgressExampleSimple from './ExampleSimple'; import circleProgressExampleSimpleCode from '!raw!./ExampleSimple'; import CircleProgressExampleDeterminate from './ExampleDeterminate'; import circleProgressExampleDeterminateCode from '!raw!./ExampleDeterminate'; const descriptions = { indeterminate: 'By default, the indicator animates continuously.', determinate: 'In determinate mode, the indicator adjusts to show the percentage complete, ' + 'as a ratio of `value`: `max-min`.', }; const CircleProgressPage = () => ( <div> <Title render={(previousTitle) => `Circular Progress - ${previousTitle}`} /> <MarkdownElement text={circleProgressReadmeText} /> <CodeExample title="Indeterminate progress" description={descriptions.indeterminate} code={circleProgressExampleSimpleCode} > <CircleProgressExampleSimple /> </CodeExample> <CodeExample title="Determinate progress" description={descriptions.determinate} code={circleProgressExampleDeterminateCode} > <CircleProgressExampleDeterminate /> </CodeExample> <PropTypeDescription code={circleProgressCode} /> </div> ); export default CircleProgressPage;
server/uiamsd.js
IveWong/uiams
import 'babel-core/polyfill'; import path from 'path'; import express from 'express'; import React from 'react'; import ReactDOM from 'react-dom/server'; import Router from './router/routes'; import Html from '../src/components/Html'; import { _SERVER } from '../src/config/conf'; const server = global.server = express(); server.set('port', (process.env.PORT || _SERVER.PORT)); server.use(express.static(path.join(__dirname, '../assets'))); // // Register server-side rendering middleware // ----------------------------------------------------------------------------- server.get('*', async (req, res, next) => { try { let statusCode = 200; const data = { title: '', description: '', css: '', body: '' }; const css = []; const context = { onInsertCss: value => css.push(value), onSetTitle: value => data.title = value, onSetMeta: (key, value) => data[key] = value, onPageNotFound: () => statusCode = 404, }; await Router.dispatch({ path: req.path, context }, (state, component) => { data.body = ReactDOM.renderToString(component); data.css = css.join(''); }); const html = ReactDOM.renderToStaticMarkup(<Html {...data} />); res.status(statusCode).send('<!doctype html>\n' + html); } catch (err) { next(err); } }); // // Launch the server // ----------------------------------------------------------------------------- server.listen(server.get('port'), () => { /* eslint-disable no-console */ console.log('[sucess] The server is running at http://localhost:' + server.get('port')); if (process.send) { process.send('online'); } });
node_modules/react-slick/src/track.js
hong1012/FreePay
'use strict'; import React from 'react'; import assign from 'object-assign'; import classnames from 'classnames'; var getSlideClasses = (spec) => { var slickActive, slickCenter, slickCloned; var centerOffset, index; if (spec.rtl) { index = spec.slideCount - 1 - spec.index; } else { index = spec.index; } slickCloned = (index < 0) || (index >= spec.slideCount); if (spec.centerMode) { centerOffset = Math.floor(spec.slidesToShow / 2); slickCenter = (index - spec.currentSlide) % spec.slideCount === 0; if ((index > spec.currentSlide - centerOffset - 1) && (index <= spec.currentSlide + centerOffset)) { slickActive = true; } } else { slickActive = (spec.currentSlide <= index) && (index < spec.currentSlide + spec.slidesToShow); } return classnames({ 'slick-slide': true, 'slick-active': slickActive, 'slick-center': slickCenter, 'slick-cloned': slickCloned }); }; var getSlideStyle = function (spec) { var style = {}; if (spec.variableWidth === undefined || spec.variableWidth === false) { style.width = spec.slideWidth; } if (spec.fade) { style.position = 'relative'; style.left = -spec.index * spec.slideWidth; style.opacity = (spec.currentSlide === spec.index) ? 1 : 0; style.transition = 'opacity ' + spec.speed + 'ms ' + spec.cssEase; style.WebkitTransition = 'opacity ' + spec.speed + 'ms ' + spec.cssEase; } return style; }; var getKey = (child, fallbackKey) => { // key could be a zero return (child.key === null || child.key === undefined) ? fallbackKey : child.key; }; var renderSlides = function (spec) { var key; var slides = []; var preCloneSlides = []; var postCloneSlides = []; var count = React.Children.count(spec.children); React.Children.forEach(spec.children, (elem, index) => { let child; var childOnClickOptions = { message: 'children', index: index, slidesToScroll: spec.slidesToScroll, currentSlide: spec.currentSlide }; if (!spec.lazyLoad | (spec.lazyLoad && spec.lazyLoadedList.indexOf(index) >= 0)) { child = elem; } else { child = (<div></div>); } var childStyle = getSlideStyle(assign({}, spec, {index: index})); var slickClasses = getSlideClasses(assign({index: index}, spec)); var cssClasses; if (child.props.className) { cssClasses = classnames(slickClasses, child.props.className); } else { cssClasses = slickClasses; } const onClick = function(e) { child.props && child.props.onClick && child.props.onClick(e) if (spec.focusOnSelect) { spec.focusOnSelect(childOnClickOptions) } } slides.push(React.cloneElement(child, { key: 'original' + getKey(child, index), 'data-index': index, className: cssClasses, tabIndex: '-1', style: assign({outline: 'none'}, child.props.style || {}, childStyle), onClick })); // variableWidth doesn't wrap properly. if (spec.infinite && spec.fade === false) { var infiniteCount = spec.variableWidth ? spec.slidesToShow + 1 : spec.slidesToShow; if (index >= (count - infiniteCount)) { key = -(count - index); preCloneSlides.push(React.cloneElement(child, { key: 'precloned' + getKey(child, key), 'data-index': key, className: cssClasses, style: assign({}, child.props.style || {}, childStyle), onClick })); } if (index < infiniteCount) { key = count + index; postCloneSlides.push(React.cloneElement(child, { key: 'postcloned' + getKey(child, key), 'data-index': key, className: cssClasses, style: assign({}, child.props.style || {}, childStyle), onClick })); } } }); if (spec.rtl) { return preCloneSlides.concat(slides, postCloneSlides).reverse(); } else { return preCloneSlides.concat(slides, postCloneSlides); } }; export var Track = React.createClass({ render: function () { var slides = renderSlides.call(this, this.props); return ( <div className='slick-track' style={this.props.trackStyle}> { slides } </div> ); } });
stories/Welcome.js
jesperancinha/buy-odd-react
import React from 'react'; const styles = { main: { margin: 15, maxWidth: 600, lineHeight: 1.4, fontFamily: '"Helvetica Neue", Helvetica, "Segoe UI", Arial, freesans, sans-serif', }, logo: { width: 200, }, link: { color: '#1474f3', textDecoration: 'none', borderBottom: '1px solid #1474f3', paddingBottom: 2, }, code: { fontSize: 15, fontWeight: 600, padding: "2px 5px", border: "1px solid #eae9e9", borderRadius: 4, backgroundColor: '#f3f2f2', color: '#3a3a3a', }, }; export default class Welcome extends React.Component { showApp(e) { e.preventDefault(); if(this.props.showApp) this.props.showApp(); } render() { return ( <div style={styles.main}> <h1>Welcome to STORYBOOK</h1> <p> This is a UI component dev environment for your app. </p> <p> We've added some basic stories inside the <code style={styles.code}>src/stories</code> directory. <br/> A story is a single state of one or more UI components. You can have as many stories as you want. <br/> (Basically a story is like a visual test case.) </p> <p> See these sample <a style={styles.link} href='#' onClick={this.showApp.bind(this)}>stories</a> for a component called <code style={styles.code}>Button</code>. </p> <p> Just like that, you can add your own components as stories. <br /> You can also edit those components and see changes right away. <br /> (Try editing the <code style={styles.code}>Button</code> component located at <code style={styles.code}>src/stories/Button.js</code>.) </p> <p> This is just one thing you can do with Storybook. <br/> Have a look at the <a style={styles.link} href="https://github.com/kadirahq/react-storybook" target="_blank">React Storybook</a> repo for more information. </p> </div> ); } }
BackUp FIrebase/IQApp/src/components/common/ButtonLoginPage.js
victorditadi/IQApp
import React from 'react'; import { Text, TouchableOpacity, Dimensions } from 'react-native'; import { Button } from 'native-base'; var width = Dimensions.get('window').width; var height = Dimensions.get('window').height; const ButtonHome = ({ onPress, children, color}) => { const styles = { buttonStyle: { flex: 1, height: height * 0.092, backgroundColor: color, borderRadius: 0 } }; const { buttonStyle } = styles; return ( <Button onPress={onPress} style={buttonStyle}> {children} </Button> ); }; export { ButtonHome };
app/components/TenantCard/index.js
medevelopment/UMA
import React from 'react'; import {Link, browserHistory} from 'react-router'; import FloatingActionButton from 'material-ui/FloatingActionButton'; import ModeEdit from 'material-ui/svg-icons/editor/mode-edit'; import TextField from 'material-ui/TextField'; import LoadingIndicator from '../LoadingIndicator'; import axios from 'axios'; import styled from 'styled-components'; import Avatar from '../icons/userprofile.jpg'; const UserCard = styled.div` background: #fff; min-height: 250px; margin-top: 20px; transition: opacity 0.5s; background-size: cover; position: relative; p { font-size: 12px; margin: 0px; padding: 2px 10px; text-align: left; color: #fff; } .edit_mode { min-height: 180px !importent; transition: opacity 0.5s; } .footer { color: #333333; text-align: center; position: absolute; bottom: 0; right: 0; left: 0; background: -moz-linear-gradient(top, rgba(0,0,0,0) 0%, rgba(0,0,0,0.64) 99%, rgba(0,0,0,0.65) 100%); /* FF3.6-15 */ background: -webkit-linear-gradient(top, rgba(0,0,0,0) 0%,rgba(0,0,0,0.64) 99%,rgba(0,0,0,0.65) 100%); /* Chrome10-25,Safari5.1-6 */ background: linear-gradient(to bottom, rgba(0,0,0,0) 0%,rgba(0,0,0,0.64) 99%,rgba(0,0,0,0.65) 100%); /* W3C, IE10+, FF16+, Chrome26+, Opera12+, Safari7+ */ filter: progid:DXImageTransform.Microsoft.gradient( startColorstr='#00000000', endColorstr='#a6000000',GradientType=0 ); /* IE6-9 */ } h2 { margin: 0; display: block; text-align: left; font-size: 15px; color: #ffffff; margin-bottom: 10px; padding-top: 20px; padding-left: 12px; } &:hover { box-shadow: 0px 0px 11px #d6d6d6; } `; const UserCardEdit = styled.div` padding: 10px 40px; border-radius: 4px; box-shadow: 0px 1px 1px rgba(0, 0, 0, 0.12), 0px 3px 6px rgba(0, 0, 0, 0.23); background: #fff; min-height: 180px; margin-top: 20px; transition: opacity 0.5s; .header { padding: 10px 20px 30px 10px; display: inline-block; float: left; border-right: 2px dashed #EEEEEE; background: #FFFFFF; color: #000000; text-align: center; -webkit-animation: moveIn 1s 3.1s ease forwards; animation: moveIn 1s 3.1s ease forwards; width: 50%; } img { width: 60px; max-width: 100%; -webkit-border-radius: 50%; border-radius: 50%; -webkit-transition: -webkit-box-shadow 0.3s ease; transition: box-shadow 0.3s ease; -webkit-box-shadow: 0px 0px 0px 8px rgba(0, 0, 0, 0.06); box-shadow: 0px 0px 0px 8px rgba(0, 0, 0, 0.06); } p { font-family: 'Open Sans'; text-align: center; font-size: 13px; margin: 0px; padding: 2px 10px; } .edit_mode { min-height: 180px !importent; transition: opacity 0.5s; } .footer { float: right; background: #FFFFFF; color: #333333; text-align: center; width: 50%; padding: 15px; } h2 { margin: 0; display: block; text-align: center; font-size: 15px; color: #00a699; margin-bottom: 10px; padding-top: 20px; } &:hover { } `; export default class TenantCard extends React.Component { constructor(props) { super(props); this.state = { editMode: false, loading: false, TenantName: '', Email: '', Phone: '', Password: '' }; this.setNewValueToState = this.setNewValueToState.bind(this); } edit(event) { event.preventDefault(); this.setState({editMode: true}); } setNewValueToState(event) { switch (event.target.id) { case 'TenantName': this.setState({TenantName: event.target.value}); break; case 'Email': this.setState({Email: event.target.value}); break; case 'Phone': this.setState({Phone: event.target.value}); break; case 'Password': this.setState({Password: event.target.value}); break; } } update(event) { event.preventDefault(); const tenantName = (this.state.TenantName !== '') ? this.state.TenantName : this.props.tenant.TenantName; const email = (this.state.Email !== '') ? this.state.Email : this.props.tenant.Email; const phone = (this.state.Phone !== '') ? this.state.Phone : this.props.tenant.Phone; const password = (this.state.Password !== '') ? this.state.Password : this.props.tenant.Password; axios({ method: 'post', url: 'http://54.190.49.213/index.php/api/Tenants/editTenant', data: { tenantId: this.props.tenant.TenantId, tenantName, email, phone, password } }).then(res => { this.props.handler(res.data[0], this.props.tKey); this.setState({editMode: false}); }) .catch(error => { }); } renderLoadin() { if (this.state.loading) { return ( <div> <LoadingIndicator /> </div> ); } return ( <div> </div> ); } render() { if (!this.state.editMode) { const Url = '/tenant/' + this.props.tenant.TenantId; return ( <Link to={Url}> <div className="col-md-3" key={this.props.tKey}> <UserCard style={{backgroundImage: 'url(' + Avatar + ')'}}> <div className="footer"> <h2> {this.props.tenant.TenantName} </h2> <p> Email: {this.props.tenant.Email} </p> <p> Phone: {this.props.tenant.Phone} </p> </div> </UserCard> </div> </Link> ); } return ( <div className="col-md-4"> <UserCardEdit className="edit_mode"> <FloatingActionButton mini={true} style={{position: 'absolute', left: '0'}} onClick={this.update.bind(this)}> <svg xmlns="http://www.w3.org/2000/svg" width="24" height="24" viewBox="0 0 24 24"><path d="M12 2C6.48 2 2 6.48 2 12s4.48 10 10 10 10-4.48 10-10S17.52 2 12 2zm-2 15l-5-5 1.41-1.41L10 14.17l7.59-7.59L19 8l-9 9z" /></svg> </FloatingActionButton> <TextField id={'TenantName'} onChange={this.setNewValueToState} defaultValue={this.props.tenant.TenantName} fullWidth={true} /> Email: <TextField id={'Email'} onChange={this.setNewValueToState} defaultValue={this.props.tenant.Email} fullWidth={true} /> Phone: <TextField id={'Phone'} onChange={this.setNewValueToState} defaultValue={this.props.tenant.Phone} fullWidth={true} /> Password: <TextField id={'Password'} onChange={this.setNewValueToState} defaultValue={this.props.tenant.Password} fullWidth={true} /> </UserCardEdit> </div> ); } }
src/propTypes.es6.js
gynsolomon/reddit-mobile
import React from 'react'; var _listingSource = React.PropTypes.shape({ url: React.PropTypes.string.isRequired, }); var _listingResolutions = React.PropTypes.arrayOf(React.PropTypes.shape({ width: React.PropTypes.number.isRequired, height: React.PropTypes.number.isRequired, url: React.PropTypes.string.isRequired, })); var _listingVariants = React.PropTypes.shape({ nsfw: React.PropTypes.shape({ resolutions: _listingResolutions.isRequired, source: _listingSource, }) }); export default { comment: React.PropTypes.shape({ author: React.PropTypes.string.isRequired, author_flair_text: React.PropTypes.string, author_flair_css_class: React.PropTypes.string, body: React.PropTypes.string.isRequired, body_html: React.PropTypes.string.isRequired, created_utc: React.PropTypes.number.isRequired, distinguished: React.PropTypes.bool, gilded: React.PropTypes.number.isRequired, hidden: React.PropTypes.bool, id: React.PropTypes.string.isRequired, likes: React.PropTypes.oneOfType([ React.PropTypes.bool, React.PropTypes.number, ]), link_title: React.PropTypes.string, link_url: React.PropTypes.string, name: React.PropTypes.string.isRequired, replies: React.PropTypes.oneOfType([ React.PropTypes.array, React.PropTypes.string, ]).isRequired, saved: React.PropTypes.bool.isRequired, score: React.PropTypes.number.isRequired, }), listing: React.PropTypes.shape({ _type: React.PropTypes.string.isRequired, author: React.PropTypes.string.isRequired, cleanPermalink: React.PropTypes.string.isRequired, created_utc: React.PropTypes.number.isRequired, distinguished: React.PropTypes.string, domain: React.PropTypes.string.isRequired, edited: React.PropTypes.oneOfType([ React.PropTypes.bool, React.PropTypes.number, ]).isRequired, expandContent: React.PropTypes.string, gilded: React.PropTypes.number.isRequired, hidden: React.PropTypes.bool.isRequired, id: React.PropTypes.string.isRequired, is_self: React.PropTypes.bool.isRequired, likes: React.PropTypes.oneOfType([ React.PropTypes.bool, React.PropTypes.number, ]), link_flair_css_class: React.PropTypes.string, link_flair_text: React.PropTypes.string, media: React.PropTypes.shape({ oembed: React.PropTypes.shape({ height: React.PropTypes.number.isRequired, html: React.PropTypes.string.isRequired, thumbnail_url: React.PropTypes.string.isRequired, type: React.PropTypes.string.isRequired, width: React.PropTypes.number.isRequired, }), }), name: React.PropTypes.string.isRequired, num_comments: React.PropTypes.number.isRequired, preview: React.PropTypes.shape({ images: React.PropTypes.arrayOf(React.PropTypes.shape({ source: _listingSource, variants: _listingVariants, })).isRequired, variants: _listingVariants, resolutions: _listingResolutions, source: _listingSource, }), over_18: React.PropTypes.bool.isRequired, promoted: React.PropTypes.bool, saved: React.PropTypes.bool.isRequired, selftext: React.PropTypes.string.isRequired, sr_detail: React.PropTypes.shape({ icon_img: React.PropTypes.string, key_color: React.PropTypes.string, }), subreddit: React.PropTypes.string, thumbnail: React.PropTypes.string, title: React.PropTypes.string.isRequired, token: React.PropTypes.string, url: React.PropTypes.string.isRequired, }), subscriptions: React.PropTypes.arrayOf(React.PropTypes.shape({ display_name: React.PropTypes.string.isRequired, icon: React.PropTypes.string, url: React.PropTypes.string.isRequired, })), user: React.PropTypes.shape({ created: React.PropTypes.number.isRequired, is_mod: React.PropTypes.bool.isRequired, inbox_count: React.PropTypes.number, link_karma: React.PropTypes.number.isRequired, name: React.PropTypes.string.isRequired, }), };
src/screens/MyPage/MuteSettings/MuteTagsSettings.js
alphasp/pxview
import React from 'react'; import { connect } from 'react-redux'; import { connectLocalization } from '../../../components/Localization'; import TagSettings from '../../../containers/TagsSettings'; import * as muteTagsActionCreators from '../../../common/actions/muteTags'; const MuteTagSettings = ({ muteTags, i18n, addMuteTag, removeMuteTag }) => ( <TagSettings items={muteTags} textInputPlaceholder={i18n.tagMuteAdd} addTag={addMuteTag} removeTag={removeMuteTag} /> ); export default connectLocalization( connect( (state) => ({ muteTags: state.muteTags.items, }), muteTagsActionCreators, )(MuteTagSettings), );
src/icon-button/test.js
twilson63/t63
import React from 'react' import test from 'tape' import { shallow } from 'enzyme' import IconButton from './' import MdMenu from 'react-icons/lib/md/menu' test('<IconButton />', t => { const wrapper = shallow( <IconButton> <MdMenu /> </IconButton> ) t.ok(wrapper.contains(<MdMenu />)) t.end() })
docs/src/app/components/pages/components/DropDownMenu/ExampleSimple.js
rhaedes/material-ui
import React from 'react'; import DropDownMenu from 'material-ui/DropDownMenu'; import MenuItem from 'material-ui/MenuItem'; const styles = { customWidth: { width: 200, }, }; export default class DropDownMenuSimpleExample extends React.Component { constructor(props) { super(props); this.state = {value: 1}; } handleChange = (event, index, value) => this.setState({value}); render() { return ( <div> <DropDownMenu value={this.state.value} onChange={this.handleChange}> <MenuItem value={1} primaryText="Never" /> <MenuItem value={2} primaryText="Every Night" /> <MenuItem value={3} primaryText="Weeknights" /> <MenuItem value={4} primaryText="Weekends" /> <MenuItem value={5} primaryText="Weekly" /> </DropDownMenu> <br /> <DropDownMenu value={this.state.value} onChange={this.handleChange} style={styles.customWidth} autoWidth={false} > <MenuItem value={1} primaryText="Custom width" /> <MenuItem value={2} primaryText="Every Night" /> <MenuItem value={3} primaryText="Weeknights" /> <MenuItem value={4} primaryText="Weekends" /> <MenuItem value={5} primaryText="Weekly" /> </DropDownMenu> </div> ); } }
examples/with-redux-saga/components/clock.js
BlancheXu/test
import React from 'react' const pad = n => (n < 10 ? `0${n}` : n) const format = t => { const hours = t.getUTCHours() const minutes = t.getUTCMinutes() const seconds = t.getUTCSeconds() return `${pad(hours)}:${pad(minutes)}:${pad(seconds)}` } function Clock ({ lastUpdate, light }) { return ( <div className={light ? 'light' : ''}> {format(new Date(lastUpdate))} <style jsx>{` div { padding: 15px; display: inline-block; color: #82fa58; font: 50px menlo, monaco, monospace; background-color: #000; } .light { background-color: #999; } `}</style> </div> ) } export default Clock
packages/react/examples/redux/src/index.js
hyoshizumi/hig
import {createStore, compose, applyMiddleware } from 'redux'; import { Provider } from 'react-redux' import React from 'react'; import ReactDOM from 'react-dom'; import thunk from 'redux-thunk'; import './index.css'; import 'hig-react/lib/hig-react.css'; import App from './containers/App'; import rootReducer from './state/reducers'; const composeEnhancers = window.__REDUX_DEVTOOLS_EXTENSION_COMPOSE__ || compose; const store = createStore( rootReducer, {}, composeEnhancers( applyMiddleware(thunk) ), ); ReactDOM.render( <Provider store={store}> <App /> </Provider>, document.getElementById('root') );
js/react-redux-todos/components/App.js
xiecg/record
/* container 组件 component 目的 如何工作? (数据获取,状态更新) 如何显示 ?(样式,布局) 是否在数据流中? 是 否 读取数据 从 Redux 中获取 state 从 props 获取数据 修改数据 从 Redux 派发 action 从 props 调用回调函数 实现方式 由 react-dedux 生成 手写 */ import React from 'react'; import AddTodo from "../containers/AddTodo"; import VisibleTodoList from "../containers/VisibleTodoList"; import Footer from './Footer'; const App = () =>( <div> <AddTodo /> <VisibleTodoList /> <Footer /> </div> ); export default App;
app/pages/LocalVideoPage.js
360ls/desktop
import React from 'react'; import VideoPlayer from '../containers/VideoPlayer'; import VideoInfo from '../containers/VideoInfo'; import VideoNav from '../containers/VideoNav'; import VideoList from '../containers/VideoList'; const LocalVideoPage = () => ( <div> <VideoNav /> <VideoPlayer /> <div id="local-video-info"> <VideoInfo /> </div> <div id="video-list-container" className="jumbotron"> <h3 className="text-center"> More Videos </h3> <VideoList /> </div> </div> ); export default LocalVideoPage;
node_modules/bs-recipes/recipes/webpack.react-hot-loader/app/js/main.js
loveDstyle/angularExample
import React from 'react'; import { render } from 'react-dom'; // It's important to not define HelloWorld component right in this file // because in that case it will do full page reload on change import HelloWorld from './HelloWorld.jsx'; render(<HelloWorld />, document.getElementById('react-root'));
lib/widgets/TogglePanel/index.js
Kitware/light-viz
import clone from 'mout/src/lang/clone'; import intersection from 'mout/src/array/intersection'; import SvgIcon from 'paraviewweb/src/React/Widgets/SvgIconWidget'; import React from 'react'; import PropTypes from 'prop-types'; import { Link } from 'react-router-dom'; import style from 'LightVizStyle/TogglePanel.mcss'; function isPanelVisible(query, panelName) { if (query && query.visible) { return query.visible.split('|').indexOf(panelName) !== -1; } return false; } function togglePanel() { // NoOp } function searchToQuery(search) { const summary = {}; const queryTokens = (search || '') .replace(/#.*/, '') // remove hash query .replace('?', '') // Remove ? from the head .split('&'); // extract token pair queryTokens.forEach((token) => { const [key, value] = token.split('=').map((s) => decodeURIComponent(s)); if (key && value) { summary[key] = value; } }); return summary; } function queryToSearch(query) { const search = []; const list = Object.keys(query); for (let i = 0; i < list.length; i++) { search.push([list[i], query[list[i]]].join('=')); } if (search.length) { return `?${search.join('&')}`; } return ''; } export default function TogglePanel(props) { let button; const { pathname } = props.location; const query = searchToQuery(props.location.search); const panelVisible = isPanelVisible(query, props.panelId); query.visible = query.visible || ''; const visiblePanels = query.visible.split('|'); const visibleIndependentPanels = intersection( visiblePanels, props.independentVisibilityPanels ); const buttonAnchor = props.anchor.join(' '); const panelAnchor = props.position.join(' '); const buttonClass = panelVisible ? style.link : style.linkInactive; /* * If this panel can be independently visible, add or remove it from the query string */ if (props.independentVisibilityPanels.indexOf(props.panelId) !== -1) { if (!panelVisible) { query.visible = [props.panelId].concat(visiblePanels).join('|'); } else { visiblePanels.splice(visiblePanels.indexOf(props.panelId), 1); query.visible = visiblePanels.join('|'); } } else { /* * Otherwise add it and remove anything else that is not independant */ query.visible = !panelVisible ? [props.panelId].concat(visibleIndependentPanels).join('|') : visibleIndependentPanels.join('|'); } if (props.classIcon) { button = ( <i className={[props.classIcon, buttonClass].join(' ')} style={{ width: props.size.button[0], height: props.size.button[1], lineHeight: props.size.button[1], }} onClick={togglePanel} /> ); } else if (props.svg) { button = ( <SvgIcon className={buttonClass} width={props.size.button[0]} height={props.size.button[1]} style={{ lineHeight: props.size.button[1], }} icon={props.svg} onClick={togglePanel} /> ); } else if (props.icon) { button = ( <img src={props.icon} alt="Icon" className={buttonClass} style={{ width: props.size.button[0], height: props.size.button[1], }} onClick={togglePanel} /> ); } else { const myStyle = clone(props.divStyle); myStyle.width = props.size.button[0]; myStyle.height = props.size.button[1]; button = ( <div className={buttonClass} style={myStyle} onClick={togglePanel} /> ); } const rootElementClass = props.hidden ? style.togglePanelHidden : style.togglePanel; return ( <div className={[rootElementClass, props.className].join(' ')} style={{ width: props.size.button[0], height: props.size.button[1], }} > <Link to={{ pathname, search: queryToSearch(query) }}>{button}</Link> <div className={[style.button, buttonAnchor].join(' ')}> <div className={[style.content, panelAnchor].join(' ')} style={{ display: panelVisible ? 'block' : 'none' }} > {props.children} </div> </div> </div> ); } TogglePanel.propTypes = { anchor: PropTypes.array, children: PropTypes.oneOfType([PropTypes.object, PropTypes.array]), classIcon: PropTypes.string, className: PropTypes.string, divStyle: PropTypes.object, hidden: PropTypes.bool, icon: PropTypes.string, svg: PropTypes.string, independentVisibilityPanels: PropTypes.array, location: PropTypes.object, panelId: PropTypes.string, position: PropTypes.array, size: PropTypes.object, }; TogglePanel.defaultProps = { anchor: ['top', 'right'], children: [], classIcon: null, hidden: false, icon: null, svg: null, independentVisibilityPanels: [], panelId: '', position: ['top', 'left'], size: { button: ['2em', '2em'], }, className: '', divStyle: undefined, location: undefined, };
examples/immutable/src/components/NavBar.js
supasate/connected-react-router
import React from 'react' import { Link } from 'react-router-dom' const NavBar = () => ( <div> <div><Link to="/">Home</Link> <Link to="/hello">Hello</Link> <Link to="/counter">Counter</Link></div> </div> ) export default NavBar
app/containers/home/HomeContainer.js
m0t0r/duckr-redux-app
import React from 'react'; import {Home} from 'components'; const HomeContainer = React.createClass({ render () { return ( <Home/> ); } }); export default HomeContainer;
src/admin.js
livinglab/webwork-for-wordpress
import ReactDOM from 'react-dom'; import React from 'react'; import ComponentLibrary from './components/component-library'; ReactDOM.render( <ComponentLibrary />, document.getElementById( 'wp-react-component-library' ) );
fixtures/attribute-behavior/src/index.js
facebook/react
import './index.css'; import React from 'react'; import ReactDOM from 'react-dom'; import App from './App'; ReactDOM.render(<App />, document.getElementById('root'));
docs-ui/components/charts-breakdownBars.stories.js
beeftornado/sentry
import React from 'react'; import {withInfo} from '@storybook/addon-info'; import BreakdownBars from 'app/components/charts/breakdownBars'; export default { title: 'Charts/BreakdownBars', }; export const Default = withInfo('Horizontal bar chart with labels')(() => { const data = [ {label: 'unknown', value: 910}, {label: 'not_found', value: 40}, {label: 'data_loss', value: 30}, {label: 'cancelled', value: 20}, ]; return ( <div className="section"> <BreakdownBars data={data} /> </div> ); }); Default.story = { name: 'BreakdownBars', };
src/components/StrongMessageBrick/index.js
line64/landricks-components
import React, { Component } from 'react'; import PropTypes from 'prop-types'; import styles from './styles'; import { ThemePropagator, GenericBrick } from '../../'; class StrongMessageBrick extends Component { renderMessageLevel1(styles, props) { if (props.renderMessageLevel1) { return props.renderMessageLevel1(styles, props); } return ( <h1 style={ styles.messageLevel1 }>{ props.messageLevel1 }</h1> ); } renderMessageLevel2(styles, props) { if (!props.messageLevel2) { return null; } if (props.renderMessageLevel2) { return props.renderMessageLevel2(styles, props); } return ( <h2 style={ styles.messageLevel2 }>{ props.messageLevel2 }</h2> ); } renderCTAs(styles, props) { if (props.renderCTAs) { return props.renderCTAs(styles, props); } if (!props.CTAs) { return null; } return (<ThemePropagator>{props.CTAs}</ThemePropagator>); } render() { let s = styles(this.props); return ( <GenericBrick {...this.props} contentStyle={ s.content } hasHeader={false}> { this.renderMessageLevel1(s, this.props) } { this.renderMessageLevel2(s, this.props) } { this.renderCTAs(s, this.props) } </GenericBrick> ); } } StrongMessageBrick.propTypes = { messageLevel1: PropTypes.string.isRequired, messageLevel2: PropTypes.string } StrongMessageBrick.defaultProps = { messageLevel1: 'This is my Strong Message' }; export default StrongMessageBrick;
docs/src/app/components/pages/components/Stepper/HorizontalLinearStepper.js
mmrtnz/material-ui
import React from 'react'; import { Step, Stepper, StepLabel, } from 'material-ui/Stepper'; import RaisedButton from 'material-ui/RaisedButton'; import FlatButton from 'material-ui/FlatButton'; /** * Horizontal steppers are ideal when the contents of one step depend on an earlier step. * Avoid using long step names in horizontal steppers. * * Linear steppers require users to complete one step in order to move on to the next. */ class HorizontalLinearStepper extends React.Component { state = { finished: false, stepIndex: 0, }; handleNext = () => { const {stepIndex} = this.state; this.setState({ stepIndex: stepIndex + 1, finished: stepIndex >= 2, }); }; handlePrev = () => { const {stepIndex} = this.state; if (stepIndex > 0) { this.setState({stepIndex: stepIndex - 1}); } }; getStepContent(stepIndex) { switch (stepIndex) { case 0: return 'Select campaign settings...'; case 1: return 'What is an ad group anyways?'; case 2: return 'This is the bit I really care about!'; default: return 'You\'re a long way from home sonny jim!'; } } render() { const {finished, stepIndex} = this.state; const contentStyle = {margin: '0 16px'}; return ( <div style={{width: '100%', maxWidth: 700, margin: 'auto'}}> <Stepper activeStep={stepIndex}> <Step> <StepLabel>Select campaign settings</StepLabel> </Step> <Step> <StepLabel>Create an ad group</StepLabel> </Step> <Step> <StepLabel>Create an ad</StepLabel> </Step> </Stepper> <div style={contentStyle}> {finished ? ( <p> <a href="#" onClick={(event) => { event.preventDefault(); this.setState({stepIndex: 0, finished: false}); }} > Click here </a> to reset the example. </p> ) : ( <div> <p>{this.getStepContent(stepIndex)}</p> <div style={{marginTop: 12}}> <FlatButton label="Back" disabled={stepIndex === 0} onTouchTap={this.handlePrev} style={{marginRight: 12}} /> <RaisedButton label={stepIndex === 2 ? 'Finish' : 'Next'} primary={true} onTouchTap={this.handleNext} /> </div> </div> )} </div> </div> ); } } export default HorizontalLinearStepper;
src/client/routes.js
ngnono/hello-babel
/** * Created by ngnono on 16-12-30. */ import React from 'react'; import {Router,Redirect, Route, IndexRoute, hashHistory, browserHistory} from 'react-router'; import Counter from './containers/CounterContainer'; import App from './containers/AppContainer'; import Home from './containers/HomeContainer'; import Show from './containers/ShowContainer'; import NotFound from './containers/NotFoundContainer'; const routes = <Route path="/" component={App}> <IndexRoute component={Home}/> <Route path="/counter" component={Counter} u="/counter"/> <Route path="/show/:id" component={Show} u="/show"/> <Route path="/404" component={NotFound} /> {/*<Route path="*" component={NotFound} />*/} <Redirect from='*' to='/404' /> </Route> ; export default routes;
src/app_components/app_text_input.js
Dewire/dehub-react-native
import { View, TextInput } from 'react-native'; import PropTypes from 'prop-types'; import React from 'react'; import * as globalStyles from '../styles/global'; const AppTextInput = ({ children, style, containerFlex, ...rest }) => ( // We wrap the text input in a View here to remove inconsistencies that exist between the // iOS and the Android implementation. For example the iOS TextInput seems to want to expand // as much as possible horizontally, and it doesn't respect alignItems on it's parent. <View style={{ flex: (containerFlex || containerFlex === 0) ? containerFlex : -1 }}> <TextInput style={[globalStyles.COMMON_STYLES.text, styles.inputField, style]} underlineColorAndroid="transparent" {...rest} > {children} </TextInput> </View> ); AppTextInput.propTypes = { style: TextInput.propTypes.style, children: PropTypes.node, }; const styles = { inputField: { backgroundColor: 'white', borderColor: 'white', borderWidth: 1, borderRadius: 2, padding: 5, height: 35, fontSize: 14, }, }; export default AppTextInput;
packages/components/src/HttpError/HttpError.stories.js
Talend/ui
import React from 'react'; import { action } from '@storybook/addon-actions'; import HttpError from './HttpError.component'; const commonStyle = { height: '60rem', backgroundPosition: 'left bottom', backgroundRepeat: 'no-repeat', }; const forbiddenStyle = { ...commonStyle, backgroundPositionX: '10rem', backgroundImage: 'url("data:image/svg+xml;base64,PD94bWwgdmVyc2lvbj0iMS4wIiBlbmNvZGluZz0idXRmLTgiPz4NCjxzdmcgeG1sbnM9Imh0dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIg0KCXhtbG5zOnhsaW5rPSJodHRwOi8vd3d3LnczLm9yZy8xOTk5L3hsaW5rIg0KCXdpZHRoPSIyNjdweCIgaGVpZ2h0PSI0NDlweCIgdmlld0JveD0iMCAwIDI2NyA0NDkiPg0KPGltYWdlIHg9IjAiIHk9IjAiIHdpZHRoPSIyNjciIGhlaWdodD0iNDQ5IiB4bGluazpocmVmPSJkYXRhOmltYWdlL3BuZztiYXNlNjQsaVZCT1J3MEtHZ29BQUFBTlNVaEVVZ0FBQVFzQUFBSEJDQVlBQUFCK0pwNkFBQUFBQkdkQlRVRUFBTEdQQy94aEJRQUFBQ0JqU0ZKTkFBQjZKZ0FBZ0lRQUFQb0FBQUNBNkFBQWRUQUFBT3BnQUFBNm1BQUFGM0NjdWxFOEFBQUFCbUpMUjBRQS93RC9BUCtndmFlVEFBQllZRWxFUVZSNDJ1MmRlWGhiMVpuL3YvZEszdmZkanBkNFZmYkUyUU1CUWd3SjJOQkNLZENkcWdzdDNkUmZwek9kTGpQZDIybW42MmhhT2xBR05GMkdNclNVVW5EQzVtd2tFTEk1enE0a3RoUEhXN3p2aTZSN2YzOUlnZUNjSTU4clhmdEs4dnQ1bmp6R09rZm4zSE9RdnpyblBlOTVYd25FckdHeDJtTUF6QWRRQ3FBWVFBR0FqS3YrWlFOSUFwRHFlMHNjZ09ncHpZd0RtQUNnQWhnQTBBZWc1NnAvM1FCYUFEUUJhQVp3MGVtd1RSbzlkaUw4a1l4K2dFakVZclVuQWxnQ1lMbnYzeklBRmdCNUJqeU9DdUFTZ0xNQUdxNzZkOUxwc0kwWlBWZEUrRUJpRVNRV3ExMENzQkRBRFFDdUI3QVJRRGxDZjI0VkFLY0I3QVh3R29DOVRvZnR2TkVQUllRdW9mNkJEa2tzVm5zeGdHb0F0OEVyRWhsR1A1Tk9kQUxZQTJBYmdKZWNEdHNsb3grSUNCMUlMQVN3V08xUkFEWURxSUZYSkN4R1A5TXNjUXhlNFhnZTNwV0hZdlFERWNaQllzSEJZcldiQU53TTRENEE5eUp5VmcrQjBnN2dMd0NlZ2xjNFZLTWZpSmhkU0N5bVlMSGFLd0Y4RXNEOUFMTDBibCtTNElxSk1uZWtKY2IwNWFZbGp1ZWtKaUE3TlY3T1RvbVB6a3FOajgxTWprdE1pb3VPaXpMTFpwTXN5d214VVFsWHYzOTRiSEpFVVZWbDBxVk1Eb3hPalBVTWpvMTBENDZPWHg0WWRWM3VHMVU2KzBla3R0N2h1UDZSaWRSSmx5Y0hRTlFNVEZNTHZLTHhtTk5oT3pNRDdSTWhDSWtGQUl2Vm5nVGdBL0NLeEZvOTJwUWtqQ2JIeDdTVTVLUU1yaWpObGxlVjVhU1h6MHZMejB5T2o1Wm1hZFlWVmNYbC90R3hzMjE5YllmT2R2UTFORjNHaGN1REtjUGprMFdxaWhpZHV0a0Q0TGNBbm5ZNmJPT3pNekxDQ09hMFdGaXNkZ3VBTHdINE1JREVZTnFLaVRLMVZNeEw2N3hoU1lIcDV1VkZ4Y1U1S1dueWJLbUNSaFJGaGJPdHIzdG53OFdMZTA5ZVVwczZCK1pOdWp6Qkh1djJBM2djd0g4NEhiYUxSbytSMEovUS9EVFBNQmFyL1FZQS93VGdYWUhPZ1VtV2VoWVdaRFRkdWI0c2J2UHkrUlhwU2JIUmdiUVRLblFOakk2OWZLVDUzQXNIenJ2T3QvZVhLWXFhRW1CVEhnRC9CK0JuVG9mdGtOSGpJdlJqVG9tRnhXcC9ONEN2QTFnZnlQdVQ0cUxQYlY1UjFILzNkWmJDSlVXWk9TRzZjQWdhUlZGeHBMR3o5YS83bkcyN2oxL0tHWjkwRndYWVZCMkE3emtkdHAxR2o0a0luZ2o5dUw4VGk5VitPNEJ2SXdDUlNJaU5hcTVhTWIvclE1c1hsNVhtcHFZYlBSWWpPSE9wdCtzUE8wNDA3Mnk0T0cvQzVja1BvSWxkQUw3bWROaGVOM29zUk9CRXRGaFlyUGFiQUh3UHdFMWEzaWRMMHNDNkJYbk96OTI1cW5oQlFicnVKeUxoVEgzajViYmZ2SENrdmI2eGM2R3FJa0hqMjE4RThDOU9oKzJnMGVNZ3RCT1JZbUd4MmtzQS9CVEFQVnJlbDVrY2QvSWp0eXhWM251OVpVbDBsQ2tpNTBZdlJpZGNucWQybno3K3Z6dFB4ZytNVEZSb2VLc0s0SGZ3cmpUYWpSNEhJVTVFL1VINExuQjlBOTRURHRHalFkZkN3b3hqWDd0L1EvNml3b3djbzhjUWpodzYyM0hwMy8reXY3dXBZMkFGeEQ5VHd3QitDT0FYZE9RYUhrU01XRmlzOXZjQitBVUViM2JLa2pSODQ5S0MwLy80M25VTGMxSVRnam8ySmJ5MGRBMzIvL2pwL2VjT25HMWZwc0dQb3huQVo1d08yM2FqbjUvd1Q5aUxoY1ZxTHdEd01MekhvTk1QV01Mb3JaWEZKNzk2LzRZVlNYSFJNK0hkS0k2aVFCMFlCSWFHb0k2TVFCMFpCVVpHb0k2TkFXNDM0SEo3NjQyTkFaSUV4TVo2ZjQrT0Jrd3lwUGdFU0FueFFFSThwUGg0SURrWlVrcXl0NjZCZEEyTWp2N3dxZGRQN2p2VnFrVTAvZ0RnSDV3T1c1ZWhEMDl3Q1Z1eHNGanRNb0NIQVB3STNvQXgvZ2NxWVdMVHNxTGpYN3QvdzlLMHhGaTl2QmVGVUllSG9iYTFlLzkxZEVMdDZZWGEyd3Uxcng5UWRMNmJaVEpCU2srRGxKNE9LU01kVW00T3BIbDVrT2ZsQWZIeHN6bHNkUGFQREgvN2ozdlBIRHJic1J4aWJ1ZmRBTDdrZE5qK01Lc1BTZ2dSbG1KaHNkb0w0VFdTM1N4UVhWMWFuSFhreHgvYnRDQXJKVjZyOVY0N2t5NG9GMXVnTmpWQmFXeUcybklKNnZDd3dUUG1SVXBKZ1ZSWUFMbWtHRkpwTWVUQ0FzQnNudkYrTDNVUERYejVzYnBtbjAxRGhPY0FmSkpXR2FGRjJJbUZ4V3EvSDhBamVEdjBISmUweE5nelAvNzR6VW1WcGRuelp1eUJWQlhLeFJZb3AwNURQZTJFY3JGRi85WENUR0UyUXk0cWhMeDRJZVJGQ3lITnk1dlJMY3krVTYwWHZ2RS91ejBqNDY1U2dlb2RBS3hPaCsxRm82ZUo4QkkyWXVFNzZmaFBBTmJwNnBwa3FlY2Y3bG5YZWUvR0JZdG41TFB2Y2tFNWVScWVvOGVnbmpuanRUVkVBRkpTRXVSRkN5Qlhyb0M4b0FJd21YVHZRMUZVUFA3eXNZYkh0aDh0VVZSMTJ1MGpnRjhDK0tyVFlac3dlbjdtT21FaEZoYXJmUW1BdndLWTlqeC9SVW4ya1o4L1dMVWtLVDVhMzdzYUhnK1UwMmZnT1h3VXlySGp3R1NFeDhDTmo0TnAyVkxJSzFkQXRsUUFzcXhyODkyRFk2T2ZmL2psczQwZC9TSmJrOE1BM3V0MDJKcU5ucGE1VE1pTGhXL2I4VGpnMzFzd0pzclUra1BySnRlTlN3cUs5ZXhmN2VxRzUvWDlVTjQ4QUhWNHhPanBNQVFwTlFYeWhuVXdyVnNMS1QxTjE3WnJENXgzZnUvSmZha2VSYzJlcG1vdmdBODRIYmFYako2UHVVcklpb1hGYWpjRCtER0FmNWl1N2pwTDN1R2Zmbkp6Wld5MFdaK3ZQMVdGMG5BY25qMnZRVG5YYVBSVWhBNlNCSG5oQXBodXVnSHlRb3R1OW8yaHNjbkp6ejM4OHNuVExUMlYwMVJWQUh3VHdBOHBVdGZzRTVKaVliSGFVK0FONFhhTHYzcXlMUFYrNTBNMzlOeTJ1a1NMdXpHZlNSYzhieDZBWjhkdXFEMDlSazlEU0NQbDVzQzBlUk5NYTFicFp0dDRhdmVwa3ovLzY0RWlWWjAydHNpZkFYelU2YkJGaHJFb1RBZzVzYkJZN2ZNQjFBSlk3SzllZmtiU2ljZStlSHRKUm5KYzhNNERFeFB3N05rSGQ5MU9ZSlErZjFxUWtwTmd1bVV6VE5kdkFLS0M5M0ZyN1JrYStQZ3Z0blgwRFk4dm1LYnFHd0RlVGNlcnMwZElpWVhGYWw4TmJ5VHBYRC9WbEx1dnEyajQydjNYVlFhOUNuYTU0Tm16RDU1WDZ5TG1STU1vcE5RVW1MYmNBdE9HZFVHdk5EeUtpbjkrZk9maDNjZGJWazFUdFFsQU5jVUJuUjFDUml3c1Z2c2RBSjZHTjJVZkUxbVNCbjVvdmFtN2FzWDhzcUE2VTFWNDNqd0l6d3Zib0E0T0dUMzBpRUpLVDRQNTNYZENybHdlZEZ2UDdIV2UrdkdmMzVpdnF2QzNldXdEOEM2bnc3Ylg2TEZIT2lFaEZyNFRqei9BajB0d1lteDA0Ky8rOFk2TWdzeWtRTU85QVFDVXhpYTRuL2tiMUV1dFJnODdvcEZMUzJDKzV5NUlCWUhFeW5rYloydnY1VS84Y3R2RWhNdFQ2S2ZhR0lBN25RNWJuZEhqam1RTUZ3dUwxZjRBZ0NjQWNFOHk1bWNuSC92OVA5NjVKSmpURG5Wb0NPNi9QZ2ZsY0wzUlE1NDdTQkpNMTYySCtWMDFRRnhjd00wTWpFeE1mT0RIenpWMUQ0NHQ5Rk50RXNCOVRvZnRPYU9ISGFrWUtoWVdxLzB6OE40WTVYTDlvdndqUDMrd2FxVXNCL2lvdmkySCsyL1BrL0hTSUtUa1pKanZ2UnZ5OG1VQnQrSHlLUGprTDdmVm4vSi92T3FDOTVUa1NhUEhISW5vNzg4cmlJQlFLQS9jc3JUaG14L2NXQ2tGYU1sVWUvdmdkdndlbmwxN0FKZkxxS0VTRXhOUWpoeUYydFlPdWJ3TVVvejJTNzhtV2NMZDExbHlXM3VHanB4cjYrUEZMREVCZUU5R1pmV1pudnB0SjR3ZWRxUmhpRmo0dGg2UCthbmkrcWQ3MXpzL3RtVlp3RjlGbm9PSDRmcnRFMUE3THhzeFJJS0IybmtaeW9HRGtIS3lJV1ZyRDIwcVNjRG01VVY1QUk0ZFB0ZkppMm9tQWJncm83TDZhRS85TmpvbDBaRlpGd3VmTWZQMzRHK0JYTi85eUEzTmQyMm9XS2loMmJjWkg0ZnJmLzhQbmhkZjlnYVFJVUtMU1pmWGJqUTBETmxTSHRBeDYrcnkzSnlFMktnVGI1eHV5d1Q3YzJRQ2NFOUdaZlcrbnZwdFRVWVBPVktZVmJId0hZLytId0JtRUFWSnd2alBINnhxQy9Sb1ZMM1VDdGV2L2d0cUkzMCtRaDIxNVJLVVk4Y2hMNmlBbEtBOXpNaXk0cXpzek9TNE02K2R1SlFDOXVmWURPRCtqTXJxSFQzMTIxcU1IbThrTUd0aTRYTzQyZ1pPSUYxSnd2Z3ZQM1ZMeDhiRkJTV0J0Tzk1OHlCY2ovOFBRTTVWNGNQd0NEeHZIb1NjbXcwcFo3cDdaTmV5cURBanN6QXJxWEZIdzhWa3NEL0xVZkRhTUo3dHFkOUcvdnRCTWl0aTRYUGgzZ0Yrd0JyWHp4K3NhZ3RJS0R3ZXVQL3lMRHkxMjhNbjZBenhOaDRQbENOSEFZOEN1YnhVOCtXMDhubHBHUmxKY1dkZU8za3BBK3d0U1J5QW1veks2aWQ3NnJmUk4wa1F6TGhZK0M2RjdRQlF6S25pK3U1SGJtZ09hT3N4TmdiWG80OURPZG93MDhNZ1poaTFzUWxxZXdkTVM1Wm90bU1zS3NySWlvK0pPcm4vVEJ0dmVaSU9ZS05QTU1pUUZTQXpLaGErYStiUEExakhxYUw4MDczcm5ZRVlNOVhlUHJoKy9WOVFXeTdOd2pRUnM0SGFlUm5LR1Nma3BZczFINjh1TDhuS1ZsWDEyT0h6M0ZPU1FnQVZHWlhWZittcDMyYjBVTU9TR1JXTGpNcnFud0Q0SUsvOGdWdVdOZ1J5UEtxMlhQSWFNdnY2Wm1HS2lGbGxZQkRLMFFiSWl4ZHFObnl1cnNqTnVYaDU4TWo1OW42ZUg4WVNBR005OWR2b0hra0F6SmhZK0pMKy9JeFh2bkZ4L3BGdmZuQmpwZFoybGNZbXVQN3JNZkxHakdUR3hxRWNyb2U4ZUFHa0pKRXduVyt6ZWZuOHZOZE90Qnp0SGh6ajNWeXV5cWlzM2t0SHF0cVpFWGR2aTlXK0ZONTRBOHl2aHZuWnlRMVBmZld1NVZwZHVCWG5XYmgrK3dSNVk4NFY0dUlROWRBbkljOHYwdlMyU2JjSGQzMzNtZE05L0xzazNRQldPeDIyaTBZUE1aelFYU3dzVm5zU2dFUGdCTmROakkwK1gvdmRlMHUwWGdwVGpwK0E2NG5mQXg2UE1UTkZHRU5zTEtJZS9CamtNcEhzQVcvVFB6SXhjZWUzLzl3OTZmTHdycjBlQkxEUjZiQkZlT1JsL2RBM1pMT1hYNEVqRkxJa0RmeituKzdJMUN3VXpyTWtGSE9WOFhHNGZ2c0VsQXZhRmdHcENURXhqOWx1TjBzU2VFbVgxd0Q0dnRIREN5ZDB0Vm40WExsNS93T1VIMzM4NXJibEpkbENpWXZmZXRQNVJyZ2VmWnhjdCtjeWJqZVVobU13TFY2b3lZYVJtUktmbUJ3ZjdYejlWQnZ2SXNyMUdaWFZlOGgrSVladUt3dGZTc0ZIZU9YdnVkN1NzSGw1a1NaZkNyWGxFdGtvQ0MralkzRDk2aEdvWGQyYTN2YStteFl0dm41Ui9tRk9zUVRnZHhhclBkM280WVVEdW9pRkwwbnhIOER4ME16UFNEcisxZnMyVkdwcFUrM3RnK3VSL3diR3g3VzhqWWhnMUpFUnVQN3J0NXJ6dC96MGs1dFhwU1RFbk9VVTV3TjQxT2l4aFFONnJTdytDK0FtWmdleTFQdllGMjh2MWVURk96WUcxeU9QaFV4Q1lTSjBVSHQ2NFg3c0NXQlNmTFZwTnNsNDdJdlZtWklFM25uN2V5MVcrNzFHankzVUNkcG00ZHQrUEFQT0JiSHZQM0JUNjlMaXJCemhCajBldUI1OW5Ed3pDUzVxL3dEVXk1ZGhxbHd1Zkpja05TRW1MamJhN0h6elREdlBKWHhUUm1YMWYvZlViNk9sTEFjOVZoWVBBMkJhbmRaWjhnNXZXVmxjcnFVeDkxK2VoWEx1dk5IelFvUTR5dEZqY0c5L1dkTjdQbEsxWkVsNVh0cFJUbkVPL0RnUkVrR0toY1ZxZnorQU8xbGxNVkdtMXA5K2NuT2xsdlk4K3cvQXMrOE5vK2VFQ0JNOEw3NE01Y1FwVGUvNXplZTNMcEpsaVhkZC9XTVdxNzNLNkhHRktnR0xoYy81NnBlODhoOTliSk5MaXorRjJuSUo3cWVmTVhvK2lEREQ5WWNub1hhTG41Q2tKTVJFZitYZTlmNnltUDNHWXJVSG4xb3RBZ2xtWmZGMWVKZHUxMUJabW4xNDQySU4yY3pIeHVCNjRuZmtTMEZvWjJ3TXJzZC9CN2pFUHp2M1hHOVpXSlNWZkl4VGJBSHdlYU9IRllvRUpCWVdxNzBVbk96bUpsbnErZG1EVlV1MXRPZDYrcTlRZStrR0tSRVlhbHM3M00vWGFuclByejY3cFVTU3dEdHUrNWJGYXRjZVVUakNDWFJsOFZNQTBheUNMOSt6N25KU1hIUzBhRU9lZzRlaEhENWk5RHdRWVk1bjF4NG9wOFdEZWVlbUpTUitlUE9TYzV6aUZBRGZNM3BNb1labXNiQlk3WnNBdklkVmxwWVllK2E5R3hjc0VtMUw3ZWtsT3dXaEcrNy9mVXFUdzlabjdsaFpHUmR0NWwwNmVkQml0UzgyZWt5aFJDQXJpeDl3WGxkLzhvbk55Y0xPVjZvSzkxTi9CaVltako0RElrSlFCNGZnZnVaWjRmcG1rNHh2Zm5Bano3dExCdkJEbzhjVVNtZ1NDNHZWZmp1QWpheXlaY1ZaUjVhWFpBbGZFdk84ZVJDSzg2eG9kWUlRUWpsY0QrWGthZUg2dDFUT0x5dklURHJPS2I3TFlyV3ZOSHBNb1lLd1dGaXNkZ25BZDFobGtvU0pIMzFzazNBY1RYVndDTzYvL2Qzb3NSTVJpdnYvL3FKcHhmclRUMjdPQThDTGYwRFgySDFvV1ZuY0JVN2czYXJsODQ5bHBjVEhpemJrZnZZNVlIVE02TEVURVlyYTN3OTM3WXZDOVV0elV6T1dGbWZ4UER0ckxGYjdCcVBIRkFwb0VZdXZzMTZVSkl4KzViNzF3a0YzbGNZbWIvbzZncGhCUEh2MlF1M29GSzcvN1E5dExBVi9kZkV2Um84bkZCQVNDNHZWZmlPQXRheXlyYXRLVHFZbHhvckZiVmRWdUovNW05RmpKdVlDaXVKZHdRcFNsSldjdXJvaXQ1NVRmSWZGYWhjKzVZdFVSRmNXWDJHK1daS0d2bkx2K2hXaW5YbjJINEI2cWRYb01STnpCT1cwVTlQZGtXOSs0SG9MQU43cHlEOElOeFNoVENzV0ZxdDlJWUE3V0dXYmxoV2VTWXFMRnZPamQ3bThLUVlKWWhaeFAvZThjRnJMdlBURXBDVkZtYnowZGgreFdPM2lvUllpRUpHVnhaZkFqZ0x1K3ZJOTY0U1hacDdkZTZFT0RoazlYbUtPb1haZWh1ZmdZZUg2WDcxL0F5L3ZRQXptK0owUnYySmhzZHFUQVh5WVZiYW9NT05ZZG1xOFdNcW9pUWw0Nm5ZWVBWWmlqdUo1NlJYaDFjV0NndlNzdlBSRTNpV3pCMzBwT2VjazA2MHMzZytBZVNUNnRmZGRWeURhaVdmM2ExQkhLSU1ZWVF4cWR3ODgrdzhJMS8veVBXdDVJY1J6d0luZk1oZVlUaXcrelhveE16bnU1TUtDOUd5SU1Ea0o5NDdkUm8rVG1PTjRYbjVWZUhWeDA5TEM0cmhvOHdWTzhhZU1Ib3RSY01YQzUrYTZpbFZtM2JKTUZlM0FzLzhBNVNVbERFZnQ3WVBTY0Z5NC9udXV0L0NpYWQzdWl6czc1L0Mzc3Znazh3MlNOSEQzaGdxeDIzaXFDcy9PUFVhUGtTQUFBTzY2bmNKMXJWdVdMUVhBU20wb0FmaTQwV014QXFaWVdLeDJFNEQ3V0dVYkZzNXpSa2VaaE82V0tnM0hvUGIwaUZRbGlCbEh2ZGdDcFZFcytWaHFRa3owZ29KMDNsTGtBMGFQeFFoNEs0dWJBVEFqQlgzMnpwVWxvbzE3OXV3MWVud0U4UTQ4dTE4VHJ2dFFUU1V2VTlrQ2k5VXVmTVVoVXVDSkJWTTVFMktqbWkzNTZaa2lEYXVYdTZDY2F6UjZmQVR4RHBSako0UUQ1RnkzS0wvWUpFdTg0TDczR3oyVzJlWWFzZkJGTnI2SFZibHF4Znl1YVZ2MDRYbmpUYVBIUmhEWDR2RkFPWEJRcUtvc1NWaFRrZHZNS2Y2ZzBVT1piVmdyaTgwQTBsaVZQM3JyVW90UXF4NFBsRGZGejdVSllqYng3TnNQcUdJSGVoK3VXc3B6OFM2ZGE0RnhXR0pSdzZxWUZCZDlyaWdyT1VXa1VlWDBHYzNKYXdsaXRsQzd1cUJjdUNoVWQ1MGxyeWphYk9MZGRhODJlaXl6Q1Vzc21CT3dlVVZSdjJpam5rTVVyWnNJYlpUNkJxRjZrZ1NzcnNqbE9XamRidlE0WnBOM2lJVXZId2h6cTNIM2RSWXhSeFNYQzhyeGswYVBpeUQ4b2h3NUtyd1Z1V3RET2U5VTVIcUwxWjVxOUZobWk2a3JDK1lXeENSTFBVdUtNb1d1NXlvblR3T1RreUpWQ2NJdzFJRUJLRTNOUW5VM0xpNG9reVN3Z25xYUFOeHE5RmhtaTZsaXNaVlZhV0ZCUnBOb2lIL1AwV05pRlFuQ1lCVEJ6MnBNbEVuS1MwOTBjb3JuekZia0xiSHdSZSsrZ1ZYcHp2VmxjVUt0S1lxbXJGQUVZU1FhVXdid0ltamRJTnhJbUhQMXltSVJPRWVtVlN2bVY0ZzBwbHhzb1V0alJOaWdkblZCN2VrVnFsdTl1blErcDJpQnhXb1hjbFFNZDY0V0M2WkN4a2FiVzlJU1k0VnlsOUtxZ2dnM1JEK3paWGxwR2JJa0RYQ0tOd28xRXVaY0xSYk1BVmZNU3hPT3A2NmVkb3BXSllpUVFEa2xKaGFTQk9TbEovS09VT2VjV0Z6SHFuRERrZ0t4TUdLVEx1ODJoQ0RDQ0tXeFNmZ0lkZDJDUEY2YXM3a2pGaGFyUFJGQU9hdkNwbVdGODBVYVVpNjJDRWNpSW9pUVlYUVU2bVd4SzArYmx4Znhvc010OXgwUVJEUlhWaGJMd0lqZ0xVa1lMY2xKVFJOcFNHMFNpeE5BRUtHR2FJeUw1U1ZaUE1mRVJBREZSbzlqcHJsYUxLNGhKVDZtUmRTL1FtbHNObm9zQkJFUXFxQnpWbnhNbEJ3ZFpXcmpGQXNuMndwWHJ0Z2psck1LaTNOU0JrUWJVbHN1emVxRG16SXpZTXJMaFp5WUNKaE1zOW8zTVlONFBGQkdSdUJwYTRlbmUzYWlyQ2thc3VUbHBpWmN2dGcxT0k5UnRCekFzN1B5d0FiaFZ5eFdsR1lML1JXcXc4TlFoNGRuL0dGTkdlbUlxN29aTWV2WHdwU1JNWHV6UkJpQzB0ZUg4VGNQWXV6bE9uaG1NRHlqMnRFSmVEeENYenFMaWpJbUwzWU5zb3FXVC92bU1PZUtXRENObTZ2TGM5TkZHbEhiMm1mMElTV3pHUWwzdnd2eHQyK2xWY1FjUWs1TFEveHRXeEMvNVJhTXZ2UXFSdjc2TE5SSlYvQU5UMFZSb0Y2K0RDa3ZiOXFxcTh0ekUxNDh4TFJ4bEUvNzVqQkh0bGp0c1FDWXMxU1dsNW92MHNoTWlvV2Nrb3kwYi93ejR1K29KcUdZcThneTRtL2ZnclIvL1Rya05DRjd1MlpFUDhPVy9EVGVrcmJZbU1tWlBXVGVJQ1VKcnN6a2VDSFBUYlZEMkc5TDI4TWxKU0h0NjErQnVWam85SmFJY013RitVajcrbGNncDZYcTNyYlNjVm1vWG1GV011LzROTVZpdGMrTWtvVUlYTEdJaVRLM2k1NkVxTDE5TS9Ca01sSSs5eEJNMldLSno0aTVnU2t6QXlsZitDd2tzNzRwUjBYdmlDVEZSY3V5SkExeWlvVWozNGNqTW0rQWFZa3gvYUtOekVSdWtQZ3R0eUJxZ2REOU5XS09FVlZTalBqcXJjRTNkRFc5WW1JQkFQRXhVYnhsU0xGaGt6SUx5QUNZQ1k1ejB4TEhoVnBRRktoOS9ibytsQlFUZzRSMzNXSDAzQkFoVFB3ZDFaQVRFblJyVDlVZ0Zwa3BjVU9jb25uQ2pZUWhNZ0Ntd1NZblZleC9oRG93cUx1YmQreDE2eUVseEFmZkVCR3hTREV4aU4xNFhmQU4rVkFIaHdDWFc2aHVlbElzNzBnbVM2aUJNSVVyRnRtcDhkTmxXUGN5TkNSVVRRc3hhMVlGM3dnUjhlajlPVkZIeEh5Rk1wTGllRGZQSWpxdWhReUE2VXVSblNKNEVqS2lmN0NicVBJeVkyZUZDQXVpU2tzQVdldzdUWWdoTWJISVNVdmduZUZIdEtlZ0RJQjUzSkNWR2g4cjFNS292dmxCNU5SVVNERXhSczhMRVE2WVREQmxDUGtOQ2lINnhaZVZFaC9GS1lwNHNVaG1GV1FteHlXS05LQjNNaUVwVmt5akNBSUFwRGl4OExCQ0NIN3haU1hIOFQ2a0VTOFd6Q3hqaWJIUlFuKzE2dGlZcmc4a1JVY0Yzd2hCQklBNkt2Wlpqb3VKNGpsNTZMZ25DajI0ZzR1T2tzWCthajBVOElhSUVEd2VvV3J4TVdhZVBTL1Y2Q0hNSkRJQTVqcE9sZ1F0UjVSUWlJZ1VCTC80WXFKTStycVBoZ2t5QUtaS0pzWkY2ZWZ4UWhCaGdEbzVJVlJQbGlUZUY2bU9CcFRRSS9nOTFyaVlveWRCUkFwSjhkRThqOEdJUHNZTFhpejBQT2NtaURCQU1CaDR4TUgvU3hlZGtHZ2gzeTJDaUJnR1J5ZDQzbHY2SGcyR0dESUE1ajVpY0d4Q2Z6OXVnZ2hoZFBEeEVUTjZoQ2x5MEFPTWplaHRHakdYRUF6Z01qYmg1bDBraTJnL0FwazN3UEZKajlDWnFPZ0pxekJ1c1p0L0JLRTdnZ0YxeGwwZW5sZ01DalVRcHNpOEFRNk5UWXJ0ditMMXZVcXVqTkhwQ2lHT09xSGZ5bDhTL0N3UGozT2pCczlBTk9IUVFRYkFqSW5YUFNEbUtLOTMzQW1sdng4cXJTNElFVlFWaW1BNFBDRUVQOHVYKzBkNTMyaXprK2pFSUdRQTNheUN5d09qWWwveDhUcjdicWtxM09jcEZTSXhQZTRMRjNYOVlwR1NoTzVPb3JOL2hMZUMwRkc1UWc4WkhEWHNIaHdUV2xMTlJFU3JpU1AxaGs0S0VSNU1ISzdYdDBIQmJVajN3QmpQa0JueEt3dm1BRHY3UnNSdTFhUWtDMVhUd3ZqZTEzWGRpeElSaU1lRHNUMnY2ZGVlSkVGS0ZGdFo5QTZOOFk1TnhQSUpoQ2t5QUdhKytjNytFYUZqRGlrNVdkaUtMSW95UEl6UjdTOGJQVGRFQ0RQNlNoMlVmdUZVdk5NaXBhUUlKN0hxR1J6amVTSkcvTXFDbWRHNHZYZEUrRktNbEs1L2JwWFJGN2JCM1NxZXNKYVlPM2c2T2pEeTErZDBiVlBMWjdoN2NDeUZVelM3MmNGbkdSa0EwNW80TURvaEhLOU1TdGN2dE5rVlZKY0xBL2FIb1F5U0l5bnhOc3J3TUFiKzh6ZTZiMU9sVFBFZ1YrTXVkdzZucU5IQXFabHh1R0l4NmZKa0s0cllCUkZKeHppSVYrTzUzSVcrZi9zSlBOMFJ2Ym9qQlBIMDlxTC94eitEZXdaeTY0cCs0ZldQVExoVkZUeExhTE54c3pQenlBQmF3UGJpTkhmMmo0ajVXdVRsenRnRGVqbzYwUHZ0NzJIODlUZU1tU0VpSkpnNGNBaDkzL28rM0pkbVptc3EraGx1N2h6bzRCVDFPQjAyc2ZEZ1lZcnNkTmhjNE95MW5LMTlRaEl1elpzK1ZYMHdxQ09qR0h6MGNmUis1d2NZZitOTnFLNklkcFFqZktndWwxY2t2djhqRER6OENKVGhtZnRibE9hSmljV3BGcTRYV0VSdlFRRGd5akdHRTBEUjFNSkQ1enI2Tnkwcm5MWVJlWWJGNGdydTVnc1lmT1F4U0ZGUk1KY1V3end2RDFKOFBBWDVqU0JVbHd2cXlDamM3UjF3TnpWQm5aeUZMNGFvS0VpWll2bUJqcHp2NURrck9tZHZsb3poaWxnMEFMaDFhbUZEVTVlWTBTSTJGbEphcXU0NVQzbW9MaGRjenJOd09jL08walFSa1l5VWx5dDg0L1RNcFY3ZVBmWUdvOGN4MDF6eHBXQU85T0xsUWZFVGtjTHBWeUFFRVlySWhRWENkYnNHUm5uTDZHTkdqMk9tOFNzV0l4T1RSUjdCRXhHNXROam9zUkJFUU1pbEpVTDFCa1ltM0c2UHdrdCtmTlRvY2N3MFY4VGlKSUJyM0x0VkZWR25ML1YwaWpRa2xSUWJQUmFDQ0FqUnorN0JjeDI4RzQ2OVRvZXR6ZWh4ekRReUFEZ2R0Z2w0QmVNYWRqVzBDSjFWeVFYNVFCUVpHb253UWtwSkZ2YmUzTmx3c1o5VGROam9jY3dHVjkvLzJNdXE4TnBKUVE5V2t3bHljWkZZWFlJSUVhU3lNdUc2aDg5MThweXg5aGs5anRuZ2FyRmdYdUZyN2h6SUYyNXMwU0tqeDBNUW1wQVhMUkNxNTFGVWRBK09sbktLOXdvMUV1WmNMUlpNZFhSN2xKejJYakZQVHRHSko0aFFRZlF6ZS94Q1Y3dXFNak9PS1FCZU4zb2NzOEZiWXVGMDJKb0FNRDAyWHpyY2RFNmtNU2t2MTN2Vmx5RENBS2tnWHppR3hiWURqVHpiWFlQVFlac1R0eDJueHF6WXhhcFVlL0M4Y0loemVkRkNvOGRFRUVMSVM4UzN6YnVPdC9EaVIrNDJlaHl6eFZTeGVKRlY2VUxuWUxtd3Y4WEs1VWFQaVNDRU1GV0tmVmFIeGliZFBZTmpGazd4ZHFQSE1WdE1GUXZtd0JWVlRUcm9iTDhvMUdCRk9hUkVTc0JPaERaU2RoYWtQTEU3VGEvV1gzQUNZSVhSR2dldzAraXh6QmJ2RUF1bnc5WUI0QWlyNGpQN25FTE9XWkJseU11WEdUMHVndkNMWExsQ3VPNXorOC94Y3Vqc2REcHNFWjNmOUdwWWNUWnJXUlgzbm1xZEo5em9TdkgvRVFSaEJLWlZsVUwxM0I0Rkp5OTBsM09LdHhrOWp0bUVKUll2c0NwT3VqejV4NXU3aEZZWGNublpqRVhQSW9oZ2tZb0tJZVhtQ05YZGRiemxuS0txdkNPKzU0MGV5MnpDRW9zMzRJMmVkUTEvMkhGU3lHNEJTWUpwd3pxangwWVFURXpYYnhDdSs4ZTZFN3dRNG9lZERsdkVCN3k1bW12RXd1bXdxUUNlWmxWKzdjU2xBbFhzVUFUeXVyV0Eza21UQ1NKWVltSmdFdHdtVDdvOU9IbXhoK2UxOWJSUUl4RUU3NitaT1JHVGJrL2V3YlB0UXBkRnBKUmtUZWZZQkRFYm1GYXZCR0ppaE9wdVA5UjBXbEZWbnRmV1UwYVBaYmJoaWNWK2NLSisvK2FGSTJLbklnQk1OOTFvOVBnSTRoMllidHdvWFBmeGx4b21PVVg3ZlI3UGN3cW1XUGkySWsreXlrNWM3RjR5TkNZV0dGR3VLSU5VSUh3UGpTQm1GSG5SUXVFbzNtMDl3ME50UGNNOEg0QW5oUnFKTVB3WkZmNmI5YUtxSXZZUGRTZE9pSFpnM3J6SjZERVNCQURBdFBrbTRicVBicTgvQTRBVm1ITVN3TytOSG9zUmNNWENaK210WTVVOXZlZU1jRFprZWVVS1NHbXBSbytUbU9OSUJmbVFMUlZDZFQyS2lwY09OL09DeXY3RjZiRDFDalVVWVV4M1hQRUk2OFhoOGNuU3ZTZGJMNGoxSU1OMGE1WFI0eVRtT09iYmJoV3UrOXdiWjArNVBRclBFZU5SbzhkaUZOT0p4YlBnWkliKzJUTnZDcWV3Tm0xWXB5bVhKRUhvaVZTUUQzbnBFdUg2djM3K2lKbFRkQTZjbTlsekFiOWk0WFRZSmdIOGxsVjJxWHRvK2ZuMmZyRWtwQ1lUVEZ2RmxaMGc5TVI4UjdWd1hwQTNUcmRkSEJ5ZDRPMVhIdllaLytja0lsNVQvd21BZWZyeDQ2ZmZhQmJ0eUxSbUZhU3NMTkhxQktFTGNrbXhwZ2h1UC9uTG0vMmNvZ0Z3dmpqbkN0T0toUy9FK1I5WlpmV05sNWUzOXc2TFJRbVNaWmpmOHk2angwdk1NY3p2ZWJkdzNkT1hlaSszZEEzeWprc2ZqZlRFeDlNaDZvLzlNODdyVWQ5OWNwOXdqa2Q1OFNMSUN5MmkxUWtpS0V4clYwTXFFcytVOTYrLzI5ME85bkdwQzhCL0dEMGVveEVTQzZmRGRoeWN3RGlIem5Zc2Ira2U2aGZ0MFB5ZXUrak9DREh6UkVmRGRHZU5jUFVURjdzN0wxd2U1RjBhZWRMcHNBbmx6NGxrdFB6VmZvZnpldFMzL3ZDYThPMDdLU2NicHB0dU1IcmNSSVJqM25vcnBCUmhkeUI4NDM5MmQzR0tQQUMrYi9SNFFnRmhzWEE2YkcrQUU2UHplSFBYaXNZT3daTVJBT2JxcmNKWm9BaENLMUwrUEppcXhEMkhENTd0dU5UV003eVVVL3dIcDhOMjF1Z3hoUUphOXdOZjQ3eHUrdkp2ZDdRTHR4SVRBL1A5N3pWNjdFUWtJa21JZXY5OXdsdGRSVlh4MVNkMjhVTGp1UUI4MStnaGhRcWF4TUxwc0IwQjhEZFdXV3ZQME5KWDZ5K2NGKzU0NFFLWTFxd3lldnhFaEdIYWRDT2t3Z0xoK3YrNzQrUnhQMzRWajgrMUFEZitDTVRTK0Uwd01xNER3SGYrZDIrMDJ5T2NZZ1RtZSs2aXBFU0Via2c1MlREZmNidHcvZEVKbCtmWHp4L21oZmdlQS9BRG84Y1VTbWdXQzZmRDFnQ09jOHI0cEx2dzRSZU8xQXMzRmg4UDg0Yy9JT3hkUnhCY1RDWkVQZkFoSUNwSytDM2ZlM0pmdlVkUmVmY1EvdDNwc0xVSU56WUhDUFFNODVzQStsa0ZmOXh4d2lMc3FBVnZ6QXNUWFdNbmdzUjhSeldrZk9FQTlEamQwdFA1YXYwRjNsSHBKUUQvYnZTWVFvMkF4TUxwc0hXQmM1U3Fxb2ovN0s5ZkZydVI2c044eCsyYTlwa0VjVFh5UW91bVdCV0tvdUlMLy9YS0VBRGVoYkd2T0IyMlVhUEhGV29FNHgzMWF3Q25XUVd0UFVOTG45cDk2cVJ3U3lZVG9qNzJBS1NFZUtQbmd3Z3pwUFEwbUQveUlVMWIyVjg5ZjdoK1lHU0Nsd3ZrZFFCL01ucGNvVWpBWXVGMDJGd0FIdUtWLytMWmczbDl3K1Bqb3UxSjZXa3dmL1REWkw4Z3hER2JOWC9KWE9vZTZ2L2pqaE84bTJWdUFKK2F5emRML1JHVTM3WFRZZHNGVGpBUVJWSFRQbVhmTG54dkJBQmtTd1hNZDFZYlBTZEVtR0MrN3g1TjIxZEZVZkdKWDI3clZGWEVjYXI4eUhlMWdXQ2d4eVdOcndCZ09tUmR1RHk0L0xFWEc0NXBhY3hVZFROTWExY2JQUzlFaUdPcTJnVFQrcldhM3ZPRHAxNC8zRGM4emx0Vm5BRzVkZnNsYUxGd09td0RBRDdISy8vdDl2cUs4KzM5M2NJTlNoTE03NzhQY2tXWjBYTkRoQ2p5aW1Vd3Yrc09UZTg1ZExhajVlLzd6L0ZPUDFRQW4zUTZiQk5HankyVTBlWDZwOU5oK3lzNDRkRlZGYkVQL3NmMmdVbTNSN3hCa3dsUkgvOG9wSnhzbytlSENESGs0dm1JMHVpYk16dys2ZnJpbzYvS0FFeWNLdi9oZE5oZU0zcHNvWTZlZDhVL0E0QjVaRG84UGxuMmhkKzhja1JUYTNGeGlQck1wOGpEazNnTEtTOFg1azkrVEpQamxhb0NILy9GdHRPVExnOHZnYzB4QUY4MWVtemhnQ240SnJ6MDFHK2J5S2lzUGdUZ28yQUVFT25vRzhtTE1zdkhLMHZGbHd0U2JDemtaWXVoMURjQUU1T2lieU1pRUNrekExR2YrelNrNUNSTjcvdlIwMi9VdjNHNmpiZjltQUJ3bTlOaEU3OEVPWWZSVFN3QW9LZCsyOFdNeXVwb0FFd1BtUVBPanRSMUMvSTZjOU1TaFArUFMvSHhrQmRhdklMaEVrcUVSa1FZVWtvS29teWZoWlNhcXVsOU94b3Vudi9QNXc0dEJEdjZGUUI4eWVtd1BXLzArTUtGbVFoWjlXMEFlemxsMFovNTFVdW03c0V4VGQ1eFVsNGVvajc3S1VnSkNiTTlQNFRCU0NrcGlQckNRNW9UVlRWM0R2Ujk3WWxkbWVCL3hwK0QxN0dRRUVSM3NYQTZiRzRBOXdIb1lKVzdQVXJPKy83dGIyM2prMjd4NjZud0JqU0ordnlueVlZeGg1QXlNeEQxcFM5QXlzelU5TDYrNGZIeGovejArV0ZGVlhrZmxyTUFIaURuSzIzTVNEQk0zeDd3WG5CU0NBeU5UWlovK0NmUEgxY1ViZit2cEx5OGdMNWxpUEJEeXN0RjFCYytDeWxWMjVmRHBNdWpmdURIenpWUHVEeThTTDBqQU83eEhma1RHdERWWm5FMVBmWGJXaklxcS9zQk1GMHlCMFluY2s1YzdEbFN2YVkwVDB1N1Vudzg1TW9WVU02Y0JZYm5kR1QyaUVVdUtVYlVRNStFbEtUTm1LbXFnUFhudFEyWHVvZVcrcW4yZ05OaDIySDBHTU9SR1JNTEFPaXAzL1ptUm1YMWZBQXJXZVdYdW9meWVvZkdqOTZ3cENCWFM3dFNiQ3hNYTFaQ3ZkUUt0VnM0OUNjUkJzZ3JWeURxNDFaSXNiR2EzL3VsUjE4OVV0OTR1ZEpQbFg5M09teS9OSHFNNGNxTWlnVUFaRlJXYndOd1BZQlNWdm1wbHA3Y2NaZjc2UG9GOHpRSkJzeG1tRlpXQW9PRFVDL04rU2p0RVlIcGxzMkl1dThld0tUOVkvbU4vOWw5Wk5leGxwVitxandONEtHZSttMUdEek5zbVhHeDZLbmY1c21vclA0YmdIY0RZT1l2YkdqcXlqWEowckdWWlRrNW1ocVhaY2hMbDBDS2k0UGlQT3RkaHhMaFIxUVV6Qis0SCtiTm13SzZkZnlUUCsrdi8vdWI1LzBKeFQ0QTcvRVozNGtBbVhHeEFONXkySG9Cd1BzQkpMTHFIRHpia1pVU0gzTnF5ZnhNelFsUjVlTDVrQ3ZLb1o0OERVeVM4MVk0SVdXa0kvb3puNEs4VUR3ZjZkWDg4dG1EUjUvYWZiclNUNVd6QUxZNEhiWkJvOGNhN3N5S1dBQkFULzIyZ1l6SzZwY0JmQWhBREtPS3RPOVVhd2FBNDZ2TGM3V3RNQUJJYVdtUTE2eUUybndSYW4vL2JBMkxDQUo1OFVKRVAvUWdwSXowZ043LzQ2ZjNILzIvUGFkWCtLblNDcTlRWERKNnJKSEFySWtGQVBUVWIrdk1xS3plQWVCOTRBakc0WE9kT2FNVHJxTWJGbXEwWVFDUVltSmdXcmNHa3NrRTVYd1RiVXRDRmJNWjV2ZTgyNXUwT0ZyOG5zZlZmT04vZGg5NS9zM3psWDZxZEFPNDFlbXduVEY2dUpIQ3JJb0ZBUFRVYjJ2TnFLemVEK0IrQU14UHlySG1ydHl1Z2RINkc1Y1dhaFlNU0JMa3NsTElDeXhRejU0SHhzWTBOMEhNSEZKZUhxSS84eURrSllzRHNrK29LdkQvSG4xMU9tUG1JSUFxcDhPbUtaWUs0Ui9EWXRoWnJQWWFBTStDSXhnQXNLWWk5OGl2UHJObHBTd0grSmdURTNBL3Z3MmUxL2JSS3NOb1pCbW1XemJEZk51dGdOa2NVQk1UTG8veXNWL1VIai9YMXJmY1Q3VkJBRnVkRHR0K280Y2NhUmdhOE5KaXRkOEc0SzhBTjh3WjhqT1NUdnp4SzNjdWlJK0pDdXdUQmtCcGFvYjdUMDlEN2J4czVIRG5MRkpoQWFJK2NEK2tlWnI4Nzk1QjMvRDQrUHQvOU53RlA1R3VBQktLR2NYdzZMZ1dxMzB6dkNzTWJzcnJ4TmpveGo5OTlkMVoyYW54Mmx6NnJzYnRodWZWblhDL1VrZTNWMmVMMkZpWXE3ZkNkT05HNGR5akxKbzdCM28vOHRQbnh5YjRNU2tBcjQzaUZsOFNMR0lHTUZ3c0FNQml0YThIc0IxQUtxK09TWlo2ZnZucFcwZldMOGdyQ3FZdnRiOGY3dWRlZ0hLNDN1aGhSeTZTQk5OMTYyR3F1UTFTWW1KUVRiMTB1UG5zTjMrL0owZFIxV1EvMVZyaFhWR0lwNThnTkJNU1lnRUFGcXQ5R1lCdEFQeDllN2cvZXV2U2s1KzdjOVZ5d1dhNUtFM044UHp0ZVNqTm12SWhFZE1nVjVUQmZQZTdOV1VIWTZHb0tuN3dwOWVQL0gzL3VVcjQvNXc2QWRRNEhUYmhwTnhFWUlTTVdBQ0F4V3JQQi9BQ0FIOW41MWhjbEZuL204OXZYUjRYYlE3NjFxeHk4aFRjTDJ5SDJ0cG05UERER3Jtc0ZLYnFyWkRMZ3crMFBEUTZPZm5Sbjc5dzVsTDMwTEpwcXI0RzRHNm53MFlYaEdhQmtCSUxBTEJZN1Vudyt2SGY1cTllWExUNTRzT2YzeHE5cENoVCsvSHFWRlFWeXZFVGNMLzRDdDB6MFloY1VnelQxbHNoTHdyTUEzTXErOCswWC96eWIrdWlKOTJlNmY2Ly9nbUFsU0p5eng0aEp4WUFZTEhhVGZCR01mcjBORlVuMzNmVG9wTmZlcythU2xtblRHYUs4eXc4TzNaRE9YVTYrTVlpRlVtQ3ZId3BUSnMzUVM2ZXIwdVRibytDYi8veHRjTXZIVzZ1eFBSeFZuNEE0RjhwZU0zc0VwSmljUVdMMWY0SmVFVWp4bCs5bk5TRWs3Lzk0dTFGdVdrSndWblRya0x0NklSbnoxNTREaDRHSnVqTEN3Q2toSGpJYTlmQWRPUDFrREl5ZEd1M3VYT2c5MEg3OXA2QmtZbUthYW9Pdzd1YStJdlJjekVYQ1dteEFBQ0wxYjRXd0o4QitEMEZrU1FNZjJ6TDhzWlBWYTlZcnRjcUF3QXdPUW5Qa2FOUVh0OC9aNDJoY2tVNVROZXRoN3g4YWNBT1ZTdzhpb3FmL3VYTkk4L3NPN05FVlJFOVRmWFQ4RWE0T21YMGZNeFZRbDRzQU1CaXRXZkN1MGU5WmJxNmFZbXhaeDcrM05iTXNyeFUvYjc2ZktpWHU2QWNPUXBQL1ZHbzdSM0JOeGpDU0FYNU1LMWVDYmx5eFl5RU1XeG82bXIvZjQrOE9qNDhQbGtpVVAwWmVGY1VRMGJQeTF3bUxNUUNBQ3hXdXd6Z0grSE5Sem5kN2FQSjIxZVhIdnZhK3paVXhrV2JaK1QraTlwNUdjclJCaWduVDBPNWNESDgzY2xsR1hKcE1lUkZpeUN2V0FZcFUzZXRCZUE5NmZqbUgvWWMyM3V5ZFNXbXQwMk13aHV1LzFHQnBva1pKbXpFNGdvV3EzMFZ2S2tTTGRQVk5admtyaS9ldGJyci9oc1hMZFp6WjNJTm8yTlF6amlobkRvTnBiRVphcmQ0YWxjamtYS3l2WmZ1RmkyQVhGRU9CQkRLVGhTUG91THhseG9hL3Z1bGhpSkZVVk1GM25JRXdBZm8xbWpvRUhaaUFRQVdxejBCd004dy9Xa0pBQ0ExSWNiNWI5Wk44YXNyY2d0bTQvblVvU0dvVGMxUW1pNUFiV21CMHRZQmpHcEtsYUk3VW1JaXBIbDVrQW9MSUpjV1F5b3VocFFRUHl0OTd6bHhxZm1idjkrRGtYRlhzVUIxQmNCUEFIelQ2YkJSSktNUUlpekY0Z29XcTcwS3dLTUFoRHlCQ2pLVGpuM3ZnUnV6bHhSbGFnNnVFeXpxd0FEVXRuYW9IWjFRZTNxaDl2WkI3ZW1CMnR1bjMxMlZtQmhJNmVtUTB0TWdaYVJCeXNpQWxKZnIvYWN4VXJZZTdEL2Rkdkc3VCs0YjZSb1lYU1Q0bG1NQVB1RjAyQTdNK3NNUzB4TFdZZ0VBRnFzOUhzQzNBSHdaZ3ZFNTVtY25ILzNoUnpmbFYrU25hY3RlTTFOTVRFQWRIZ0ZHUjZHTytINjZQVjQ3eVBqNE8rdkdlUy9vU2xGUlFGeWNkM1dRbEFncFBoNkludTVBWVhZNGZLNno5YnRQN3UxcjZ4bGVLdmlXQ1hodFVUOTJPbXgweXk5RUNYdXh1SUxQbHZFd2dQV2k3eW5JVEdyNHgvZXVTN2wrVWI0K25rVnpHRlVGWHFsdlB2OGZmenM0ZnJsL2RJbUd0OVlCK0N6WkprS2ZpQkVMQUxCWTdSS0Fqd0Q0TndEQ041bVM0cVBQZmZhT2xaTjNYMmRaYkFvMDBNNGNaZEx0d1pNN1R4MTc0dVZqeWFNVExpMmkyd2pneTA2SDdWbWp4MENJRVpGL0dUNEQ2TmNCL0FNQVlSTy9TWmE2YnFtYzMvenBtcFdXd3N3a1NxcnFoL3J6bC9HN3V1TU4rMDYxaXA1dVhHRUlYbmZ0WDlLOWp2QWlJc1hpQ2hhcnZRaGUwZmdFQUMydWgycHVXc0lKNjYzTDVEdldsUzJLaVRKRjlEeUpNakx1d24rLzFJRG45NTlELzRqbXYvTnhBSThBK0tIVFlhT1FaV0hJblBnanNGanQ1UUQrQmNDSG9URklzU1JodEh4ZTJ1a0hxcFltYmw1UlpKa2hINitRWlhUQ2phZjNuQjc3Nit2T3VQYWVZUVRnZXVZQzhCaUE3L2tTWmhOaHlwd1FpeXRZclBZRkFMNEtiKzRTelRIb1pVa2F0dVNuT2F2WGxrVlZyeWxka0pvUUV4ckhEenJUTlRDSzEwKzNZZC9KVnJ4K3FoVmprd0VsOGhvRDhBUzhKeHdYalI0VEVUeHpTaXl1WUxIYTV3SDRBb0NINENlVTN6U29LUWt4WnpjdXpoKzRmWFZwOXNxeW5Qa3hVZUc1NmhpZGNPUEVoUzY4Nld6SHZsT3RPTnZhRjB4emx3SDhDc0J2bkE1YmVMaXlFa0xNU2JHNGdzVnFUNFRYbnZFUWdJVkJOdWRLU1locFhGYWNOWER6OHFLa3RSVzVSWG5waVFsR2ozRXFxZ3EwOWd6aFZFc1BqalpkUmtQalpUamIrcUFvUWQ5dHFZZjM2UHIzVG9kdFBNaTJpQkJrVG92RjFWaXM5aHNCUEFqZ1h2aEpUYUFGV1pLR1V4TmpXa3B6VTRjcVM3UE5Dd3N6VWtweVU3UHowaEtTekthZ0l3TDZ4ZVZSME40N2pQYWVZVnpvR3NUNTluNmNiZXZEK2JhK1FMY1ZQQzdDZTNYODBJd09pREFjRW9zcFdLejJWSGh0R3U4SHNCRXpNMGRLdE5uVWxSUWYzWjJhRURPZW1oanJ5VXlLUTNacXZKeVpFaCtWRkJkdE5wc2tPU25PYXhOSmlvdU9WVlJWSFJsM1RRREF3TWpFaEtLcTZ1RG9oTHU1Y3lDOXRXZTRjSEJrQXNQakxneU5UV0owd2dXM1I1bXRLUnNCa0VvWnlpTWZFZ3MvK0d3Yjc0YzMxYUt3WjJpa0lVbkFzdUlzdGFHcEMyQi9abTUwT215dkdmMmN4TXhDWWlHSXhXb3ZCRkFEb0JyZUlEeTZoZkFMUlpMaW9yRis0VHhjdnlnZjF5MmNoNHprT056eXRUK2RIUnFiWklXKys0N1RZZnUyMGM5TXpDd2tGZ0Znc2RxajROMmkzQWJnSmdDck1VMmMwRkFuSnNxRXBmT3pVRm1XalEwTDUySFovQ3hNelRIN3o0L3ZQTENqNGVKYXh0dGZjenBzTnhvOUJtSm1JYkhRQVl2VkhnT3ZZTndBcjRpc0FCQ3lsOU1rQ1ppWG5vU0ZCZWxZVnBLRkZhWFpXRmlRZ2VudXhldyszdEw0ajQvdEtHVVV1UUdrT1IyMllhUEhSc3djK2tWZm5jUDQ3ampzOC8wREFGaXM5aFFBeXdBczkvMHJCMUFLb0JDek9PL1pxZkdla3B3VVUxRldNc3JucGFGaVhocEs4OUlRSDZQOUVkWXZtRmNpU1poa0JOYzFBN2dad1BPek5TNWk5aUd4bUNHY0R0c0F2Qm16M21INDgrVkV5UWRRNHZ1WkFTRGI5elBkOXpNS1FEeUFhSGpqVkY3Sjh6a0FRSVgzbnNVNGdFa0FQYjUvSC9DOS94MXNXVmxjLzhXNzFxeldZMHd4VVNZcEt5WCtMT2NLK2kwZ3NZaG9TQ3htR2FmRDVvSFhOMEZYRjJpZkhlVlRVMS9mZmF6Ri9NVzcxdWpXencyTEM4YWUyZWRrRmQycTcwd1JvY2JNZWdZUnM4bkxyQmN2OVF5VmU0TDN6bnlMNnJXbHZNVFZTeTFXKzZ5SEt5Um1EeEtMeUdFSGNPMmxVRlZGd3BIem5aZjA2bVRaL0t3OFdaSUdPTVcwdW9oZ1NDd2lCRjhtOFNPc3NoY09uTmZ0YXJnc1N5aktUbTdrRkUrYkJJb0lYMGdzSW90WFdTKytjYnBOVndleXFoWGNVMkZhV1VRd0pCYVJCZE51MFRNNFZqNDY0ZGJ0c3NqdHEwdDRLUWNMTFZiN2RNbU5pVENGeENLeTJBdHZXUDJwUkwxMjR0SjV2VG9wemtsSmpUYWJPam5GVzR5ZUJHSm1JTEdJSUp3TzJ5aXVjZ3k3bW0wSEc0T0thRE1WUzM1YUM2ZUk3QllSQ29sRjVQRUs2OFg2eHM0c1BUdTViWFVKTDJyNlpwL2pHUkZoa0ZoRUhreXhHQmwzbGZRT2plc1dlditXeXVKeVRsRWFnRlZHVHdLaFB5UVdrY2NoQVAyc2dsZU9OSi9WcTVQTTVMalkrSmlvSms0eG5ZcEVJQ1FXRVliUG5Yd25xK3lsSTAyNnhzWmNXWmJkeFNraXNZaEFTQ3dpRStaVzVIUkxiNEdlbmR5K3BqU1ZVN1RSWXJVTFo0SWp3Z01TaThpRUtSYVRiay91eGE3QkFhMk44Ymh4U1dFNXZMRXNwaElEYjJ3UElvSWdzWWhBZkJuSm1mZEJ0aDFzYk5UWUhKZjRHTE9jbmhSN2psTk1XNUVJZzhRaWNtRzZmdGNkdmFCckp4c1d6aHZpRkpGWVJCZ2tGcEVMY3l0eW9YT3dWRkgxdTdKZXM3YU1keTE5bGNWcVQ5ZlVHQkhTa0ZoRUxreXhVRlExNVhoenQyNjNVRmVWNVJSSkVrWVpSUktBelVaUEFxRWZKQllSaXROaDZ3QndnbFcyL1ZCanExNzltRTB5NXFVbjhmdzNhQ3NTUVpCWVJEYk0xY1h1NHkyNkhtdHVXbGJJeTBaR1loRkJrRmhFTmt5eDZCb1l0VXk2UExwMVVyMm1sQmZnb3R4aXRZZHNTZ1JDR3lRV2tjMHVBTmVvZ3FvaWVyK3pYYmNqVkV0K2VxWkpsbm81eGJTNmlCQklMQ0lZcDhNMkJPQU5WbG50bStlNzllcEhrb0R5ZVdtOGV5SjBaVDFDSUxHSWZKaitGZ2ZPZHFUcDJjbVdsY1c4dEJLM1dxeDJ5bndYQVpCWVJENU11OFhnNkVUWjRPaUVTNjlPdHF3czRWMVp6NEkzTXhzUjVwQllSRDc3QVl3d1hwZDNIbXM1cDdVeEhubnBDUW14MFdaZXlnR3lXMFFBSkJZUmp0TmhtNFRYMEhrTjJ3ODI2cHJJZU9uOFRKNnpGOWt0SWdBU2k3a0IwMjV4L0VKM25wNmQzTDZtbEpkeVlKUEZhby9XMUJnUmNwQll6QTJZZG92eFNYZEJlKy9JaU5iR2VOeThyTEFjQUN2bFFBS0E5VVpQQWhFY0pCWnpnMk1BbUZHdFhqN1NwSnZkSWprK0ppbzVQb2FYY29Ec0ZtRU9pY1Vjd09td3FlQ3NMbDQrMHV6VzJKeGYxbGJrOGxJT2tOMGl6Q0d4bURzd3hlSmNXMStKampmV1ViT3VMSk5UdE1GaXRTY1pQUWxFNEpCWXpCMllSazZQb3FZN1czdDE4K1pjYjhrcmxTUk1Nb3BNQUc0MmVoS0l3Q0d4bUNNNEhiWUxBSmoyaVcwSEczVUxueFVkWlVKV1NyeVRVMHhia1RDR3hHSnV3ZHlLN0RyV1l0YmFrRDl1WEZJNHhpa2lJMmNZUTJJeHQyQ0tSVnZ2VUlYYm8xdVNkVlN2S2VXbEhGaGlzZHB6alo0RUlqQklMT1lXT3dCY1k4NVVWY1FmUHQ5NVVhOU9saFpuNXNtU3hFczVRS3VMTUlYRVlnN2hkTmg2QVJ4bWxkVWVPTitwVnoreUpHRitUakl2WGdhSlJaaENZakgzWUc1RjNqamRwdXV4WnRVS2JvQXNNbktHS1NRV2N3K21XUFFPalplUFRyaDFNMXhVcnlrdDVSUVZXS3oyQlVaUEFxRWRFb3U1eDJzQUpoaXZtL2VjME8vS2VsRldja3EwMmRUQkthYXRTQmhDWWpISGNEcHM0d0Qyc3NxMkgyenMxN092aFlYcEZOOGlnaUN4bUpzd3R5Skh6bC9PMHJPVHJTdExlQ2tIYnJaWTdTYWpKNEhRQm9uRjNPUmwxb3VqRTY2UzdzR3hjYjA2dVhWbGNRV25LQlhBYXFNbmdkQUdpY1hjNUFnQTV1M1FWK3ViZGJOYnBDZkZ4aVRFUnZHaWZtOHhlaElJYlpCWXpFR2NEcHNIWGdldGEzanhVSk51S3dzQXFDek42ZUlVMFJGcW1FRmlNWGRoM2tKMXR2WVY2dGxKemRyU1ZFN1I5UmFyUGQ3b1NTREVJYkdZdXpEdEZwTnVUMDV6NTBDL1hwMXNYRnhRRG9DVmNpQUd3RWFqSjRFUWg4UmlqdUowMk00Q2FHR1ZiVC9VMUtTeE9TN3hNV1k1SXptT1p3Y2h1MFVZUVdJeHQyRWVvZFlkMVMyOEJRQmd3OEo1dkpRRFpMY0lJMGdzNWpaTXU4WEZ5NE9saXFKZnJMMDcxcGJ4VWc2c3RGanRHVVpQQWlFR2ljWGNocm15VUZRMTVkaUZybmF0amZGWVdaWlRJRW5NckdnU2dNMUdUd0loQm9uRkhNYnBzSFVDT000cTIzYWdzVld2Zmt5eWhJS01KTEpiaERra0ZnUnpkZkhheVV0eGVuWnkwN0pDWHNvQnNsdUVDU1FXQkZNc3VnWkdLeVpjSHQwTUY5VnJTb3M1UldVV3E3MVlRMU9FUVpCWUVMc0FYUE90cjZxSTNuK21UYmNqVkV0K2VvWkpsbm80eFhRTE5Rd2dzWmpqT0IyMllRQnZzTXBlZVBOOGo4Ym0vRkl4TDYyWlUwUmJrVENBeElJQU9FZW9CODkycE9yWnlaYVZKYnlVQTdkYXJIYko2RWtnL0VOaVFRQWN1OFhRMkdUNTRPaUVTMnRqUExhdUxpN25GR1VDV0dIMEpCRCtJYkVnQU84MmhPa0hVWGYwNGxtOU9zbEpUVWlJalRhM2NJcHBLeExpa0ZnUWNEcHNiZ0E3V1dVdkhtb2EwZGFhZjVZWFoxRmN6akNGeElLNEFuTXJjdnhDMXp3OU83bHRkVWtpcCtnbWk5VWViZlFrRUh4SUxJZ3JNSTJjRXk1UGZsdlA4TERXeG5qY3ZMeW9BZ0FyNVVBOGdPdU1uZ1NDRDRrRmNZWGpBSmhaeVY0ODNLUmJxTDJrdUdoelNrTE1lVTR4MlMxQ0dCSUxBZ0RnZE5oVWNGWVhyOVEzZS9Uc2E2MGxyNDlUUkhhTEVJYkVncmdhcHQzaWZIdC9pYXJmalhYVXJDbmxwUnhZWjdIYWs0MmVCSUlOaVFWeE5ld3I2NHFhZnVaU1Q3ZGVuYXl6NUpWSUVsaUJnVTBBYmpaNkVnZzJKQmJFV3pnZHRoWUFUTCtLYlFjYmRRdWZGUjFsUW5aS0FzOE9RbmFMRUlYRWdwZ0tNNUR2cnVNdFVYcDJjdFBTQWw3S0FiSmJoQ2drRnNSVW1FYk85dDdoY3BkSHR5VHJxRjVUV3NBcFdteXgyblgxN1NEMGdjU0NtTW9PTVB3Z1ZCWHhoODUyNkxZVldUdy9NMWVXcFFGT01XMUZRaEFTQytJZE9CMjJQZ0NIV1dYYkRqWmUxcXNmV1pKUW5KM1N5Q21tclVnSVFtSkJzR0RhTGQ0NDNaYWtaeWUzVk03bkZoazlBY1Mxa0ZnUUxKaDJpNzdoOFlyUkNaZHVob3ZiVjVlVWNvcnlMVmI3SXFNbmdYZ25KQllFaTcwQTJ3OWk5L0VXM2E2c0YyWWxwMFNiVGJ5VUE3UzZDREZJTElocmNEcHM0L0FLeGpWc085ZzBvTEU1dnl3cXpPQ2xIQ0M3UlloQllrSHdZTm90ampaZXp0YXprOXRXbDhSeWlqWmJySGFUMFpOQXZBMkpCY0dEYWJjWW5YQVZkdzJNam10dGpNY3RsZk10bktKa0FHdU1uZ1RpYlVnc0NCNkhBVEJ2aDc1U2YwRTN1MFZhWW14MFltdzA3d2lWc3BXRkVDUVdCQk9udzZZQXFHT1Z2WFNvYVVMUHZpckxzbm1YMU1qSUdVS1FXQkQrWU41Q1BkUGFXNlJuSjNlc0xVdm5GRjF2c2RyampaNEV3Z3VKQmVFUHBsaTRQVXAyVThkQW45YkdlRnkvT0w4VUFDdmxRRFNBRzQyZUJNSUxpUVhCeGVtd25RUEF2QSt5N1dDamJxa040NkxOY2taeUhNOE9Ra2VvSVFLSkJURWR6Rk9SSFEwWGRQM3NYTDhvbjVkeWdNUWlSQ0N4SUthRHVSVnA2Um9xVXhUOVl1M1ZyQ25ONHhTdHNGanRtVVpQQWtGaVFVd1BjMldocUdwU1EzTlhtMTZkVkpibEZNaVN4RW81SUFHb01ub1NDQklMWWhxY0R0dGxBQTJzc2hmZVBLK2JXSmhrQ2ZtWlNid1VBYlFWQ1FGSUxBZ1JtS3VMZmFkYTQvVHM1T1psaFc1T0VZbEZDRUJpUVlqQXRGdDBENDVXakUrNmRUTmNWSzhwTGVFVWxWaXM5aEpOalJHNlEySkJpTEFiREQ4SVZVWDBHNmZiR2dOb2owbjV2TFIwczBubWVYUFM2c0pnU0N5SWFYRTZiTU1BM21DVjFSNXM3Tld6ci9KNWFidzRueVFXQmtOaVFZakMzSW9jZEhhazZkbkoxcFhGdkpRRFZSYXJuVDZ2QmtLVFQ0akNOSElPajArV0RZeE1UT3JWeVpaVnhlV2Nva3dBSzR5ZWhMa01pUVVoeW40QVE0elhwYnFqK2wxWnowbE5pSStMTmwva0ZOTXRWQU1oc1NDRWNEcHNiZ0M3V0dVdkhtNGEwN092NVNWWm5ad2lpbTloSUNRV2hCYVlkb3ZqRjdyenREYmtqOXRYbC9KU0R0eG9zZHFqalo2RXVRcUpCYUVGcHQxaTB1WEpiKzBaR3RiYUdJOU55d3Nyd01pS0JpQU93UFZHVDhKY2hjU0NFTWJwc0IwSDBNRXFlK2x3OHptTnpYRkpqSTAycFNURTBKWDFFSVBFZ3RBS2MzWHg4cEZtL2JJbUExaS9JSS95b0lZWUpCYUVWcGgyaThhTy9oSlZ2eHZycUZsYnhrczVzTTVpdGFjWVBRbHpFUklMUWl0TXNWQVVOZTFVUzdkdWlaUFhWT1FXU3hJeks1b000R2FqSjJFdVFtSkJhTUxwc0YwQzRHU1ZiVHZZMUtKWFA5Rm1FM0pTRThodUVVS1FXQkNCd014V3R2dDRTNVRXaHZ4eDA5SkNYc29Cc2xzWUFJa0ZFUWpNclVoSDM3REY1ZEhQemxtOXRyU1FVN1RJWXJYbkd6MEpjdzBTQ3lJUWRvTGhCNkdxaUQzb2JHL1dxNU5GaFJrNXNpejFjNHBwS3pMTGtGZ1FtbkU2YlAwQURyTEthZzgyZHVuVmp5eEpLTTFKNWFVY29LM0lMRU5pUVFRS2N5dXkvM1Jia3RhRy9ISHJ5dmtTcjhpb2dkZldRVmZiVExoQVlrRUVDbE1zK2tjbUtvYkhKejE2ZGJKbFZVa3BweWpQWXJVdk5tanNwdG82YkRDb2I4TWdzU0FDNVhVQXJOdW1wdDNITHVsMlpiMHdNeWs1T3NyRWl5SnV5T3FpcGdyakFHSnI2N0RFaVA2TmdzU0NDQWlud3pZTzREVlcyZlpEalVNYW0vUEw0c0lNbmxnWVpyZW9xY0pPQUIrdXJVT0NVYzh3MjVCWUVNSEEzSW9jYmJ5Y3BXY250NjhwNWFVY3VObGl0WnNOSFAvakFINXVZUCt6Q29rRkVReE1zUmliZEJkM0RZenFGaEJuOC9LaUNnQ3NteWZKQU5ZYU5maWFLcHdGRUZOYmh6dU5lb2JaaE1TQ0NJWjZBTXpvM2k4ZmFkYk5icEdXR0J1ZEdCdk5TemxndEwvRmR3RThYRnVIRElPZlk4WWhzU0FDeHVtd0tRRHFXR1V2SFc3V0xZZ3ZBS3dxeitHbEhERFUzNkttQ28wQXRnSDRqWkhQTVJ1UVdCREJ3cnduNG16dG5hOW5KelZyUzNrcEI2NjNXTzN4QnMvQnp3SGNXMXVIOXhuOEhETUtpUVVSTE14Z09HNlBrblcrdmI5UHIwNnVYNVJmQmtaV05BQlJBRFlaT1FFMVZUZ0RvQmJBcjJ2cmtHbmtzOHdrSkJaRVVEZ2R0dk1BbWxsbDJ3NDJObWxyalU5c3RGbktUSTdqMlVGQ3dmWDdwd0F5ZkQ4akVoSUxRZytZcTR1ZERSZDEvWHhkdnpoL2xGTmt0Skh6aXQ5RkE0Q1AxdGFoeXVqbm1RbElMQWc5WU5vdExuVVBsU3VLZnJIMmF0YVU4VklPckxCWTdicjZkZ1RJWTc2ZnY0N0UreU1rRm9RZU1FOUVGRlZOckcrODNLcFhKNVdsMmZteUpQRlNEb1RDdC9rZkFFd0FXQWpnaTBZL2pONlFXQkJCNDNUWXVnQWNaWlhWSGp6ZnJsYy9zaXloSURPSmwzTEE4R3hsTlZYb0EvQm4zNi9mcksyRHJzbVhqSWJFZ3RBTHBqZm52cE90dWg1cjNyeThpQmVLS3hTTW5BRGc4UDFNQXZCdlJqK01ucEJZRUhyQk5ISjJENDZWajArNmRUTmNWSzhwTGVFVUZWdXM5aktqSndIQURyeWRpT21CMnJySXlmeE9Za0hveFM2dy9TQ2k5NTFxUGE5WEoyVjVxV2xtazh5THhtWDQ2cUttQ2g2OHZSV1JBUHpNNkdmU0N4SUxRaGVjRHRzb3ZERXVybUhid1ViZG5MTUF3SktmZm9GVFpMamR3c2Nmci9ydlcycnJVR1AwQStrQmlRV2hKMHk3eGFHem5lbDZkckpsWlRFdmsvcG1pOVVlQ3AvcC9RQ3V6cUh5ZzlvNlNJRTJGaXFFd3NRU2tRTlRMSWJISjB2N2hzZDF1MWkyZFZWeEJhY29BMENsMFpOUVV3VVZ3TE5YdlZRSjRINmpueXRZU0N3SVBUa0FZSkR4dXJTajRhSnVWOWF6VXVMajRxTE52SzJJNGQ2Y1BwNmI4dnUzYXV2QysrOHRyQitlQ0MyY0Rwc2IzcHdpMTdEOVlLTnV3WEFBWUVWcE5pK3ZhcWlJeFM0QVYyZUNYd1RnSTBZL1ZEQ1FXQkI2d3p4Q1BkblNNMC9QVG01ZlhjcExPWENEeFdxUE5Yb1NhcXJnZ2pmT3hkWDhheml2THNMMndZbVFoV20zbUhSNTVyVjBEdzFxYll6SFRjc0tLZ0N3VWc3RUFiak82RW53TVZVc3loREd0Z3NTQzBKWG5BN2JTUUJNRisrWER6YzFhbXlPUzJKc3RDazFJU2JVczZ5ekx0ajljN2llakpCWUVETUJjM1h4eXBFTCtsMUJCYkIrNFR4ZXlvR1FFSXVhS3JRRE9EYmw1VW9BMVVZL1d5Q1FXQkF6QWROdTBkalpYNnlvZWw1WkwrVmRTMTlqc2RwVGpaNEVIeTh4WHZ1RzBROFZDQ1FXeEV6QVhGa29pcHAycXFXblU2OU8xbGp5aWlVSjQ0d2lHY0ROUmsrQ243bTR2cllPNjR4K01LMlFXQkM2NDNUWVdnR2NacFZ0TzlqWW9yRTVMbEVtR2JscGlVNU9jVWhzUmVETjJzWXl4SVpkdkFzU0MyS21ZSzR1ZGg5cmlkR3preHVYRnZBOFE0WEZvcllPR2JWMW1KRklXelZWR0Fad2tGRjBYMjBkOG1laXo1bUN4SUtZS1poaTBkay9VakhwMWkzSk9tcldsQlp4aWhaWXJQWUNvVGFxMEFOZ2MyMGRURE0wRjNzWXIwVUIrTXdNOVRjamtGZ1FNOFZPQU5jRXFsRlZ4QjQ4MjlHc1Z5ZUxDak96WlZuaTNXclZzaFY1RWNBWFptZ3VkbkZlLzNSdEhYUmRhYzBrSkJiRWpPQjAyQVlBdk1rcXF6MXcvckxHNXJoSUVsQ2FrOHBMT1NBc0ZqVlZHQUNnemxCazd0YzVyMmNDZU84TTlEY3R0WFV3MWRacGkvOUJZa0hNSk13ajFQMW4ybFAwN0dUTHFtTGU1MWhyTUp4SEFIeS90ZzY2UHA5dm04TXp4RDZvWjE4aStKekNuZ0MwYmJ0SUxJaVpoR20zR0JpWnFCZ2VuOVROY0xGMVZURXZuRjZ1eFdwZkt0cE9UUlhHNFkxeTlSOHpNQmU4MWNYTnRYVW9uNEgrL1BFOUFMZURJK1k4U0N5SW1XUWZBTlp0VTNsWFE0dHVWOWJ6TTVLU29xTk12SlFEV2xjWGp3SjRWMjBkdHVvOEY2LzdLZnVVem4xeHFhM0R2ZkE2aFQzckN3RW9ESWtGTVdNNEhiWkpzRThDc1AxUTQ1REc1dnl5ZEg0bUwrV0FKbjhMMzFIbmJ3RThVbHVIQkIwZjhRMC9aUitkamFSRXZoWE1FNzVmbjlINmZoSUxZcVpoWml0cmFPckswYk9UMjFhVnhIR0tObG1zZHJQRzV2NExRQkdBZjlYeEVVOEFURzlUQU1nR2NKdWU4ekVWMzdIdzd3QWtBdWlEeGkwSVFHSkJ6RHpNRCtYWXBMdm9jdi9vcU5iR2VGU3RtRjhCZ0hYeEpBbkFlaTF0MVZTaEdkNnM2UDlRVzRlRmVqeGZUUlhjNENSaTh2Rmh2ZWFDdy8vRDIxZjNuL1hGMjlBRWlRVXgweHdGME0wcWVPbHcwem1OYlhGSlNZaUpUb3lONXFVY0NDUkZ3QlB3T2s3OXA0NXpjY2hQMmJ0cjY1Q29ZMTl2VVZ1SFFnRGZ1ZXFsNXdKcGg4U0NtRkdjRHBzQ2IrS2RhM2o1U0xQbWJ6ZC9yTEhrNnVHY2RZWG5BZlFBdUxXMkR1L1c2Ukg5aVVVY2dMdjFuSStyK0Jud2x2MWxFcHhUcXVrZ3NTQm1BNmJkNG14YjMzdzlPNmxlVTVyR0tkcGdzZG8xR1N0cnFqQUo0Q25mcnorcHJZTld1d2VMK21uS1A2VG5mQUJBYlIydUEzRGZWUy90OWhseE5VTmlRY3dHVEx1RjI2TmtubXZyNjlXcmsrc1d6aXVUSkxBdWxrVUIyQlJBazMveS9iUkFuM3NjcDhCd2diK0tXMnZya0tuWGZQaVltbS8xaFVBYklyRWdaaHludzlZSWdPbVN2ZTFnWTVQRzVyakVScHVsaktRNFBVUHQ3Y1hiSVFML0pWaWJRazBWeGdENEN5MW9CdkF1dmVhanRnNmJjSzFJa2xnUUlROXpuN3p6V0lzZXkvdTMyTGk0Z0pkeVFMT1JzNllLQ29DLyszN05CdkI1SFI3eCtEVGxkK3M0SFYrYjh2dTVtaW9FN0F4SFlrSE1Ga3l4YU8wZUt2TW8rb1hhdTJOZFdSNm5hTG5GYXM4T29NbXJ2NG0vV2x1SDFDQWY4ZGcwNVZ0cjZ4QWY3RHpVMW1FRHJ2WGRDSGhWQVpCWUVMTkhIUmgrRUlxcUp0YWY3N3lrVnlmTGk3UHlaVW5pZVljR2NvVDZDb0FKMzMrbndPdXZFQXducGltUEJYUnhOZjhLNHpVU0N5TDBjVHBzM2VBNEpkVWViR3pYMkJ3WFdaWlFtSlhFODdmUWJMZW9xY0lvM25uMGF3dlNkakhkTmdRSWNpdmk4NnVZZXR3N0FXK0l2NEFoc1NCbUUrWldaTitwVmozdllHRHo4dm04RTRkQVZoYkFPNytSMHdBOEZNVGpPUUc0cDZuenJpQXpsMzBhMTE0L2Y5MW5ZQTBZRWd0aU5tR0tSYy9nV01YNHBGczN3MFgxbXRJU1R0RjhpOVVleUhYd3FjdjNMOWZXSVRxUVovTzVXWithcGxvNmdOV0J0Tzk3THRZdFZzMTNRYVpDWWtITUpuc0F0aC9FM3BPdDU3VTJ4cU1rTnlYTmJKSjFTNXhjVTRVbUFGZmJWWElSWEpMajZjUUNBTFlFMlBZOUFEUDRNSWtGRVQ0NEhiWlJjT0k2MUI0NHI1dHpGZ0FzeUUrL3lDa0tORVhBMURpYXRtQ21RcUJPb00vNUFPTzFFUUFIZ25oZUFDUVd4T3pEM0lvY09YOVpWOC9GcmF0TGVJRndxeXhXZXlDZis2bGlzZHpuOUJRSUloZm9ObW85UXEydFF3N1lKeWx2K0c2OUJnV0pCVEhiTU1WaWVIeXl0Rzk0ZkZKcll6eHVyWnhmd1NsS0E3QXlnQ1paUVh6K1g0Q1BKeUlXMFFCdTFOanVCOEdPcTdsSFl6dE1TQ3lJMmVZQWdFRld3YXYxRjNRTHRaZVZFaDhiSHhQVnpDa094RzV4R3NEVTFJdnZycTFEa2RhMkFJamFaejZxTVo0R0x5WkdVRWVtVnlDeElHWVZwOFBtQWVmSytvdUhtb0k2MnB2S2l0THNMazVSb1BhQXFkL1FNZ0NyMWtacXF0QUJDTjM4dkJQKzc1SzhSVzBkeWdDc1loUjU0RC8rcHpBa0ZvUVJNTGNpcDFwNmRFM25WNzJtSkpsVGRJUEZhbzhOb0VtV2tmQmpBZnBFaUd4RjRnSGgySnozY0Y0LzRuTXNDeG9TQzhJSW1NZDRrMjVQWGt2WDRJQmVuZHk0cExBYzdLVEVzUUEyQnRBa0syZHBNWUROQWJRbHNtSXdRZHpmZ3Blc0tPaFRrQ3VRV0JDemp0TmhPd1dBR2JwLys2RW1vV1czQ0FteFVhYTB4RmllSFNRUWIwNWVwS3RQQk5DV3FIM211dWtxMU5aaEhvQjFuR0lTQ3lMc1lhNHVYcTIvb0dzbkd4Yk80MTBxMCt6MDVFdHhlSVpSOUo0QTdvdUlpb1ZJc09GM0FaQTRaVzhLdkY4SUVndkNLSmgyaStiTEE2V0txdCtWOWVvMXBieHI2YXNzVm51YXBzYThzRllYc1FEdTB0ak9SY0Y2MDY0c0FGUnpYaCtHbUxlb0VDUVdoRkV3VnhhS29xYWN2TmpUcWJVeEhxc3JjdWRMRXRQQUp5TXdXd052Sy9KK2plMjBDTmJMOVhjODY3c0x3dHRTSGZZRjhORUZFZ3ZDRUp3T1d4dUFrNnl5YlFmT2kvNGhUVXVVU1VaZWVpTHY1Q0VRdXdVdjk4ZFdqUW1WdGV5My9HMUZiZ0M0VzZENkFNYkhoY1NDTUJMbTZtTFBpVXVCSEd0eTJiUzBrSmR5SUpETFdyemdOZEdBZU1vQTMzVngwZnN3eS95VVZmc3BteTRxbHlaSUxBZ2pZZG90T3Z0SHlpZGR1aVZaUi9XYVV0NHl2c0ppdFJkcWFjdm5VTlhES1g2dmxyWWdicmRZN3Flc3lrOVpnOGJuOFF1SkJXRWt1OER3ZzFCVnhMN3BiTmN0NnZlQ2dvd3NXWlo0MytLQmVIUHlvbDF0cWExRGpJWjJSTU1KTG1XOVdGdUhkUER2dVNnUWk4b2xESWtGWVJoT2gyMEFuS085Mm9PTlhScWI0eUpKUUZsZWFqT25PQkM3Qlc5NUh3OXQrVWxFVnhhbG5CdW9ONEYvWkhwZUw4L05LNUJZRUViRDNJb2NjTFlIY3F6SjVkYktZdDVuL1ZhTDFTNXBhc3gvME4wYURlMklHbklsQUVzWXIvczd6VGtKblNHeElJeUdhZVFjR0prb0d4cWJERG9Hd3hXMnJpcm1oZFBMQVdlWjc0Y3pmc3J1MU5CT200YTZMQ09udnl2c3V0M2dyYTFEWW0wZFBrSmlRUmpONndEYkQySm53MFhkUHZENUdVbUpNVkdtVms2eDFxMkl2MHRnWmI0Ym9DSm91Wi95RGtIemVZeXU4Rk5mSkJyWHROVFdZU3U4SzZrTEpCYUVvVGdkdGtrQXUxbGxMeDVxQ2lpQkw0K2w4N040MytSY0kyZHRIYTY1dVZwVGhSYkFyejFnV21jdm56UFZmZFBWdTRyU0tiOWZCLzg3ZzZDRXRyWU9wdG82L0FqQWl3QjIxbFJoTjRrRkVRb3c3UllOelYyNWVuWnkyK29TWHNxQm15MVdPeStONGdkcTYvQk1iZDAxUjVUK1ZoYzNDRHhPTmJ4UnUwUXBudkw3OWRQVUQxZ3NhdXVRQkcvYXhuOEcwQS9nbndDeVdSQ2hBZE51TVQ3cEx1enNIOUhOb2wrMW9xZ0NqS3hvQUJJQWJHQzlwNllLajhBYjJldlYyam9jcUsxN3l5YmhUeXh1Rm5pY0QycDgvS2tyaTNWKzZvN1dWS0VWQWVEelFuMEZienQ3L1V0TkZTNERKQlpFYUhBVVFEZXI0S1ZEemJyWkxaTGpZNktTNHFKNWYrVCsvQzBlZ3RkMWVnMkF2OWZXWVJlOGw4ZDR6UGRsQldOU1c0ZFlBSGRvZlB3a24xL0ZGZnpGdVFqSVhkNjM1WG9KYnd2UmFRQ1BYQ2tuc1NBTXgrbXdxZUNzTGw0KzBxVGJpUWdBcktuSTdlY1VjWTJjTlZVWUIvQWh2SjN6OUNaTWYwVHF6OStpQ3Q3VmpGWktBYUMyRHZud251THcwQ3dXdFhVd0FmZ3ozcmxpK2NyVlVjRkpMSWhRZ1dtM09OdldOMS9QVHU1WVY1YkJLZHBnc2RxNU1TbHFxbkFTN0dURFBQeGRMWDlYZ0k5ZjdQczVYZlFzTFVleVYvZzUzbmxYWm5kTkZmNStkUVVTQ3lKVVlJcUZSMUV6bmEyOVBWb2I0N0Yrd2J3U1NXSm1SVE5qZXUvTC93VG41SVlCMHcyN3RnNFNBaGVMSzJrWjEweFRUNU5ZMU5iaEU3ZzJhZEszcHRZanNTQkNBcWZEMWd4T1hNcnRoNXAwQzU4VkUyV1NzbExpZVhZUXYvZEVhcXFnQXZnTUFCZW1aNFZ2YVQrVjVRQUNEVXg4NVgzVHJTeEUzY2hSVzRkRkFINDE1ZVdYYXFxd2MycGRFZ3NpbEdDdUxuWTFYRFJwYmNnZkd4Y1g4RklPVE91YzVkdU8vRVNnbTNnQWxrRDY4TU9WSEthcnBxblhMdEpZYlIyaUFQd1IxeHBydjhPcVQySkJoQkl2czE2ODFETlU3bEgwQzdWWHM3YVU5ODIrekdLMTV3ZzA4WDJJTGZWWmY5U0I1aXdCZ0V6ZmljaDAvaWVpMjdadjRkcnQwcTZhS3V4alZTYXhJRUtKSFdENFFhZ3FFbzZjN3hTOXpqMHR5K1puNWNtU05NZ3BudmFQMlJlNDVsOEV1bnFIV1BpOE5tOEs0dEd6SUhhUHBYKzZDcjVNWnl5RDdiL3gza05pUVlRTVRvZXRCOEFSVnRrTEI4NExMYTFGa0dVSlJkbkp2QlNDb3R1RS84SDB3V1UrNXJNSlhHRU5BanN5dllMb3BUZVIzQ3NQNDlvRVJvZHJxdkFpN3cwa0ZrU293ZlMzZU9OMG05WlErMzZwV3NFOWtSWGFKdmdDNFQ0NVRiVTBBTnQ5ZVQwQU1UZHdmMlNBZlZWOUt2MytDbXZyY0IvWTkxZCs2ZTk5SkJaRXFNRzBXL1FNanBXUFRyaDFpMVI5KytxU0VrNVJvY1ZxcnhCc1JpUUtlUkdBWjN4YmtHREZJZ2JUSDV1aXBncThMZFlWb3lacnE5RUI0Q2wvN1pKWUVLSEdYcnp0S1hrMVVYdFBYaExOUGo0dHhUa3BxZEZtK1RLbldEU1FiNGRndmZVQWZnSDI1Uyt0eWFDbk96YWRiZ3Z5S1lCNWhmN2htaXFtLzhsYmtGZ1FJWVhUWVJzRjJOYjQyZ09OZlhyMmRkMkNRWjQzcDZqZG9sdXdIZ0I4RnQ1dHhGUXVRc3pHY0lXQWo1RnI2eEFIdG1IV2hhdnVnUEFnc1NCQ0VhYmRvcjZ4TTFQUFRqWXNLdU9GRU45c3NkcEYvaWdEY2F1ZXlnVm9FNHZwOEhkTDF3cjJzZXV6VjI2VytvUEVnZ2hGbUhhTGtYRlhhZS9RK0lUV3huaHNXczQxSWFTQkh6WDdhdlFJS3F5M1dEQzNFclYxTUFQNEt1YzlqNGswVEdKQmhDS0h3UGtEZXFXKytaekd0cmhrSmlkRVp5WlA4UDVRcDdWYitQYjQvVUUreGtVZDJoRGhmb0NaQnJFSkhNL1pxWkJZRUNHSDAySHp3T3VnZFEwdkhXN1NhaEQweTRLQ1lxYjQ1S1cyZjVaenQyTXF3ZVpsYlllK0t3c2VOczdyL3kyYUQ1WEVnZ2hWbU45MnAxdDZDL1RzNVBZMTVVbXMxN3VHc2dvbTNkSGJPUGs2cm1iYXZmNDBkR09HeGFLMkR1dkJ6NWY2djZMdGtGZ1FvUXBUTENiZG50eUxYWU82L1hIZHVLU3dISXlzYUc2UEdjMWRKVnNBUEQrTllJZ2VuL0xvZzc1aXdjcUk5aENuN2hzMVZSRE8vRVppUVlRa1RvZnRERGpwL2JZZGJHelUyQnlYK0Jpem5KNFV5N3l5ZnFaOUFlRDFkUHliejZtS1JiQkd6ajVBMTh4aGNWZi80Z3VWZHorbjdoKzFORXhpUVlReXpDUFV1cU82aGJjQUFHeFlPRytJOWJyVEt4YUExd1g4TjV5M0I3c3E2QVV3b3VOd3ByckZ2eDlncm93OEFQNVBTOE1rRmtRb3c5eUtYT2djTEZWVVBhK3Nsekd2cFYvcUtjRG94RnQvWngrdnJjUG5HZFg2Zyt4K0RPQzdad2VBeVplQTZBcnY0OVRiSWVKYmNUVWtGa1Fvd3hRTFJWVlRqamQzNjNZTGRWVlpUcEVrWGJzVlVDSGhiTWM3NHRmOHRMYnVtbHVmL1VGMmZ4MzAzWVlBOEVZQjkxMWc0eVU4K3B2V1Jra3NpSkRGNmJCMWdKT0VlUHVoeG9EeVlyQXdtMlRNUzA5aTJpMmM3ZThRaXhnQWYvUTVPRjJoUDhqdTd3SXdydGRZZkdUN2ZyNFgvQ3pyejJsdGxNU0NDSFdZcTR2ZHgxdGl0VGJrajAzTENwa3BCODY4YmJlNHduSzg4M1FoV0p2RnU2SHZOZ1FBOG53L1A4UXByNitwRW8vVGVRVVNDeUxVWVJvNXV3WkdLeVpkSHExdGNhbGVVOG9NY05FOWxJWGVrZlNwTDMrM3R1NnRTMkg5UVhhZEEyQ3hiZ1B4VWxCYmh6endmU3MwYjBFQUVnc2k5TmtKaGgrRXFpSm12N05kdHlOVVMzNTZwa21XZWxsbFo5dXZpYnViaHJjOUl2dDE2RjV2c1NpQy95Ukl6d2ZTS0lrRkVkSTRIYlloQVB0WlpiVUh6bXU1SXU0WFNRTEs1NlV4SFpRWVd4RUErSnp2eW5lL0R0MVBHOUJHSXhidzB5UDJnUk82Y0RwSUxJaHdnR20zT09EczBKS0ZmRnB1clN4bVpsSjN0bHVnWG1zbnpBRHdBTmlCZXJRaUdwbExsRVhneCtUWVZWT0ZnUFp2SkJaRU9NQVVpOEhSaWJMQjBRbVJoRDlDYkYxVlVzNTZmWGc4Q2UxOWVheWlEMk4yTG9GcFpSR0FaRTdacTFvYXVob1NDeUljMkErMmw2Tzg4MWlMYmxmVzg5SVRFbUtpVEV3WGN5ZDdLN0lSM3BNSDNXS0R6Z0lrRmtUazRuVFlKZ0hzWXBWdFA5ZzRyR2RmeTRxem1NNWVITEdRNFBWbEdFSjQwRkZUaFZPQnZwbkVnZ2dYbU4rSXh5OTA1Mmx0eUIrM3J5bGxwaHc0MTFrT2o4SU1iN0VaK3RndFpvTzl3YnlaeElJSUY1aDJpL0ZKZDBGNzc0aHVGN0Z1WGxaWURzYTJZdElkalF2ZHhheTNYQWZ0RWJxTjRzMWcza3hpUVlRTHg4QzVEdjd5a1NiZDdCYko4VEZSeWZFeHpKUURaOXFZVzVGY3NLTjJoeUlrRmtUazQzVFlWSEJXRnk4ZmFYWnJiTTR2YXl0eW1Ta0huQjBXM2x0MHpaWTJReWdBRGdiVEFJa0ZFVTR3N1JibjJ2cUtkYnl4anBwMVpjeVVBeGU2aWpIaGl0SGFYS2h3c3FZS1FSbURTU3lJY0lLNXN2QW9hb2F6dFZjM2I4NzFscnhTU2JvMnBMNml5ampYcWJmLzFLeHhJTmdHU0N5SXNNSHBzRjBBd0xRbmJEL1VxRnY0ck9nb0U3SlM0cDNNWjJpM2FHMHVWRGdlYkFNa0ZrUzR3VXhBdExPaHhheTFJWC9jc0tTQUdXT0NjMDhrSERnWmJBTWtGa1M0d2JSYnRQVU9WYmc5K2psUzFxd3B5MmU5M3RHZmg4R3haSzNOaFFJQk8yTmRnY1NDQ0RmcUFGeGp6bFJWeEI4KzM2azVvQXVQcGNXWmViSWtNZTk5T01OdmRURUNhQTkyTXhWZGwyN0UzTUJpdFVjQlNEQ29ld1hBVVFDVlV3dit2T2QwYjJGV1VwSG1Gam5rcFNlMHR2WU1wMHg5L1ZUcllpd3BDTm9FSUV5VXlRV3pLYWpUNGRNMVZRajZ2RWdLdGdGaTdtR3gydThHOEZlam4yT3U4SjYxejJEVG9wM0JOUEg3bWlvOEVPeHowRGFFSUNJZlhVNktTQ3dJSXZLNUZId1RKQllFTVJmUXhmQkxZa0VRa1UrYkhvMlFXQkJFNUVQYkVJSWdwbVc4cGdvOWVqUkVZa0VRa1kxdWFSNUpMQWdpc3VrTHZna3ZKQllFRWRuMEJ0K0VGeElMZ29oc1NDd0lnaEJDdDJEQ0pCWUVFZGtNNnRVUWlRVkJSRGFqZWpYMC93SDZJN3VpV29wb0lnQUFBQ1YwUlZoMFpHRjBaVHBqY21WaGRHVUFNakF4Tnkwd05TMHhNRlF3T1RvME5UbzBPU3N3TURvd01HWTczbkVBQUFBbGRFVllkR1JoZEdVNmJXOWthV1o1QURJd01UY3RNRFV0TVRCVU1EazZORFU2TkRrck1EQTZNREFYWm1iTkFBQUFBRWxGVGtTdVFtQ0MiIC8+PC9zdmc+")', }; const notFoundStyle = { ...commonStyle, backgroundPositionY: '25rem', backgroundImage: 'url("data:image/svg+xml;base64,PD94bWwgdmVyc2lvbj0iMS4wIiBlbmNvZGluZz0idXRmLTgiPz4NCjxzdmcgeG1sbnM9Imh0dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIg0KCXhtbG5zOnhsaW5rPSJodHRwOi8vd3d3LnczLm9yZy8xOTk5L3hsaW5rIg0KCXdpZHRoPSI2NjFweCIgaGVpZ2h0PSIyODdweCIgdmlld0JveD0iMCAwIDY2MSAyODciPg0KPGltYWdlIHg9IjAiIHk9IjAiIHdpZHRoPSI2NjEiIGhlaWdodD0iMjg3IiB4bGluazpocmVmPSJkYXRhOmltYWdlL3BuZztiYXNlNjQsaVZCT1J3MEtHZ29BQUFBTlNVaEVVZ0FBQXBVQUFBRWZDQVlBQUFBUWtqMkVBQUFBQkdkQlRVRUFBTEdQQy94aEJRQUFBQ0JqU0ZKTkFBQjZKZ0FBZ0lRQUFQb0FBQUNBNkFBQWRUQUFBT3BnQUFBNm1BQUFGM0NjdWxFOEFBQUFCbUpMUjBRQS93RC9BUCtndmFlVEFBQmtGRWxFUVZSNDJ1M2RkWHliMTczNDhZL0FraXd6Qmd4eGtpWnBtS0VwSkZGcDFUcnE0RzY3MjdwMnhYVnRSM2U4ZTM5M3pMenlsdkhkMWtIYnJTcWxTbHh3d0VuRGFSb0dNNU5rV1dEOS9uamt4RWx0UGJJdDZSRjgzNi9YOHpMb1NEclBrMWo2Nm56UCtSNGRRaVNJamRXMUpyZlgvNUcrQWU4TlhmMERpM3M5M3RMZUFXK215K3N6ZXYyQmMrMU1Sa013MjV3UnlEYWIzTGtXVTJ1TzJmUjZsaW5qSmF2SitMdmJOcXh1MXZvOGhCQkNpSFNrMDdvRElyMXRySzYxOW5nR1B0L1k3ZnJvcVk3dUNyZlhQKzcvazNxZGpyTDg3TDZwZWRrN0NxMldYOTU5eldYLzBQcjhoQkJDaUhRaFFhWFF4R09iZDB4cjZYVS9lcWlwN2VvZWoxY2ZpK2NvemJFT3pDek9mNkVrTy9PTHQyMVlmVURyY3haQ0NDRlNtUVNWSXE0MlZ0Zm1Odlc0L3JTN3JzWHU4WTEvVkhJc0RIb2RjeWNYSGF2SXovbThqRjRLSVlRUXNTRkJwWWliWDd4UWM4OXJaNXQvM05iWG42RlZIeTZkVkZnL296ai83cnV1WHZNdnJhK0hFRUlJa1Vva3FCUXh0N0c2MW5TMnMzZkxyclBObHdXRFFhMjdndzVZV0ZaeWVGcGg3anR1MzdENmlOYjlFVUlJSVZLQkJKVWlwaDV4YnE4ODFOVCsyb20ycmlLdCszSXhxOGtZWEZZeCtTOGwyWm4vZWN1NmxZTmE5MGNJSVlSSVpoSlVpcGg1eExsOS9zNHpUVHViZWx3V3Jmc1NUbFZSWHRlQ0tjWHZ1TU8yK2lXdCt5S0VFRUlrS3drcVJVdzh0bm43Z3BvVERhKzF1Y1kzZjlKcXltQmFZUzVUODdJcHRGcklObWRnTk9qeEJ3WngrL3gwdWoyMDlMbzUyOWxMdTZ0L3d2MDFHdzNCeTZaUGZlalROMXo1Y2Eydm5SQkNDSkdNSktnVVVmZlk1aDBWdFdlYTNtanM3c3NjeS8yS3N6TzVmRVlaeXlzbk1hMGdGNTB1c3YrZTNmMERIR3BxWjI5OUszdnFXbkI3ZmVQdSs2S3lraU16aS9NdnUyWGR5ZzV0cjZJUVFnaVJYQ1NvRkZHMXNicld1TCtocmVGWWEyZEpwUGNweTgvbXBzV3pXVkU1S2VKQWNqVCt3VUYybjIxaDg5RXpIR2hvRzlkamxPVm51NWFXVDFwM2gyMzFydmhlUFNHRUVDSjVTVkFwb3VvYlQyN2V2T04wNC9wSTJwb01CdDY3YkRiWFhscUZmb0xCNUVqcXVucHhIRHpKcXlmcUdldXE4MXlMYVhEdGpMSmJQbjdOWmIrTHk0VVRRZ2doa3B3RWxTSnFmdm5DMXR1ZVAzenEwVWdDdU1tNVdkeS9ZVGxsZWRreDcxZDlkeCtQdi9ZR3I1MGQyN2JnWnFPQksyZVdmL20rNnkvL1ZzdzdLWVFRUWlRNUNTcEZWR3lzcnMxLzlVUjljMHV2MjZUV2RrWnhQcCs1ZWdVNVp0V21VYld2dnBYZjdUaElTNjg3NHZzWTlEcXVuRm4raTAvZmNPVzljZTJzRUVJSWtXUmlzdWV5U0QrTjNhNi9SaEpRVmhUazhMbHJWc1U5b0FSWVZGYkN0OTUySmRmTW1SYnhmUUtEUWFxUDFYM2lSOCs4L0VEY095eUVFRUlrRVJtcEZCUDIyT2J0QzU1Ny9kUytBWDhnN1ArblBJdVpyOTE0T1FWVzdjdFc3cXR2NWFGWDl0STM0STJvdlU2blk5MGw1UTlLeVNFaGhCQmlaREpTS1Nhc3JxdnZkMm9CSmNDZFZ5NU9pSUFTbEZITGI3enRDbVlVNTBYVVBoZ01VbjJzN3U2ZlBQdktON1R1dXhCQ0NKR0lKS2dVRS9MbzV1MnpEemEyTFZWcnQyRjJKUXVtRkd2ZDNRc1VXaTE4NmZvMXJLbWFHbEg3WURESUs4ZnJ2L3lMRjJwa2ZxVVFRZ2h4RVFrcXhZUzA5THAvTWVBUGhHMlRaY3JnZmN2bWFOM1ZFWmtNQnU2K2FnazN6SnNlVVh0dklNRFdrdzAvZVd6ejlrVmE5MTBJSVlSSUpCSlVpbkhiV0YyclA5cmF1VUd0M1kwTFo1SmxHdGR1alhHaEF6NndZbTdFZ1crdng2dmZXOS82OHNicVdxdldmUmRDQ0NFU2hRU1ZZdHg2UGQ1UGRyZzh4bkJ0cktZTXJoN0RhbXN0M2JoZ1pzU0I1ZW1PbnR6VEhUMnZhTjFuSVlRUUlsRklVQ25HcmMzVmY2dGFtM1dYbEdNeEdyVHVhc1J1WERDVDl5eWRIVkhiMTg0MkwvM1JNeS8vVE9zK0N5R0VFSWxBZ2tveExodXJhL1VuMjdzdlZXdTNibGFGMWwwZHM3Y3Z2SVRyNTFaRjFIYnJ5WVo3SDl5MDlaMWE5MWtJSVlUUW1nU1ZZbHhjWHQ4ZDNmMERZWWNncXdyem1CcUhiUmhqNFlNcjU3RzhjckpxdXdGL2dKMW5tdi82Mk9ZZFpWcjNXUWdoaE5DU0JKVmlYRnA2M1hlcnRWbFdXYXAxTjhkTkI5eDUrYUtJZ3VMV1BuZkdHODBkdFJ1cmErWHZTUWdoUk5xU04wRXhaaHVyYTQwbjI3b1hxTFZiVmo1SjY2NU9pQ1hEeVAzcmwwVTBKL1NObG80cFRUMHVoOVo5RmtJSUliUWlRYVVZTTVmWGQyZTNaeURzLzUwcHVWbFVGdVpxM2RVSm01S1h6ZTJYTHg3MWRwMU9kKzdZZHFyeCtwOC8vK3BudGU2ekVFSUlvUVVKS3NXWXRmUzY3MUJyczZwcWl0YmRqSnFWMHliejF2a3ozdlI3bmU3Tk8xTytmTHorZTQ5dTNyNWE2ejRMSVlRUThTWkJwUmlUMEtyditXcnRWazFMbmFBUzRMM0w1akIzY3RHNW4wY0tLQUVHL0FIZDdycVdGemRXMXliL01LMFFRZ2d4QmhKVWlqRnhlLzIzcXEzNm5wS2JSVVZCanRaZGpTcTlUc2NucmxwS3R0azBha0E1cEs2ek4rdDRXOWRXcmZzc2hCQkN4Sk1FbFdKTVd2dmNkNm0xU2FYVTkzQTd6elRqOXZraWFydXZ2blhlOTU5KzZUR3QreXlFRUVMRWl3U1ZJbUtoMVBjU3RYYXBsdm9HY0I0NXcyKzJIeUFZalB3KzIwNDFmT3pCVFZzL29IWGZoUkJDaUhpUW9GSkV6TzMxMzlycDlvUk5mWmZtV0ZNdTlmM3ZBeWY0N2ZhREViVU5Eb3M2ZllGQnRwOXEvTjJ2dHV5WXFmVTVDQ0dFRUxFbVFhV0lXRVNwN3hRYnBYeHEvM0VlMy8xR1JHMkRJd3hqZHJnOXhvT043VnMzVnRjYXRUNFhJWVFRSXBZa3FCUVJpVHoxcmI2MVliTDQ2MnR2OFBjOVJ5SnFHd3lURnovVzJsbFMzOVgzb3Ribkk0UVFRc1NTQkpVaUl2MCsvNGNpU1gxWEZlVnAzZFVKQ3dML3Qrc3dUeDg4b2RyV0ZNRnVPd0MxcHh1dit1bHpyLzZQMXVjbWhCQkN4SW9FbFNJaXJYMzlxbnQ5cDBMcU93ajhidnRCbmoxMFVyVnRqdG5FLzl4d0dUY3RuaFhSNDI0OVdmOC9ENzI0YlozVzV5aUVFRUxFZ2dTVklpS24ycnVYcTdWSjl0VDNZRERJcjJyMjRUeHlSclZ0Z2RYQ0Y2NWJSWGwrRG05ZmRBbEx5a3RWNytQMituVzd6elkvczdHNnRsRHJjeFZDQ0NHaVRZSktvZXFCVFZzLzFPN3F6d2pYSnRsVDM0UEJJSSs4dW8rWGo5ZXJ0aTJ3V3ZqaWRhc3B6MWRXdWV1QXU2NVlUR21PVmZXK2pUMnV6Q010blR1MFBsOGhoQkFpMmlTb0ZLcGErL3J2VVd1em9qSjVSeW45ZzRQOG9ubzNXMDgycUxZdHpiSHlsYmVzWWRKRkFhVFZsTUg5NjVkSE5NZnlZR1Biek84OS9kTC9hWDNlUWdnaFJEUkpVQ2xVUlpMNlR0YWcwaDlRQXNwZFo1dFYyMDdKemVLTDE2Mm1PQ3R6eE5zckNuSzRkYzNDaUo1MzY4bjY5Ly95aGEyM2FuMytRZ2doUkxSSVVDbkNpaVQxWFpobFlXWkp2dFpkSFRPdlA4QVBuRHZaWGRlaTJyWThQNGN2WDcrR1Fxc2xiTHUxTTZaeTdhVlZxbzhYR0F5eS9WVERJNDl1M2o1UDYrc2doQkJDUklNRWxTS3NkbGYvbldwdFZrMmJnazdyam81UnY4L1BqemJ2NHZXbWR0VzJNNHJ6K01KMXE4aXhtQ0o2N0ErdW1NdXMwZ0xWZGwzOUE0YjlEVzJ2Ykt5dWpleUJoUkJDaUFRbVFhVUk2M1JIenlxMU5zbFdTcWpmNStkN20zWkVGRkRPTE03bmM5ZXNJc2NjZWR4bjBPdTRkOTB5OGl4bTFiYW4ycnNMem5UMHZLVDFOUkZDQ0NFbVNvSktNYW9ITjIyOXFhWFhIVGFhU3JiVWQ2L0h5M2RmMk1HSnRtN1Z0bk1uRi9HRmExZVJtVEgySFJiek04MThZdjFTRERyMU1keGRaNXRYLy9qWlY3Nm45YlVSUWdnaEprS0NTakdxTmxmL3A5VGFKRlBxdTlmajVUc3Y3T0JrdTNwQXVhaXNoRTl2aUd3MTkyam1sQmJ5L2hXWFJ0UzI1a1Q5Wng5NmNkdGJ0TDVHUWdnaHhIaEpVQ2xHbFVxcDd3NjNoMjgrdDQyNnJsN1Z0a3ZMUzdsLy9iSUpCWlJEcnA4N25UVlZVMVhiRGZnRHVsMW5tcDU0YlBQMlNWcGZLeUdFRUdJOEpLZ1VJNG9rOVYxZ1RZN1VkNGZidzdlZjMwNWpqMHUxN1dYVHAzTHZ1bVVZOWRINzAvalkyb1dVNVdlcnRtdnVkWnVQdG5idDFQUmlDU0dFRU9Na1FhVVlVYnZMYzc5YW14V1ZreEkrOWQzYzYrYnJ6MnlscGRldDJ2YUttV1hjY2ZraURQcm9ucFhaYU9EKzljc2ptcHY1ZWxONytYZit2ZVVKcmE2WEVFSUlNVjRTVklvUm5lbU1JUFZkbGRpcDcrWmVGOTkrZmpzZGJvOXFXOXZzU201YnV3aDlCQXRyeG1OeWJoWjNYckU0b3JiYlRqYSs0eGN2MU53YjE0c2xoQkJDVEpBRWxlSk5IbnB4bTcycHh4VzJ5bmQrcHBuWkplcTFHTFhTNy9Qem5lZDMwQmxCUUhuRHZPbDhaUFg4bUkrNkxxdVl4TnNYWHFMYWJqQVlaT3ZKaHA4OHRubjdrdmhjTFNHRUVHTGlKS2dVYjlMdTZ2K01XcHVWMHlhamk5R29YalM4ZEt3dW9oSEtHeGZNNVAzTEw0MWJHdittSmJOWU1LVll0VjJ2eDZ2ZlU5ZjYwc2JxV21zRUR5dUVFRUpvVG9KSzhTYW5PM3JXcXJWSjlOUjNKS3U4Mzdub0V0NjdkSFpjKzZYWDZmajRWVXNvR21YLzhPSE9kUGJrbkd6dnJvbHJCNFVRUW9oeGtxQlNYQ0FWVXQ4QXBUbnFBM3luTzNvSWF0QzNiTE9KKzlZdncyaFEvL1BiVTlleStFZlB2UHdMRGJvcGhCQkNqSWtFbGVJQ3FaRDZCcmh5WnJucWF1dmRkUzM4YS85eFRmbzN2U2lQajY1ZUVGSGJtcE1OOXp5NGFldE5tblJVQ0NHRWlKQUVsZUlDWnpwNkxsTnJzNkp5c3RiZFZKV2ZhZWIyeXhlcHR2dkgzcU1jYUd6VHBJOVhYVkxPK2xrVnF1MjgvZ0MxWjVyKy9Oam1IZXFOaFJCQ0NJMUlVQ25PZWZqRmJSc2FlMXhoSi92bFdFek1tVlNvZFZjanNyeGlFamN1bUJtMlRUQVk1TUdYOTlEdTZ0ZWtqeDlaTlo4WnhYbXE3ZHI2K2pNT043ZnYyRmhkSzMrelFnZ2hFcEs4UVlsek90eWV6NnUxV1ZFNU9XYTFIR1BoM1V0bU1YOUtVZGcyZlFNK2ZsNjlHMzlnTU83OU14cjAzTHR1R1RsbWsycmJJeTJka3h1N1hjL0d2Wk5DQ0NGRUJDU29GT2VjNmVpNVVxMU5zdXoxUFVTdjAzSDNsZXFyclUrMmQvT0huWWMwNldOUlZpWWZ2MnBKUlBOVXQ1OXV2UFpuejcycUd2d0xJWVFROFNaQnBRQ1UxSGQ5ZDEvWUpkTTVGaE56SnlkSDZ2dUNmcHROM0x0dXFlcCszcHVQbk9YbDQzV2E5SEgrbE9LSXloc0ZnMEcybm1yNDlzTXZibHVqU1VlRkVFS0lVVWhRS1lEVVRIMFBONzBvajQrc25xZmE3cmZiRDNLNm8wZVRQcjUxd1V5V1I3QUl5alhnMCsycGI5bTBzYm8yVjVPT0NpR0VFQ09Rb0ZJQXFabjZ2dGk2U3lxNDZwTHlzRzE4Z1VGK1h2MGFMcTh2N3YzVEFYZGN2b2pKdVZtcWJldTcrcktPdDNYdGlIc25oUkJDaUZGSVVDbDR4TGw5YmFxbXZpLzJrVlh6cVNvS3Y5cTZ0YStmaDEvWnEwbGg5TXdNSS9ldlg0N1phRkJ0dTYrK2RjNFBIQy85V29OdUNpR0VFRzhpUWFXZzNkWC9CYlUyeXlzbUpXM3FlN2dNZzU1NzF5MGx5NXdSdHQzZStsYWUzSGRNa3o2VzVXZHoyMXIxR3BzQU5TY2JibmxnMDlZUGFkSlJJWVFRWWhnSktnVjFYYjBiMU5va1E4SHpTQlZuWmZMeEs5UlhXeit4N3hqN0cxbzE2ZVBxcWltOFpkNTAxWGIrd0NEYlR6VnUvTldXSFRNamVGZ2hoQkFpWmlTb1RITVB2N2h0emRuTzN1eHdiYkpNR2N5ZlVxeDFWNk5xd2RSaWJsbzhLMndicFRENlh0cjZ0Q21NL2gvTEwrWFNDQXJOZDdvOXhnTU5iZHMyVnRlcUY3c1VRZ2doWWtTQ3lqVFg0Zlo4U2EzTjhzcEpHUFRKbi9xKzJOc1d6bVJwZVduWU5pNnZqNSsvdEJ1ZkJvWFJEVG9kOTF5MWxBS3JSYlh0OGJhdTRycXUzazF4NzZRUVFnZ1JJa0ZsbW9zazlaM3NxNzVITTdUYWVsSk8yRFZLbkdydjV2YzdEbXJTeDd4TU0vZXVXeHBSVUY5N3V1bktuejczeXY5cTBsRWhoQkJwVDRMS05KYXVxZS9ocktZTTdsdS9ESlBLYXV2cVkzVzhkRXlid3VpWGxCVHd3UlhxTlRZQnRwNXMrT3JETDI1VC9hQWdoQkJDUkpzRWxXbXNzMy9nTTJwdFVqWDFQVng1Zmc2M3JsbWcydTYzT3c1eXFyMWJrejVlZStrMExwOVJwdHJPN2ZYcmRwMXRkbXlzcmszZFR3SkNDQ0VTa2dTVmFheStxL2M2dFRhcG12cSsyR1hUcDNMdHBkUEN0dkVIQnZsNTlXNWNBL0V2akE1d3k1b0ZWQlRrcUxacjZuRlpqclIwYnRla2swSUlJZEtXQkpWcDZoSG45cVZuT25yQ2J2T1htV0ZNNmRUM3hUNndmQzZ6U2d2Q3RtbHo5ZlBnSzNzSUJ1TmZHdDFrTkhELyt1VllUUm1xYlE4MnRzMzQ3cityL3hyM1Rnb2hoRWhiRWxTbXFRNjM1MHRxWWRIU2l0UlBmUTluME92NHhGVkx5Yk9ZdzdiYjM5REdFeG9WUmkvTnNYTFhGWXVKNUY5bDI2bUc5Lzd5aGEyM2FkSlJJWVFRYVVlQ3lqUVZTZXA3ZFZWNnBMNkh5ODgwYzgrNnBSaFVDcU0vdWU4WWUrdTFLWXkrcEx5VWR5eWFwZG91TUJoazI4bUdoeDdidkYxOXdxZ1FRZ2d4UVJKVXBxRklVOThMMHlqMVBkeWMwZ0wrWS9tbFlkc0VnWWRmMlV1clJvWFIzN1g0RWhhVmxhaTI2L1lNR1BZMXRMMHNoZEdGRUVMRW1nU1ZhYWpUN2ZsaUpLbHZveUY5LzN0Y1A3ZEtkYVRXNWZYeFdNMCtUZnFuMCttNCs4b2xsR1JiVmR1ZWF1L09QOTNSODZvbUhSVkNDSkUyMGpkcVNHTU4zWDNYcUxWSng5VDN4VDUyMlVLbTVvVXQ0OG5oNWc3YVhOcU1WbWFaTXJoLy9USXlJZ2orWHp2YnZPTEh6Nzd5QTAwNktvUVFJaTFJVUpsbUh0MjhmZDZwanA2d1M1elRPZlU5M05HV1Rqb2lDQmo3dlg3TitsaFptTXN0RWRUWUJLZzVVZi9waDE3YzlsYk5PaXVFRUNLbFNWQ1paanJkQTE5Uks0ZVQ3cWx2Z0cybkd2blI1cDE0L0lHdzdVeEdBNlU1Nmlub1dMcGlaamxYejVtbTJtN0FIOUR0UE5QMDk4YzJiNWRoYUNHRUVGR1gzcEZER3FydjZuMkxXcHVWbFpPMDdxYW1ubnY5RkErK3ZJZkFvSG90eW5jc3ZBU3p5aGFQOGZDZksrY3lzemhmdFYxTHI5dDhwS1Z6eDhicVd2bmJGMElJRVZYeXhwSkdJa2w5bTQwR0ZrYXdxamdWQllHL3Z2WUdmOXI1ZWtUdDM3NXdKbTlkTUVQcmJnTmcxT3U1Yi8weWNpM3FpN3dQTjNlVU4vVzRudEM2ejBJSUlWS0xCSlZwSkpMVTk1THlVa3dHN1VmZTRpMFFEUEtybW4wOGZmQ0VhbHVkVHNlSFZzN2ozVXRtUjFTRVBGNEtyQmJ1dVdvcGVwMTZyN2FmYW56Yno1K3YrYVRXZlJaQ0NKRTZKS2hNSXczZGZkZXJ0VW1YdmI2SDgvb0QvSFR6TGw0K1hxL2ExcURYOGZFcmw2anVFNjZWdVpPTFZHdHNBZ3dHZzJ3NzFmRERSNXpibDJ2ZFp5R0VFS2xCZ3NvMDhhc3RPMmFlYnU4dUROZkdiRFN3dUR5OVV0OTlBejYrODhLT2lIYkh5Y3d3OGw5WHIyVFZ0TWxhZHp1c3Q4eWJ6c29JK3RqcjhlcjMxcmRzM2xoZG14M0J3d29oaEJCaFNWQ1pKanJkbnE4R0pQVjlnUTZYaDI4K3Q0M2piVjJxYmZNc1pyNTAzV3JtVGk3U3V0dXFkTUR0bHk5V3JiRUpjTGF6Titka2UzZU4xbjBXUWdpUi9DU29UQlAxWFgycTlRblRLZlZkMzlYSDE1N2RTa04zbjJyYlNUbFd2bnJER2lvTGN5TjQ1TVJnTVJxNGYvMHlMQkdzVE45VDE3THdSOCs4L0tEV2ZSWkNDSkhjSktoTUE3L2FzbVBtcWZidXNOWE0weW4xZmJTbGsyODh0NDFPdDBlMWJWVlJIbDk5eTJVUmJZZVlhS2JrWlhQSEZZc2phbHR6b3VHdUJ6ZHRmWS9XZlJaQ0NKRzhKS2hNQTVHa3ZoZVZsYVJGNm50M1hRdmYyMVNMMit0VGJidGdhakZmdkc0MU9SR1U2VWxVS3lvbjg5YjU2bVdQdklFQXRhZWIvdlRZNWgySnVRSkpDQ0ZFd3BPZ01nMUVrdnFPWkdGSHNxcytWc2RQdDd5R054QlFiWHZaOUtsOGFzUHlpTkxIaWU2OXkrWXdMNEs1b0cydS9velhtOXEzUzJGMElZUVE0eUZ2SGludXNjMDdLazUxaEU5OVp4ajBMQ2xQN1YxMG50cC9uRjl2M1k5YW5VNkE2K2RXY2VjVml6SHFVK1BQUTYvVGNjOVZTeW0wV2xUYkhtM3RuTlRRM2ZlODFuMFdRZ2lSZkZMalhWT01xcnQvNE10cTJ3MHVMaXROaVJHNWtRU0RRZjVRZTRpLzd6a1NVZnYzTDcrVUQ2NlltMUJGemFNaHgyTGl2dlhMSWdxVWQ1eHV1dnBuejczNkphMzdMSVFRSXJsSVVKbmlHcnI3M3FuV1psVlZhcWErL1lPRFBQRHlIbDQ0ZkZxMXJVR3Y0L2ExaTdoaDNuU3R1eDB6TTRyeitmQ3FlYXJ0Z3NFZ1cwODJmT01SNS9ZcnRPNnpFRUtJNUNGQlpRcDdiUE9PaXBQdDNXSHoycW1hK3U3MytmbmhpenZaY2JwSnRhM0pZT0JURzVaenhjd3lyYnNkY3h0bVYzTFZKZVdxN1Z4ZW4yNTNYZk56RzZ0cjg3WHVzeEJDaU9RZ1FXVUs2KzRmK0xKL2NEQnNtMVJNZmZkNHZIejcrZTBjYW1wWGJadGpOdkhGNjFhemNHcDZsRk1DdUhuMUFxb0s4MVRiMVhmMVdZKzFkbTNYdXI5Q0NDR1Nnd1NWS1N3ZFU5L052VzYrL3V4V1RuZjBxTFl0enNya3kyOVp3NHhpOVFBcmxXUVk5TnkzZmhsWnBnelZ0dnNiV21mL3dQSFNiN1h1c3hCQ2lNUW5RV1dLZXZqRmJlVnFxVytqWHMvaXNsS3R1eG8xcHpwNitNYXpXMm5wZGF1MkxjL1A0YXMzWE1hVTNDeXR1NjJKNHV4TVBuN1ZFblE2OVNWSk5TY2JQdkxBcHEwM2E5MW5JWVFRaVUyQ3loVGw4dm8rcDViNlhqQzFtTXdNbzlaZGpZcURqZTE4NS9udDlIaThxbTNuVENya0syOVpRMzZtV2V0dWEycmgxQkp1V2p4THRaMC9NTWoyVTQyUC9XckxEdlhHUWdnaDBwWUVsU21xc2NmMWJyVTJxNnRTWTYvdkhhY2IrYUd6bG42Zlg3WHRpc3BKZk83cWxTa1RURS9VMnhkZHd0Snk5ZEhxVHJmSHVMK2hiZXZHNnRyazNWNUlDQ0ZFVEVsUW1ZSWUyN3g5MG9tMnJxbmgyaGoxZXBhbXdLcnZGdzZmNW9HWDk2SldpeFBBTnJ1U2U2NWFpdEVnLysySDZJQTdyMWhNYVk3NjN1WW4ycnFLNnJwNm5WcjNXUWdoUkdLU2Q5Y1UxT1B4ZnRrWFVFOTlXMDNKTzFvWEJQNis1d2gvcUQwVTBTNDU3MW84aTV0WHowY2Z3UnpDZEdNMVpYRC8rdVdZSXFnQ1VIdTY2ZktmUHZmS3Q3VHVzeEJDaU1RalFXVUtTdlhVOTRBL3dFODI3K0twL2NkVjIrcDBPbTVaczRCM0xycEU2MjRudElxQ0hENTIyY0tJMnRhY2FQakN3eTl1dTFyclBnc2hoRWdzRWxTbW1GUlBmYjlXMTh6SC83S0pQWFV0cW0xTkJnUDNYcldVOWJNcXRPNTJVcmhzK2xTdW0xdWwycTdmNTlmdE90djg3NDNWdGFsVE9rQUlJY1NFU1ZDWllubzgzaSttYXVxN3VkZkZ6N2ZzUm0xVk8wQm1ocEhQWHJPUzVaWEpHVHhyNVFQTDV6S3J0RUMxWFZPUHkzS2twVU1Lb3dzaGhEaEhnc29VMDl6cmZwZGFteFdWeVZudy9JWERweG1NWVA1a2dkWENWOTZ5aGprUkJFZmlRZ2E5am52WExTTXZnbkpMQnh2YnE3Nzc3K3EvYTkxbklZUVFpVUdDeWhTeXNicTI4RVJiVjJXNE5nYWRqdVVWeVRsNjk5cFo5WlQzNUx3c3Z2cVdOWlRuNTJqZDNhU1ZuMm5tRSt1V1lvaGdVZE8yVXcwMy9mS0ZtanUxN3JNUVFnanRTVkNaUXJyNkI3NDQ0QStFYlROdlNqRlpadlh0K1JKTmZYY2Y3YTUrMVhZNm9EZUNBdWdpdkRtbGhieC94VnpWZG9IQklOdE9Oajd3Mk9idGk3VHVzeEJDQ0cxSlVKbENtbnBjNzFOcms2eDdmVWV5TUFlZ3NkdkYxNTdaeWhQN2poR0lJRlV1Um5mOTNDcldWRTFWYmRmdEdkRHZxMjk3YVdOMXJVWHJQZ3NoaE5DT0JKVXBJdExVOTRxSzFBNHFBUUxCSVAvY2U1U3ZQYk9WaHU0K3JidWUxRDYyZG1GRVV3bE9kWFRubmU3b2VWWHIvZ29oaE5DT0JKVXBJcFZUMzY0QkgwZGJ1OFo4djFQdDNYejE2VmQ1NXRESmlBcWtpemN6R3czY3QzNVpSTlVDWGp2YnZPekh6Nzd5WTYzN0xJUVFRaHNTVkthSTVoN1hlOVRhSkd2cWUxOUQ2N2lEUW45Z2tEL3ZPc3kzbjk5T2E1LzZuRXp4WnBOenM3amo4c1VSdGEwNVVmL0poMTdjOWphdCt5eUVFQ0wrSktoTUFSdXJhM05QdEhkUEM5Y21tVlBmdThlUStoN05HeTJkZlBsZkw3UGw2RmxrekhMc2xsVk00dTBMMVhjbEd2QUgySG1tNlcrUGJkNmV2RnMyQ1NHRUdCY0pLbE5BajJmZ3Z6dytmOWo2TDNNbUZTWmw2anN3R0dSZmZldW90K2RZVEpnajJMTWFsSUJuNDdZRC9QREZuWFM2UFZxZld0SzVhY2tzRmt3dFZtM1gwdXMyYlR2VmVQSmJUMjE1N3FFWHQ5bTE3cmNRUW9qNGtLQXlCVFQxdVA5VHJjMnFKTjNyKzJockovMCsvNmkzcjUwK2xhL2ZlSGxFdThBTTJkL1F5cGYvOVFwYlR6Wm9mWHBKUmEvVDhmRXJsMUNjbGFuYXRxWFhiZDUycXVFNng4RVRUOSsyOFFuUDE1OTB2dnpMRjdhcS9qOFZRZ2lSdk5Tckc0dUV0ckc2TnZlWlF5ZTd3bzFVNm5RNmZ2N2VxOG0xbUxUdTdwajkzNjdEUEh2bzVLaTNmK0hhVmN5ZFhNUmdNTWd6aDA3eWp6MUhJOXJHY2NqS2FaTzVlZFY4Y3BMdzJtamxaSHMzWDM5MksvNUE1TmQ1U0lIVjRwOWVsTGUzSkR2ejExWlR4aU8zckZ2cEgvT0RDQ0dFU0VqSnR3RzB1RUFrcWUrNWt3cVRNcUFFMkIxbUY1M01EQ096U3dzQlpSVHRyZk5uc0xpc2hJZGYzY2VaanA2SUhyLzJkQk5IbWp1NTViSUZMQzB2MWZwMGs4TDBvancrdW5vQmo5WHNHL045TzkwZVk2ZmJzeHhZbm1zeC9md3JmMy9oY0dtMjlRODVGdE5QYjFtMzBxMzF1UWtoaEJnL0dhbE1jbDk4L1BrVEJ4dmJwb2RyODlFMUM3RE5yb3owSVJOR1U0K0x6ei81MHFpM3I1bzJtWHV1V3ZxbTN3Y0dnenk1L3hqLzJuODhvcjNDaDl5eVpnSHJaMVZvZmRwSjQ5ZGI5N1BsNk5tb1BKYlZsQkdjWHBSM2FsS085Uzk1bWVidjM3SnVaWWZXNXllRUVHSnNKS2hNWWh1cmE2M1B2WDZ5eisxTnpkVDNjNitmNGs4N1h4LzE5anN1WDhUbE04cEd2ZjFrZXpjUHY3S1h4aDVYUk0rWG1XSGtaKyt4WVlwdzRVKzY4d2NHK2Naeld6blIxaDNWeHpVYkRWUVY1VFZNeWMzNlo2N0YvTjNiTnF5S1R1UXFoQkFpcG1TaFRoTHI5WGcvSFM2Z2hPUk9mYjkydG5uVTIzUTZIWXZMd3FlcnB4Zmw4ZlVicitENnVWVVJmWHJxOS9rNTI5V3I5V2tuRGFOQnozM3JsbE5namU3dWpBUCtBRzgwZDB6ZGN2VHNQWTZESjg1OCt2OGNyVDl3dlBUYlJ6ZHZuNmYxT1FzaGhCaWR6S2xNWXMyOTdnK3J0Vms1TFRsWGZidTlQbzYyZEk1Nis2eVNmTElqS0pHVVlkRHp3UlZ6V1ZZeGlVZHI5dEdtVWdBOTB2SkVRbEdZWmVIck4xN0Iwd2VPcy8xMEl4MnU2SlpxOGc4T2NxeTFxL2hZYTlkSGREcmRSKzc3dzlQZFpmblpMK1pubXI5LzU5VnJ0bWw5L2tJSUljNlQ5SGVTVWxMZnAvcmNYdC9vcVcvZ0orK3hSWDBrS1I2Mm5Xcmt3WmYzakhyN2U1Zk80Y1lGTThiMG1CNmZuei90UEV6MXNaR3pxWk55c3ZqdU82K1NQNHB4Q2dLbjI3dXBQZFBFenROTkVVODdHSyt5L0d4WFpVSHVLd1ZXeTgvdXVucU5RK3Z6RjBLSWRDY2psVWxLU1gzN3dzWS9zMG9Ma2pLZ0JOaGJIMzRYbmZHczFMWmtHTG4xc2dVc3I1ekVyN2Z1cDZ0LzROeHR1UllUOTF5MVJBTEtDZEFCVlVWNVZCWGw4ZDZsYzZqdjdtUG42U1oybldubVZFZDA1MTBDMUhmMVpkVjM5VjBQWEgvN3hpY0dLZ3R6YTR1eU1oLzgrRFdYL1VucmF5R0VFT2xJM2tPVDFKZi85c0liK3h0YVo0ZHI4K0ZWODdqMjBpcXR1enBtZzhFZ24zajhSVndEdmhGdkw4N081SWZ2V2oraDUvRDRBOVNlYnFLNXgwVmhsb1hWMDZZazVZNUQwV1F5bVRBYWplaDBPZ1lIQi9INy9majkvbkh2dXo1Y1cxOC90V2VhMkhXbWlhTXRuVEhkS3JQUWF2RlhTUzFNSVlTSU93a3FrOUFEbTdabXZuU3N6cFdxcWU4M1dqcjUxbk9qVDVlNzl0SnBmR2lsck5tSUZwMU9SMVpXRmdiRHlQTkovWDQvUHA4UHY5L1A0QmdLeTQrbXEzK0ExODQycy9OMEU2ODN0Uk9JUXRBNm1seUxhYkNxS0U5cVlRb2hSQnhJK2pzSkJRWUg3MG5sMVBlZXV1YXd0eThwa3lMbDBSUXVvQVF3R28wWWpjcExSU0FRd09mejRmUDV4aDFnNW1lYXNjMnV4RGE3RXRlQWp6MzFMZFNlYm1KL1F5dStjZXpTRTA2UHg2dmZWOTg2RC9pVzFaVHh6UzgrL3Z6Snlibld2K1JhekQrUVdwaENDQkZkTWxLWmhMN3k5eGNPaHQ0b1I1V3NxVytBTHozMU12WGRmU1BlWmpFYStPWDdyc0Zva0dwWTBaQ1JrWUhWYWgzWGZRY0hCOCtOWVByOUU4OHdlL3dCOXRlM1VudTZpYjMxTFdIM2ZKOG9zOUhBOUtLOCtpbDUyVS9rbUUxU0MxTUlJYUpBZ3Nva3M3RzYxdlRDNGRQOWZRUGVVYU9xWkU1OXQvYjE4OWwvYmhuMTloV1ZrN2gzM1RLdHU1a3lyRllyR1JrVG4wc2FEQVl2Q0RBbk9nL1RIeGprWUZNN3RhY2IyVjNYUXEvSEc3TnJZTlRycVNyS2E1MmFsK1hJeXpSLzcvWU5xdy9GN01tRUVDS0ZTZm83eWZRTmVPOExGMUFDWEpMRXFlL2RhcW52OGtsYWR6R2xES1cxSjBxbjAyRXltVENaVEFTRHdYUEJwYy9uRzFlQWFUVG9XVnhXd3VLeUVnYURRZDVvN21EbkdXVWxlWWM3RnJVd08wdU90WGJlck5QcGJyN3ZEMDkzVGMzUDNsUm90WHpyRHR2cTNWRjlNaUdFU0dFU1ZDYVo1bDczTFdwdFZsUk8xcnFiNDdhbmJ2UlNRanBnVVZteDFsMU1HUWFEQVowdStza0tuVTVIUmtZR0dSa1paR1ptWGhCZ2ptY2VwbDZuWSs3a0l1Wk9MdUpEcStaem9xMkxYV2VhcVQzZFNITnZkTmZkQklOQlRuVjA1NS9xNkg2UER0NXo3eC8rM1ZPV24vTjhJZ1NZRzZ0ckxiMGU3NmQ2UE41cmpBWmRYMzZtNWRkM1hiM21TUzM3SklRUXcwbjZPNGxFa3ZvRytQRzdOMUNVbGFsMWQ4Zk00L056ejE5ZnhEOUs0REd6T0ovL3Z1RXlyYnVaTWlZeW4zSzhBb0hBdVFBekVBaE0rUEhPZHZheTYyd1R0YWViT05zWnV5MDJkVUI1UVU1dmVYN09sa0tyNVZ2eDNNMW5ZM1Z0ZG10Zi95T3ZON1cvcDkzVmY4RmNoY1ZsSllkbUZPY3Z2R1hkeXVpdWNCSkNpSEdRa2NvazBqZmd2VWN0b0p4Wm5KK1VBU1hBZ2NhMlVRTktnQ1hqS0hndVJoZU44a0JqWlRBWU1CZ01tTTNtYzdVd2grWmlqa2RGUVE0VkJUbThjOUVzV25yZDdEeWpCSmduMnJxaVdnc3pDSnp0N00wNTI5bjdOdUJ0OS96K1gzM2wrVG1iaTdNenYzdjdodFd2eHVKYVBicDUrN3pXM3Y2ZmJENXl4dGJWUHpEaTh2eTk5YTN6Y2l6bVB3SWZpRVVmaEJCaUxDU29UQ0t0ZmYwZlZXdXpxaW81OS9vRzJGdmZHdloyQ1Nxakt4QUlFQXdHWTVJQ2o0UmVyMy9UUE15aEFITTg4ekJMYzZ6WTU4L0FQbjhHblc0UHUwSzFNQTgzZHpBWTVWcVlaenQ3czRjQ3pEdCs4K1RBMUx6cy9VVlptWC9PTm1jOGZNdTZsWDNqZmR5TjFiV0ZYZjBEWDJ6cWNiM2ZjZkJFZVdCUXZkL0hXanZmRmRXVEUwS0ljWkwwZDVMWVdGMXJkTDV4WnFEYk01Q1NxVytBSHpsM2pocFlGbG90L1BqZEc3VHVZc294bVV4a1ppYmUvNWRvRmx4M0RmaVVBUE5NRXdjYXdvK0dUNVRaYUFoV0ZPUzBGMlZsN3M4Mm0xN0t6REE2TXd6Nm10RjI5WGwwOC9iWkEvN0E5YjBlNzF2Yit2cVhudW5zS1Izd2oyMWFnRjZuNDRsN1B5Q3Y1VUlJemNsSVpaSndlWDEzcWdXVXlaejZCcVZnKzJoQjVjcHB5YnY0S0pGNXZVcXBua1FMTEtOWmNEM0xuTUZWbDVSejFTWGxlUHdCOXRRMXMrdE1NM3ZxV2hockFLZG13Qi9RSFd2dEtqN1cyclVCMkFEOGowR240OE9QL0gzUWFqS2UyMnplTnpob2RBMzRqUC9hZjN6Q3dXQzJPVVBtVXdvaEVvSUVsVW1pcGRkOWgxcWJaRTU5QTF3elp4b3ZINnVudWRkMXdlOExyQlp1WERCVDYrNmxMSy9YaTgvbncyUXlrWkdSRVhaM0hTME16Y08wV0N6bkNxNlBkNkdQeFdoZ1RkVlUxbFJOeFI4WVpIOWpHN3RDcFlwY1h0K1lIeThTZ1dDUWJzK0F2dHN6RUpQSXZTdy9weTRtSFJkQ2lERktySGNQTWFLTjFiWEczV2RiZmo3Z0Q0UWQxYmoxc29WWVRSTXZaSzJWRElPZU5WVlRjSG45ZFBjUFlEWWFXVjQ1aVk5ZnNZUjhxMW5yN3FXOFFDQ0ExK3ZGNi9XZUd4Rk10QUJUcDlOaE5Cb3htVXlZeldiMGVtWHdmanh6TVBWNkhWTnlzMWhXTVlrYjVzL2cwa2xGbUl3RzJsMzllS004Z2hsTEM2ZVdQUHJjSDM3OWd0YjlFRUlJR2FsTUFwR2t2cXNLOHloTzR0VDNrQnlMaVZzdlc2QjFOOUphTUJnOEYxd09CWEZHbzVHTWpBek5GdldNSkpvRjF3MDZIZk9uRkRGL1NoRTNyNTdQNjAwZDdEamR5TTR6VFRIZHpXZWl6RVlEK1pubWIydmREeUdFQUFrcWswSnJyL3RqYW0xV1ZjbWNReEY5UTlzditudysrdnY3THdnd2gwWUpFMEUwQzY3cmt5akFuRkdjZithV2RTczd0TzZIRUVLQUJKVUpiMk4xclg3TDBiT0wxTnF0bXBiYzh5bEZjaGdLMWp3ZUR3YUQ0VnlBbVdocDhxSGcxMkt4VEtqZytzVUI1dEhXVG5hY2FtVG5tV1k2bzd4ZDVIaE15ckgrVStzK0NDSEVFQWtxRTV6YjY3KzEwKzBKKzQ1ZFZaaEhhVTU4ZDBZUkloQUlFQWdFR0JnWVFLL1hud3N3bzdXZmVMUkVxK0M2WHFkalRta2hjMG9MK2RDcStaeHU3MlozWFFzSEd0czQwZFpGSkRVbEkxR2FZMlgrbEdJT05MVFIyamY2TnBRWkJqMjVGcE9rdm9VUUNTT3hYdjNGbTdUMnVlOVNheU9wYjZHMXdjSEJOODNESEFvd0Uya2VaclFLcnV1QXFxSThxb3J5ZU5maVdYajhBWTYxZEhLOHJZdmpiVjNVZGZiUzd1cFgzZFVueDJLaUlsL1pGV2hhWVI1ekp4ZFNsSldKMit2bjVXT2J3dDUzUm5GK3cyMGJWamRyZlUyRkVHS0lCSlVKTEpUNlhxTFdUbExmSXBFTW40Y0puQXN3RTNHaHoxQy80SHpCOWZFczlMRVlEU3lZV3N5Q3FjWG5mdWYxQjJqdDY2ZXozOE9BUDRBdkVDRERZTUJrMEpObk1WTmd0WkJqTVkzNGVMdnJtbFdMdEUvSnpmcTcxdGRRQ0NHR2s2QXlnVW5xVzZTQ29YbVkvZjM5R0F5R2M0RmNJaTMwZ2ZQek1ETXpNeWRjY0IzQVpEUlFscDlOV1g3Mm1PKzcvVlJqMk50RHFlOXZhbjNOaEJCaU9Ba3FFMWdrcWU4VnN0T01TQ0pEOHpBOUhnOTZ2ZjVjZ0psb0MzMmlXWEI5ck54ZVB3Y2Eyc0sycVNyS2E1YlV0eEFpMFVoUW1jQk90WGN2Vm11enNuS1MxdDBVWWx3R0J3Y1pHQmhnWUdEZ2dsUjBvaTMwMGV2MW1NMW16R1l6d1dEd1hKOWpKWkxVOTlUYzdDZTB2aTVDQ0hHeHhNby9pWE1lMkxUMVF4MXVUOWgzMS9MOEhLYmtqVDIxSmtTaUdTcTQ3bks1Nk9ucHdlMTI0L1Y2eDdWVFRpenBkRG9zRmd0V2EreW1uS2lsdm8xNlBYbVpaa2w5Q3lFU1RtSU5DWWh6V3Z2NjcxRnJzenJKOS9vV1lpVEpVSEE5SXlNRGs4bUUxeHZkWXVpUnBMNm5GK1UxMzdaaDFWbXRyNEVRUWx4TWdzb0VkYXE5ZTdsYW0xVXluMUtrZ1VRdHVCNkxvSEpmUTR2NnF1KzhyQ2MxUFhFaGhCaUZCSlVKNklGTld6LzA3S0dUR2VIYVNPcGJwS05FS3JnZWk2QjJ4Nm1tOE0rcDAxRmd0WHd2N2ljcjBwYkRpUW1ZQTNUYWJkUnAzUitSMkNTb1RFQ1MraFpDWGJJVVhJK1V4eDlnYjMxTDJEWlZSWGx0SDF1LzZyaldmUlZwNVFYZ0ttQTNzRXpyem9qRUprRmxBcExVdDBnV0huK0FwL1lkWThmcFJseGVIMlY1MmR3d2Z3YkxLK0pibFVDTGd1dlJMaSswcDY0Wlh5Qjg2cnNzUC92cG1KeU1FQ053T0ptREVsQUMxR3ZkSDVINEpLaE1NQTl1Mm5yVE15cXA3N0s4YkVsOXA3aEFNRWluMjRNMXc0alZsREh4QjR3QnJ6L0F0NTdieHFuMjduTy9POUxTeVpHV1hmem55cmxjUDNlNlpuMkxSOEgxc2U0ZHJpYkMxUGZYWTNMQmhMaUl3MGttTUh5cXhYYXQreVFTbndTVkNhYk4xZjhwdFRaUzhEeDFEUWFEUExIM0dNKzlmcEorbnhLMHpKOVN6TTJyNXpNNU4wdnI3bDNBY2VqRUJRSGxjSC9lZFpoVjA2WlFZTFZvM2MyWUZWd2ZHaFdOaGtoUzM5T0s4dG9sOVMzaTZIcmc3Y04rL3JmV0hSS0pMekhxYzRoelRuZjByRkpySTN0OXA2N2ZiRHZBRS91T25nc29BUTQydHZIMVo3ZlMzUis3Z3R2ajhjcngwYk5oZ2NFZ2UrdGJ0ZTdpbXd3VlhPL3I2Nk9ucDRmKy92NXhqVGo2L2Y2b3ByOGpTWDFQemN0K1B1NFhUQWhGdGQzR0hxMDdJUktmQkpVSjVNRk5XMjlxNlhXYndyV1prcHRGUlVHTzFsMFZNWEMyczVjdFIwY3VQOWpyOGZMVS9zUVpwRHJWMFUxTHJ6dHNHNjgvOWxzYVRzUklCZGQ5UHA5cXdmVmdNRWgvZjM5VSs2S1crdGJwZEJSWXpkL1ErcHFKdE9RRlBxbDFKMFJ5a1BSM0Fva2s5YjFLVm4ybnJLMG5HOExlZnFpcExjSkhpcjFkWjlTM25TN05pZDJ1TTlFMjBrS2ZrUXF1KzN3K1BCNFBneXExSk1jaW9sWGZoYm1kdDI5WWZVanI2eVRTZzhQSlpPQ0xvUi92bGxGS0VTa0pLaE9JcEw3VDI0N1Q0YmZuUzZRZEMzZW9iQ1ZvTmhxWU42Vkk2MjZPMi9DQzZ6cWREcDFPRjlWQWNyaklWbjNuUEt2MU5SRnBaU093R0xqRmJ1TTNXbmRHSkE5SmZ5ZUlCelp0Zllla3Z0UFhtYzRlMVhSeVpVR3UxdDBFb0s2cmw4WWVWOWcyUzhwTE1XbTg0MDIwQklQQm1BV1VFRUhxR3lpMG1yK2w5WFVRNmNIaFJBY2NBZVpMUUNuR1NvTEtCTkhwOXR5bjFrWlMzNm1yOW5TVGFwdVZDYkxxUDVMVXQ0eW9SeWFTMUhkbFlXN1BiUnRXSDlDNnJ5TDFPWnhZZ0I4Q3Y3ZmJTSnhKM0NKcFNGQ1pJRTUzOUt4VmE3T3lNakdDQ2hGOWF1bGtrOUhBNHZJU3Jic0p3UFlJVXQrSjB0ZEV0N2V1SlpMVXQ2ejZGakhuY0xJRzJBTmNpN0o3amhCakprRmxBbmpveFczMnBoNVgySUorcFRsV0tnc1RJLzBwb3V0c3AzbzZlZEhVa29SSUp6ZjF1S2pyNmczYlptR0M5RFVaN0R3VFNlcmJJcWx2RVRNT0oyYUhrMjhDcndJbmdldnNOaEs3ZElOSVdMSlFKd0cwdS9vL285Wkcwb21wUzIyQkRzQ3Fxc1FZcFZZTGdoS3ByNG5PR3dpd3AwNDk5WDJIYmJXTUdvbVljRGhaQXZ3VzJBZXNzTnRraEZKTWpBU1ZDU0NTMUxmczlSMTkvVDQvcnh5djQyUjdEeGtHUFV2S1MxbFNYa3BzZG9vZW5kb2NSYU5CejVMeStPNmxQUnExUlNVWkNkUlhqei9BM3JvV3V2b0htSktieGZ3cHhSajA4ZjdYSGQzZXVsWUdWR3A1bHVWbmI5YTZueUwxaEJiai9CZHdKM0NUM2NaZXJmc2tVb01FbFJwNzZNVnRkc2ZCRTZxcDc2cWlQSzI3bWxMcXVucjUvcVphT3QyZWM3L2JmT1FNSzZkTjVwNnJscUxYeFNmNGFPenVVMDBuTDVoU2pNV29mVHE1cmErZlV4M2RZZHNzTGl0TmlMN3VyVy9sb1ZmMjRCbzR2NVhpNU53czdsdS9qUEw4eEtpZ0VNa0lkVUdtNVR0YTkxT2tsbEFOeXQraHpKMzh2QVNVSXBwa1RxWEcybDM5bjFSckk2bnY2QW9FZy94c3kyc1hCSlJEYWs4MzhleWhrM0hyeTQ0SVZuMnZUcEJWLzdWSmt2cHU2bkh4MDgyN0xnZ29oMzcvSStmT2hOanBKNUxVZDBWQlR0K2RWNi9acG5WZlJlcHdPTGtNMkFWc0FINEEvRlRyUG9uVUlrR2x4dW82ZXk5WGF5T3A3K2c2MU5oR1U1aUZNZFdqYkpVWUMyb3JxUTE2SFVzVEpKMnN0a0k5VWRMMHp4NDZpWCtVdXBKdGZmMFJqUkRHV2lTcDcvTDhIRWw5aTZoeE9Ma0RxQVlPQUl2dE52N0xibU5BNjM2SjFDTHBidzA5L09LMkRVOGZQQkYyTHp0SmZVZmZUcFU1aksxOTBkM1hlVFROdlc3VjFQZTh5Y1ZZVGRyL21YYTZQUnh2NndyYkpoSFM5SVBCb09xSTZwbk8zZ2dmTFhZaUNXeGwxYmVJQm9jVEkvQVQ0QWJnUFhZYlQybmRKNUc2dEgrM1NtTWRicy9uMWRxc2tOcVVVVFVZREtxdVlDNndXaUo4dEltcFRiRlYzNG1RcG4rOXFZTmVqemRzRzYyRDlFaFMzMlY1Mlc1SmZZdUpjamdwQkI0SDNnQVcyVzI0SnZpUVFvUWxRYVdHem5UMFhLbldSb0xLNkRyY3JCNTB6SnNjbnoyclZiZm4wK2xZVVpFWS8vNXFhWHFqWHA4UWFmcElSZ0JubFJScTJzZElVdCtWaGJrdmE5cEprZlFjVHVZRGp3SC9hN2NoZThlTHVKQ2dVaU9QT0xldi9QZUI0MkZUMzRWWkZtYVc1R3ZkMVpTeUs0SVJ0M2hzaDlqUzYxWmRTVDEzVWlGWjVveW9QL2RnTU1qSjltNE9OM2ZRM1Q5QWdkWEMzRW1GVEN2S0c3R2NVby9IeTlHV3pyQ1B1V0NxOW1uNlNFYWhjeXdtNWs3V05xaU1NUFg5WFUwN0taS2F3OG5iZ0k4RDc3WGJxTk82UHlKOVNGQ3BrYTcrQWZXOXZxZE5pWHZOeEZRV0RBWlY5OWpPekRBeWYwcHh6UHNTV2NIejZLV1RtM3BjSEd4czQwQkRHNjgzdCtQMit0L1VKaS9Uek5MeVVoYVhsN0pnU2pIbTBQekluV2VhQ0tvOGZyS2t2bGRVVG81YnVhaVJqQ0gxTFl0MHhKaUY2azkrSHBnS3ZOMXV3emZCaHhSaVRDU28xRWhyci90cXRUYXk2anU2anJSMjB0VWZmckhqMG9wSmNTbVFyVmJ3WEFjc3J4eC9Pcm5YNCtWQVl4c0hHOXM0Mk5oT3UwdDk4VkYzL3dCYmpwNWx5OUd6R0ExNjVrMHVZa2w1S1RVbkdzTGV6NkRUc2JTOE5PYlhURTFFZ2JyRzVia2lXdlZka0NPcGJ6Rm1EaWRXNEZGZ2o5Mkc2cUNGU0cyaER4aFZRQmx3M0c0akxtVXZKS2pVU0YxM2I5aUlNY2RzWW1aeHZ0YmRUQ2xxSlhFZ1BpTnU3YTUrMVpYVXMwb0x5TE9ZSTM1TXJ6L0FrWlpPRG9SR0k4OTA5a3lvai83QUlQdnFXOWxYMzZyYWR0NlVZcXltNktmcHh5SlpVdCs3emphcnRpbkt5dnlacHAwVVNjZmhaQmJ3TitBaHU0MEh0ZTZQaUIrSEV4TXdIWmdKekFCbUEwdUF4VUFHOERMd25NUEpnM1liTVM5dElrR2xCaDU2Y2R0MWpvTW53ZzZITFNvclFhZGhtaTZhQXNFZ3J4NnZaL2ZaWnZwOWZpb0xjN2xtempSS2M2d1RmL0FJQlZFZkhjek1NTEl3THFudmlhK2tIZ3dHT2RYZWMyNDA4bWhySi83QW9Pcmp4a0lpckZCL0k0SUZXTXNySm1tYSt2WUhCdG10RWxST3pzM3kzSFgxR29kbW5SUkp4ZUVrSC9neWNCL3dGUWtvVTQvRHlTU2dNblJVaEk3S1ljZlFDN0FmWlpYL2E4QmZnYzhCdStOZGkxU0NTZzI0dmI1M3FyV1pHNmNWeUxIbURRVDQvcVphM21qdU9QZTdRMDN0YkRseWhzOWNzNUk1cGZFWk9UcmUya1hIQ0R2b0RMZTBZaEpHUSt6M0E0aGt4SFNrVmY4dHZXNE9OcmF4djZHTjE1dmFjWGtUWTdyVTBNcndKZVdsWXhwZGphWklTaDVwWFVsaGYyTWIvVDUvMkRiVENuTnJOTzJrU0FvT0o1Y0N0d0szQVFWQUxmQkRyZnNseHNmaEpBdVlCOHdIRmdCelVFWWZad0NaRnpYM0FZZUJROERUS01YczN3Q09KTUljV2drcU5lRHkraGFxdFpsZFdxQjFONlBpaWIzSExnZ29oM2o4QVI1OGVROC9lT2Y2K0FSeUVjMjNpMzNRRVVrUjhabkYrUlJZTGZRT2VEblUySzRzc0dsc295MU9SZG5INmtDRGtuTFhBVE9LODFsYU1ZbWw1YVZVRk1SbmorMUlGbUJsbVRMaXNnQXJITFd5VEFCRldaa1NHSWh6SEU3bUFUZWlwRE1YQWNWQUhuQnhNZDFmMm0xb2s2b1E0K0p3VWdaOERIZzNTaUFKY0F6b0RCMzdnWmVBT3VETXNPT3MzWWIyZTgyT1FvSktEZlI0dkRQQzNXN0pNREk1TjB2cmJrNVlNQmprNWVPalY3UG9jSGs0M05MQmdoaS8yUWRSRHlyTlJnTUxwc1krNkZEYnpRZVUwZDJ2L3ZzVnpuVDBxSzY2VGlSQjRIaGJGOGZidXZqYjdqY290TUxTOGhLV1Q1dk8zRWxGTVZzQUZja0NyT1dWOFZtQU5ab0lVOThEa3ZvV0FBNG5kdUJyd1BJSTd5S0x1eEpjYU83alhKUUE4bkxnSThCZTRCbVVGZnMxZGhzVG13eWZBQ1NvMUVEZmdEZnN2b3RsZWRsYWR6RXFqcmQxMGEzeVp0K3BrcEtPaGhOdFhYUzR3ai9Qa3ZKU1RJYlliekY0dksxVHRjM1pPRzRqYU1rd0JqMCtmMHlpclE0M3ZIaWtsUmVQdEdJMitKaFYzTWVTc2x5V1Q1dEhVYzdNcUQxUEpOTUp0RjcxSFVucXU2SWdwMWJUVGdyTk9aeXNCeDVBQ1Q3RzRwTU9KNTlLNUJHc2RCSGFGbk1PNTlQWkMwTmZMU2p6SFhjQ2Z3YythN2ZoMXJxLzBTWkJwUWI2Qm54aDl3R001d0tXV0lwa1FVcHhWbVlFanpReGFndDBJSnBCUnhDZnZ4Mi92eDJmdngyZnIwWDU2bS9ENTIrbDN6MGRaYXFNTnF5bWpHQmxRVTVEY2JaMVM1N0Y5S3M3cjE2eitjRk5XMi9xY0h2dXJ1L3FXMVBmMVpzZGk5SFJnVUFHQjVvTE9OQU1mM3p0TUZPeW5tWk9jUnVMcG1ZeXJYZzIyZFlsV013ellJeVZXU05KZlZ1VEpQVmRuSlg1WTAwN0tUVGpjTElNK0NUdzRYRSt4TDNBRkllVG05VUNsZEJLOFR1QmRTaWpaaGFVZVhwZEtQUHovZ1U4bklvQlR6U0ZTdlpNUTVtV3NCRGxXczRIWnFHa3JBOEMrNENOd0U2N0RmVTN4QlFnUWFVR1hBTytzRU5paFhIYWV6cVdJazA1WDFJUys3bWprZlJqY1huSnFHY1NMa2owRDMzdmF3Mzl2aDJHVFczeUJxdzB1T1pTNTFwSVhkOEN1Z2FteHZ4OGh6TWE5RlFXNUhSTXlzbXF6YldZLzJnMUdmL3ZsblVyTHhneXUvdWF5LzRCL0FQZ3NjM2JGM1gxRDN5bXFjZDEzYW4ybnNuZVFQUUhQb0xvYUhCZFFvUHJFamFmaG54ekk5Tnlmc2lNL01OY1VtUWxKMnNSV2RZbFpGdVhrR201QkJoOXptMGtxZThsNWFVSm4vb3V6YkY2US84T0lnV0ZBcEFLbEtMa3BVQStTcm1YSlNqQm5lbzgrd2k4QjFqcWNQSlo0RW03N2NMWk02RTZsdDhEN2dJdWZnL0tBRXFBRGFIamJvZVRhK3cyem1oOTdSS0J3NGtaSlhoY0RpeEQrZmVhQXJRQko0Q2p3TCtCN3dLSDdUWmluNEpMVUJKVWFzQS9HSDQrZFN5MjVvdTM0NjJScFp3ellyeEk1MVI3TnkyOTRUOXdYMXJpb3FYMVIzaDlMZmo5YldHRFJEV0RRU1BON3RubmdzaVcvcGtFZzdGZmlEUkVCMHpOeTNaUHpzM2FYNWhsK1VlMjJmVElMZXRXZGtWNi85czJyTjRIM0F5d3NicTJzTWN6OEttVzN2NzNuTzdvbnQzajhjYmtSTG9HcHRBMWNDTjcyMjdFZkxLUGFUbTdtWmJ6S3lweTlwRnAxR0hOWEVpMmRRblpXVXZKeWx4RXBtVTJPcDN5MHBVb3RVZkRpWERWOXc1Tk95bWl5dUdrQkdYZTNCcVVRR1FseWdLYldKc0ovQk5vZERoNUVXV1ZjQ3RLTVB0UmxKRzFTTXdDSGdUZUd0Y0xweEdIazRYQWxTZ0xvVjYyMjlnODdMWk1sTVZTV1VBenl2U0VFNmt3L3pFV0pLaE1RTEVPdE9JaGtoSXYwVW81bng5SjdNRG5iejczczlmWHd2TkhwNkpNYnhsZHFmRmh6alJzSCtlejYrandsSjhMSWh0Y2MvRVB4cmVzVG1HV3hWK2VuM09zS0N2em1WeUw2Y0dQclY5MU5CcVBlOHU2bFIzQVY0R3ZicXl1MWZmNy9EZTN1L3B2cmV2c1hkSFk0NHJKY1BwQUlKc2pYVmR5cE90SzlEby9VN05lcHlybk5hYmwvcDJjakljQjBPc3RaR1V1d0pxNWxPMG4xeEZ1SkROZXRVZkRpWERWOXk4MDdhUUF6bzNtclFBdVJkbU5wQklsSU12bC9QdWxGMmhBR1oxcUJQcFJSdnJ5VVFwUHIwRHRSU2YycGdBZm11QmptRFEraDNncVFWbDUvVGU3alF2MlVRMFZESDljNnc0bUN3a3E0MnhqZGEzK24zdWo4cDZmME5TQ3lneURub1ZsSTZlYy9mN09VSHE1L1UxQjR2azBkRE8rUUFkK2Z6dkI0T2dwMm9PdDRTdTBHSFErS25QMmp1bmNYTDVDNnZvV25Bc2srLzN4R0lBNEw4dWNFYXdzeUswdnpzcmNuR014L2VxdXE5ZFV4L281YjFtM2NoQmxidEJHZ0VlYzI5ZDJ1RDJmYXVweGJUamQwVjBVR0l6K1RNekJvSkc2dm9YVTlTM2tsY2FiS2JLY1lWck9hMVRsN3FKa2NCZEhXdnJvR2RnUTlqSGlWWHQwTkpHa3ZvdXlNbjBmditheXYyald5VFRuY0pJRHZBOWxQdU5hbEFCUndPKzE3c0I0aFA0OTNXTlp0R1MzNGRTNjM2bENnc280dTJYZHlzRjMvL0xQK01Mc2Z1THhKZmNDdmtoU3pyT0x1MmhzL05LdzRMSGxYUEFZRFBvamZLYndPandWZEErRUh3MnR6TmxEaGo1OG10NGJzRkx2bWtlOWE0RW04eUl6REhvcUNuSTdKdVZZdCtWbG12K1ltV0g4NjhYekl1UHREdHZxR3FBRzRMSE5POHA2UEFPZmFlM3JmK2ZKOXU0cXQ5Y1hrd21NN1o1SzJqMlZ2TmI2VHF6R0xpeUdQdFg3bEJwK3pMSFRXV1JibDVCbFhVSlc1Z0wwK3RndkRoc1NTZXE3cWlodlY5dzZKTTV4T0xFQW4wSXA1eExmVDRiSklUNkZaaWZJNGFRUXVBcFlIem9XQWxzZFR1NjIyOWl2ZGYvU2pRU1ZHckFZallPK3dPanowOVRLOEdodGFDVFI3Mi9INjI4TnpVTnNEODFEYkdQVGlaa284ODlITjhYMFd4cGJ0OGEwbjhlNzE2aTJtWm0zN1UyL0d3d2FhWExQb2o0MEd0bmlua2x3akt1U0owS24wekUxTDhzOUpUZDdYNEhWL1Bkc3MrbXhzY3lMakxmYk5xeXFCejROZkhwamRhMnBiOEIzVjd1ci84Tm5PM3NYdC9hNVl6THE0L2JuNC9ibmgyMWoxQTlRbk9HZ3BkMUxTL3NmUTcvVlk3WE1QcmNRS011NmlLek1SUmdNc1NuanBiWXlIYUFrTy9PWE1YbHlNU3FIazJ1Qlg2TE1IUlFqKzVuRHlSemdwM1lieDdYdXpKQ0xnc2g1S1BOZkRnR3ZBMCtnYkUzWXJYVS8wNVVFbFJySXNaZ0dlZ2U4b3c2WHRMdml1M09LUDlCOWZpV3pUMW5Wckl3ZXRvWitiaHZUU09LaDFwK0V2VjJ2OHpNdFozZk16K3Q0VC9pZzBxRHpoZnFobzkxVEVRb2l0WmtYV1p5VjZTdkx6ejVhbUpYcHlMV1lIdnJZK2xVSjh5SStGcmVzVytrRmZoWTZlSERUMWh1NitnZnVhZWp1dS9KTVoyOXVNQmkvY3U1VHJHOWcxRis4YTlrZ2JzOWgzSjdEdEhiOE9mUTdIWm1XUzVSQU0zTVJXZGJGWkZ1WFlERGtUdWo1QTRQQlNGUGZmNGpiUlVsakRpZDZsRURraThBMVd2Y25DZWhSU2hYZDYzRHlHckFaY0FKNzdUYnE0OVdKME1yclpTanpSQ2VqeEMwSGdXOWRQUDh4blRpY2ZBUmw0VlVlOEtyZHhqKzE3aE5JVUttSlhJdXBvNkdic3RGdVA5VXhzVVZsYWtHaVAzQitWTkhuYnljWWpONTJvUjJlQ25xOHBXSGJWR1R2VjAwNVI2TWZYU3FwYjJ0R0Z5ODFmSXk2dm9YMCt5Y1dRSXhWbGpsanNMSWd0NzRrTzNOenJzWDg2QjIyMWEvRXRRTnhjdmMxbHoyRHNtTUV2OXF5WTFhWGUrQnp6YjJ1RzA2MmQwOGQ4QWRpT3Z4N3RtOFJ2ei84QzZibDdtWmF6aTdLc3c5ZzBJMzBmejFJditjby9aNmp0QTJiajI4eHp5QXJ0UEo4YUdUVGFJeThCTmJCeGpiVi9kbW5GZWFPYlVKdmluRTRXUTNVMjIzVVRmakJSbjU4TThxbzFsdFJ0c01yMS9xY2s5U3kwUEVaQUllVGJwU0ZTajJob3p2MHRYZlljUXpZWjdlaHZsSnRtR0g3WU05RVdibCszRzRqdG1tdDVIUU1KWWJyaFBPcjFiVW1RYVVHY2l5bTB6QjZVTm5wOXREaDhsQ1lwU3l3RFFSNno0MFVLc0ZnL0lMRXNScHZ5am5henZRdFVXM1Q2eTJoMTF1aS9tQlJZRElZcUNqSWFTL05zVzdOenpUL3laSmhmRnpyZVpIeEZscVZmanZBeHVyYTNGNlA5eE50cnY0UG5HcnZudHZWUHhDVDdZeGMvZ0lPZGRnNDFHSERxQjlnV3M1clRNL2R5YlNjM2FvZmJEd0RKL0FNbktDOTY4bHp2ek9ieXM4Rm1ObldKV1JsTGlRalk5S0k5NDlrdi9tU2JPdkRNYnZnQ2M3aEpBT2xwTzB2UXZzZ2I3RGJVSjhvcS82NDVjQU5LSUhrTlNpbFlFUjA1YUdzY2xmbGNOS09zaDNoZHVBdmRodDdRMlY2eWtMSDdOQXhIYVVJZXozd0N1Q1FzajJqczlzNE42ODlrV2hYRVRpTi9lVFpWNzd0UEhMbUMrSGFYRnYxTEhNTG5zZm43eUFZOUdyZDVZajkrZWdQdzQ0UTZuVUJQbnJwblpnTXNkMnNZWFA5WGJ6UmVaVm0xMEduMDFHV2wrMmFrcGUxTnovVC9MZHNzK2xYdDZ4YktTK1FvM2hnMDliLzZIQjU3cXJ2N2wxWjM5VVg4eUJBV2ZXL2h6a0ZMMUdadlFlOWJ2eUw0MHdaazg4dkJEcVhPcC9NSi82NktleElaWUhWRWxnL3E4SVVXbG1mdGh4T1ZnTC9EZndPK0tmZHhwZytiRG1jNUtLa3RhOEpIV1BkNGxERVZ5L25Gd0h0QVRZQkx3S3ZST05EaGRDV0JKVWFlR3p6OWlWUDdUOGVkbEpoV2RZaDNqYjlHMXAzZFV3NlBCWDg5ZGgzdzdhcHlON0hXNnUrRS9YblZvcU9YMEs5YXo1MWZRdHA3cjhrcmtYSEFZcXpNMzNsK1RsSENxd1dSNmhlNU1tNGRpQkZQT0xjdnJ5cmYrQlR6VDJ1NjA1MWRKZUVxNVFRRFpuR2JtYm52OHpjZ2kza214dWk4cGdOL2V0NDZ2aWRZZHNzcTVpMDYvKzk2K3FJUm52U2djUEpQT0N2d0Jmc052NGRRWHM3OEdWZ05XL2VJVVlrcm1iZ0llRC83RGJlMExveklyb2svYTJCMnphczNuUG5iNTcwaENzZ1hlK2FSL2ZBRlBMTVk1cU9vcWtUUGF0VTIwUXY5YTM5NHBwc3MybXdzaURuYkhGMnBqUGJiSHIwcnF2WHlMeWZLTGpEdG5vWG9jTE5HNnRyUzd2N0J6N1YwdXQrOSttT25wbTlBOUhmMWFmZm44ZmVObVZIbjRyc3ZTd3QrUmRUc3c1TjZER1BkS2pYdmk3SnRqNFVvMHVZbE93MkRnRUxIRTcxb3R1aEl1VlhvdFNWRk1takMzaUwzY1llclRzaVlrT0NTbzJVNWVmc2J1eHhYUmF1eld1dDcyQkRlZks4NzZnRmxYcGRnT201TzhmOStMM2Vrbk1qa2ZXdStYRmZYR015R0tnc3pHa3J5Ylp1emNzMC96NHp3L2ozZEU5ZHh0b3Q2MWEyb0t6Vy9lTEc2bHFqMit2N1dMdkxjL1BaenA1bHpiM3VxSCtLT051M21MTjlpNW1hOVRvclN4OW5TdGJoTVQvR1lOREF5WjZWWWR2a1djeURWcFB4MS9HNmpvbkM0YVFZK0Q3Sy9Ea3I1eGQxbkFXMkFQK3kyL0NPY0Q4VHNBcTRHbVZ2NnN0SXJ4MWZVc0VtNEJNeU9wbmFKS2pVU0VsMjV2Y2dmQW1BSTExWHNyRDRXWW90cDdUdXJxcXVnYWwwZUNyQ3RwbWE5VHJtQ0FwV0QvRUVzbWx3elZkMnIrbGJRSTkzVXNUM2pRYWRUa2Q1Zm5iZjVOeXN2Zm1abHI5bG16TWV1MlhkU3Buem81SFF3cWFIUXdjUHZiaHRYVmUvNTlOTlBhNHJUcmYzRkFhaVdLNm93VFdYSjAvK056UHp0blA1bE45aU5YWkZmTjk2MXdJR0F1R25oVTR2emp1UXBoOUlia0haZzNva253RGFIVTVlUlZuUmFnUUtnQmtvSzRGbHA1dmtjd25LQjRZQ3U0M21pVDZZU0h3U1ZHcms3bXN1ZStLZTMvL0xkYmF6ZDlSM255QTZ0dFRmemswei9udENDd25pNFhqM2F0VTJNM0ozaEwzZFAyaW15VDFiMlpyUE5aKzIvaXJpUGUyM0pOdnFMY3ZQZnFQUWFuazYyMng2NExZTnE4N0d0UU1pWXFIdEthc0JIdHU4WTFxUForRHpUVDJ1dDUxczd5NGY4RWZuNytWNDkycnErK2F6dnV4aHFuSWoyL2dta3IrRjBoenJJOXBkdWVoeE9Ka01WQURGS1BzbkY2S3N0czRBT2xBV1lyaFJSaVl2QXo2dThwQkZ3TnUxUGk4Uk5aTkNoZE1sb0V3VHNsQkhSVTFOalFIbE91bEhPSWF1MzlBazhaRit4eWcvVTlzVCtNYUxSODUrVkswUGk0b2RySjJjMlBXUkh6LzJIZG85bGFQZXJpUElSeTY5bTB6aitRWFF3YUNlVnMrTWN5T1J6ZTVaQklMeEhZeklNWnNHS3dweXpoUm5aenJ6TXMyUDNMNWg5WGJOTHFLSWlvM1Z0Yms5SHUrbld2dmM3ei9aM2oyNzF4T2RlWmhMUzU1aTlhUy9vRlRCR2RsZzBNQnZEejhVZHFReXoySWV0TTJwTkY5Y1VzcmhaQWFRRFJ3Y3k3N0Y4ZUJ3TWd0WUNjd1BIWmNDVlVCOEp6S0xaRk9QTWdMOWxOMUdPbzdNcDUyVURpcHJhbXFNS1BOdWhvNk0wRmRqNk1pNDZPdnc3dzBvUVdMTStJT1lmdk5HODEvYSt2cFZWeTVlTmZVeDVoVW01cDczUGQ1Si9PbklqOE8yR1ZyTjNqbFFSbjNmZk9wY0MybHd6Y1Vic01hMXIyYWpnY3FDM05hU25NeHRCWm5tUDg2dzhFU1dMcWoyWWhlTTRPY0xmcmQyN2RyNGJSMGpSalUwRDdPdHIvL1dVeDA5Uzl0ZC9SUDYxRElqZHp0WFZ6d3dTaEYxWlU3bTA2YytIL1l4bHBTWDd2dmFUZGNzdnZqM0RpYzY0RDlRVXIrWG9ieitWQVBWWXkyek0xR2hXbzl2Q1IxWEFQR2RleUpTelJuZ2p5aFR2bmJIKy8remlKK2tDeXByYW1yTUtKK096WUJsaE8rSEI1RHhyU2t6RHZ2NkJtOTNIRDd6TnJWMk9vSmNPZlZYQ1JsWTdtNTlPOXViM3grMlRhNnBtVUF3QTVldk1LNTkwK3QwVk9UbnVNdnlzbzVOempadnFUTHJuakhwZ3JIZHp1ZENReStlQWM0SG40RlJmamNZT3Z3ai9HNm9yZitpZG9HaFkrM2F0UWsxdXBWb05sYlg2dDFlLzYzTnZhNzdqclYyemU4YjUwcnlzcXhEM0REdCt4ajFBMis2YlV2OUhSenVYQi8yL3RkZU91Mi83cjN1OGgrb1BZL0R5VlNVblVVR1VFWjhzTnM0RWN0ckZDclQ4eFdVb0ZhSVdQQ2dGRVBmQWV3RWFvSERkaHZ5UVR3RkpGUlFHUnBadEFLWktFSGkwUGVadzM2WFVIMk9ocitjN1B6enlmYnVpSWJzbHBmOGs1V1QvZ1lKOVBmM3QrUGZwSzEvdXRiZE9HZFNqdFZYa1o5OWRuSjI1dGJLVFAxVHVmcGdPdTBQT3hSMERnV2IvbUZmTHo1RytyMHZIVVpaTjFiWFduczhBMTg4MWQ1ejE0bTJydUt4bm5CWjFrSGVXdlZkOUxyekF5N0JvSjdmSG40UVR5Qm4xUHRsbTAyRDExNDZMVE8wUjNwQ2NUaDVIL0FYcmZzaDBsSWpjSmZkeGxOYWQwUk1UTndEdEZEZ21JVXlkeWdyZEZoRFg5TnlmazZEVDdmc0x3ZlAvTDlJRnhlVVpSL0FWdllRV1JrZFduYzlvdFIzck9WYVRJTlZoYm5OazdNelh5dTNadnlyMURnb0pTc21KZ0I0Q1FXWm9jTi8wZSs4b2NPM2R1MWE3ZllGallLSFh0ejJ0dE1kM1Q5N3ZhbWphbkFNSzhpbjU5WnlYY1ZQMGVtVTJSUDFmUXY0MTZrdmhiM1BvcktTUTk5NDk3WHp0VDduSWFHVSsrVW9xN0xmaC9LNkxFUzhiUU0rRkZyVUk1Sll6SUxLbXBvYVBjb0xWQTZRTyt4cnB0WW5yU0VkNStkdERoMUdJR052YitEbVo5NDRxMTQ5UENSRDcyRlp5Wk1zTEhvR296NitneDREZ1N4TzlxemthUGRhR2x6ejRyNXpqZGxvb0tvd3QydHFydlhBRkt2cHVVcFQ4Slc0ZGtCY0xNajVJUE5jc0ltUzVob0lIZDYxYTljbTNPamNjQTl1Mm5yVEd5MmRqNTVvNjRwNGpzYUNvdWU1WXNwdkFIaXA0V01jNnJnNmJQdElVOSt4RnRwcisyYVU4ajZ6dE82UFNIdGZ0OXY0YjYwN0lTWXVLa0ZsVFUyTkRpVm96QjkyNUVicjhaT0lEaVZRSEpyYk9SUTREbjF2REhkTk5qVzdQN256YkV2SldKNHcwOWpEZ3FMbm1GdXdlVXkxOU1hcXgxdks2ZDVsbk81ZFNvTnJMb1BCK0ZXajB1dDBWQmJrREZUbVp6V1VaNWtQbEpsMXJ4a0lkZ045RngwcG43Wk5jb09jRHpJSFVJSk9EOUFmK2pxUUNLbjNIejN6OHNQYlR6WGUzdS96Ui9UNmRjWFUzekMvWUJPL2UrT0JzQVg1czh3Wndlc3VyYkpvbGZwMk9ERUQ3d0J1QmE0bENlYWNpN1F4Q0h6WmJpUDZlL2lLdUJwWDBCY0tJZ3RRYW9xVm9BU1I2YlQzcW9uekM0U0dqcUVBY3R5QmRDQ0k4Y2t6M1o4LzB0bzU1aVhST29LVVorOW5XdTVyVkdUdG45RDJqb05CQXgwREZiVDFWOUhvdXBRRzF6eDZmY1d4dnFZWG1KeWI1YThxeUc0dHk3WWNyckRvdGx0MDlLcmNKUWk0Z083UTBRTlN3aUxKQkJrNTJQU2dwTjExblAvNzBvOXkvK0JGM3c4Tyt4b0FCaU1KWEIvZHZIMzFhMmVibmZWZGZhcC9pM3BkZ0tVbFQ3S3I1YWF3N1JaT0xUbnl6ZmRjcTc1L1k1UTVuS3hBR1pIOElNcnJ0aENKcUJHWWE3ZlJyWFZIeFBoRkhBRFYxTlJrQXBPQlVwUmdNaDJDU0IxS3V0N0srZFhsRm1MNENkOGJ4UHBNWGMvOXJ6ZDNUR2h1azhYUVIzSG1TZkxORGVTYVdzazBkSk5wN0xtZ2lMcC8wSVIzMElyYm40ZmJsMCszZHpJOTNrbDBEa3lONjBna1FGNm1PVGlqTUxlekxNZHl2Q0xUdUNQUEVHeVk0RU1Pb294ZWRxRVVZWGJIOVlURXhZeWMvd0JtdXVnWVhzNXJ0TmNWUCtjRHp2N1FNY0Q0UnFjSFVWTDBRd0hyQU1yL2o2SER0WGJ0V3QvRzZ0ckN3ODBkZTE1dmFxOFl4M084eVRWenBuMzF2dXN2LzBic0x6VTRuRXdEUGdCOEdHVUZ1UkNKcWgrNEIvampTRnQwcHJMUUh2WlRVT0txRXBRUGZmbWhyd1ZBM3JEbU9TaXZqMEhnTk1wcjJORGFsTHpROTliUWtZZXl3djR3eXVZRWpVQXIwQVRVMkcwY2pkVTVoUTBxUTRIazFOQkpwOE1uWEJQbkZ3NXB0dHJjSDhUMFFtUGZmWHNiMmxMMm1sc3lqRXd2ek8wcno3V2Vyc2pLMkYxcURMNGU0NmZzQjlwRGgwdnI4MDlSZXM2L3FGazQvemRrSVRZZlFnYzVIMkM2VVQ1RVJLdXNrZ2ZvODZGelAxZmYrKzhEalczbEUza3dxeWtqZVAzY3F1eGIxcTJNMlllYjBCdlV1MUhTMit0ajlUeEN4TURUd0UzSkhGUTZuSlFBQzRFRktCc0RuRUY1VFp3TkxBOTl6UUZPb2J4bVZZUisxc0kvZ052dE5xSysybmZFZ0ttbXBtWlM2S0tVYW5UQzhhSkRpZTZIRmhRbHpPcnpJT2hydTN3ZjNuSzhZZlpZVnFRbUtvTk9SMlZoN2tCbG5yVytQTXQ4WUtxSlhRYWRaZ1Z3KzFBK3NiVWk4ekRIeThENXY1MmhUOGhhTDhJTG9nU0R2YUdqbnlqOCt3NmlNLzY3cnVmUlEwM3RSZU45akZpbnZrTXA3cWRKL2Rkc2ticStZcmZ4VGEwN0VZN0RTVGJLUHZTWEFITlFGcmxkZ3JMRFZIem5pRTNNQUxERWJ1Tnd0Qi80Z3FDeXBxYW1GSmlMc3NnbWxWbFFVdmg1SkhnYXY4NnJXL0hjaWFhM3QwYXc2MDZpbVpLYjVaOVdrTjFhbm0wNVhHSFJielByZ24xYTkra2lYcFJQa3hKY3FqT2kvTDNraG82c2lUMWNYUGhRZHFmcENIMC9idjFCWGU0VEo5b2ZPOTNaWXhuUC9hK2VNKzMvM1gvOTVmOGJpNU4wT0xrYWVKTGsrRGNSWWpROUtJSE95VmcraWNOSlBzb2U5VU5IUHNwcjI5RFhiSlNnNndUS2xMOFpLSUhqVEpKN1p5a3Y4R05nSC9DUzNVWmRMSjVFQjFCVFU1TUJMRUpKZGFjeVkrZ2M4eWI2UVBIa0RXTGQxZW45WU0zcHB1bStRT0t1UGNuUE5BZW5GK1oybE9kbUhxK3dHTGJuR29KTld2Y3BRcjNBVVpSUkxuSGUwSWV2QXBTUi9HU3Q1aEFFMm9CbUp2RGhvZFd2bS9YblEzVS9jSGw5WTdvT2xneGo4SVo1MC9OdldiZXlaeXozaTRURGlSN2xnMUZadEI5YkNBMzh3bTdqM2tnYWhrWU5KM05oZ0RoMEZJZStGb3h3V3lwWFBmQURUbUFYeW56S015anJDcnFCSHJ1TjlsaDNRQmNLS0M5SHU5eCt2QmhRaHFvbnRQZXZscm9DdXZKZGJhNTM3NjV2Sy9VUEprWndPU1UzeXorbkpPLzBqQnp6MWpqTWk0d2xIM0FRV2RCalJKa3dYa0xxRmNKMm80dytqRHV3UE9RS2Z1aXAxMCsvYnl6M21UK2wrT1MzMzN2ZGpGaWNrTU5KS1Vxd0xFUXErQVB3Rk1wOHc2R002VkR3V0J3NmhyNVBtT2xxTVRBSW8xWThHVVFaMWZXaXZLYjFvd1NOQjREZjJHMGMwTExqdXBxYW1tV2t4NmRjSzhyd2RkTHJHZFJOT2REbHVYRi9VMmRscDlzVDEwOWRlcDJPcXNKY1QxVkI5cG5wMmFadEpjWmdLdTFlNHdiMmFOMEpqWmlBY3BSZ011bW1Xb3pCSVNhNG1PZlpSdGZEZStwYnAwVGEvdW81bGQrNC8vb3J2aHFyRTNJNCtTZnd6bGc5dmhBaXF2d29pMFc3VUlMRDB5Z2ZkbytnakRBZXQ5dG9qZFdUaHhZVUZRQXRkaHRkMFg1OEk4cks3blRnUXhtaFNOWVUzam01K21EajJrTHpvNWNWVHRhZjluRDVxZDcreFVmYnVpZTF1NklmWUJwME9zcnlzNzNsZVZtdGs2Mm00K1VXdzNhclB0aWwzSnB5MHhDdEtBRlZ0RllRSndNZHlxakFWRkk3TFFUbjkwV2ZrRFdsMlY4NzJ0YjFnR3RBUFExdXlUQUdjeTNtNzhmNHZHNENyZ2IrRjFnYjQrY1NRaWp2RVMwbzZlWGpLTUZnRStmTGtubFJBa1lmNXhjTkRnRGRkbHY4M3pnZFRxNUNlWjFZQmF3bTlGcnZjT0pIbVJwMEZIalVidVAzRTMwdUk4b0xyU25lSjZrQkg4b25naktTT0FVK25BNEdxeXk4WEdYSmZIbDlTU1pkQVYxRm95ZXd1TFhmVzluUlA1RGYydWZKN080ZjBFZVNLcmNZRGVSYkxmNkNUTE1uejVMUlcyUXhOUmFaRGNkTE1qaWNvUnMrMXpEbEFzbUxKY2E4Z3Znd282eGFUSWNGSHYxQUhWSDRENXh2Q05aZlBtMlM4L2tqZFZlcnRaMVJsSGNtRm5NcEwxS0E4dm8yRU9QbkVTSVJCSURkakZ3YXpvY1N6TFVOT3pwUUZ1eDFvZ1I0WFp4UElWOXNhQkZpRm0rZS91TkcrUnRyUmhubFM2YjNpdjhDYmh6aDkwYVU2UVNUVWViUVJ5V29QRWI2Rk1mdFJSbGlMa1JaZ0pCU3dYUytJWGcyUDB0L2RtN1dVR2xBWlQyU2UxQlg2QjZreUIvRUVnZ0dUWUVnUnBOZTV3YklOTkJwMWRPV1FWQVdxYVRYS25BOXl0KzkxbVdBWXEwZjVZMmxteWorMnk3Sk5mNThYMjdXVlUwOXJyQWZVQ2ZsWmowZXJlZDBPRm1Mc2l2T2JKU1I1UUtVTjhGVW0vc3FFbzhQcUFjYVVBcHBEOVdFN1VVWmxXdENHYUNhZ1JMc3VWQ0NzQzdPYjJ4UWpsS3FzQnpsdzJ5azVhK0NRQTFLd1BOL2RodXgvSkRXRmJjckdsL3ZRQWtxMTZOYzk2SFhqRDZVMVBzYktITlpKMnhvOWZjQ1lMcldaNjBCSzBvWmdXeFNlOUt2VU5lRnNsb3VtVDU5VGtRK3FmdGhzaC9semE2YmNhem85d2FlTHZjUEhpZ0hNT3JuMVpzTWJ6czdVcnZYM2NFUFBubm85UHRIZXh5ejBSQzB6NTlSZk11NmxWRXBNT3h3Y2hTbHRJa1FzVGFJTXYrNEdhVlk5ME4yR3p1aitRUU9KeFhBVmNDVm9hOXpJN2hiTS9BNXU0M2ZhWDJCeE1qT3pRbXFxYW1aaWxJTlBxVkc3OFpnYURlZG9XMlBVaUpGTGxRTm9xUkY2MG1mVVVwUVZrL08xcm9UVVRLQU1qTFNSeFIyMWZFUDFoWjQvTCsrYmpEWU9SblFaV1o4OHZjWitqVWpsdUw0eDVudVB4eHA2Unl4cnUrS3lzbGIvL3VkdHFqTmNReTlDYjhMWmNIaFZKUUFjMGtNcnFkSVh5N2dGeWoxREZlaTdCbGZpVExvMUFSOEQzamNib3QrK1RXSGsyS1VPY0ZyUTgrOWd0RnJadDlndC9HczFoZEx2Tm5GeGMrTktDOVkwNUdneXNqNWZiK0h0cHRMOTJ1U1NnWlJKbHJYUWZKdURUWUJWcEl6SUxsNC8yODNHbzR1ZHcvcWc4K2Y2ZmpOOGJhdUMzYmJXVlJXOHNiTTR2d2x0NnhiR2RVM1g0ZVRESlFQL3l0UVJuZitVNnR6RnlsbksvQkJ1NDFUdzMvcGNISUpZQWV1QjY1QitadDdBU1VsL1FiS0ZMcGpzVmlBNG5CU2dKSXVMMGZKSmc0Vkp0OXN0OUdtOVFVVGJ6YmFObzFHbEFVdGxTaHBNcUV3b1B6SE5xTUVtVU5mSmRoTUh2MG9jeWVibWVBdUt5bWdIT1Z2UE5FRVVRTDlnV0dISi9RMUVhWW5lRkUrakp4YXUzYXRDK0NCVFZzLzJPLzFiOURwOEZoTkdmKzg2K28xem1nL2FXaHY3d2FTYlBNR2tSUU9BcXZzdHZCMWVoMU84b0MzQUc4RnJ1UDhEak50S1B0Si85UnU0NURXSnlPMG8xb1NvNmFtSmd1bDdOQmtsSW5oNHMxMEtPbnowWTVVTDlXUzZQcFJWZ0MyTWZLS3dYU1dqNUtaaVBlQ0hUOUtVTy9sZkFBNTlQTlErYTlFNGtVWjJhNEgydGF1WGF0SmNPdHdNaGU0QVppR3N1aGhQYW0vcmE2SXZSTW9PN0hzQmY1cHQxR3ZkZ2VIRXgyd0dOZ0FMRWVKRTVydE5qNm85Y21JeURtY0dBRnJ0QlpBamFsbVkwMU5UU1pLY2VTaHl2YXl1Q1V5ZXBUUlRCUG5WOElOUHd6SWFHYzBCVkFXYVF3ZDZiNUxqaG9kNTNlcW1Pak9Xa0dVZ0hFb2FQUnpQbEFjZmlSYTBIaXhRWlRGVyswb3dXVG4yclZyRTY3UG9mVGdicFFnVTRob0NBQi9CYjRjNjMyNGhiWWNUaDRGUG9TU2NkMEhYR2UzVFd5SHJna1ZBcStwcWNsQmVUTXFRQm54U0lkNmQ3R2lRd2t1aDRKT3d3aGZEY1BhcFBLdUoyUGw1ZndpamU3UTE0UUxBSkxFMEg3ZmhTanpsM1FvZ1dFZ2RQaUhmUjBLSEFNWGZaK00rbEdDeUM1Q05lMjBHbzJNbE1PSkFYZ2J5dFoyOHRvcm9tMEErS1RkeGtOYWQwVEVoc05KR2NyMjFRUEFrV2pzRFI3VjNXVkMrNGpuRHp0eVVSWUVpT2diQ2tJdkRqUU5LQ09qaG91T2kzK1hySWIyT3gxYTdUdFVKMDJNYnZqbzRjVkg0S0tmaDBZUy9hSDc1WEwrUTJNZXlWOGR3c09GLzNkNmdKNjFhOWNtemZ6YTBMeTJid1B2UmZsUUw4UkU3UUZxVVZaNDkzRitQK210ZGh0SHRlNmNTQjR4MzdJd3RPZ25HK1hOS1NkMFpKUDZSWmNUbmY2aXd4RG01NkVBVmpmczU2SGJ1T2kyb2Rzbnlvc1NBTGd2T3Z4YVg3Z1lHUXdkQWM0SGdTUDlMc2o1VWNOd3g3blJ4V2lPdU5YVTFKZzQvM2RzUlJraHM2S01jR29kY0E1eWZqczBEK2RYaVovNy83TjI3ZHFrLy8vamNQSlJZS1BXL1JBcFk3L2R4aUt0T3lGU2cyYjdZTmZVMU9nNXZ4M1M4Q016ZE1qaWx1U21HL1oxcE8vaC9Kdi8wTWpqOENEU1AwTDdpMzhtd3R2R1luQU10NDMwYzNDRTI0ZStCb2ZkUHBRbURpYmlYTDN4cUttcDBYSGgzT0hoeC9DUmNrSy9HNkpqNU9rS1E4SDAwSFVkbm9aLzB3anIyclZya3pYMVBtWU9Kd3RSOXZMTlI5bCt0Z3ZsZzNzdXl1amxmSlRpOWxPMTdxdEllRjdnM1hZYi85YTZJeUx4T1p4Y0Fid2Y1VFdtRE9YMXV4bllBVHltV1ZDcHBxYW14c3o1QUhQNE1UUWlZaUc1MDdpcGJKQUxTOEVNcnlzNGRIaFNKWmdTSWxFNW5Fd0RiZ1h1UjBvUmlmQmVBLzRFdkFUc3R0dFNOaXNreGlrMDlhYU5Dd2NGaG10STJLQXlFcUhVK2xDOXlPSEgwR2hKUnVqbm9lOGxDQjJmUVM0cy96TDg4S0VFalVQcDZvRzFhOWZLSEVjaEVvakRTVDd3YTVRZGVZUlE0MGFaWjdrZHBkVFF5M1liM1ZwM1NtalA0V1E1OEFHVVRSak1LREhBTVpTUnlxZVNPcWdjcTVxYW1xR1YxTVpoWDQwai9DNkQ4K202b2RUZDBFS1lpNzlQUk1OVGhZTVhmZS9qL0R5OWkwdS9EUC8rM05kVW1JY21STG9MclJaL0VxVnd0VWhkSFNpbHNMcFJwcFFkNHZ3MnREcVVFV3NEeXJ6b0RKUnFEMU5SU29xTlZ0ck9EMnhCS1hEK3VPeG1JMGFUVmtGbHJJVG1rb0g2L0wveFh1L2dDRDhITDc1ZDBzbENpSEFjVHI2QXNuSThudHdvT3dHMW9leG0xUkg2dlFmbE5iRVNaY3RKcVJReVBrM0F6NEFYZ1RjbU1xTG9jRktLVXNSOHFMaCtCVkNLTWs4M0MrWGY3elhnTjNZYmpWcWZ1RWc4RWxRS0lVU1NDdTNML0ZhVU4vOENsRUx0cndPL0gya3Zab2VUVlNoN05rZDdLbEFuY0FRNGlySTd5N0hROTBjanFYM25jRklNL0JpbEVMTVlHN3ZkeGpOYWQwSUlrS0JTQ0NHU2xzUEpzdEMzelVDVDNhWmVmTjdoNUJ2QWw4ZjVsRTBvd2VLaDBIRUFPR1MzMFJTbDgza2Y4Qm1VYmY5a0RueDRaMUZxUy83WWJ1TVZyVHNqQkVoUUtZUVFhU08wZXZNV2xGSEIwYlFCZndGZVJnbGN1bEZLRm5YWWJmVEhxWitaS0h2U2Z4UmxiK2xGYUY4SE5aRnNBV3dqalVZTG9TVUpLb1VRSXNVNG5CU2h6SXViQnN4QnFTbTNCS1YyNVVnTERMdUE1NEcvQVUvYWJZbTFTNVhEeVplQWIycmRqM0Z3QXp1QlJzN3Y0TlNMc3RnekQ2V3U2TkE4eGtxVUtReVJlaEg0SDd1TlY3VStTU0dHU0ZBcGhCQkp3T0VrQ3lVSXlVQUpTTXBSQXBIeVlVZEY2T2hCU1ltRHNyR0FiOWozYnBRZ3B3RmxKSElQY0RpUzFMbUc1MTRCYkVVcHRweE1sdHB0N0JuRGVaWURONkNNSkVlNm4zdE5xUDFUaWZaaFFLUWZDU3FGRUNMQmhOSy8vd0hZZ0xrb3FlQ2lNSGZ4QVU4QXZ5T09OUVZEWllxV0FtdUJXU2dqYmRrb0tmTTJsSG1YcjlodHZCR0Y1OG9DM29kU3pQMktlSnpmR0FWUkF2a1dsTUQvVXBTVjd0OENmanFXb04zaFpDNXdGN0FDWllRNWtwWHhiY0RmZ2NlQkxZbjhJVUdrTGdrcWhSQWl3VGljM0E1OEFTV1l2UGgxMm85UzJxVUpwYnpMRnVCcHU0M09PUFl2RS9nVThIRWlHejA4QVB3QStGMDA1Z0U2bk13UFhaOFBrQmdMZW5ZQ0MxQTI0eGhFK1hjNWdmSnZsd3Q4eDI1anl6alAxWUFTb0M1SENUS1hveDVvdGdML1FxbEwra0s4NXNJS0lVR2xFRUlrS0llVFFwVDVkcTdRcjNvaktkRVQ0ejdsQTV0UkFwdXgraHZ3dm9rRWxnNG5ScFFhaWtOYjlYNEt1Rm1EUytFQkhnT2VBbjdEbS9kWmJ3V1cyRzAwUlB1Skx3bzBMd1BlRFpTTTB0d0YvQlA0STdCSnRsOFVzU1JCcFJCQ2lJZzVuUHd2OE44VGVJaDMyRzA4Tlk3bm5RUjhCM2d2Rjg0MzNJbXlXdjJqS0F1UzRxRVJ1TUZ1WTIrb2I1bkFlbUFTeXB6VjA4QmV1dzFQckRzU0NyS3ZSUWt5NXdOcndseUhGdUQzd0dOMkc0ZmpkSzFFR3BHZ1VnZ2hSTVFjVHI0TGZHNENEL0UrdTQzSHgvaWNCbUEveXZ6U2tRd0Nid0dXQWYrTHNpZHhyTlFENiswMmpzWHdPU2JFNGVSU2xLa0JId1F1R2FYWnE4QkRLTnN1RG1qZFo1RWFFblh2YWlHRUVJbnB4OERKY2Q3WGlaS0tIYXRDUmc4b1FYa3ZXMjIzOFYyVXVZMS9nWmlNRW5ZRDF5UnlRQWxndDNIWWJ1Ti83RFptb1l4Y1BncHZtbGQ1T2NxbzVWbUhrMitHVnA0TE1TRXlVaW1FRUdKTUhFNEtVRVlFYjBGWjdhMm1HZmdSOEpQeGxyMXhPUGtWeXNydmtUUUNhK3cyemd4cm40a3kzM0Foc0E2NEVXVlY5a1I4M0c3andTaGNQejFnc052T2xYcUt1ZEQ4M050UUZsZE5HNkdKSC9ncnlnNDlPK1BWTDVGYUpLZ1VRZ2d4TGc0bjJTaHpDZGVnbEJRcVJYbGY4YU1FZW04QXI2Q1VGWnJRQWhHSEV4M3dUcFNVN255VUZIY2Q4QUx3b05vQ0pvZVRHU2dqbUN2RzJZVk9ZRkkwQXNGUXdQc0J1NDFmVC9TeHh2SGNCc0NPVXJMb0JrYU9BN1lDUHdIK0lRdDd4RmhJVUNtRUVDSXRPSnprb2dSTTg4WjQxeUR3UTd1Ti80cGlYeGFnVEFkNEZmaXUzY1kyRGE1SEZYQTN5Z2htNFFoTmpnTmZCVFpIYTM5M2tkb2txQlJDQ0pFMkhFN21BTFZBemhqdmVoUllZYmZSRThXKy9CUzREMldoMGJWMkcwNk5yb2tWWldyQko0R1pvelRialRJZjlzOTJHMGUxNktkSWZCSlVDaUdFU0NzT0p4OURxVEU1RmkxQWViVG5RVHFjZkJLbFZGS3QzY2FWR2w4WFBmQTJsTnFmNjBacEZrU3B5M21YYkFzcExpYXJ2NFVRUXFTYlM4WnhuMUpnbDhNNXJ2dU95bTdqSjZIK1BCbWFONm9adTQxQnU0MG43VGJXbzJ5LytYdVVVZFRoZENnTHRMN2tjRktzWlg5RjRwR1JTaUdFRUNuUDRhUVVlRWZvZU9zRUhzb0YzR3EzOFZldHp5a2VIRTdlaFJKY1pvM1NaQTlLeWFLTnNoMmtrSkZLSVlRUTZlQks0QkVtRmxDQ0VsemRvZlhKeEl2ZHhqK0IxY0Ryb3pSWkF2d1NPT1p3OGhHdCt5dTBKU09WUWdnaFVwckR5V2VCN3hIZDk3eEw3VGJlMFByYzRzWGh4QUo4QTJWaFViaDZueThBdDl0dG5OYTZ6eUwrWktSU0NDRkVxdXNrK29Nb04ydDlVdkZrdCtHeDIvZ3NTam1talRCcXF2dGFZTC9ET1dxaGVwSENKS2dVUWdpUjZuNERFOThKWjVoblVPWVJwaDI3aldOMkc3Y0NVMUgyRi84VnlyN3NuU2dyd3ozQUp1QmtxTWk3U0NPUy9oWkNDSkVXSEU1c3dFTW91LytNMTJuZ2ZYWWJPN1ErSHlFU2pZeFVDaUdFU0F1aDR1THpnTnVCaytOOG1NY2xvQlJpWkRKU0tZUVFJdTA0bkJpQkR3RmZCOG9qdU10bWxJTGZSN1R1dXhDSlNvSktJWVFRYVNzMDcrL3J3R2RVbXY3V2J1T2pXdmRYaUVRbTZXOGhoQkJweTI2alA3U3FlYTlLMHp5dCt5cEVvcE9nVWdnaFJGcHpPRmtJcWl1VjF6bWNXTFh1cXhDSlROTGZRZ2doMHBMRGlSMzRNckEyd3J2OENxV3dkMURydmd1UmlJeGFkMEFJSVlTSU40ZVR1NEVIeG5pM2p3Rjl3Q2UxN3I4UWlValMzMElJSWRMUmVQZXB2cy9oakdpMXVCQnBSMFlxaFJCQ3BBMkhrL2VpclBSZVBjNkhDQUlWUUozVzV5SkVvcEdSU2lHRUVPbmtVNHcvb053RXJMTGIyS3IxU1FpUmlHU2tVZ2lSbGh4T3lnQUgwQS8wQUtlQVQ5cHR1TFh1bTRpcFY0SEx4bmdmRi9BUnU0MS9hTjE1SVJLWkJKVkNpTFJrdDFIdmNQSVdZQzdnQWRwUUFreVJvaHhPc29DWjQ3anJCK3cyL3FWMS80VklkRkpTU0FnaFJFcHpPQ2tCN2dMdUI0ckdlUGNYN0RhdTAvb2NoRWdHTWxJcGhCQWlaVG1jUEFEY0NwakgrUkJQYTMwT1FpUUxXYWdqaEJBaWxhMW0vQUZsRGJCTjZ4TVFJbGxJVUNtRUVDS1ZmUWc0Tk1iN0JJQ0hnUS9iYld6WCtnU0VTQll5cDFJSUlVVE1PSndZZ1Brb0MyUmVzTnZvMDZBUFJzQU9YQUZNQjBvQUE1QUQrSUFPNEdqbzJBMmNzTnVrRHFVUVl5VkJwUkJDaUtoek9Na0J2Z044R0NWNEEvaGZ1NDMvcDNYZmhCQ3hJVUdsRUVLSXFBcU5UdjREZVB0Rk4vVUIwKzAyMnJUdW94QWkrbVQxdHhCQ2lLaHdPS2tDVnFMc1dqTlNnZkZzNE11aDI0VkdIRTVXQVE4Qlo0QWYyMjFVYTkwbmtScGtwRklJSWNTRU9KeThFL2d0a0J0QmN5OHdVK1lzYXNmaEpBTXcybTFTN0Y5RWw0eFVDaUdFbUtnN2lTeWdCRENock1qK2p0YWRUbGQyR3o2VUJVcENSSlVFbFVJSUljYk40ZVJ6d01JeDNtMmwxdjBXSXBZY1RyS0I5d0JUQVQvd3ZOM0dIcTM3Rld0U3AxSUlJY1M0T0p3c0E3NEZsSTN4cmhNZTBIQTR5UWk5Y1F1UmlBcUJaY0Mxd0wzQXZ4eE9Wc2V6QTZHOTd1Tks1bFFLSVlRWUY0ZVR4VEN1MFplUDJtMzhkZ0xQZXh2d1BhQUFlQjc0SDd0TmRyNFJZa2hvM3V3ZmdXN2doM1liaCtQeHZESlNLWVFRWXN3Y1R0NkhNajl5ckhQei9nbjhmZ0xQK3dIZ1VaU0FFdUE2WUt2RHlWOGRUaXEwdmk1Q0pJTFF2TmtQQW8zQVBvZVRweHhPcm9qMTg4cElwUkJDaURGeE9Ka0NOSXpqcnE4RFMrMDJCc2I1dlBPQW5VRG1LRTNjd0hmdE5yNm05VFVTSWxFNG5Nd0U3Z1BlaWZKMyt4M2dLYnVOWUxTZlM0SktJWVFRWStKd3NoTFlNWTY3M20rMzhiTnhQcWNScUFXV3FEUTlhN2RScWUwVkVpSXhPWnhjQWx3SkZBTy90dHRvaitiankrcHZJWVFRWTFVOHp2dVZUK0E1UDR4NlFBa3d4ZUhrNjhEWFFpbEFJVVNJM2NZeDRCaUF3OG50RGlmL0FYekhibU5UTkI1ZjVsUUtJWVFZSy9NNDd2TU04SlVKUE9mSElteG5ERDNQUitOOFRZUklLblliajZLVVBUb1QybHAxd21Ta1VnZ2hSQ3k1Z1p2dE52NDIzZ2R3T0prTVk5NzlSWGFMRVVLRjNVWVgwQld0eDVPUlNpR0VFR01WYVZvNUFIeDl0SURTNFdTS3c4a0t0UWV4MjJnQ2RvMmhmNC9ZYmZ4QjY0c2tSTHFSb0ZJSUljUllPWUhkS20yYWdRMTIyNXUzWTNRNHlYUTRlUkpsSmVvT2g1T3FDSjR6MHZRM3dBeXRMNUFRNlVpQ1NpR0VFR05pdDlFUGZFS2wyVFYyR3krUGN0dmx3TnREMyt0UTVuV3ArY3NZdXZpUXRsZElpUFFrY3lxRkVFSkVMRlR6N2liZ2ZwV21kV0Z1ZXdVNEJNd0wvVHdyZ3FmK05GQVB2Qjlsci9HTFMrTDFBMXVCNzlsdFBLZjFkUklpSFVtZFNpR0VFS29jVHFZQ0R3RHZpS0Q1SUpCcnQrRUs4M2hsd04wb2dlSS83RGFheDlDWExHQXFrQVc0Z0o2eDNGOElFUnNTVkFvaGhGRGxjUElINEQ4amFOb1BmTnR1NCt0YTkxa0lFVjh5cDFJSUlVUWtYZ0s4RWJSN0hQaSsxcDBWUXNTZmpGUUtJWVNJaU1QSkhPQXVZQU5ReHZtZGRRSW9xNzJQQTUrMTI4YTFoYU1RSXNuOWY1Y1pPUWhMN1B5S0FBQUFKWFJGV0hSa1lYUmxPbU55WldGMFpRQXlNREUzTFRBMUxURXdWREE1T2pRM09qRXhLekF3T2pBd0djRk9Ud0FBQUNWMFJWaDBaR0YwWlRwdGIyUnBabmtBTWpBeE55MHdOUzB4TUZRd09UbzBOem94TVNzd01Eb3dNR2ljOXZNQUFBQUFTVVZPUks1Q1lJST0iIC8+PC9zdmc+")', }; const maintenanceStyle = { ...commonStyle, height: '40rem', paddingTop: '0', paddingLeft: '50rem', marginTop: '20rem', backgroundImage: 'url("data:image/svg+xml;base64,PD94bWwgdmVyc2lvbj0iMS4wIiBlbmNvZGluZz0idXRmLTgiPz48c3ZnIHZlcnNpb249IjEuMSIgaWQ9IkxheWVyXzEiIHhtbG5zPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyIgeG1sbnM6eGxpbms9Imh0dHA6Ly93d3cudzMub3JnLzE5OTkveGxpbmsiIHg9IjBweCIgeT0iMHB4IiB2aWV3Qm94PSIwIDAgNDAzLjUgMzUwLjEiIHN0eWxlPSJlbmFibGUtYmFja2dyb3VuZDpuZXcgMCAwIDQwMy41IDM1MC4xOyIgeG1sOnNwYWNlPSJwcmVzZXJ2ZSI+PHN0eWxlIHR5cGU9InRleHQvY3NzIj4uc3Qwe2ZpbGw6IzIzNjE5Mjt9LnN0MXtvcGFjaXR5OjAuMjU7ZmlsbDojQzZDNkM2O30uc3Qye29wYWNpdHk6MC4zO2ZpbGw6I0M2QzZDNjt9LnN0M3tmaWxsOiNGMEYwRjA7ZmlsbC1vcGFjaXR5OjAuNzt9LnN0NHtmaWxsOiNGMEYwRjA7fS5zdDV7ZmlsbDojRkZGRkZGO30uc3Q2e2ZpbGw6IzE3NDg2RTt9PC9zdHlsZT48Zz48cGF0aCBjbGFzcz0ic3QwIiBkPSJNMjQyLjksMTM0LjJWMTA1bC0zNS4yLTYuN2wtMC40LDBjLTIuMi04LjQtNS41LTE2LjItOS45LTIzLjRsMjAuMS0yOS42bC0yMC43LTIwLjdsLTI5LjcsMjAuMWwtMC4yLDAuMWMtNy40LTQuNC0xNS40LTcuOC0yNC05LjlMMTM2LjIsMGgtMjkuMmwtNi43LDM1Yy04LjUsMi4xLTE2LjMsNS40LTIzLjYsOS42TDc1LjksNDRMNDYuMiwyMy44TDI1LjUsNDQuNWwyMC4xLDI5LjdsMC4yLDAuMmMtNC41LDcuMy04LDE1LjMtMTAuMiwyMy45bC0wLjQsMEwwLDEwNXYyOS4ybDM1LjIsNi43YzIuMiw4LjgsNS43LDE3LDEwLjMsMjQuNmwtMjAsMjkuNWwyMC43LDIwLjdsMjkuNy0yMC4xbDAsMGM3LjQsNC40LDE1LjQsNy43LDIzLjksOS45bDAsMC40bDYuNywzNS4yaDI5LjJsNi43LTM1LjJsMC0wLjJjOC44LTIuMSwxNy01LjYsMjQuNi0xMC4xbDAuMiwwLjJsMjkuNywyMC4xbDIwLjctMjAuN2wtMjAuMS0yOS43bC0wLjEtMC4xYzQuNi03LjUsOC4xLTE1LjcsMTAuMi0yNC41TDI0Mi45LDEzNC4yeiBNMTIxLjUsMTY0LjNjLTI0LjYsMC00NC41LTE5LjctNDQuNS00NHMxOS45LTQ0LDQ0LjUtNDRjMjQuNiwwLDQ0LjUsMTkuNyw0NC41LDQ0UzE0Ni4xLDE2NC4zLDEyMS41LDE2NC4zeiIvPjxnPjxlbGxpcHNlIHRyYW5zZm9ybT0ibWF0cml4KDUuNTA3NDYwZS0wMiAtMC45OTg1IDAuOTk4NSA1LjUwNzQ2MGUtMDIgLTUwLjYxMTYgNjI3LjMzMTMpIiBjbGFzcz0ic3QxIiBjeD0iMzA2LjEiIGN5PSIzNDAuNCIgcng9IjguMSIgcnk9Ijk1LjciLz48ZWxsaXBzZSBjbGFzcz0ic3QyIiBjeD0iMjIzIiBjeT0iMzMxLjYiIHJ4PSI2NSIgcnk9IjguNiIvPjxlbGxpcHNlIGNsYXNzPSJzdDMiIGN4PSIxMTguMiIgY3k9IjI3NC4yIiByeD0iODMuMiIgcnk9IjYuOCIvPjxnPjxnPjxnPjxjaXJjbGUgY2xhc3M9InN0NCIgY3g9IjIyMyIgY3k9IjE3NiIgcj0iNzUiLz48cGF0aCBjbGFzcz0ic3Q1IiBkPSJNMTY1LjMsMTI4LjJjLTEuNyw5LjUtNi42LDE4LTEzLjUsMjQuM2MtMi40LDcuNC0zLjgsMTUuMy0zLjgsMjMuNWMwLDkuMywxLjcsMTguMiw0LjgsMjYuNGM1LTEuOSw5LjgtNC4yLDE0LjMtNi45bDAuMiwwLjJsMjkuNywyMC4xbDIwLjctMjAuN2wtMjAuMS0yOS43bC0wLjEtMC4xYzQuNi03LjUsOC4xLTE1LjcsMTAuMi0yNC41bDM1LjItNi43VjEwNWwtMjAuNi0zLjlDMTk5LjQsMTAxLjIsMTc4LjksMTExLjcsMTY1LjMsMTI4LjJ6Ii8+PGc+PHBhdGggY2xhc3M9InN0NiIgZD0iTTM5Ny43LDMxMy42bC02NS41LTYwLjdjLTUuNS01LjEtMTMuMi02LjEtMTkuNi0zLjNsLTEwLjgtMTBjMTQuMy0xNy41LDIyLjgtMzkuOCwyMi44LTY0LjFjMC01Ni00NS40LTEwMS40LTEwMS40LTEwMS40Yy01NiwwLTEwMS40LDQ1LjQtMTAxLjQsMTAxLjRjMCw1Niw0NS40LDEwMS40LDEwMS40LDEwMS40YzI2LjIsMCw1MC4xLTEwLDY4LjEtMjYuM2wxMS4zLDEwLjRjLTEuOSw2LjQtMC4yLDEzLjUsNSwxOC40bDY1LjUsNjAuN2M3LjMsNi44LDE4LjgsNi40LDI1LjYtMUM0MDUuNCwzMzEuOSw0MDUsMzIwLjQsMzk3LjcsMzEzLjZ6IE0yMjMuMiwyNTAuOGMtNDEuNSwwLTc1LjMtMzMuOC03NS4zLTc1LjNjMC00MS41LDMzLjgtNzUuMyw3NS4zLTc1LjNjNDEuNSwwLDc1LjMsMzMuOCw3NS4zLDc1LjNDMjk4LjUsMjE3LjEsMjY0LjcsMjUwLjgsMjIzLjIsMjUwLjh6Ii8+PHBhdGggY2xhc3M9InN0NSIgZD0iTTIyMy4yLDEwMC4zYy00MS41LDAtNzUuMywzMy44LTc1LjMsNzUuM2MwLDQxLjUsMzMuOCw3NS4zLDc1LjMsNzUuM2M0MS41LDAsNzUuMy0zMy44LDc1LjMtNzUuM0MyOTguNSwxMzQuMSwyNjQuNywxMDAuMywyMjMuMiwxMDAuM3ogTTI4Ni4xLDE0MS40YzAuNiwxLDMuNSw3LjMsNC4zLDkuNWMyLjgsNy43LDQuMywxNiw0LjMsMjQuNmMwLDE0LjgtNC41LDI4LjYtMTIuMiw0MGMtMS4zLDEuOS03LjEsOS04LjcsMTAuNmMtNC45LDQuOS0xMC40LDktMTYuNSwxMi4zYy00LjEsMi4yLTguNCw0LTEyLjgsNS40Yy02LjcsMi4xLTEzLjksMy4yLTIxLjMsMy4yYy03LjQsMC0xNC42LTEuMS0yMS4zLTMuMmMtNC41LTEuNC04LjgtMy4yLTEyLjgtNS40Yy02LjEtMy4zLTExLjYtNy41LTE2LjUtMTIuM2MtMS42LTEuNi03LjUtOC43LTguNy0xMC42Yy03LjctMTEuNC0xMi4yLTI1LjItMTIuMi00MGMwLTguNywxLjUtMTYuOSw0LjMtMjQuNmMwLjgtMi4yLDMuNy04LjUsNC4zLTkuNWMyLjgtNS4xLDExLjUtMTUuNywxMi4zLTE2LjVjMTMtMTMsMzAuOS0yMSw1MC42LTIxczM3LjcsOCw1MC42LDIxQzI3NC42LDEyNS43LDI4My40LDEzNi40LDI4Ni4xLDE0MS40eiIvPjwvZz48L2c+PC9nPjwvZz48L2c+PC9nPjwvc3ZnPg==")', }; const forbiddenProps = { status: 403, title: 'Access denied', message: 'You are not allowed to access this page', }; const notFoundProps = { status: 404, title: 'Oops ...', message: 'The page you are looking for cannot be found', }; const maintenanceProps = { status: 503, title: 'Sorry', message: 'We are under maintenance. Please retry in few minutes.', }; const notFoundWithRedirectProps = { status: 404, title: 'Oops ...', message: 'The page you are looking for cannot be found', action: { onClick: action('onBackActionClick'), label: 'Start over', }, }; export default { title: 'Messaging & Communication/HttpError', decorators: [story => <div className="col-lg-offset-2 col-lg-8">{story()}</div>], }; export const Forbidden = () => <HttpError style={forbiddenStyle} {...forbiddenProps} />; export const NotFound = () => <HttpError style={notFoundStyle} {...notFoundProps} />; export const NotFoundWithRedirectAction = () => ( <HttpError style={notFoundStyle} {...notFoundWithRedirectProps} /> ); export const Maintenance = () => <HttpError style={maintenanceStyle} {...maintenanceProps} />;
app/javascript/mastodon/main.js
masto-donte-com-br/mastodon
import * as registerPushNotifications from './actions/push_notifications'; import { setupBrowserNotifications } from './actions/notifications'; import { default as Mastodon, store } from './containers/mastodon'; import React from 'react'; import ReactDOM from 'react-dom'; import ready from './ready'; const perf = require('./performance'); function main() { perf.start('main()'); if (window.history && history.replaceState) { const { pathname, search, hash } = window.location; const path = pathname + search + hash; if (!(/^\/web($|\/)/).test(path)) { history.replaceState(null, document.title, `/web${path}`); } } ready(() => { const mountNode = document.getElementById('mastodon'); const props = JSON.parse(mountNode.getAttribute('data-props')); ReactDOM.render(<Mastodon {...props} />, mountNode); store.dispatch(setupBrowserNotifications()); if (process.env.NODE_ENV === 'production') { // avoid offline in dev mode because it's harder to debug require('offline-plugin/runtime').install(); store.dispatch(registerPushNotifications.register()); } perf.stop('main()'); }); } export default main;
app/javascript/mastodon/components/loading_indicator.js
yi0713/mastodon
import React from 'react'; import { FormattedMessage } from 'react-intl'; const LoadingIndicator = () => ( <div className='loading-indicator'> <div className='loading-indicator__figure' /> <FormattedMessage id='loading_indicator.label' defaultMessage='Loading...' /> </div> ); export default LoadingIndicator;
src/components/header.js
JakeGinnivan/Drone
import React from 'react' import { Link } from 'react-router' export default () => ( <div> <Link to="/repositories">Repositories</Link> <Link to="/issues">Issues</Link> </div> )
client/pages/sharepage.js
mickael-kerjean/nuage
import React from 'react'; import { Redirect } from 'react-router'; import { Share } from '../model/'; import { notify, basename, filetype, findParams } from '../helpers/'; import { Loader, Input, Button, Container, ErrorPage, Icon, NgIf } from '../components/'; import './error.scss'; import './sharepage.scss'; @ErrorPage export class SharePage extends React.Component { constructor(props){ super(props); this.state = { path: null, key: null, error: null, loading: false }; } componentDidMount(){ this._proofQuery(this.props.match.params.id).then(() => { if(this.refs.$input) { this.refs.$input.ref.focus(); } }); } submitProof(e, type, value){ e.preventDefault(); this.setState({loading: true}); this._proofQuery(this.props.match.params.id, {type: type, value:value}); } _proofQuery(id, data = {}){ this.setState({loading: true}); return Share.proof(id, data).then((res) => { if(this.refs.$input) { this.refs.$input.ref.value = ""; } let st = { key: res.key, path: res.path || null, share: res.id, loading: false }; if(res.message){ notify.send(res.message, "info"); }else if(res.error){ st.error = res.error; window.setTimeout(() => this.setState({error: null}), 500); } return new Promise((done) => { this.setState(st, () => done()); }); }).catch((err) => this.props.error(err)); } render() { const marginTop = () => { return { marginTop: parseInt(window.innerHeight / 3)+'px' }; }; let className = this.state.error ? "error rand-"+Math.random().toString() : ""; if(this.state.path !== null){ if(!!findParams("next")){ const url = findParams("next"); if(url[0] === "/"){ requestAnimationFrame(() => { window.location.pathname = url; }); return ( <div style={marginTop()}> <Loader /> </div> ); } notify.send("You can't do that :)", "error"); }else if(filetype(this.state.path) === "directory"){ return ( <Redirect to={`/files/?share=${this.state.share}`} /> ); }else{ return ( <Redirect to={`/view/${basename(this.state.path)}?nav=false&share=${this.state.share}`} /> ); } } else if (this.state.key === null){ return ( <div style={marginTop()}> <Loader /> </div> ); } else if(this.state.key === "code"){ return ( <Container maxWidth="300px" className="sharepage_component"> <form className={className} onSubmit={(e) => this.submitProof(e, "code", this.refs.$input.ref.value)} style={marginTop()}> <Input ref="$input" type="text" placeholder="Code" /> <Button theme="transparent"> <Icon name={this.state.loading ? "loading" : "arrow_right"}/> </Button> </form> </Container> ); } else if(this.state.key === "password"){ return ( <Container maxWidth="300px" className="sharepage_component"> <form className={className} onSubmit={(e) => this.submitProof(e, "password", this.refs.$input.ref.value)} style={marginTop()}> <Input ref="$input" type="password" placeholder="Password" /> <Button theme="transparent"> <Icon name={this.state.loading ? "loading" : "arrow_right"}/> </Button> </form> </Container> ); }else if(this.state.key === "email"){ return ( <Container maxWidth="300px" className="sharepage_component"> <form className={className} onSubmit={(e) => this.submitProof(e, "email", this.refs.$input.ref.value)} style={marginTop()}> <Input ref="$input" type="text" placeholder="Your email address" /> <Button theme="transparent"> <Icon name={this.state.loading ? "loading" : "arrow_right"}/> </Button> </form> </Container> ); } return ( <div className="error-page"> <h1>Oops!</h1> <h2>There's nothing in here</h2> </div> ); } }
admin/src/components/ListHeaderTitle.js
developer-prosenjit/keystone
import classnames from 'classnames'; import CurrentListStore from '../stores/CurrentListStore'; import Popout from './Popout'; import PopoutList from './PopoutList'; import React from 'react'; import vkey from 'vkey'; import { FormNote } from 'elemental'; const Transition = React.addons.CSSTransitionGroup; var ListHeaderTitle = React.createClass({ displayName: 'ListHeaderTitle', propTypes: { activeSort: React.PropTypes.object, invertSort: React.PropTypes.bool, popoutIsOpen: React.PropTypes.bool, title: React.PropTypes.string, openPopout: React.PropTypes.func, closePopout: React.PropTypes.func, onColumnSelect: React.PropTypes.func, }, renderColumns () { return CurrentListStore.getAvailableColumns().map((el, i) => { if (el.type === 'heading') { return <PopoutList.Heading key={'heading_' + i}>{el.label}</PopoutList.Heading>; } let path = el.field.path; let isSelected = this.props.activeSort.path === path; return ( <PopoutList.Item key={'column_' + el.field.path} icon={isSelected ? (this.props.invertSort ? 'chevron-up' : 'chevron-down') : 'dash'} iconHover={isSelected ? (this.props.invertSort ? 'chevron-down' : 'chevron-up') : 'chevron-down'} iconHoverAlt={isSelected ? (this.props.invertSort ? 'chevron-up' : 'chevron-down') : 'chevron-up'} isSelected={isSelected} label={el.field.label} onClick={(e) => { this.props.onColumnSelect(e, path); }} /> ); }); }, render () { return ( <div> <h2 className="ListHeader__title"> {this.props.title} <span> sorted by </span> <a id="listHeaderSortButton" href="javascript:;" onClick={this.props.openPopout}> {this.props.activeSort.label.toLowerCase()} {this.props.invertSort ? ' (asc)' : ' (desc)'} <span className="disclosure-arrow" /> </a> </h2> <Popout isOpen={this.props.popoutIsOpen} onCancel={this.props.closePopout} relativeToID="listHeaderSortButton"> <Popout.Header title="Sort" /> <Popout.Body scrollable> <PopoutList> {this.renderColumns()} </PopoutList> </Popout.Body> <Popout.Footer> <FormNote>Hold <kbd>alt</kbd> to toggle ascending/descending</FormNote> </Popout.Footer> </Popout> </div> ); } }); module.exports = ListHeaderTitle;
src/Components/CoffeeFilter.js
Zangriev/SampleApplication
import React, { Component } from 'react'; import CoffeeStore from "../Stores/Coffee"; let getState = () => { return { processings: CoffeeStore.getProcessings(), filter: CoffeeStore.getFilter() }; }; class CoffeeFilter extends Component { constructor(props) { super(props); this.state = getState(); this.onChange = this.onChange.bind(this); } componentDidMount() { CoffeeStore.addChangeListener(this.onChange); CoffeeStore.provideProcessings(); } componentWillUnmount() { CoffeeStore.removeChangeListener(this.onChange); } onChange() { this.setState(getState()); } render() { let processings = this.state.processings; let filter = this.state.filter; return ( <aside className="col-md-4 col-lg-3 product-filter"> <h4>Coffee processing</h4> <ProcessingFilter processings={processings} filter={filter} /> </aside> ); } } const ProcessingFilter = (props) => { let filterItems = props.processings.map((processing, index) => { return ( <ProcessingFilterItem processing={processing} filter={props.filter} key={index} /> ); }); return ( <div> {filterItems} </div> ); } const ProcessingFilterItem = (props) => { let codename = props.processing.codename; let checked = props.filter.processings.indexOf(codename) >= 0; let onChange = () => { props.filter.toggleProcessing(codename); CoffeeStore.setFilter(props.filter); } return ( <span className="checkbox js-postback"> <input id={codename} type="checkbox" checked={checked} onChange={onChange} /> <label htmlFor={codename}>{props.processing.name}</label> </span> ); } export default CoffeeFilter;
src/index.js
tiberiuc/react-redux-minimal-starter
import styles from './css/style.scss' import React from 'react' import ReactDOM from 'react-dom' import createBrowserHistory from 'history/lib/createBrowserHistory' import App from './pages/App' import configureStore from './stores' const store = configureStore() const targetEl = document.getElementById('root') const node = <App store={store}/> ReactDOM.render(node, targetEl)
fields/types/money/MoneyField.js
pswoodworth/keystone
import Field from '../Field'; import React from 'react'; import { FormInput } from 'elemental'; module.exports = Field.create({ displayName: 'MoneyField', valueChanged (event) { var newValue = event.target.value.replace(/[^\d\s\,\.\$€£¥]/g, ''); if (newValue === this.props.value) return; this.props.onChange({ path: this.props.path, value: newValue, }); }, renderField () { return <FormInput name={this.props.path} ref="focusTarget" value={this.props.value} onChange={this.valueChanged} autoComplete="off" />; }, });
src/routes/Spots/components/SpotEdit.js
ZeusTheTrueGod/WindsurfingNetwork-client
// @flow import React from 'react'; import SpotEditForm from './SpotEditForm'; import { Grid } from 'react-bootstrap'; import { type SpotForm, type Values } from '../modules/spotEdit'; export type StateProps = {| form: ?SpotForm, |}; export type DispatchProps = {| onSubmit: (values: Values) => any, onCancel: () => any, onRotateLeft: Function, onRotateRight: Function, |}; export type Props = {| ...StateProps, ...DispatchProps |}; const SpotEdit = ({ form, onRotateLeft, onRotateRight, onSubmit, onCancel }: Props): React$Element<any> => { if (!form) { return <div>Loading...</div>; } return ( <div style={{ overflowY: 'auto', height: 'calc(100% - 70px)' }}> <Grid> <h1> Editing an existing spot </h1> <SpotEditForm onRotateLeft={onRotateLeft} onRotateRight={onRotateRight} onSubmit={onSubmit} onCancel={onCancel} initialValues={form.values} lookups={form.lookups} /> </Grid> </div> ); }; export default SpotEdit;
client/admin/settings/inputs/IntSettingInput.js
subesokun/Rocket.Chat
import { Box, Field, Flex, InputBox } from '@rocket.chat/fuselage'; import React from 'react'; import { ResetSettingButton } from '../ResetSettingButton'; export function IntSettingInput({ _id, label, value, placeholder, readonly, autocomplete, disabled, onChangeValue, hasResetButton, onResetButtonClick, }) { const handleChange = (event) => { onChangeValue && onChangeValue(parseInt(event.currentTarget.value, 10)); }; return <> <Flex.Container> <Box> <Field.Label htmlFor={_id} title={_id}>{label}</Field.Label> {hasResetButton && <ResetSettingButton data-qa-reset-setting-id={_id} onClick={onResetButtonClick} />} </Box> </Flex.Container> <Field.Row> <InputBox data-qa-setting-id={_id} id={_id} type='number' value={value} placeholder={placeholder} disabled={disabled} readOnly={readonly} autoComplete={autocomplete === false ? 'off' : undefined} onChange={handleChange} /> </Field.Row> </>; }
src/routes.js
JeremyJonas/react-redux-universal-hot-example
import React from 'react'; import {Route} from 'react-router'; import { App, Home, Widgets, About, Login, RequireLogin, LoginSuccess, Survey, NotFound, } from 'containers'; export default function(store) { return ( <Route component={App}> <Route path="/" component={Home}/> <Route path="/widgets" component={Widgets}/> <Route path="/about" component={About}/> <Route path="/login" component={Login}/> <Route component={RequireLogin} onEnter={RequireLogin.onEnter(store)}> <Route path="/loginSuccess" component={LoginSuccess}/> </Route> <Route path="/survey" component={Survey}/> <Route path="*" component={NotFound}/> </Route> ); }
src/widgets/Rectangle.js
sussol/mobile
import React from 'react'; import { View } from 'react-native'; import PropTypes from 'prop-types'; import { DANGER_RED } from '../globalStyles'; const SIZES = { large: { width: 120, height: 40 }, }; export const Rectangle = ({ children, colour, size }) => { const dimensions = SIZES[size]; const background = { backgroundColor: colour }; const internalStyle = [containerStyle, dimensions, background]; return <View style={internalStyle}>{children}</View>; }; const containerStyle = { borderRadius: 5.33, }; Rectangle.defaultProps = { children: null, colour: DANGER_RED, size: 'large', }; Rectangle.propTypes = { children: PropTypes.node, colour: PropTypes.string, size: PropTypes.string, };
app/static/scripts/layout/header/main.js
joshleeb/WordpressPylon
import AuthActions from '../../auth/actions.js'; import AuthStore from '../../auth/store.js'; import AuthConstants from '../../auth/constants.js'; import {IndexLink} from 'react-router'; import React from 'react'; require('./styles.scss'); export default class Header extends React.Component { constructor() { super(); this.state = { authenticated: AuthStore.isAuthenticated() }; } componentWillMount() { AuthStore.addChangeListener(this.onChange); } componentWillUnmount() { AuthStore.removeChangeListener(this.onChange); } onChange = () => { this.setState({ authenticated: AuthStore.isAuthenticated() }); } logout = (e) => { e.preventDefault(); AuthActions.logUserOut(); } render() { let logoutLink = <li><a onClick={this.logout}>Logout</a></li>; if (!this.state.authenticated) { logoutLink = null; } return ( <header id="header"> <nav className="navbar navbar-fixed-top" role="navigation"> <div className="container-fluid"> <IndexLink to="/" className="navbar-brand">Wordpress</IndexLink> <div className="navbar-right" > <ul className="nav navbar-nav"> {logoutLink} </ul> </div> </div> </nav> </header> ); } }
src/components/App.js
vvinhas/react-redux-boilerplate
/** * This is your main component. Feel free to change it however you want. */ import React from 'react'; const App = () => ( <div className="hero is-success is-bold is-fullheight"> <div className="hero-body"> <div className="container has-text-centered"> <h1 className="title is-1">You made it!</h1> </div> </div> </div> ); export default App;
definitions/npm/redux-form_v5.x.x/flow_>=v0.22.1/redux-form_v5.x.x.js
LegNeato/flow-typed
// @flow import React from 'react'; declare module 'redux-form' { declare type InputProps = { name: string, value: string | number | boolean, valid: boolean, invalid: boolean, dirty: boolean, pristine: boolean, active: boolean, touched: boolean, visited: boolean, autofilled: boolean, error?: string }; declare type FormProps = { active: string, asyncValidate: (values: Object, dispatch: Function, props: Object) => Promise<void>, asyncValidating: string | boolean, destroyForm: Function, dirty: boolean, error: string, fields: { [fieldName: string]: InputProps }, handleSubmit: (data: { [field: string]: string }) => void | Promise<any>, initializeForm: (data:Object) => any, invalid: boolean, pristine: boolean, resetForm: Function, formKey: string, submitting: boolean, submitFailed: boolean, touch: (...fields: Array<string>) => void, touchAll: () => void, untouch: (...fields: Array<string>) => void, untouchAll: () => void, valid: boolean, values: Object }; declare type FormConfig = { fields: Array<string>, form: string, alwaysAsyncValidate?: boolean, asyncBlurFields?: Array<string>, asyncValidate?: (values: Object, dispatch: Function, props: Object) => Promise<void>, destroyOnUnmount?: boolean, formKey?: string, getFormState?: (state: Object, reduxMountPoint: string) => mixed, initialValues?: { [field: string]: string }, onSubmit?: Function, onSubmitFail?: Function, onSubmitSuccess?: Function, verwriteOnInitialValuesChange?: boolean, propNamespace?: string, readonly?: boolean, reduxMountPoint?: String, returnRejectedSubmitPromise?: boolean, touchOnBlur?: boolean, touchOnChange?: boolean, validate?: (values:Object, props:Object) => Object }; declare function reduxForm(config: FormConfig, mapStateToProps?: Function, mapDispatchToProps?: Function, mergeProps?: any, options?: Object): (component: React.Component) => React.Component; declare function reducer(state: any, action: Object): any; declare function getValues(state: any): any; }
docs/Documentation/IconPage.js
reactivers/react-mcw
/** * Created by muratguney on 29/03/2017. */ import React from 'react'; import {Card, CardHeader,Icon,Table, TableRow, TableHeaderColumn, TableHeader, TableRowColumn, TableBody} from '../../lib'; import HighLight from 'react-highlight.js' export default class CardPage extends React.Component { state = {open: false}; render() { let document = ` <Icon iconName="menu"/> <Icon iconName="add" iconSize={54}/> <Icon iconName="mode_edit" iconSize={54} iconColor="green"/> <Icon iconName="share" iconSize={54} iconColor="white" style={{backgroundColor:"orange",borderRadius:"50%",padding:"4px"}}/> `; return ( <Card style={{padding: 8}}> <CardHeader title="Icon"/> <div style={{display: "flex", alignItems: "center", justifyContent: "space-around"}}> <Icon iconName="menu"/> <Icon iconName="add" iconSize={54}/> <Icon iconName="mode_edit" iconSize={54} iconColor="green"/> <Icon iconName="share" iconSize={54} iconColor="white" style={{backgroundColor: "orange", borderRadius: "50%", padding: 4}}/> </div> <HighLight source="javascript"> {document} </HighLight> <CardHeader title="Icon properties"/> <Table> <TableHeader> <TableRow> <TableHeaderColumn>Props</TableHeaderColumn> <TableHeaderColumn>Type</TableHeaderColumn> <TableHeaderColumn>Description</TableHeaderColumn> </TableRow> </TableHeader> <TableBody> <TableRow> <TableRowColumn>iconName</TableRowColumn> <TableRowColumn>String</TableRowColumn> <TableRowColumn>Any material icons.</TableRowColumn> </TableRow> <TableRow> <TableRowColumn>iconSize</TableRowColumn> <TableRowColumn>Number</TableRowColumn> <TableRowColumn>Size of icon.</TableRowColumn> </TableRow> <TableRow> <TableRowColumn>iconColor</TableRowColumn> <TableRowColumn>String</TableRowColumn> <TableRowColumn>Color of icon.</TableRowColumn> </TableRow> <TableRow> <TableRowColumn>style</TableRowColumn> <TableRowColumn>Object</TableRowColumn> <TableRowColumn>Also you can set style of icon by inline-style.</TableRowColumn> </TableRow> </TableBody> </Table> </Card> ) } }
src/svg-icons/file/cloud-off.js
mmrtnz/material-ui
import React from 'react'; import pure from 'recompose/pure'; import SvgIcon from '../../SvgIcon'; let FileCloudOff = (props) => ( <SvgIcon {...props}> <path d="M19.35 10.04C18.67 6.59 15.64 4 12 4c-1.48 0-2.85.43-4.01 1.17l1.46 1.46C10.21 6.23 11.08 6 12 6c3.04 0 5.5 2.46 5.5 5.5v.5H19c1.66 0 3 1.34 3 3 0 1.13-.64 2.11-1.56 2.62l1.45 1.45C23.16 18.16 24 16.68 24 15c0-2.64-2.05-4.78-4.65-4.96zM3 5.27l2.75 2.74C2.56 8.15 0 10.77 0 14c0 3.31 2.69 6 6 6h11.73l2 2L21 20.73 4.27 4 3 5.27zM7.73 10l8 8H6c-2.21 0-4-1.79-4-4s1.79-4 4-4h1.73z"/> </SvgIcon> ); FileCloudOff = pure(FileCloudOff); FileCloudOff.displayName = 'FileCloudOff'; FileCloudOff.muiName = 'SvgIcon'; export default FileCloudOff;
client/src/components/layouts/GuideLayout.js
pahosler/freecodecamp
import React from 'react'; import PropTypes from 'prop-types'; import { StaticQuery, graphql } from 'gatsby'; import { Col, Row } from '@freecodecamp/react-bootstrap'; import { NavigationContext } from '../../contexts/GuideNavigationContext'; import DefaultLayout from './Default'; import SideNav from './components/guide/SideNav'; import Spacer from '../helpers/Spacer'; import 'prismjs/themes/prism.css'; import './guide.css'; const propTypes = { children: PropTypes.any, data: PropTypes.shape({ allNavigationNode: PropTypes.shape({ edges: PropTypes.arrayOf( PropTypes.shape({ node: PropTypes.shape({ dashedName: PropTypes.string, isStubbed: PropTypes.bool, path: PropTypes.string, title: PropTypes.string }) }) ) }) }), location: PropTypes.object }; const Layout = ({ children }) => ( <StaticQuery query={graphql` query LayoutQuery { allNavigationNode { edges { node { dashedName hasChildren isStubbed parentPath path title } } } } `} render={data => { const { edges } = data.allNavigationNode; const pages = edges.map(edge => edge.node); return ( <NavigationContext> {({ toggleDisplaySideNav, displaySideNav, expandedState, toggleExpandedState }) => ( <DefaultLayout> <Spacer size={2} /> <Row> <Col md={4} smHidden={!displaySideNav} xsHidden={!displaySideNav} > <SideNav expandedState={expandedState} pages={pages} toggleDisplaySideNav={toggleDisplaySideNav} toggleExpandedState={toggleExpandedState} /> </Col> <Col className='content' md={8} smHidden={displaySideNav} xsHidden={displaySideNav} > <main className='main' id='main' tabIndex='-1'> {children} </main> </Col> </Row> </DefaultLayout> )} </NavigationContext> ); }} /> ); Layout.displayName = 'Layout'; Layout.propTypes = propTypes; export default Layout;
src/svg-icons/image/burst-mode.js
nathanmarks/material-ui
import React from 'react'; import pure from 'recompose/pure'; import SvgIcon from '../../SvgIcon'; let ImageBurstMode = (props) => ( <SvgIcon {...props}> <path d="M1 5h2v14H1zm4 0h2v14H5zm17 0H10c-.55 0-1 .45-1 1v12c0 .55.45 1 1 1h12c.55 0 1-.45 1-1V6c0-.55-.45-1-1-1zM11 17l2.5-3.15L15.29 16l2.5-3.22L21 17H11z"/> </SvgIcon> ); ImageBurstMode = pure(ImageBurstMode); ImageBurstMode.displayName = 'ImageBurstMode'; ImageBurstMode.muiName = 'SvgIcon'; export default ImageBurstMode;
src/components/login.js
hlebbobulka/react-cart
import React from 'react'; import axios from 'axios'; import Form from "react-jsonschema-form"; const log = (type) => console.log.bind(console, type); const loginForm = { "title": "Войти", "description": "Уже зарегистрированы? Войдите:", "type": "object", "required": [ "email", "password" ], "properties": { "email": { "type": "string", "title": "Ваш E-mail или телефон" }, "password": { "type": "string", "title": "Пароль", "minLength": 6 } } }; const uiSchema = { "email": { "ui:autofocus": true, "ui:emptyValue": "" }, "password": { "ui:widget": "password" } }; function ErrorListTemplate(props) { const {errors} = props; return ( <div> <legend>Ошибка(и)</legend> {errors.map((error, i) => { return ( <div className="alert alert-danger" role="alert" key={i}> {error.stack} </div> ); })} </div> ); } function validate(formData, errors) { if (formData.password !== formData.password2) { errors.password2.addError("Пароли не совпадают :("); } return errors; } class Register extends React.Component { constructor(props) { super(props); this.state = { step : 1 }; } componentDidMount() { } render() { return ( <div className={this.props.col}> <Form schema={loginForm} uiSchema={uiSchema} onChange={log("changed")} onSubmit={log("submitted")} onError={log("errors")} ErrorList={ErrorListTemplate} > <div> <button type="submit" className="btn btn-primary">Войти</button> <button type="button" className="btn btn-primary">Регистрация</button> </div> </Form> </div> ); } } export default Register;
src/containers/Asians/TabControls/_components/AdjudicatorsAddMany/EvaluateComponent/index.js
westoncolemanl/tabbr-web
import React from 'react' import { connect } from 'react-redux' import Button from 'material-ui/Button' import Instance from './Instance' import findInvalidInstitutions from './findInvalidInstitutions' import onSubmit from './onSubmit' export default connect(mapStateToProps)(({ draft, onChange, institutions, tournament, dispatch, onNext }) => { const invalidInstitutions = findInvalidInstitutions(draft, institutions) return ( <div> {draft.map((draftItem, index) => <Instance key={index} draft={draft} draftItem={draftItem} draftIndex={index} onChange={onChange} invalidInstitutions={invalidInstitutions} /> )} <div className={'flex flex-row justify-end mt3'} > <Button color={'secondary'} onClick={() => onChange([])} children={'CLEAR'} /> <Button variant={'raised'} color={'primary'} onClick={() => { onSubmit( draft, tournament, institutions, dispatch, onChange ) if (onNext) { onNext() } }} children={'SUBMIT'} disabled={invalidInstitutions.length > 0} /> </div> </div> ) }) function mapStateToProps (state, ownProps) { return { institutions: Object.values(state.institutions.data), tournament: state.tournaments.current.data } }
src/components/Contentful/StaticContent/Sidebar/presenter.js
ndlib/usurper
// Presenter component for a Floor content type from Contentful import React from 'react' import PropTypes from 'prop-types' import 'static/css/global.css' import LibMarkdown from 'components/LibMarkdown' import PageLink from '../../PageLink' import Librarians from 'components/Librarians' import Related from '../../Related' import ServicePoint from 'components/Contentful/ServicePoint' const Presenter = ({ cfStatic, inline, showDescription }) => ( <aside key={`ContentfulSidebar_${cfStatic.sys.id}`} className={inline ? '' : 'col-md-4 col-sm-5 col-xs-12 right'}> <PageLink className='button callout' cfPage={cfStatic.fields.callOutLink} /> {showDescription ? <LibMarkdown>{cfStatic.fields.shortDescription}</LibMarkdown> : null} <Librarians netids={cfStatic.fields.contactPeople} /> { cfStatic.fields.servicePoints && cfStatic.fields.servicePoints.map((point, index) => { return <ServicePoint cfServicePoint={point} key={index + '_point'} /> }) } <Related className='p-pages' title='Related Pages' showImages={false}>{cfStatic.fields.relatedPages}</Related> </aside> ) Presenter.propTypes = { cfStatic: PropTypes.object.isRequired, inline: PropTypes.bool, showDescription: PropTypes.bool, } export default Presenter
packages/xo-web/src/common/xo/import-vdi-modal/index.js
vatesfr/xo-web
import _ from 'intl' import Component from 'base-component' import Dropzone from 'dropzone' import React from 'react' export default class ImportVdiModalBody extends Component { get value() { return this.state.file } render() { const { file } = this.state return ( <Dropzone onDrop={this.linkState('file', '0')} message={file === undefined ? _('selectVdiMessage') : file.name} multiple={false} /> ) } }
4-add-universal/src/layout/index.js
chemoish/react-universal-tutorial
import React from 'react'; import { Link } from 'react-router'; export default function Layout(props) { return ( <div> <header> <nav> <ul> <li> <Link to="/">Home</Link> </li> <li> <Link to="/about">About</Link> </li> <li> <Link to="/settings">Settings</Link> </li> </ul> </nav> </header> <main> {props.children} </main> <footer>Footer</footer> </div> ); };
app/app/components/Dashboard/DashboardHeader.js
lycha/masters-thesis
import React from 'react'; class DashboardHeader extends React.Component { constructor(props) { super(props); this.displayName = 'DashboardHeader'; this.title = ""; } componentWillUpdate(nextProps, nextState) { if (typeof nextProps.product != 'undefined' && typeof nextProps.entity != 'undefined') { this.title = nextProps.product.name + ' in ' + nextProps.entity.name; } } render() { return ( <h1>{this.title}</h1>); } } export default DashboardHeader;
node_modules/react-router/es6/Lifecycle.js
ZSMingNB/react-news
import warning from './routerWarning'; import React from 'react'; import invariant from 'invariant'; var object = React.PropTypes.object; /** * The Lifecycle mixin adds the routerWillLeave lifecycle method to a * component that may be used to cancel a transition or prompt the user * for confirmation. * * On standard transitions, routerWillLeave receives a single argument: the * location we're transitioning to. To cancel the transition, return false. * To prompt the user for confirmation, return a prompt message (string). * * During the beforeunload event (assuming you're using the useBeforeUnload * history enhancer), routerWillLeave does not receive a location object * because it isn't possible for us to know the location we're transitioning * to. In this case routerWillLeave must return a prompt message to prevent * the user from closing the window/tab. */ var Lifecycle = { contextTypes: { history: object.isRequired, // Nested children receive the route as context, either // set by the route component using the RouteContext mixin // or by some other ancestor. route: object }, propTypes: { // Route components receive the route object as a prop. route: object }, componentDidMount: function componentDidMount() { process.env.NODE_ENV !== 'production' ? warning(false, 'the `Lifecycle` mixin is deprecated, please use `context.router.setRouteLeaveHook(route, hook)`. http://tiny.cc/router-lifecyclemixin') : void 0; !this.routerWillLeave ? process.env.NODE_ENV !== 'production' ? invariant(false, 'The Lifecycle mixin requires you to define a routerWillLeave method') : invariant(false) : void 0; var route = this.props.route || this.context.route; !route ? process.env.NODE_ENV !== 'production' ? invariant(false, 'The Lifecycle mixin must be used on either a) a <Route component> or ' + 'b) a descendant of a <Route component> that uses the RouteContext mixin') : invariant(false) : void 0; this._unlistenBeforeLeavingRoute = this.context.history.listenBeforeLeavingRoute(route, this.routerWillLeave); }, componentWillUnmount: function componentWillUnmount() { if (this._unlistenBeforeLeavingRoute) this._unlistenBeforeLeavingRoute(); } }; export default Lifecycle;
src/components/Card.js
henrytao-me/react-native-mdcore
import React from 'react' import { View } from 'react-native' import PropTypes from './PropTypes' import PureComponent from './PureComponent' import StyleSheet from './StyleSheet' export default class Card extends PureComponent { static contextTypes = { theme: PropTypes.any } render() { const { theme } = this.context const styles = Styles.get(theme) return ( <View style={[styles.container, this.props.style]}> {this.props.children} </View> ) } } const Styles = StyleSheet.create((theme) => { const container = { borderRadius: 2, shadowColor: '#000000', shadowOpacity: 1, shadowRadius: 10, shadowOffset: { height: 1, width: 0.3, } } return { container } })
packages/@lyra/default-layout/src/components/ErrorBorkImage.js
VegaPublish/vega-studio
import React from 'react' const ErrorBorkImage = () => ( <svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 680 680"> <path fill="#f85040" d="M223 190c-3 2-3 3-2 12a2299 2299 0 0 1 11 119l1 5 13 4 17 5c6 0 20 3 41 7 17 4 31 6 50 8a304 304 0 0 1 48 8c6 0 24 2 30 4 6 1 26 3 30 2l4-2c1-4-1-25-3-40l-7-49-6-40-3-3a320 320 0 0 1-55-10l-36-7a1289 1289 0 0 0-96-18l-12-3-19-5c-3 0-4 0-6 3z" /> <path d="M277 18c0 2 3 7 5 8 3 2 4 3 1 3l-2 2c0 3 6 9 8 9 4 0 2 2-5 4-11 5-25 12-27 15-5 5-1 14 7 15 3 1 4 2 4 4 0 4 5 9 11 11l12 2c6 2 8 2 10 5s10 8 18 11l5 1-10 1c-10 0-16 2-17 5 0 2 5 7 11 11l14 5 11 5 6 4c2 0 3 1 4 3s3 3 8 0l4-1c3 0 2-2-1-6l-3-4 5-1c4 0 4 0 4-2-1-4-5-5-22-5h-20l-9-2c-10-5-7-5 30-5 30 0 32-1 33-2 0-4-3-5-34-9l-10-1 23-1a684 684 0 0 0 43-4c0-3-5-5-21-7l-16-3h9c15-2 17-2 17-4 0-5-8-7-30-11l-12-1 13-5 21-8c7-3 14-10 14-12l2-2c5 0 2-5-6-10-4-2-10-4-14-4l-6-2 2-1c0-3-4-6-9-7a436 436 0 0 0-59-1c-7-2-22-4-22-3zm57 14l-18 3c-12 2-19 2-25 0-2-1-2-1 3-2 3-1 10-2 26-2s19 0 14 1zm25 8zm-11 6c38 0 37 0 26 7-6 3-6 3-10 2l-20-1c-23 1-39 4-61 12-11 4-15 4-14 0 2-4 7-9 14-13 10-5 24-9 27-9l38 2zm-84 18l1 3c0 2-2 2-4 1v-3c1-2 3-3 3-1zm60 6c-8 1-22 4-31 4-10 1-9 1 14-3 20-3 24-4 16-1zm30 10l8 2c-2 2-65 5-65 3l10-5c8-2 28-2 47 0zm-68 1c4 0 5 0 5 3l-1 2-16-4c-2-2 0-3 3-3l9 2zm75 15c1 1-3 1-20 1-16 0-23-1-24-2-2-1 1-1 20-1l24 2zm-48 56l-7 3-10 3-16 5-13 4c-5 0-17-3-24-5-10-3-11-3-26 6l-13 8-1 8 1 15a424 424 0 0 1 8 67c1 29 4 63 6 69 1 3 6 5 20 8l14 4a316 316 0 0 0-35 21l-46 25c-14 7-17 9-27 18l-6 4c-5 0-24 2-28 4l-17 1c-17 1-31 4-34 7-3 2 0 8 4 9l3 2-4 2c-5 3-5 3-3 6 3 4 7 5 17 3l13-2h4l-2 3c-2 4-1 10 1 12 5 5 12 4 19-3 10-9 14-10 29-10 10-1 11-1 14-3l4-2a222 222 0 0 1 25-12c8-3 11-5 28-15a278 278 0 0 1 52-24l7-3v20l2 31c2 10 4 42 4 54v4l-6 3-11 2-27 4-18 4a236 236 0 0 0-29 6l-86 23c-11 4-13 5-11 8 1 2 1 2-1 4l-3 1-2 1-6-7c-6-14-11-20-17-27l-6-7h-8c-5 0-8 0-13 3s-6 4-8 8-2 4-1 12c3 11 15 31 26 44 7 6 11 7 20 6l11-2c4 0 6-1 10-6 6-5 10-7 10-3 1 2 1 2 5 2 5 0 16-3 22-7l14-5 15-5 17-5 18-4 11-2 12-2 18-4c6-1 13-3 16-5l13-3 11-3c8-2 19-2 30 1l17 4c10 2 21 5 23 7l2 4c0 3-11 17-19 27l-6 6-3-6c-2-7-4-10-10-12-4-2-13-3-19-1-7 2-12 8-15 16-3 9-4 21-2 27l2 11c3 17 7 30 13 34l6 5c5 4 10 5 17 5 7-1 8-2 10-13 0-7 2-10 4-10 4 0 8-4 19-17a812 812 0 0 1 74-73c10-9 14-11 20-14l6-1v-41c0-47 1-61 4-68 2-6 4-7 7-5 3 1 22 16 31 24l23 17a415 415 0 0 1 62 35l-1 8-5 20c0 4 5 6 8 5s9-8 13-14c6-8 6-8 14-1 14 11 16 13 22 15 8 5 14 3 14-2 0-3-1-5-11-14l-11-11 4 1 12 5c11 4 18 4 22 1 7-6-1-14-19-18l-9-3h7c10 1 30-1 32-3 4-5-4-11-15-13-4 0-5 0-4-2 3-2 2-6 0-7-4-3-18-3-28 0l-11 3-12-6-27-17a800 800 0 0 1-86-58l-3-2h4c9 0 11-1 13-3a428 428 0 0 0 20-15l3-3v-9l-1-10 5-6 16-20 1-8c0-7 0-9-6-45a272 272 0 0 1-5-42l-5-30c0-4-2-6-6-7l-9-2-8-1-12-3-14-4-19-4-36-6-42-5c-51-8-54-8-60-7zm31 7a1129 1129 0 0 0 70 10 587 587 0 0 1 92 19l8 2 1 6 5 40c1 15 4 34 7 47 1 9 3 28 2 30-2 4-10 14-16 19l-6 7 1 10v10l-7 7c-6 4-9 6-13 7l-6 2h-19a670 670 0 0 0-58-6l-14-2-21-4c-17-4-24-5-45-7-12-1-26-4-42-8a539 539 0 0 0-60-14c-2-1-5-45-5-66 0-20-3-43-7-65l-2-16v-7l13-7 16-8 6 2c4 2 9 3 23 5 6 1 7 1 15-2a177 177 0 0 1 27-9c6-4 7-4 16-4l19 2zm-64 194c20 5 36 8 49 9l40 6a219 219 0 0 0 44 7l18 2c26 3 28 3 36 7l13 10 14 10a890 890 0 0 1 65 42c17 10 34 22 34 23 0 3-14 17-19 20-1 1-4-1-14-7-18-11-27-16-32-17-10-4-25-14-40-26l-32-25c-7-3-13 0-16 7s-4 21-4 67l-1 41-3 1c-6 2-10 2-20 1l-22-3-14-1-13-2c-16-2-58-16-74-24l-7-4v-16l-4-40c-2-18-2-27-2-41 0-17 0-18-2-18l-14 6-19 8c-9 3-26 11-46 23a264 264 0 0 1-33 17c-5 3-8 3-13-2-4-3-5-6-6-9 0-3 0-4 5-8 9-9 14-12 28-19a573 573 0 0 0 68-38c7-3 14-7 15-9l5-2 16 4zm-142 73l8 11 5 5-4 1-13 1c-8-1-10 0-15 2l-11 7c-14 14-18 6-5-9 2-2 6-5 10-6 7-4 9-7 4-8-3 0-11 3-16 8-3 2-5 3-10 3l-10 2-9 1c-5 1-5 1 11-7 24-12 35-16 49-16h5l1 5zm-56 4c-7 3-8 4-13 3l-6-1c-1-1 5-3 12-4l7-2h4c4 0 4 0-4 4zm551 36c0 2-6 4-13 6l-7 2 2 2 2 2 11-1h19l7 2c0 1-4 2-21 3l-18 1c-2 1-2 4 0 7l13 4c11 3 18 6 18 8 0 1-5 3-8 3s-13-3-27-9h-6c-2 2 1 7 12 17l11 11-2 1c-4 2-11-2-19-10-7-6-17-13-19-13-3 0-6 3-11 10l-6 7-3 3v-4l4-11c1-4 2-8 1-10 0-2 0-2 2-2 4 0 13-7 20-17 5-6 5-7 10-7l10-3a84 84 0 0 1 18-3v1zm-325 48a183 183 0 0 0 28 9c8 2 17 5 23 5a718 718 0 0 1 43 7l16 1-3 3c-28 25-61 57-75 74l-11 13v-7c-1-8-4-16-8-19-4-4-3-8 3-15l7-8 18-22c1-4 0-9-3-12-3-4-15-8-27-10-10-1-18-3-24-6-5-2-21-1-28 1l-9 2-13 4-30 7a817 817 0 0 0-93 26l-17 6-2-4c-1-7-3-12-7-17-3-4-4-5-2-4l10-2 13-4 29-8a714 714 0 0 1 60-14c23-6 38-9 50-10l20-4 7-3 6 3 19 8zM96 562c2 6 2 8 0 8-2 1-2 0-5-6l-2-7c0-1 3-2 5-1l2 6zm227 52c1 6 0 15-2 16s-2 1-2-3l-1-14v-10l2 4 3 7z" /> <path d="M266 229l4 7 3 6-3 4c-4 3-5 6-3 7 1 1 8-1 10-3l3-2 6 6c7 7 9 8 9 4l-5-8-6-6 3-4c4-4 4-7 1-8-3-2-3-1-7 2l-3 3-5-5c-5-6-7-6-7-3zm63 16l-2 7-4 18c-2 9-2 11-1 13 2 5 15 11 17 8 1-1 0-4-2-4l-6-3-3-2 2-5c3-12 5-26 3-30-1-3-3-4-4-2zm46 6l3 5 3 4-5 6c-3 4-4 5-3 6 2 3 8 2 11-1 2-3 2-3 6 3 1 3 6 7 7 7v-7l-3-5-3-4 5-6c6-4 6-5 5-7-2-4-6-4-11 2l-3 3-5-4c-5-4-7-5-7-2zm-78 52c-1 2 1 4 3 4l4 1 7 1 8 2c3 1 3 1 3 8 0 8 2 13 6 18 4 4 8 5 15 5 9 1 13-4 13-17l2-8c4 1 18 4 20 6 4 2 6 1 6-1 0-5-5-8-16-10l-19-3-29-5-16-2c-6-1-7-1-7 1zm36 11v6c0 4 1 5 3 8 3 3 4 2 4-6-1-8-1-8 6-6 4 0 4 1 4 3 0 6-2 12-5 14s-3 3-7 2c-6-1-9-5-9-11l-1-8c0-3 0-3 2-3l3 1z" /> </svg> ) export default ErrorBorkImage
fields/types/date/DateFilter.js
BlakeRxxk/keystone
import _ from 'underscore'; import classNames from 'classnames'; import React from 'react'; import { FormField, FormInput, FormRow, FormSelect, SegmentedControl } from 'elemental'; const TOGGLE_OPTIONS = [ { label: 'Matches', value: false }, { label: 'Does NOT Match', value: true } ]; const MODE_OPTIONS = [ { label: 'On', value: 'on' }, { label: 'After', value: 'after' }, { label: 'Before', value: 'before' }, { label: 'Between', value: 'between' } ]; var NumberFilter = React.createClass({ getInitialState () { return { modeValue: MODE_OPTIONS[0].value, // 'on' modeLabel: MODE_OPTIONS[0].label, // 'On' inverted: TOGGLE_OPTIONS[0].value, value: '' }; }, componentDidMount () { // focus the text input React.findDOMNode(this.refs.input).focus(); }, toggleInverted (value) { this.setState({ inverted: value }); }, selectMode (mode) { // TODO: implement w/o underscore this.setState({ modeValue: mode, modeLabel: _.findWhere(MODE_OPTIONS, { value: mode }).label }); // focus the text input after a mode selection is made React.findDOMNode(this.refs.input).focus(); }, renderToggle () { return ( <FormField> <SegmentedControl equalWidthSegments options={TOGGLE_OPTIONS} value={this.state.inverted} onChange={this.toggleInverted} /> </FormField> ); }, renderControls () { let controls; let { field } = this.props; let { modeLabel, modeValue } = this.state; let placeholder = field.label + ' is ' + modeLabel.toLowerCase() + '...'; if (modeValue === 'between') { controls = ( <FormRow> <FormField width="one-half"> <FormInput ref="input" placeholder="From" /> </FormField> <FormField width="one-half"> <FormInput placeholder="To" /> </FormField> </FormRow> ); } else { controls = ( <FormField> <FormInput ref="input" placeholder={placeholder} /> </FormField> ); } return controls; }, render () { let { modeLabel, modeValue } = this.state; return ( <div> {this.renderToggle()} <FormSelect options={MODE_OPTIONS} onChange={this.selectMode} value={modeValue} /> {this.renderControls()} </div> ); } }); module.exports = NumberFilter;
fields/types/geopoint/GeoPointField.js
jacargentina/keystone
import Field from '../Field'; import React from 'react'; import { FormRow, FormField, FormInput } from 'elemental'; module.exports = Field.create({ displayName: 'GeopointField', focusTargetRef: 'lat', valueChanged (which, event) { this.props.value[which] = event.target.value; this.props.onChange({ path: this.props.path, value: this.props.value, }); }, renderValue () { if (this.props.value[1] && this.props.value[0]) { return <FormInput noedit>{this.props.value[1]}, {this.props.value[0]}</FormInput>; // eslint-disable-line comma-spacing } return <FormInput noedit>(not set)</FormInput>; }, renderField () { return ( <FormRow> <FormField width="one-half"> <FormInput name={this.props.path + '[1]'} placeholder="Latitude" ref="lat" value={this.props.value[1]} onChange={this.valueChanged.bind(this, 1)} autoComplete="off" /> </FormField> <FormField width="one-half"> <FormInput name={this.props.path + '[0]'} placeholder="Longitude" ref="lng" value={this.props.value[0]} onChange={this.valueChanged.bind(this, 0)} autoComplete="off" /> </FormField> </FormRow> ); }, });
src/js/components/dialogs/dialog-operation-button/dialog-operation-button.js
ucev/blog
import React from 'react' import './dialog-operation-button.style.scss' export default ({ buttonType = '', title = '', click = () => {} }) => { let className = 'dialog-operation-button' if (buttonType) { className += ` dialog-${buttonType}-button` } return ( <button className={className} onClick={click}> {title} </button> ) }
client/component/result/column/context-value.js
johngodley/search-regex
/** * External dependencies */ import React from 'react'; import { translate as __ } from 'i18n-calypso'; /** * Internal dependencies */ import ContextType from '../context-type'; function ContextValue( { context, rowId, column, schema, setReplacement, className } ) { if ( context.type === 'keyvalue' ) { return ( <> <ContextValue rowId={ rowId } column={ column } schema={ schema } setReplacement={ setReplacement } context={ context.key } className="searchregex-list__key" /> = <ContextValue rowId={ rowId } column={ column } schema={ schema } setReplacement={ setReplacement } context={ context.value } className="searchregex-list__value" /> </> ); } return ( <> <ContextType context={ context } rowId={ rowId } column={ column } schema={ schema } setReplacement={ setReplacement } className={ className } /> </> ); } export default ContextValue;
blueprints/form/files/__root__/forms/__name__Form/__name__Form.js
SurfaceW/connectify_client
import React from 'react' import { reduxForm } from 'redux-form' export const fields = [] const validate = (values) => { const errors = {} return errors } type Props = { handleSubmit: Function, fields: Object, } export class <%= pascalEntityName %> extends React.Component { props: Props; defaultProps = { fields: {}, } render() { const { fields, handleSubmit } = this.props return ( <form onSubmit={handleSubmit}> </form> ) } } <%= pascalEntityName %> = reduxForm({ form: '<%= pascalEntityName %>', fields, validate })(<%= pascalEntityName %>) export default <%= pascalEntityName %>
src/routes/notFound/NotFound.js
OlegVitiuk/Majsternia
/** * React Starter Kit (https://www.reactstarterkit.com/) * * Copyright © 2014-present Kriasoft, LLC. All rights reserved. * * This source code is licensed under the MIT license found in the * LICENSE.txt file in the root directory of this source tree. */ import React from 'react'; import PropTypes from 'prop-types'; import withStyles from 'isomorphic-style-loader/lib/withStyles'; import s from './NotFound.css'; class NotFound extends React.Component { static propTypes = { title: PropTypes.string.isRequired, }; render() { return ( <div className={s.root}> <div className={s.container}> <h1>{this.props.title}</h1> <p>Sorry, the page you were trying to view does not exist.</p> </div> </div> ); } } export default withStyles(s)(NotFound);
docs/src/Root.js
aabenoja/react-bootstrap
import React from 'react'; import Router from 'react-router'; const Root = React.createClass({ statics: { /** * Get the doctype the page expects to be rendered with * * @returns {string} */ getDoctype() { return '<!doctype html>'; }, /** * Get the list of pages that are renderable * * @returns {Array} */ getPages() { return [ 'index.html', 'getting-started.html', 'components.html' ]; }, renderToString(props) { return Root.getDoctype() + React.renderToString(<Root {...props} />); }, /** * Get the Base url this app sits at * This url is appended to all app urls to make absolute url's within the app. * * @returns {string} */ getBaseUrl() { return '/'; } }, render() { // Dump out our current props to a global object via a script tag so // when initialising the browser environment we can bootstrap from the // same props as what each page was rendered with. let browserInitScriptObj = { __html: `window.INITIAL_PROPS = ${JSON.stringify(this.props)}; // console noop shim for IE8/9 (function (w) { var noop = function () {}; if (!w.console) { w.console = {}; ['log', 'info', 'warn', 'error'].forEach(function (method) { w.console[method] = noop; }); } }(window));` }; let head = { __html: `<title>React Bootstrap</title> <meta http-equiv='X-UA-Compatible' content='IE=edge' /> <meta name='viewport' content='width=device-width, initial-scale=1.0' /> <link href='assets/bundle.css' rel='stylesheet' /> <!--[if lt IE 9]> <script src='https://oss.maxcdn.com/html5shiv/3.7.2/html5shiv.min.js'></script> <script src='https://oss.maxcdn.com/respond/1.4.2/respond.min.js'></script> <script src='http://code.jquery.com/jquery-1.11.1.min.js'></script> <script src='http://cdnjs.cloudflare.com/ajax/libs/es5-shim/3.4.0/es5-shim.js'></script> <script src='http://cdnjs.cloudflare.com/ajax/libs/es5-shim/3.4.0/es5-sham.js'></script> <![endif]-->` }; return ( <html> <head dangerouslySetInnerHTML={head} /> <body> <Router.RouteHandler /> <script dangerouslySetInnerHTML={browserInitScriptObj} /> <script src='assets/bundle.js' /> </body> </html> ); } }); module.exports = Root;
packages/icons/src/md/action/Backup.js
suitejs/suitejs
import React from 'react'; import IconBase from '@suitejs/icon-base'; function MdBackup(props) { return ( <IconBase viewBox="0 0 48 48" {...props}> <path d="M38.71 20.07C43.89 20.44 48 24.72 48 30c0 5.52-4.48 10-10 10H12C5.37 40 0 34.63 0 28c0-6.19 4.69-11.28 10.7-11.93C13.21 11.28 18.22 8 24 8c7.28 0 13.35 5.19 14.71 12.07zM28 26h6L24 16 14 26h6v8h8v-8z" /> </IconBase> ); } export default MdBackup;
wrappers/md.js
Slava/ats-website
import React from 'react' import 'css/markdown-styles.css' import Helmet from 'react-helmet' import { config } from 'config' module.exports = React.createClass({ propTypes () { return { router: React.PropTypes.object, } }, render () { const post = this.props.route.page.data const pageTitle = config.siteTitle + (post.title ? ` | {post.title}` : ''); this.picture = post.picture; return ( <div className="markdown"> <Helmet title={pageTitle} /> <div dangerouslySetInnerHTML={{ __html: post.body }} /> </div> ) }, })
examples/pubsub/src/components/Posts.js
quandhz/resaga
import React from 'react'; import PropTypes from 'prop-types'; const Posts = ({ posts }) => { const list = posts.map((post, i) => <li key={i}>{post.title}</li>); return <ul>{list}</ul>; }; Posts.propTypes = { posts: PropTypes.array, }; Posts.defaultProps = { posts: [], }; export default Posts;
wrappers/md.js
eleacrockett/portfolio
import React from 'react' import 'css/markdown-styles.css' import Helmet from 'react-helmet' import { config } from 'config' module.exports = React.createClass({ propTypes () { return { router: React.PropTypes.object, } }, render () { const post = this.props.route.page.data return ( <div className="markdown"> <Helmet title={`${config.siteTitle} | ${post.title}`} /> <h1>{post.title}</h1> <div dangerouslySetInnerHTML={{ __html: post.body }} /> </div> ) }, })
src/screens/gists/gists_component.js
Dewire/dehub-react-native
import React, { Component } from 'react'; import { View, Text, StyleSheet, SectionList, TouchableHighlight, } from 'react-native'; import Icon from 'react-native-vector-icons/Ionicons'; import ContainerView from '../../app_components/container_view'; import SeparatorLine from '../../app_components/separator_line'; import SectionHeader from '../../app_components/section_header'; import { ListViewChevronRightIcon } from '../../app_components/icons'; import * as globalStyles from '../../styles/global'; import { isIOS } from '../../util/platform'; const EVENT_LOGOUT = 'logout'; const EVENT_NEW_GIST = 'new_gist'; export default class GistsComponent extends Component { constructor(props) { super(props); this.props.fetchData(); this.onNavigatorEvent = this.onNavigatorEvent.bind(this); this.renderGist = this.renderGist.bind(this); this.props.navigator.setOnNavigatorEvent(this.onNavigatorEvent); } onNavigatorEvent(event) { if (event.id === EVENT_LOGOUT) { this.props.onLogoutTapped(this.props.navigator); } else if (event.id === EVENT_NEW_GIST) { this.props.onNewGistTapped(this.props.navigator); } } render() { return ( <ContainerView {...this.props} testID="gistsContainer"> <SectionList renderItem={this.renderGist} renderSectionHeader={({ section }) => <SectionHeader title={section.key} />} sections={this.props.sections} ItemSeparatorComponent={SeparatorLine} onRefresh={() => this.props.fetchData(true)} refreshing={this.props.refreshing} /> </ContainerView> ); } renderGist({ item }) { return ( <TouchableHighlight underlayColor={globalStyles.MEDIUM_OVERLAY_COLOR} onPress={() => this.props.onGistTap(item, this.props.navigator)} > <View style={styles.gistCell}> <View> <Text style={styles.fileText}> {item.firstFileName} </Text> <Text style={[styles.languageText, { color: item.firstFile.color }]} > {item.firstFile.language || ''} </Text> </View> <View style={styles.rightColumn}> <ListViewChevronRightIcon /> </View> </View> </TouchableHighlight> ); } } const leftButtons = []; const rightButtons = []; if (isIOS) { leftButtons.push({ title: 'Logout', id: EVENT_LOGOUT, }); rightButtons.push({ title: 'New Gist', id: EVENT_NEW_GIST, }); } else { rightButtons.push({ title: 'Logout', id: EVENT_LOGOUT, }); } GistsComponent.navigatorButtons = { leftButtons, rightButtons, }; if (!isIOS) { Icon.getImageSource('ios-add', 24, 'white').then((source) => { GistsComponent.navigatorButtons.fab = { collapsedId: EVENT_NEW_GIST, collapsedIcon: source, backgroundColor: '#607D8B', }; }); } GistsComponent.navigatorStyle = { navBarBackgroundColor: globalStyles.BAR_COLOR, navBarButtonColor: globalStyles.LINK_COLOR, navBarTextColor: 'white', }; const styles = StyleSheet.create({ gistCell: { flex: 1, flexDirection: 'row', height: 60, paddingHorizontal: globalStyles.PADDING_HORIZONTAL, paddingTop: 8, }, rightColumn: { flex: 1, alignItems: 'flex-end', justifyContent: 'center', }, fileText: { color: globalStyles.TEXT_COLOR, fontSize: 16, }, languageText: { fontSize: 12, fontWeight: 'bold', marginTop: 5, }, });
src/components/electorates/ResultTwoPartyPreferredByCandidate.js
deepak-kapoor/react-elections-dashboard
import React, { Component } from 'react'; import 'whatwg-fetch'; export class ResultTwoPartyPreferredByCandidate extends Component { constructor(props) { super(props); this.state = {votes: {}}; this.getVotes = this.getVotes.bind(this); } componentDidMount() { this.getVotes(); } getVotes() { fetch('https://elec-960cb.firebaseio.com/housetwopartyprefresults.json') .then((response) => { return response.json(); }).then((data) => { data.forEach((value, index) => { if(value.CandidateID == this.props.candidate.CandidateID) { this.setState({votes: value}); return; } }); }); } render() { let votes = this.state.votes; let ordinaryVotesWidth = ((votes.OrdinaryVotes / votes.TotalVotes) * 100) + '%'; let postalVotesWidth = ((votes.PostalVotes / votes.TotalVotes) * 100) + '%'; let prePollVotesWidth = ((votes.PrePollVotes / votes.TotalVotes) * 100) + '%'; let provisionalVotesWidth = ((votes.ProvisionalVotes / votes.TotalVotes) * 100) + '%'; let absentVotesWidth = ((votes.AbsentVotes / votes.TotalVotes) * 100) + '%'; let vote = ( <div className="votes-bar-container"> <div bsStyle="default" style={{width: ordinaryVotesWidth}} className="votes-bar bg-success"></div> <div style={{width: postalVotesWidth}} className="votes-bar bg-info"></div> <div style={{width: prePollVotesWidth}} className="votes-bar bg-warning"></div> <div style={{width: provisionalVotesWidth}} className="votes-bar bg-brown"></div> <div style={{width: absentVotesWidth}} className="votes-bar bg-danger"></div><div className="votes-bar-text text-primary">{votes.TotalVotes || 0} votes</div> </div>); return ( <div> {vote} </div> ); } } export default ResultTwoPartyPreferredByCandidate; ResultTwoPartyPreferredByCandidate.propTypes = { candidate: React.PropTypes.object };
src/Editor/index.js
jpuri/react-draft-wysiwyg
import React, { Component } from 'react'; import PropTypes from 'prop-types'; import { Editor, EditorState, RichUtils, convertToRaw, convertFromRaw, CompositeDecorator, getDefaultKeyBinding, } from 'draft-js'; import { changeDepth, handleNewLine, blockRenderMap, getCustomStyleMap, extractInlineStyle, getSelectedBlocksType, } from 'draftjs-utils'; import classNames from 'classnames'; import ModalHandler from '../event-handler/modals'; import FocusHandler from '../event-handler/focus'; import KeyDownHandler from '../event-handler/keyDown'; import SuggestionHandler from '../event-handler/suggestions'; import blockStyleFn from '../utils/BlockStyle'; import { mergeRecursive } from '../utils/toolbar'; import { hasProperty, filter } from '../utils/common'; import { handlePastedText } from '../utils/handlePaste'; import Controls from '../controls'; import getLinkDecorator from '../decorators/Link'; import getMentionDecorators from '../decorators/Mention'; import getHashtagDecorator from '../decorators/HashTag'; import getBlockRenderFunc from '../renderer'; import defaultToolbar from '../config/defaultToolbar'; import localeTranslations from '../i18n'; import './styles.css'; import '../../css/Draft.css'; class WysiwygEditor extends Component { constructor(props) { super(props); const toolbar = mergeRecursive(defaultToolbar, props.toolbar); const wrapperId = props.wrapperId ? props.wrapperId : Math.floor(Math.random() * 10000); this.wrapperId = `rdw-wrapper-${wrapperId}`; this.modalHandler = new ModalHandler(); this.focusHandler = new FocusHandler(); this.blockRendererFn = getBlockRenderFunc( { isReadOnly: this.isReadOnly, isImageAlignmentEnabled: this.isImageAlignmentEnabled, getEditorState: this.getEditorState, onChange: this.onChange, }, props.customBlockRenderFunc ); this.editorProps = this.filterEditorProps(props); this.customStyleMap = this.getStyleMap(props); this.compositeDecorator = this.getCompositeDecorator(toolbar); const editorState = this.createEditorState(this.compositeDecorator); extractInlineStyle(editorState); this.state = { editorState, editorFocused: false, toolbar, }; } componentDidMount() { this.modalHandler.init(this.wrapperId); } // todo: change decorators depending on properties recceived in componentWillReceiveProps. componentDidUpdate(prevProps) { if (prevProps === this.props) return; const newState = {}; const { editorState, contentState } = this.props; if (!this.state.toolbar) { const toolbar = mergeRecursive(defaultToolbar, toolbar); newState.toolbar = toolbar; } if ( hasProperty(this.props, 'editorState') && editorState !== prevProps.editorState ) { if (editorState) { newState.editorState = EditorState.set(editorState, { decorator: this.compositeDecorator, }); } else { newState.editorState = EditorState.createEmpty(this.compositeDecorator); } } else if ( hasProperty(this.props, 'contentState') && contentState !== prevProps.contentState ) { if (contentState) { const newEditorState = this.changeEditorState(contentState); if (newEditorState) { newState.editorState = newEditorState; } } else { newState.editorState = EditorState.createEmpty(this.compositeDecorator); } } if ( prevProps.editorState !== editorState || prevProps.contentState !== contentState ) { extractInlineStyle(newState.editorState); } if (Object.keys(newState).length) this.setState(newState); this.editorProps = this.filterEditorProps(this.props); this.customStyleMap = this.getStyleMap(this.props); } onEditorBlur = () => { this.setState({ editorFocused: false, }); }; onEditorFocus = event => { const { onFocus } = this.props; this.setState({ editorFocused: true, }); const editFocused = this.focusHandler.isEditorFocused(); if (onFocus && editFocused) { onFocus(event); } }; onEditorMouseDown = () => { this.focusHandler.onEditorMouseDown(); }; keyBindingFn = event => { if (event.key === 'Tab') { const { onTab } = this.props; if (!onTab || !onTab(event)) { const editorState = changeDepth( this.state.editorState, event.shiftKey ? -1 : 1, 4 ); if (editorState && editorState !== this.state.editorState) { this.onChange(editorState); event.preventDefault(); } } return null; } if (event.key === 'ArrowUp' || event.key === 'ArrowDown') { if (SuggestionHandler.isOpen()) { event.preventDefault(); } } return getDefaultKeyBinding(event); }; onToolbarFocus = event => { const { onFocus } = this.props; if (onFocus && this.focusHandler.isToolbarFocused()) { onFocus(event); } }; onWrapperBlur = event => { const { onBlur } = this.props; if (onBlur && this.focusHandler.isEditorBlur(event)) { onBlur(event, this.getEditorState()); } }; onChange = editorState => { const { readOnly, onEditorStateChange } = this.props; if ( !readOnly && !( getSelectedBlocksType(editorState) === 'atomic' && editorState.getSelection().isCollapsed ) ) { if (onEditorStateChange) { onEditorStateChange(editorState, this.props.wrapperId); } if (!hasProperty(this.props, 'editorState')) { this.setState({ editorState }, this.afterChange(editorState)); } else { this.afterChange(editorState); } } }; setWrapperReference = ref => { this.wrapper = ref; }; setEditorReference = ref => { if (this.props.editorRef) { this.props.editorRef(ref); } this.editor = ref; }; getCompositeDecorator = toolbar => { const decorators = [ ...this.props.customDecorators, getLinkDecorator({ showOpenOptionOnHover: toolbar.link.showOpenOptionOnHover, }), ]; if (this.props.mention) { decorators.push( ...getMentionDecorators({ ...this.props.mention, onChange: this.onChange, getEditorState: this.getEditorState, getSuggestions: this.getSuggestions, getWrapperRef: this.getWrapperRef, modalHandler: this.modalHandler, }) ); } if (this.props.hashtag) { decorators.push(getHashtagDecorator(this.props.hashtag)); } return new CompositeDecorator(decorators); }; getWrapperRef = () => this.wrapper; getEditorState = () => this.state ? this.state.editorState : null; getSuggestions = () => this.props.mention && this.props.mention.suggestions; afterChange = editorState => { setTimeout(() => { const { onChange, onContentStateChange } = this.props; if (onChange) { onChange(convertToRaw(editorState.getCurrentContent())); } if (onContentStateChange) { onContentStateChange(convertToRaw(editorState.getCurrentContent())); } }); }; isReadOnly = () => this.props.readOnly; isImageAlignmentEnabled = () => this.state.toolbar.image.alignmentEnabled; createEditorState = compositeDecorator => { let editorState; if (hasProperty(this.props, 'editorState')) { if (this.props.editorState) { editorState = EditorState.set(this.props.editorState, { decorator: compositeDecorator, }); } } else if (hasProperty(this.props, 'defaultEditorState')) { if (this.props.defaultEditorState) { editorState = EditorState.set(this.props.defaultEditorState, { decorator: compositeDecorator, }); } } else if (hasProperty(this.props, 'contentState')) { if (this.props.contentState) { const contentState = convertFromRaw(this.props.contentState); editorState = EditorState.createWithContent( contentState, compositeDecorator ); editorState = EditorState.moveSelectionToEnd(editorState); } } else if ( hasProperty(this.props, 'defaultContentState') || hasProperty(this.props, 'initialContentState') ) { let contentState = this.props.defaultContentState || this.props.initialContentState; if (contentState) { contentState = convertFromRaw(contentState); editorState = EditorState.createWithContent( contentState, compositeDecorator ); editorState = EditorState.moveSelectionToEnd(editorState); } } if (!editorState) { editorState = EditorState.createEmpty(compositeDecorator); } return editorState; }; filterEditorProps = props => filter(props, [ 'onChange', 'onEditorStateChange', 'onContentStateChange', 'initialContentState', 'defaultContentState', 'contentState', 'editorState', 'defaultEditorState', 'locale', 'localization', 'toolbarOnFocus', 'toolbar', 'toolbarCustomButtons', 'toolbarClassName', 'editorClassName', 'toolbarHidden', 'wrapperClassName', 'toolbarStyle', 'editorStyle', 'wrapperStyle', 'uploadCallback', 'onFocus', 'onBlur', 'onTab', 'mention', 'hashtag', 'ariaLabel', 'customBlockRenderFunc', 'customDecorators', 'handlePastedText', 'customStyleMap', ]); getStyleMap = props => ({ ...getCustomStyleMap(), ...props.customStyleMap }); changeEditorState = contentState => { const newContentState = convertFromRaw(contentState); let { editorState } = this.state; editorState = EditorState.push( editorState, newContentState, 'insert-characters' ); editorState = EditorState.moveSelectionToEnd(editorState); return editorState; }; focusEditor = () => { setTimeout(() => { this.editor.focus(); }); }; handleKeyCommand = command => { const { editorState, toolbar: { inline }, } = this.state; if (inline && inline.options.indexOf(command) >= 0) { const newState = RichUtils.handleKeyCommand(editorState, command); if (newState) { this.onChange(newState); return true; } } return false; }; handleReturn = event => { if (SuggestionHandler.isOpen()) { return true; } const { editorState } = this.state; const newEditorState = handleNewLine(editorState, event); if (newEditorState) { this.onChange(newEditorState); return true; } return false; }; handlePastedTextFn = (text, html) => { const { editorState } = this.state; const { handlePastedText: handlePastedTextProp, stripPastedStyles, } = this.props; if (handlePastedTextProp) { return handlePastedTextProp(text, html, editorState, this.onChange); } if (!stripPastedStyles) { return handlePastedText(text, html, editorState, this.onChange); } return false; }; preventDefault = event => { if ( event.target.tagName === 'INPUT' || event.target.tagName === 'LABEL' || event.target.tagName === 'TEXTAREA' ) { this.focusHandler.onInputMouseDown(); } else { event.preventDefault(); } }; render() { const { editorState, editorFocused, toolbar } = this.state; const { locale, localization: { locale: newLocale, translations }, toolbarCustomButtons, toolbarOnFocus, toolbarClassName, toolbarHidden, editorClassName, wrapperClassName, toolbarStyle, editorStyle, wrapperStyle, uploadCallback, ariaLabel, } = this.props; const controlProps = { modalHandler: this.modalHandler, editorState, onChange: this.onChange, translations: { ...localeTranslations[locale || newLocale], ...translations, }, }; const toolbarShow = editorFocused || this.focusHandler.isInputFocused() || !toolbarOnFocus; return ( <div id={this.wrapperId} className={classNames(wrapperClassName, 'rdw-editor-wrapper')} style={wrapperStyle} onClick={this.modalHandler.onEditorClick} onBlur={this.onWrapperBlur} aria-label="rdw-wrapper" > {!toolbarHidden && ( <div className={classNames('rdw-editor-toolbar', toolbarClassName)} style={{ visibility: toolbarShow ? 'visible' : 'hidden', ...toolbarStyle, }} onMouseDown={this.preventDefault} aria-label="rdw-toolbar" aria-hidden={(!editorFocused && toolbarOnFocus).toString()} onFocus={this.onToolbarFocus} > {toolbar.options.map((opt, index) => { const Control = Controls[opt]; const config = toolbar[opt]; if (opt === 'image' && uploadCallback) { config.uploadCallback = uploadCallback; } return <Control key={index} {...controlProps} config={config} />; })} {toolbarCustomButtons && toolbarCustomButtons.map((button, index) => React.cloneElement(button, { key: index, ...controlProps }) )} </div> )} <div ref={this.setWrapperReference} className={classNames(editorClassName, 'rdw-editor-main')} style={editorStyle} onClick={this.focusEditor} onFocus={this.onEditorFocus} onBlur={this.onEditorBlur} onKeyDown={KeyDownHandler.onKeyDown} onMouseDown={this.onEditorMouseDown} > <Editor ref={this.setEditorReference} keyBindingFn={this.keyBindingFn} editorState={editorState} onChange={this.onChange} blockStyleFn={blockStyleFn} customStyleMap={this.getStyleMap(this.props)} handleReturn={this.handleReturn} handlePastedText={this.handlePastedTextFn} blockRendererFn={this.blockRendererFn} handleKeyCommand={this.handleKeyCommand} ariaLabel={ariaLabel || 'rdw-editor'} blockRenderMap={blockRenderMap} {...this.editorProps} /> </div> </div> ); } } WysiwygEditor.propTypes = { onChange: PropTypes.func, onEditorStateChange: PropTypes.func, onContentStateChange: PropTypes.func, // initialContentState is deprecated initialContentState: PropTypes.object, defaultContentState: PropTypes.object, contentState: PropTypes.object, editorState: PropTypes.object, defaultEditorState: PropTypes.object, toolbarOnFocus: PropTypes.bool, spellCheck: PropTypes.bool, // eslint-disable-line react/no-unused-prop-types stripPastedStyles: PropTypes.bool, // eslint-disable-line react/no-unused-prop-types toolbar: PropTypes.object, toolbarCustomButtons: PropTypes.array, toolbarClassName: PropTypes.string, toolbarHidden: PropTypes.bool, locale: PropTypes.string, localization: PropTypes.object, editorClassName: PropTypes.string, wrapperClassName: PropTypes.string, toolbarStyle: PropTypes.object, editorStyle: PropTypes.object, wrapperStyle: PropTypes.object, uploadCallback: PropTypes.func, onFocus: PropTypes.func, onBlur: PropTypes.func, onTab: PropTypes.func, mention: PropTypes.object, hashtag: PropTypes.object, textAlignment: PropTypes.string, // eslint-disable-line react/no-unused-prop-types readOnly: PropTypes.bool, tabIndex: PropTypes.number, // eslint-disable-line react/no-unused-prop-types placeholder: PropTypes.string, // eslint-disable-line react/no-unused-prop-types ariaLabel: PropTypes.string, ariaOwneeID: PropTypes.string, // eslint-disable-line react/no-unused-prop-types ariaActiveDescendantID: PropTypes.string, // eslint-disable-line react/no-unused-prop-types ariaAutoComplete: PropTypes.string, // eslint-disable-line react/no-unused-prop-types ariaDescribedBy: PropTypes.string, // eslint-disable-line react/no-unused-prop-types ariaExpanded: PropTypes.string, // eslint-disable-line react/no-unused-prop-types ariaHasPopup: PropTypes.string, // eslint-disable-line react/no-unused-prop-types customBlockRenderFunc: PropTypes.func, wrapperId: PropTypes.number, customDecorators: PropTypes.array, editorRef: PropTypes.func, handlePastedText: PropTypes.func, }; WysiwygEditor.defaultProps = { toolbarOnFocus: false, toolbarHidden: false, stripPastedStyles: false, localization: { locale: 'en', translations: {} }, customDecorators: [], }; export default WysiwygEditor; // todo: evaluate draftjs-utils to move some methods here // todo: move color near font-family
react-semi-theme/src/greetings/Hello.js
tsupol/semi-starter
import React from 'react'; // Since this component is simple and static, there's no parent container for it. const Hello = () => { return ( <div> <h2>Hello from semi theme!</h2> </div> ); }; export default Hello;
app/javascript/mastodon/features/ui/components/column_link.js
MitarashiDango/mastodon
import React from 'react'; import PropTypes from 'prop-types'; import { Link } from 'react-router-dom'; import Icon from 'mastodon/components/icon'; const ColumnLink = ({ icon, text, to, href, method, badge }) => { const badgeElement = typeof badge !== 'undefined' ? <span className='column-link__badge'>{badge}</span> : null; if (href) { return ( <a href={href} className='column-link' data-method={method}> <Icon id={icon} fixedWidth className='column-link__icon' /> {text} {badgeElement} </a> ); } else { return ( <Link to={to} className='column-link'> <Icon id={icon} fixedWidth className='column-link__icon' /> {text} {badgeElement} </Link> ); } }; ColumnLink.propTypes = { icon: PropTypes.string.isRequired, text: PropTypes.string.isRequired, to: PropTypes.string, href: PropTypes.string, method: PropTypes.string, badge: PropTypes.node, }; export default ColumnLink;
src/layouts/PageLayout/PageLayout.js
ZachShaw/portfolio-react
import React from 'react' import { IndexLink, Link } from 'react-router' import PropTypes from 'prop-types' import Navbar from '../../components/Navbar' import { CSSTransitionGroup } from 'react-transition-group'; import './PageLayout.scss' export const PageLayout = ({ children, location }) => { let displayNav = () => { if (location.pathname !== '/') { return <Navbar location={location} /> } } return ( <div> <CSSTransitionGroup transitionName="navbar" transitionEnterTimeout={500} transitionLeaveTimeout={300}> {displayNav()} </CSSTransitionGroup> <div className='container text-center'> <div className='page-layout__viewport'> {children} </div> </div> </div> ) } PageLayout.propTypes = { children: PropTypes.node, } export default PageLayout
Client/src/modules/auth/AuthDispatcher.js
Aldarov/StudentEmployment
import React, { Component } from 'react'; import { connect } from 'react-redux'; import PropTypes from 'prop-types'; import { Redirect } from 'react-router-dom'; export default (ChildComponent) => { class AuthDispatcher extends Component { render() { return ( this.props.isAuth ? <ChildComponent {...this.props}/> : <Redirect to={{ pathname: '/login', state: { from: this.props.location } }}/> ); } } AuthDispatcher.propTypes = { isAuth: PropTypes.bool.isRequired, location: PropTypes.object.isRequired }; function mapStateToProps(state) { return { isAuth: state.isAuth }; } return connect(mapStateToProps)(AuthDispatcher); };
node_modules/react-sparklines/__tests__/fixtures.js
TheeSweeney/ComplexReactReduxMiddlewareReview
// This file is auto-updated by ../bootstrap-tests.js import React from 'react'; import { Sparklines, SparklinesBars, SparklinesLine, SparklinesCurve, SparklinesNormalBand, SparklinesReferenceLine, SparklinesSpots } from '../src/Sparklines'; import { sampleData, sampleData100 } from './sampleData'; export default { // AUTO-GENERATED PART STARTS HERE "Header": {jsx: (<Sparklines data={sampleData} height={50} margin={2} width={300}><SparklinesLine style={{fill: 'none', stroke: 'white'}} /><SparklinesReferenceLine style={{stroke: 'white', strokeDasharray: '2, 2', strokeOpacity: 0.75}} type="mean" /></Sparklines>), svg: "<svg width=\"300\" height=\"50\" viewbox=\"0 0 300 50\"><g><polyline points=\"2 26.066887020955583 12.206896551724139 45.54652927110727 22.413793103448278 33.90636931938852 32.62068965517241 29.177549752086648 42.827586206896555 29.70109352684341 53.0344827586207 18.925334070012052 63.24137931034483 29.183773465122954 73.44827586206897 28.764398923777502 83.65517241379311 40.544557819288656 93.86206896551725 46.193633191864905 104.0689655172414 21.703120571572512 114.27586206896552 40.61831611300432 124.48275862068967 13.98423022262012 134.6896551724138 48 144.89655172413794 32.86055861856278 155.1034482758621 30.010522516938543 165.31034482758622 24.96935553482233 175.51724137931035 2 185.7241379310345 30.93720854362344 195.93103448275863 19.786564180834066 206.1379310344828 10.399459049869085 216.34482758620692 18.567297273634907 226.55172413793105 36.15784561748332 236.7586206896552 16.643282623666856 246.96551724137933 14.17303219422537 257.1724137931035 26.858302516540814 267.3793103448276 15.483001054391034 277.58620689655174 38.10432333408586 287.7931034482759 35.43208580179642 298 31.607765704956066 298 48 2 48 2 26.066887020955583\" style=\"stroke:white;stroke-width:0;fill-opacity:.1;fill:none;\"/><polyline points=\"2 26.066887020955583 12.206896551724139 45.54652927110727 22.413793103448278 33.90636931938852 32.62068965517241 29.177549752086648 42.827586206896555 29.70109352684341 53.0344827586207 18.925334070012052 63.24137931034483 29.183773465122954 73.44827586206897 28.764398923777502 83.65517241379311 40.544557819288656 93.86206896551725 46.193633191864905 104.0689655172414 21.703120571572512 114.27586206896552 40.61831611300432 124.48275862068967 13.98423022262012 134.6896551724138 48 144.89655172413794 32.86055861856278 155.1034482758621 30.010522516938543 165.31034482758622 24.96935553482233 175.51724137931035 2 185.7241379310345 30.93720854362344 195.93103448275863 19.786564180834066 206.1379310344828 10.399459049869085 216.34482758620692 18.567297273634907 226.55172413793105 36.15784561748332 236.7586206896552 16.643282623666856 246.96551724137933 14.17303219422537 257.1724137931035 26.858302516540814 267.3793103448276 15.483001054391034 277.58620689655174 38.10432333408586 287.7931034482759 35.43208580179642 298 31.607765704956066\" style=\"stroke:white;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g><line x1=\"2\" y1=\"25\" x2=\"298\" y2=\"25\" style=\"stroke:white;stroke-dasharray:2, 2;stroke-opacity:0.75;\"/></svg>"}, "Simple": {jsx: (<Sparklines data={sampleData} height={60} margin={2} width={240}><SparklinesLine style={{}} /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813 237.99999999999997 58 2 58 2 31.298818982032884\" style=\"stroke:none;stroke-width:0;fill-opacity:.1;fill:slategray;\"/><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813\" style=\"stroke:slategray;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g></svg>"}, "SimpleCurve": {jsx: (<Sparklines data={sampleData} height={60} margin={2} width={240}><SparklinesCurve style={{}} /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><path d=\"M2 31.298818982032884 C 4.0344827586206895 31.298818982032884 8.103448275862068 55.01316606917407 10.137931034482758 55.01316606917407 C 12.172413793103448 55.01316606917407 16.241379310344826 40.842536562733855 18.275862068965516 40.842536562733855 C 20.310344827586206 40.842536562733855 24.379310344827584 35.085712741670704 26.413793103448274 35.085712741670704 C 28.448275862068964 35.085712741670704 32.51724137931034 35.72307038050503 34.55172413793103 35.72307038050503 C 36.58620689655172 35.72307038050503 40.6551724137931 22.604754520014673 42.689655172413794 22.604754520014673 C 44.724137931034484 22.604754520014673 48.79310344827586 35.09328943580186 50.82758620689655 35.09328943580186 C 52.86206896551724 35.09328943580186 56.93103448275861 34.582746515903054 58.9655172413793 34.582746515903054 C 60.99999999999999 34.582746515903054 65.06896551724137 48.92380951913402 67.10344827586206 48.92380951913402 C 69.13793103448276 48.92380951913402 73.20689655172413 55.80094475531381 75.24137931034483 55.80094475531381 C 77.27586206896552 55.80094475531381 81.34482758620689 25.98640765234915 83.37931034482759 25.98640765234915 C 85.41379310344827 25.98640765234915 89.48275862068965 49.013602224527006 91.51724137931033 49.013602224527006 C 93.55172413793102 49.013602224527006 97.62068965517241 16.58949766232015 99.6551724137931 16.58949766232015 C 101.68965517241378 16.58949766232015 105.75862068965517 58 107.79310344827586 58 C 109.82758620689654 58 113.89655172413792 39.56937570955469 115.9310344827586 39.56937570955469 C 117.9655172413793 39.56937570955469 122.03448275862067 36.09976654235997 124.06896551724137 36.09976654235997 C 126.10344827586206 36.09976654235997 130.17241379310343 29.96269369456632 132.20689655172413 29.96269369456632 C 134.24137931034483 29.96269369456632 138.3103448275862 2 140.3448275862069 2 C 142.3793103448276 2 146.44827586206895 37.2279060531068 148.48275862068965 37.2279060531068 C 150.51724137931035 37.2279060531068 154.58620689655172 23.65320856797191 156.6206896551724 23.65320856797191 C 158.6551724137931 23.65320856797191 162.72413793103448 12.225428408536278 164.75862068965517 12.225428408536278 C 166.79310344827587 12.225428408536278 170.8620689655172 22.168883637468582 172.8965517241379 22.168883637468582 C 174.9310344827586 22.168883637468582 178.99999999999997 43.5834642299797 181.03448275862067 43.5834642299797 C 183.06896551724137 43.5834642299797 187.13793103448273 19.82660493315965 189.17241379310343 19.82660493315965 C 191.20689655172413 19.82660493315965 195.2758620689655 16.819343540796105 197.3103448275862 16.819343540796105 C 199.3448275862069 16.819343540796105 203.41379310344826 32.262281324484476 205.44827586206895 32.262281324484476 C 207.48275862068965 32.262281324484476 211.55172413793102 18.414088240128216 213.58620689655172 18.414088240128216 C 215.6206896551724 18.414088240128216 219.68965517241378 45.95308927627845 221.72413793103448 45.95308927627845 C 223.75862068965517 45.95308927627845 227.8275862068965 42.699930541317386 229.8620689655172 42.699930541317386 C 231.8965517241379 42.699930541317386 235.96551724137927 38.0442365103813 237.99999999999997 38.0442365103813 L237.99999999999997 58 2 58 2 31.298818982032884\" style=\"stroke:none;stroke-width:0;fill-opacity:.1;fill:slategray;\"/><path d=\"M2 31.298818982032884 C 4.0344827586206895 31.298818982032884 8.103448275862068 55.01316606917407 10.137931034482758 55.01316606917407 C 12.172413793103448 55.01316606917407 16.241379310344826 40.842536562733855 18.275862068965516 40.842536562733855 C 20.310344827586206 40.842536562733855 24.379310344827584 35.085712741670704 26.413793103448274 35.085712741670704 C 28.448275862068964 35.085712741670704 32.51724137931034 35.72307038050503 34.55172413793103 35.72307038050503 C 36.58620689655172 35.72307038050503 40.6551724137931 22.604754520014673 42.689655172413794 22.604754520014673 C 44.724137931034484 22.604754520014673 48.79310344827586 35.09328943580186 50.82758620689655 35.09328943580186 C 52.86206896551724 35.09328943580186 56.93103448275861 34.582746515903054 58.9655172413793 34.582746515903054 C 60.99999999999999 34.582746515903054 65.06896551724137 48.92380951913402 67.10344827586206 48.92380951913402 C 69.13793103448276 48.92380951913402 73.20689655172413 55.80094475531381 75.24137931034483 55.80094475531381 C 77.27586206896552 55.80094475531381 81.34482758620689 25.98640765234915 83.37931034482759 25.98640765234915 C 85.41379310344827 25.98640765234915 89.48275862068965 49.013602224527006 91.51724137931033 49.013602224527006 C 93.55172413793102 49.013602224527006 97.62068965517241 16.58949766232015 99.6551724137931 16.58949766232015 C 101.68965517241378 16.58949766232015 105.75862068965517 58 107.79310344827586 58 C 109.82758620689654 58 113.89655172413792 39.56937570955469 115.9310344827586 39.56937570955469 C 117.9655172413793 39.56937570955469 122.03448275862067 36.09976654235997 124.06896551724137 36.09976654235997 C 126.10344827586206 36.09976654235997 130.17241379310343 29.96269369456632 132.20689655172413 29.96269369456632 C 134.24137931034483 29.96269369456632 138.3103448275862 2 140.3448275862069 2 C 142.3793103448276 2 146.44827586206895 37.2279060531068 148.48275862068965 37.2279060531068 C 150.51724137931035 37.2279060531068 154.58620689655172 23.65320856797191 156.6206896551724 23.65320856797191 C 158.6551724137931 23.65320856797191 162.72413793103448 12.225428408536278 164.75862068965517 12.225428408536278 C 166.79310344827587 12.225428408536278 170.8620689655172 22.168883637468582 172.8965517241379 22.168883637468582 C 174.9310344827586 22.168883637468582 178.99999999999997 43.5834642299797 181.03448275862067 43.5834642299797 C 183.06896551724137 43.5834642299797 187.13793103448273 19.82660493315965 189.17241379310343 19.82660493315965 C 191.20689655172413 19.82660493315965 195.2758620689655 16.819343540796105 197.3103448275862 16.819343540796105 C 199.3448275862069 16.819343540796105 203.41379310344826 32.262281324484476 205.44827586206895 32.262281324484476 C 207.48275862068965 32.262281324484476 211.55172413793102 18.414088240128216 213.58620689655172 18.414088240128216 C 215.6206896551724 18.414088240128216 219.68965517241378 45.95308927627845 221.72413793103448 45.95308927627845 C 223.75862068965517 45.95308927627845 227.8275862068965 42.699930541317386 229.8620689655172 42.699930541317386 C 231.8965517241379 42.699930541317386 235.96551724137927 38.0442365103813 237.99999999999997 38.0442365103813\" style=\"stroke:slategray;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g></svg>"}, "Customizable1": {jsx: (<Sparklines data={sampleData} height={60} margin={2} width={240}><SparklinesLine color="#1c8cdc" style={{}} /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813 237.99999999999997 58 2 58 2 31.298818982032884\" style=\"stroke:none;stroke-width:0;fill-opacity:.1;fill:#1c8cdc;\"/><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813\" style=\"stroke:#1c8cdc;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g></svg>"}, "Customizable2": {jsx: (<Sparklines data={sampleData} height={60} margin={2} width={240}><SparklinesLine color="#fa7e17" style={{}} /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813 237.99999999999997 58 2 58 2 31.298818982032884\" style=\"stroke:none;stroke-width:0;fill-opacity:.1;fill:#fa7e17;\"/><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813\" style=\"stroke:#fa7e17;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g></svg>"}, "Customizable3": {jsx: (<Sparklines data={sampleData} height={61} margin={2} width={240}><SparklinesLine color="#ea485c" style={{}} /></Sparklines>), svg: "<svg width=\"240\" height=\"61\" viewbox=\"0 0 240 61\"><g><polyline points=\"2 31.822012178140614 10.137931034482758 55.959829748980745 18.275862068965516 41.53615328706839 26.413793103448274 35.676529040629106 34.55172413793103 36.325268065871185 42.689655172413794 22.972696565014935 50.82758620689655 35.68424103286975 58.9655172413793 35.1645812751156 67.10344827586206 49.761734689118555 75.24137931034483 56.76167591165869 83.37931034482759 26.41473636042681 91.51724137931033 49.85313083567927 99.6551724137931 16.85002440629015 107.79310344827586 59 115.9310344827586 40.240257418653876 124.06896551724137 36.70869094490211 132.20689655172413 30.462027510540715 140.3448275862069 2 148.48275862068965 37.85697580405513 156.6206896551724 24.039873006685696 164.75862068965517 12.408025344402997 172.8965517241379 22.52904227385195 181.03448275862067 44.32602609122933 189.17241379310343 20.144937164108928 197.3103448275862 17.083974675453177 205.44827586206895 32.802679205278835 213.58620689655172 18.707196958701935 221.72413793103448 46.7379658704977 229.8620689655172 43.42671501526948 237.99999999999997 38.687883590923825 237.99999999999997 59 2 59 2 31.822012178140614\" style=\"stroke:none;stroke-width:0;fill-opacity:.1;fill:#ea485c;\"/><polyline points=\"2 31.822012178140614 10.137931034482758 55.959829748980745 18.275862068965516 41.53615328706839 26.413793103448274 35.676529040629106 34.55172413793103 36.325268065871185 42.689655172413794 22.972696565014935 50.82758620689655 35.68424103286975 58.9655172413793 35.1645812751156 67.10344827586206 49.761734689118555 75.24137931034483 56.76167591165869 83.37931034482759 26.41473636042681 91.51724137931033 49.85313083567927 99.6551724137931 16.85002440629015 107.79310344827586 59 115.9310344827586 40.240257418653876 124.06896551724137 36.70869094490211 132.20689655172413 30.462027510540715 140.3448275862069 2 148.48275862068965 37.85697580405513 156.6206896551724 24.039873006685696 164.75862068965517 12.408025344402997 172.8965517241379 22.52904227385195 181.03448275862067 44.32602609122933 189.17241379310343 20.144937164108928 197.3103448275862 17.083974675453177 205.44827586206895 32.802679205278835 213.58620689655172 18.707196958701935 221.72413793103448 46.7379658704977 229.8620689655172 43.42671501526948 237.99999999999997 38.687883590923825\" style=\"stroke:#ea485c;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g></svg>"}, "Customizable4": {jsx: (<Sparklines data={sampleData} height={60} margin={2} width={240}><SparklinesLine color="#56b45d" style={{}} /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813 237.99999999999997 58 2 58 2 31.298818982032884\" style=\"stroke:none;stroke-width:0;fill-opacity:.1;fill:#56b45d;\"/><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813\" style=\"stroke:#56b45d;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g></svg>"}, "Customizable5": {jsx: (<Sparklines data={sampleData} height={60} margin={2} width={240}><SparklinesLine color="#8e44af" style={{}} /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813 237.99999999999997 58 2 58 2 31.298818982032884\" style=\"stroke:none;stroke-width:0;fill-opacity:.1;fill:#8e44af;\"/><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813\" style=\"stroke:#8e44af;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g></svg>"}, "Customizable6": {jsx: (<Sparklines data={sampleData} height={60} margin={2} width={240}><SparklinesLine color="#253e56" style={{}} /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813 237.99999999999997 58 2 58 2 31.298818982032884\" style=\"stroke:none;stroke-width:0;fill-opacity:.1;fill:#253e56;\"/><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813\" style=\"stroke:#253e56;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g></svg>"}, "Bounds1": {jsx: (<Sparklines data={sampleData} height={60} margin={2} max={0.5} width={240}><SparklinesLine style={{}} /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><polyline points=\"2 7.670103552396827 10.137931034482758 52.37002272133571 18.275862068965516 25.659357182737544 26.413793103448274 14.808138782089328 34.55172413793103 16.009514254621237 42.689655172413794 -8.717612174024529 50.82758620689655 14.822420331312934 58.9655172413793 13.860081913649916 67.10344827586206 40.89200291427838 75.24137931034483 53.85493156002574 83.37931034482759 -2.343427756579426 91.51724137931033 41.06125601065409 99.6551724137931 -20.055959138894096 107.79310344827586 58 115.9310344827586 23.25953622131521 124.06896551724137 16.719560705585764 132.20689655172413 5.151598947152368 140.3448275862069 -47.55616244724296 148.48275862068965 18.846026374506227 156.6206896551724 -6.741348141798753 164.75862068965517 -28.281930622526744 172.8965517241379 -9.539198918382716 181.03448275862067 30.825818005950843 189.17241379310343 -13.954233764967562 197.3103448275862 -19.622715408782717 205.44827586206895 9.486164044032915 213.58620689655172 -16.616730934772352 221.72413793103448 35.29239883320382 229.8620689655172 29.160417549378508 237.99999999999997 20.38475334519728 237.99999999999997 58 2 58 2 7.670103552396827\" style=\"stroke:none;stroke-width:0;fill-opacity:.1;fill:slategray;\"/><polyline points=\"2 7.670103552396827 10.137931034482758 52.37002272133571 18.275862068965516 25.659357182737544 26.413793103448274 14.808138782089328 34.55172413793103 16.009514254621237 42.689655172413794 -8.717612174024529 50.82758620689655 14.822420331312934 58.9655172413793 13.860081913649916 67.10344827586206 40.89200291427838 75.24137931034483 53.85493156002574 83.37931034482759 -2.343427756579426 91.51724137931033 41.06125601065409 99.6551724137931 -20.055959138894096 107.79310344827586 58 115.9310344827586 23.25953622131521 124.06896551724137 16.719560705585764 132.20689655172413 5.151598947152368 140.3448275862069 -47.55616244724296 148.48275862068965 18.846026374506227 156.6206896551724 -6.741348141798753 164.75862068965517 -28.281930622526744 172.8965517241379 -9.539198918382716 181.03448275862067 30.825818005950843 189.17241379310343 -13.954233764967562 197.3103448275862 -19.622715408782717 205.44827586206895 9.486164044032915 213.58620689655172 -16.616730934772352 221.72413793103448 35.29239883320382 229.8620689655172 29.160417549378508 237.99999999999997 20.38475334519728\" style=\"stroke:slategray;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g></svg>"}, "Spots1": {jsx: (<Sparklines data={sampleData} height={60} margin={2} width={240}><SparklinesLine style={{fill: 'none'}} /><SparklinesSpots size={2} spotColors={{'0': 'black', '1': 'green', '-1': 'red'}} /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813 237.99999999999997 58 2 58 2 31.298818982032884\" style=\"stroke:none;stroke-width:0;fill-opacity:.1;fill:none;\"/><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813\" style=\"stroke:slategray;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g><g><circle cx=\"237.99999999999997\" cy=\"38.0442365103813\" r=\"2\" style=\"fill:green;\"/></g></svg>"}, "Spots2": {jsx: (<Sparklines data={sampleData} height={60} margin={2} width={240}><SparklinesLine color="#56b45d" style={{}} /><SparklinesSpots size={2} spotColors={{'0': 'black', '1': 'green', '-1': 'red'}} style={{fill: '#56b45d'}} /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813 237.99999999999997 58 2 58 2 31.298818982032884\" style=\"stroke:none;stroke-width:0;fill-opacity:.1;fill:#56b45d;\"/><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813\" style=\"stroke:#56b45d;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g><g><circle cx=\"2\" cy=\"31.298818982032884\" r=\"2\" style=\"fill:#56b45d;\"/><circle cx=\"237.99999999999997\" cy=\"38.0442365103813\" r=\"2\" style=\"fill:#56b45d;\"/></g></svg>"}, "Spots3": {jsx: (<Sparklines data={sampleData} height={60} margin={6} width={240}><SparklinesLine style={{fill: 'none', stroke: '#336aff', strokeWidth: 3}} /><SparklinesSpots size={4} spotColors={{'0': 'black', '1': 'green', '-1': 'red'}} style={{fill: 'white', stroke: '#336aff', strokeWidth: 3}} /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><polyline points=\"6 31.113273413171044 13.862068965517242 51.43985663072063 21.724137931034484 39.29360276805759 29.586206896551722 34.359182350003465 37.44827586206897 34.90548889757574 45.310344827586206 23.661218160012577 53.172413793103445 34.36567665925874 61.03448275862069 33.928068442202616 68.89655172413794 46.22040815925773 76.75862068965517 52.11509550455469 84.62068965517241 26.55977798772784 92.48275862068965 46.29737333530886 100.34482758620689 18.505283710560125 108.20689655172413 54 116.06896551724138 38.20232203676116 123.93103448275862 35.22837132202283 131.79310344827587 29.96802316677113 139.6551724137931 6 147.51724137931035 36.19534804552012 155.3793103448276 24.559893058261636 163.24137931034483 14.764652921602524 171.10344827586206 23.28761454640164 178.9655172413793 41.6429693399826 186.82758620689654 21.279947085565414 194.68965517241378 18.702294463539516 202.55172413793102 31.93909827812955 210.41379310344826 20.06921849153847 218.27586206896552 43.67407652252439 226.13793103448276 40.88565474970061 234 36.895059866041116 234 54 6 54 6 31.113273413171044\" style=\"stroke:#336aff;stroke-width:0;fill-opacity:.1;fill:none;\"/><polyline points=\"6 31.113273413171044 13.862068965517242 51.43985663072063 21.724137931034484 39.29360276805759 29.586206896551722 34.359182350003465 37.44827586206897 34.90548889757574 45.310344827586206 23.661218160012577 53.172413793103445 34.36567665925874 61.03448275862069 33.928068442202616 68.89655172413794 46.22040815925773 76.75862068965517 52.11509550455469 84.62068965517241 26.55977798772784 92.48275862068965 46.29737333530886 100.34482758620689 18.505283710560125 108.20689655172413 54 116.06896551724138 38.20232203676116 123.93103448275862 35.22837132202283 131.79310344827587 29.96802316677113 139.6551724137931 6 147.51724137931035 36.19534804552012 155.3793103448276 24.559893058261636 163.24137931034483 14.764652921602524 171.10344827586206 23.28761454640164 178.9655172413793 41.6429693399826 186.82758620689654 21.279947085565414 194.68965517241378 18.702294463539516 202.55172413793102 31.93909827812955 210.41379310344826 20.06921849153847 218.27586206896552 43.67407652252439 226.13793103448276 40.88565474970061 234 36.895059866041116\" style=\"stroke:#336aff;stroke-width:3;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g><g><circle cx=\"6\" cy=\"31.113273413171044\" r=\"4\" style=\"fill:white;stroke:#336aff;stroke-width:3;\"/><circle cx=\"234\" cy=\"36.895059866041116\" r=\"4\" style=\"fill:white;stroke:#336aff;stroke-width:3;\"/></g></svg>"}, "Bars1": {jsx: (<Sparklines data={sampleData} height={60} margin={2} width={240}><SparklinesBars style={{fill: '#41c3f9'}} /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><rect x=\"2\" y=\"32\" width=\"9\" height=\"29\" style=\"fill:#41c3f9;\"/><rect x=\"11\" y=\"56\" width=\"9\" height=\"5\" style=\"fill:#41c3f9;\"/><rect x=\"19\" y=\"41\" width=\"9\" height=\"20\" style=\"fill:#41c3f9;\"/><rect x=\"27\" y=\"36\" width=\"9\" height=\"25\" style=\"fill:#41c3f9;\"/><rect x=\"35\" y=\"36\" width=\"9\" height=\"25\" style=\"fill:#41c3f9;\"/><rect x=\"43\" y=\"23\" width=\"9\" height=\"38\" style=\"fill:#41c3f9;\"/><rect x=\"51\" y=\"36\" width=\"9\" height=\"25\" style=\"fill:#41c3f9;\"/><rect x=\"59\" y=\"35\" width=\"9\" height=\"26\" style=\"fill:#41c3f9;\"/><rect x=\"68\" y=\"49\" width=\"9\" height=\"12\" style=\"fill:#41c3f9;\"/><rect x=\"76\" y=\"56\" width=\"9\" height=\"5\" style=\"fill:#41c3f9;\"/><rect x=\"84\" y=\"26\" width=\"9\" height=\"35\" style=\"fill:#41c3f9;\"/><rect x=\"92\" y=\"50\" width=\"9\" height=\"11\" style=\"fill:#41c3f9;\"/><rect x=\"100\" y=\"17\" width=\"9\" height=\"44\" style=\"fill:#41c3f9;\"/><rect x=\"108\" y=\"58\" width=\"9\" height=\"2\" style=\"fill:#41c3f9;\"/><rect x=\"116\" y=\"40\" width=\"9\" height=\"21\" style=\"fill:#41c3f9;\"/><rect x=\"125\" y=\"37\" width=\"9\" height=\"24\" style=\"fill:#41c3f9;\"/><rect x=\"133\" y=\"30\" width=\"9\" height=\"31\" style=\"fill:#41c3f9;\"/><rect x=\"141\" y=\"2\" width=\"9\" height=\"58\" style=\"fill:#41c3f9;\"/><rect x=\"149\" y=\"38\" width=\"9\" height=\"23\" style=\"fill:#41c3f9;\"/><rect x=\"157\" y=\"24\" width=\"9\" height=\"37\" style=\"fill:#41c3f9;\"/><rect x=\"165\" y=\"13\" width=\"9\" height=\"48\" style=\"fill:#41c3f9;\"/><rect x=\"173\" y=\"23\" width=\"9\" height=\"38\" style=\"fill:#41c3f9;\"/><rect x=\"182\" y=\"44\" width=\"9\" height=\"17\" style=\"fill:#41c3f9;\"/><rect x=\"190\" y=\"20\" width=\"9\" height=\"41\" style=\"fill:#41c3f9;\"/><rect x=\"198\" y=\"17\" width=\"9\" height=\"44\" style=\"fill:#41c3f9;\"/><rect x=\"206\" y=\"33\" width=\"9\" height=\"28\" style=\"fill:#41c3f9;\"/><rect x=\"214\" y=\"19\" width=\"9\" height=\"42\" style=\"fill:#41c3f9;\"/><rect x=\"222\" y=\"46\" width=\"9\" height=\"15\" style=\"fill:#41c3f9;\"/><rect x=\"230\" y=\"43\" width=\"9\" height=\"18\" style=\"fill:#41c3f9;\"/><rect x=\"238\" y=\"39\" width=\"9\" height=\"22\" style=\"fill:#41c3f9;\"/></g></svg>"}, "Bars2": {jsx: (<Sparklines data={sampleData} height={60} margin={2} width={240}><SparklinesBars style={{fill: '#41c3f9', fillOpacity: '.25', stroke: 'white'}} /><SparklinesLine style={{fill: 'none', stroke: '#41c3f9'}} /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><rect x=\"2\" y=\"32\" width=\"9\" height=\"29\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"11\" y=\"56\" width=\"9\" height=\"5\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"19\" y=\"41\" width=\"9\" height=\"20\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"27\" y=\"36\" width=\"9\" height=\"25\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"35\" y=\"36\" width=\"9\" height=\"25\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"43\" y=\"23\" width=\"9\" height=\"38\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"51\" y=\"36\" width=\"9\" height=\"25\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"59\" y=\"35\" width=\"9\" height=\"26\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"68\" y=\"49\" width=\"9\" height=\"12\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"76\" y=\"56\" width=\"9\" height=\"5\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"84\" y=\"26\" width=\"9\" height=\"35\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"92\" y=\"50\" width=\"9\" height=\"11\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"100\" y=\"17\" width=\"9\" height=\"44\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"108\" y=\"58\" width=\"9\" height=\"2\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"116\" y=\"40\" width=\"9\" height=\"21\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"125\" y=\"37\" width=\"9\" height=\"24\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"133\" y=\"30\" width=\"9\" height=\"31\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"141\" y=\"2\" width=\"9\" height=\"58\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"149\" y=\"38\" width=\"9\" height=\"23\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"157\" y=\"24\" width=\"9\" height=\"37\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"165\" y=\"13\" width=\"9\" height=\"48\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"173\" y=\"23\" width=\"9\" height=\"38\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"182\" y=\"44\" width=\"9\" height=\"17\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"190\" y=\"20\" width=\"9\" height=\"41\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"198\" y=\"17\" width=\"9\" height=\"44\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"206\" y=\"33\" width=\"9\" height=\"28\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"214\" y=\"19\" width=\"9\" height=\"42\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"222\" y=\"46\" width=\"9\" height=\"15\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"230\" y=\"43\" width=\"9\" height=\"18\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/><rect x=\"238\" y=\"39\" width=\"9\" height=\"22\" style=\"fill:#41c3f9;fill-opacity:.25;stroke:white;\"/></g><g><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813 237.99999999999997 58 2 58 2 31.298818982032884\" style=\"stroke:#41c3f9;stroke-width:0;fill-opacity:.1;fill:none;\"/><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813\" style=\"stroke:#41c3f9;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g></svg>"}, "ReferenceLine1": {jsx: (<Sparklines data={sampleData} height={60} margin={2} width={240}><SparklinesLine style={{}} /><SparklinesReferenceLine style={{stroke: 'red', strokeDasharray: '2, 2', strokeOpacity: 0.75}} type="max" /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813 237.99999999999997 58 2 58 2 31.298818982032884\" style=\"stroke:none;stroke-width:0;fill-opacity:.1;fill:slategray;\"/><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813\" style=\"stroke:slategray;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g><line x1=\"2\" y1=\"60\" x2=\"237.99999999999997\" y2=\"60\" style=\"stroke:red;stroke-dasharray:2, 2;stroke-opacity:0.75;\"/></svg>"}, "ReferenceLine2": {jsx: (<Sparklines data={sampleData} height={60} margin={2} width={240}><SparklinesLine style={{}} /><SparklinesReferenceLine style={{stroke: 'red', strokeDasharray: '2, 2', strokeOpacity: 0.75}} type="min" /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813 237.99999999999997 58 2 58 2 31.298818982032884\" style=\"stroke:none;stroke-width:0;fill-opacity:.1;fill:slategray;\"/><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813\" style=\"stroke:slategray;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g><line x1=\"2\" y1=\"4\" x2=\"237.99999999999997\" y2=\"4\" style=\"stroke:red;stroke-dasharray:2, 2;stroke-opacity:0.75;\"/></svg>"}, "ReferenceLine3": {jsx: (<Sparklines data={sampleData} height={60} margin={2} width={240}><SparklinesLine style={{}} /><SparklinesReferenceLine style={{stroke: 'red', strokeDasharray: '2, 2', strokeOpacity: 0.75}} type="mean" /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813 237.99999999999997 58 2 58 2 31.298818982032884\" style=\"stroke:none;stroke-width:0;fill-opacity:.1;fill:slategray;\"/><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813\" style=\"stroke:slategray;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g><line x1=\"2\" y1=\"30\" x2=\"237.99999999999997\" y2=\"30\" style=\"stroke:red;stroke-dasharray:2, 2;stroke-opacity:0.75;\"/></svg>"}, "ReferenceLine4": {jsx: (<Sparklines data={sampleData} height={60} margin={2} width={240}><SparklinesLine style={{}} /><SparklinesReferenceLine style={{stroke: 'red', strokeDasharray: '2, 2', strokeOpacity: 0.75}} type="avg" /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813 237.99999999999997 58 2 58 2 31.298818982032884\" style=\"stroke:none;stroke-width:0;fill-opacity:.1;fill:slategray;\"/><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813\" style=\"stroke:slategray;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g><line x1=\"2\" y1=\"35.502288607718995\" x2=\"237.99999999999997\" y2=\"35.502288607718995\" style=\"stroke:red;stroke-dasharray:2, 2;stroke-opacity:0.75;\"/></svg>"}, "ReferenceLine5": {jsx: (<Sparklines data={sampleData} height={60} margin={2} width={240}><SparklinesLine style={{}} /><SparklinesReferenceLine style={{stroke: 'red', strokeDasharray: '2, 2', strokeOpacity: 0.75}} type="median" /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813 237.99999999999997 58 2 58 2 31.298818982032884\" style=\"stroke:none;stroke-width:0;fill-opacity:.1;fill:slategray;\"/><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813\" style=\"stroke:slategray;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g><line x1=\"2\" y1=\"37.09328943580186\" x2=\"237.99999999999997\" y2=\"37.09328943580186\" style=\"stroke:red;stroke-dasharray:2, 2;stroke-opacity:0.75;\"/></svg>"}, "ReferenceLine6": {jsx: (<Sparklines data={sampleData} height={60} margin={2} width={240}><SparklinesBars style={{fill: 'slategray', fillOpacity: '.5'}} /><SparklinesReferenceLine style={{stroke: 'red', strokeDasharray: '2, 2', strokeOpacity: 0.75}} type="mean" /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><rect x=\"2\" y=\"32\" width=\"9\" height=\"29\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"11\" y=\"56\" width=\"9\" height=\"5\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"19\" y=\"41\" width=\"9\" height=\"20\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"27\" y=\"36\" width=\"9\" height=\"25\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"35\" y=\"36\" width=\"9\" height=\"25\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"43\" y=\"23\" width=\"9\" height=\"38\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"51\" y=\"36\" width=\"9\" height=\"25\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"59\" y=\"35\" width=\"9\" height=\"26\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"68\" y=\"49\" width=\"9\" height=\"12\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"76\" y=\"56\" width=\"9\" height=\"5\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"84\" y=\"26\" width=\"9\" height=\"35\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"92\" y=\"50\" width=\"9\" height=\"11\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"100\" y=\"17\" width=\"9\" height=\"44\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"108\" y=\"58\" width=\"9\" height=\"2\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"116\" y=\"40\" width=\"9\" height=\"21\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"125\" y=\"37\" width=\"9\" height=\"24\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"133\" y=\"30\" width=\"9\" height=\"31\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"141\" y=\"2\" width=\"9\" height=\"58\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"149\" y=\"38\" width=\"9\" height=\"23\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"157\" y=\"24\" width=\"9\" height=\"37\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"165\" y=\"13\" width=\"9\" height=\"48\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"173\" y=\"23\" width=\"9\" height=\"38\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"182\" y=\"44\" width=\"9\" height=\"17\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"190\" y=\"20\" width=\"9\" height=\"41\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"198\" y=\"17\" width=\"9\" height=\"44\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"206\" y=\"33\" width=\"9\" height=\"28\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"214\" y=\"19\" width=\"9\" height=\"42\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"222\" y=\"46\" width=\"9\" height=\"15\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"230\" y=\"43\" width=\"9\" height=\"18\" style=\"fill:slategray;fill-opacity:.5;\"/><rect x=\"238\" y=\"39\" width=\"9\" height=\"22\" style=\"fill:slategray;fill-opacity:.5;\"/></g><line x1=\"2\" y1=\"30\" x2=\"237.99999999999997\" y2=\"30\" style=\"stroke:red;stroke-dasharray:2, 2;stroke-opacity:0.75;\"/></svg>"}, "NormalBand1": {jsx: (<Sparklines data={sampleData} height={60} margin={2} width={240}><SparklinesLine style={{fill: 'none'}} /><SparklinesNormalBand style={{fill: 'red', fillOpacity: 0.1}} /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813 237.99999999999997 58 2 58 2 31.298818982032884\" style=\"stroke:none;stroke-width:0;fill-opacity:.1;fill:none;\"/><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813\" style=\"stroke:slategray;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g><rect x=\"2\" y=\"15.537572257915796\" width=\"235.99999999999997\" height=\"28.924855484168408\" style=\"fill:red;fill-opacity:0.1;\"/></svg>"}, "NormalBand2": {jsx: (<Sparklines data={sampleData} height={60} margin={2} width={240}><SparklinesLine style={{fill: 'none'}} /><SparklinesNormalBand style={{fill: 'red', fillOpacity: 0.1}} /><SparklinesReferenceLine style={{stroke: 'red', strokeDasharray: '2, 2', strokeOpacity: 0.75}} type="mean" /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813 237.99999999999997 58 2 58 2 31.298818982032884\" style=\"stroke:none;stroke-width:0;fill-opacity:.1;fill:none;\"/><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813\" style=\"stroke:slategray;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g><rect x=\"2\" y=\"15.537572257915796\" width=\"235.99999999999997\" height=\"28.924855484168408\" style=\"fill:red;fill-opacity:0.1;\"/><line x1=\"2\" y1=\"30\" x2=\"237.99999999999997\" y2=\"30\" style=\"stroke:red;stroke-dasharray:2, 2;stroke-opacity:0.75;\"/></svg>"}, "RealWorld1": {jsx: (<Sparklines data={sampleData} height={60} margin={2} width={240}><SparklinesLine style={{fill: 'none', stroke: '#336aff', strokeWidth: 3}} /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813 237.99999999999997 58 2 58 2 31.298818982032884\" style=\"stroke:#336aff;stroke-width:0;fill-opacity:.1;fill:none;\"/><polyline points=\"2 31.298818982032884 10.137931034482758 55.01316606917407 18.275862068965516 40.842536562733855 26.413793103448274 35.085712741670704 34.55172413793103 35.72307038050503 42.689655172413794 22.604754520014673 50.82758620689655 35.09328943580186 58.9655172413793 34.582746515903054 67.10344827586206 48.92380951913402 75.24137931034483 55.80094475531381 83.37931034482759 25.98640765234915 91.51724137931033 49.013602224527006 99.6551724137931 16.58949766232015 107.79310344827586 58 115.9310344827586 39.56937570955469 124.06896551724137 36.09976654235997 132.20689655172413 29.96269369456632 140.3448275862069 2 148.48275862068965 37.2279060531068 156.6206896551724 23.65320856797191 164.75862068965517 12.225428408536278 172.8965517241379 22.168883637468582 181.03448275862067 43.5834642299797 189.17241379310343 19.82660493315965 197.3103448275862 16.819343540796105 205.44827586206895 32.262281324484476 213.58620689655172 18.414088240128216 221.72413793103448 45.95308927627845 229.8620689655172 42.699930541317386 237.99999999999997 38.0442365103813\" style=\"stroke:#336aff;stroke-width:3;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g></svg>"}, "RealWorld2": {jsx: (<Sparklines data={sampleData100} height={60} margin={2} width={200}><SparklinesLine style={{fill: 'none', stroke: '#2991c8'}} /><SparklinesSpots size={2} spotColors={{'0': 'black', '1': 'green', '-1': 'red'}} /><SparklinesNormalBand style={{fill: '#2991c8', fillOpacity: 0.1}} /></Sparklines>), svg: "<svg width=\"200\" height=\"60\" viewbox=\"0 0 200 60\"><g><polyline points=\"2 28.699169913196723 3.97979797979798 18.746892936298458 5.95959595959596 19.360363549601256 7.9393939393939394 30.942358615790692 9.91919191919192 27.591132781250213 11.8989898989899 21.88244635727191 13.878787878787879 2.2716470413641217 15.85858585858586 44.111635466963286 17.83838383838384 3.2392984148533266 19.81818181818182 21.312565202895534 21.7979797979798 30.062400796861898 23.77777777777778 13.537375547655664 25.757575757575758 49.24484231527506 27.737373737373737 22.48858782535742 29.71717171717172 28.800973561581834 31.6969696969697 32.692831983598424 33.67676767676768 26.76323370600337 35.65656565656566 21.04742626901525 37.63636363636364 8.908148712918885 39.61616161616162 39.42307267642152 41.5959595959596 14.153400514054887 43.57575757575758 14.144702285039587 45.55555555555556 41.45470153711412 47.535353535353536 23.533189884931215 49.515151515151516 27.715293492970268 51.494949494949495 41.70513637186207 53.474747474747474 29.411721832122044 55.45454545454546 17.62358784089425 57.43434343434344 32.48390724607359 59.41414141414142 13.531005353390151 61.3939393939394 10.218042392856221 63.37373737373738 36.28660959742038 65.35353535353536 37.844453271865795 67.33333333333334 36.51503609547178 69.31313131313132 22.937682542519745 71.2929292929293 22.567381607926563 73.27272727272728 22.71411320154566 75.25252525252526 2 77.23232323232324 20.487621577906445 79.21212121212122 7.986210626656898 81.1919191919192 43.061937149131296 83.17171717171718 33.999085136323544 85.15151515151516 20.969016617883042 87.13131313131314 29.929990618273386 89.11111111111111 39.278543592155756 91.0909090909091 23.38805292163325 93.07070707070707 42.80252242249484 95.05050505050505 15.585534273942795 97.03030303030303 39.599323143860154 99.01010101010101 33.691745712013685 100.98989898989899 26.331575733579037 102.96969696969697 3.0228512208252734 104.94949494949495 23.016391232788045 106.92929292929293 24.865822463434533 108.90909090909092 32.67248342992299 110.8888888888889 34.670391141823934 112.86868686868688 40.14362702027685 114.84848484848486 4.679008029655258 116.82828282828284 28.723458308473166 118.80808080808082 10.158595469341476 120.7878787878788 26.825606281831906 122.76767676767678 52.94019819187331 124.74747474747475 17.95226440373869 126.72727272727273 5.9547382471651655 128.70707070707073 36.825105794528945 130.6868686868687 26.665000451223552 132.66666666666669 21.952951545240513 134.64646464646466 29.471548928099068 136.62626262626264 20.251832625499166 138.60606060606062 15.580978413243034 140.5858585858586 2.1212161788152923 142.56565656565658 9.851473603001866 144.54545454545456 28.580661894354176 146.52525252525254 18.76085629542151 148.50505050505052 32.15998920013431 150.4848484848485 36.65153413647405 152.46464646464648 22.161706059025654 154.44444444444446 32.441178872961345 156.42424242424244 46.89206470261126 158.40404040404042 17.61289853610026 160.3838383838384 28.33563388469292 162.36363636363637 26.82937553981752 164.34343434343435 13.798612100526448 166.32323232323233 14.49965939137122 168.3030303030303 32.701361828132725 170.2828282828283 23.704916621261074 172.26262626262627 23.96314088374288 174.24242424242425 33.25406896916259 176.22222222222223 18.639075909683598 178.2020202020202 29.37596848130279 180.1818181818182 26.516267657250477 182.16161616161617 29.865091114827834 184.14141414141415 40.58037071398917 186.12121212121212 17.433733829691164 188.1010101010101 57.99999999999999 190.08080808080808 40.78634337580227 192.06060606060606 26.50123154323286 194.04040404040404 19.80587881060026 196.02020202020202 50.520499511476984 198 2.5117288917517246 198 58 2 58 2 28.699169913196723\" style=\"stroke:#2991c8;stroke-width:0;fill-opacity:.1;fill:none;\"/><polyline points=\"2 28.699169913196723 3.97979797979798 18.746892936298458 5.95959595959596 19.360363549601256 7.9393939393939394 30.942358615790692 9.91919191919192 27.591132781250213 11.8989898989899 21.88244635727191 13.878787878787879 2.2716470413641217 15.85858585858586 44.111635466963286 17.83838383838384 3.2392984148533266 19.81818181818182 21.312565202895534 21.7979797979798 30.062400796861898 23.77777777777778 13.537375547655664 25.757575757575758 49.24484231527506 27.737373737373737 22.48858782535742 29.71717171717172 28.800973561581834 31.6969696969697 32.692831983598424 33.67676767676768 26.76323370600337 35.65656565656566 21.04742626901525 37.63636363636364 8.908148712918885 39.61616161616162 39.42307267642152 41.5959595959596 14.153400514054887 43.57575757575758 14.144702285039587 45.55555555555556 41.45470153711412 47.535353535353536 23.533189884931215 49.515151515151516 27.715293492970268 51.494949494949495 41.70513637186207 53.474747474747474 29.411721832122044 55.45454545454546 17.62358784089425 57.43434343434344 32.48390724607359 59.41414141414142 13.531005353390151 61.3939393939394 10.218042392856221 63.37373737373738 36.28660959742038 65.35353535353536 37.844453271865795 67.33333333333334 36.51503609547178 69.31313131313132 22.937682542519745 71.2929292929293 22.567381607926563 73.27272727272728 22.71411320154566 75.25252525252526 2 77.23232323232324 20.487621577906445 79.21212121212122 7.986210626656898 81.1919191919192 43.061937149131296 83.17171717171718 33.999085136323544 85.15151515151516 20.969016617883042 87.13131313131314 29.929990618273386 89.11111111111111 39.278543592155756 91.0909090909091 23.38805292163325 93.07070707070707 42.80252242249484 95.05050505050505 15.585534273942795 97.03030303030303 39.599323143860154 99.01010101010101 33.691745712013685 100.98989898989899 26.331575733579037 102.96969696969697 3.0228512208252734 104.94949494949495 23.016391232788045 106.92929292929293 24.865822463434533 108.90909090909092 32.67248342992299 110.8888888888889 34.670391141823934 112.86868686868688 40.14362702027685 114.84848484848486 4.679008029655258 116.82828282828284 28.723458308473166 118.80808080808082 10.158595469341476 120.7878787878788 26.825606281831906 122.76767676767678 52.94019819187331 124.74747474747475 17.95226440373869 126.72727272727273 5.9547382471651655 128.70707070707073 36.825105794528945 130.6868686868687 26.665000451223552 132.66666666666669 21.952951545240513 134.64646464646466 29.471548928099068 136.62626262626264 20.251832625499166 138.60606060606062 15.580978413243034 140.5858585858586 2.1212161788152923 142.56565656565658 9.851473603001866 144.54545454545456 28.580661894354176 146.52525252525254 18.76085629542151 148.50505050505052 32.15998920013431 150.4848484848485 36.65153413647405 152.46464646464648 22.161706059025654 154.44444444444446 32.441178872961345 156.42424242424244 46.89206470261126 158.40404040404042 17.61289853610026 160.3838383838384 28.33563388469292 162.36363636363637 26.82937553981752 164.34343434343435 13.798612100526448 166.32323232323233 14.49965939137122 168.3030303030303 32.701361828132725 170.2828282828283 23.704916621261074 172.26262626262627 23.96314088374288 174.24242424242425 33.25406896916259 176.22222222222223 18.639075909683598 178.2020202020202 29.37596848130279 180.1818181818182 26.516267657250477 182.16161616161617 29.865091114827834 184.14141414141415 40.58037071398917 186.12121212121212 17.433733829691164 188.1010101010101 57.99999999999999 190.08080808080808 40.78634337580227 192.06060606060606 26.50123154323286 194.04040404040404 19.80587881060026 196.02020202020202 50.520499511476984 198 2.5117288917517246\" style=\"stroke:#2991c8;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g><g><circle cx=\"198\" cy=\"2.5117288917517246\" r=\"2\" style=\"fill:green;\"/></g><rect x=\"2\" y=\"17.737546692035906\" width=\"196\" height=\"24.52490661592818\" style=\"fill:#2991c8;fill-opacity:0.1;\"/></svg>"}, "RealWorld3": {jsx: (<Sparklines data={sampleData100} height={60} margin={2} width={240}><SparklinesLine style={{fill: 'none', stroke: 'black'}} /><SparklinesSpots size={2} spotColors={{'0': 'black', '1': 'green', '-1': 'red'}} style={{fill: 'orange'}} /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><polyline points=\"2 28.699169913196723 4.383838383838384 18.746892936298458 6.767676767676767 19.360363549601256 9.15151515151515 30.942358615790692 11.535353535353535 27.591132781250213 13.919191919191919 21.88244635727191 16.3030303030303 2.2716470413641217 18.686868686868685 44.111635466963286 21.07070707070707 3.2392984148533266 23.454545454545453 21.312565202895534 25.838383838383837 30.062400796861898 28.22222222222222 13.537375547655664 30.606060606060602 49.24484231527506 32.98989898989899 22.48858782535742 35.37373737373737 28.800973561581834 37.75757575757576 32.692831983598424 40.14141414141414 26.76323370600337 42.52525252525252 21.04742626901525 44.90909090909091 8.908148712918885 47.29292929292929 39.42307267642152 49.676767676767675 14.153400514054887 52.060606060606055 14.144702285039587 54.44444444444444 41.45470153711412 56.82828282828282 23.533189884931215 59.212121212121204 27.715293492970268 61.59595959595959 41.70513637186207 63.97979797979797 29.411721832122044 66.36363636363636 17.62358784089425 68.74747474747474 32.48390724607359 71.13131313131312 13.531005353390151 73.51515151515152 10.218042392856221 75.8989898989899 36.28660959742038 78.28282828282828 37.844453271865795 80.66666666666666 36.51503609547178 83.05050505050504 22.937682542519745 85.43434343434343 22.567381607926563 87.81818181818181 22.71411320154566 90.2020202020202 2 92.58585858585857 20.487621577906445 94.96969696969697 7.986210626656898 97.35353535353535 43.061937149131296 99.73737373737373 33.999085136323544 102.12121212121211 20.969016617883042 104.50505050505049 29.929990618273386 106.88888888888889 39.278543592155756 109.27272727272727 23.38805292163325 111.65656565656565 42.80252242249484 114.04040404040403 15.585534273942795 116.42424242424241 39.599323143860154 118.8080808080808 33.691745712013685 121.19191919191918 26.331575733579037 123.57575757575756 3.0228512208252734 125.95959595959594 23.016391232788045 128.34343434343435 24.865822463434533 130.72727272727272 32.67248342992299 133.11111111111111 34.670391141823934 135.49494949494948 40.14362702027685 137.87878787878788 4.679008029655258 140.26262626262624 28.723458308473166 142.64646464646464 10.158595469341476 145.03030303030303 26.825606281831906 147.4141414141414 52.94019819187331 149.7979797979798 17.95226440373869 152.18181818181816 5.9547382471651655 154.56565656565655 36.825105794528945 156.94949494949495 26.665000451223552 159.33333333333331 21.952951545240513 161.7171717171717 29.471548928099068 164.10101010101008 20.251832625499166 166.48484848484847 15.580978413243034 168.86868686868686 2.1212161788152923 171.25252525252523 9.851473603001866 173.63636363636363 28.580661894354176 176.020202020202 18.76085629542151 178.4040404040404 32.15998920013431 180.78787878787878 36.65153413647405 183.17171717171715 22.161706059025654 185.55555555555554 32.441178872961345 187.93939393939394 46.89206470261126 190.3232323232323 17.61289853610026 192.7070707070707 28.33563388469292 195.09090909090907 26.82937553981752 197.47474747474746 13.798612100526448 199.85858585858585 14.49965939137122 202.24242424242422 32.701361828132725 204.62626262626262 23.704916621261074 207.01010101010098 23.96314088374288 209.39393939393938 33.25406896916259 211.77777777777777 18.639075909683598 214.16161616161614 29.37596848130279 216.54545454545453 26.516267657250477 218.9292929292929 29.865091114827834 221.3131313131313 40.58037071398917 223.6969696969697 17.433733829691164 226.08080808080805 57.99999999999999 228.46464646464645 40.78634337580227 230.84848484848482 26.50123154323286 233.2323232323232 19.80587881060026 235.6161616161616 50.520499511476984 237.99999999999997 2.5117288917517246 237.99999999999997 58 2 58 2 28.699169913196723\" style=\"stroke:black;stroke-width:0;fill-opacity:.1;fill:none;\"/><polyline points=\"2 28.699169913196723 4.383838383838384 18.746892936298458 6.767676767676767 19.360363549601256 9.15151515151515 30.942358615790692 11.535353535353535 27.591132781250213 13.919191919191919 21.88244635727191 16.3030303030303 2.2716470413641217 18.686868686868685 44.111635466963286 21.07070707070707 3.2392984148533266 23.454545454545453 21.312565202895534 25.838383838383837 30.062400796861898 28.22222222222222 13.537375547655664 30.606060606060602 49.24484231527506 32.98989898989899 22.48858782535742 35.37373737373737 28.800973561581834 37.75757575757576 32.692831983598424 40.14141414141414 26.76323370600337 42.52525252525252 21.04742626901525 44.90909090909091 8.908148712918885 47.29292929292929 39.42307267642152 49.676767676767675 14.153400514054887 52.060606060606055 14.144702285039587 54.44444444444444 41.45470153711412 56.82828282828282 23.533189884931215 59.212121212121204 27.715293492970268 61.59595959595959 41.70513637186207 63.97979797979797 29.411721832122044 66.36363636363636 17.62358784089425 68.74747474747474 32.48390724607359 71.13131313131312 13.531005353390151 73.51515151515152 10.218042392856221 75.8989898989899 36.28660959742038 78.28282828282828 37.844453271865795 80.66666666666666 36.51503609547178 83.05050505050504 22.937682542519745 85.43434343434343 22.567381607926563 87.81818181818181 22.71411320154566 90.2020202020202 2 92.58585858585857 20.487621577906445 94.96969696969697 7.986210626656898 97.35353535353535 43.061937149131296 99.73737373737373 33.999085136323544 102.12121212121211 20.969016617883042 104.50505050505049 29.929990618273386 106.88888888888889 39.278543592155756 109.27272727272727 23.38805292163325 111.65656565656565 42.80252242249484 114.04040404040403 15.585534273942795 116.42424242424241 39.599323143860154 118.8080808080808 33.691745712013685 121.19191919191918 26.331575733579037 123.57575757575756 3.0228512208252734 125.95959595959594 23.016391232788045 128.34343434343435 24.865822463434533 130.72727272727272 32.67248342992299 133.11111111111111 34.670391141823934 135.49494949494948 40.14362702027685 137.87878787878788 4.679008029655258 140.26262626262624 28.723458308473166 142.64646464646464 10.158595469341476 145.03030303030303 26.825606281831906 147.4141414141414 52.94019819187331 149.7979797979798 17.95226440373869 152.18181818181816 5.9547382471651655 154.56565656565655 36.825105794528945 156.94949494949495 26.665000451223552 159.33333333333331 21.952951545240513 161.7171717171717 29.471548928099068 164.10101010101008 20.251832625499166 166.48484848484847 15.580978413243034 168.86868686868686 2.1212161788152923 171.25252525252523 9.851473603001866 173.63636363636363 28.580661894354176 176.020202020202 18.76085629542151 178.4040404040404 32.15998920013431 180.78787878787878 36.65153413647405 183.17171717171715 22.161706059025654 185.55555555555554 32.441178872961345 187.93939393939394 46.89206470261126 190.3232323232323 17.61289853610026 192.7070707070707 28.33563388469292 195.09090909090907 26.82937553981752 197.47474747474746 13.798612100526448 199.85858585858585 14.49965939137122 202.24242424242422 32.701361828132725 204.62626262626262 23.704916621261074 207.01010101010098 23.96314088374288 209.39393939393938 33.25406896916259 211.77777777777777 18.639075909683598 214.16161616161614 29.37596848130279 216.54545454545453 26.516267657250477 218.9292929292929 29.865091114827834 221.3131313131313 40.58037071398917 223.6969696969697 17.433733829691164 226.08080808080805 57.99999999999999 228.46464646464645 40.78634337580227 230.84848484848482 26.50123154323286 233.2323232323232 19.80587881060026 235.6161616161616 50.520499511476984 237.99999999999997 2.5117288917517246\" style=\"stroke:black;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g><g><circle cx=\"2\" cy=\"28.699169913196723\" r=\"2\" style=\"fill:orange;\"/><circle cx=\"237.99999999999997\" cy=\"2.5117288917517246\" r=\"2\" style=\"fill:orange;\"/></g></svg>"}, "RealWorld4": {jsx: (<Sparklines data={sampleData} height={60} margin={2} width={240}><SparklinesBars style={{fill: '#40c0f5', stroke: 'white', strokeWidth: '1'}} /></Sparklines>), svg: "<svg width=\"240\" height=\"60\" viewbox=\"0 0 240 60\"><g><rect x=\"2\" y=\"32\" width=\"8\" height=\"29\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"10\" y=\"56\" width=\"8\" height=\"5\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"17\" y=\"41\" width=\"8\" height=\"20\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"24\" y=\"36\" width=\"8\" height=\"25\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"31\" y=\"36\" width=\"8\" height=\"25\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"38\" y=\"23\" width=\"8\" height=\"38\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"45\" y=\"36\" width=\"8\" height=\"25\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"52\" y=\"35\" width=\"8\" height=\"26\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"60\" y=\"49\" width=\"8\" height=\"12\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"67\" y=\"56\" width=\"8\" height=\"5\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"74\" y=\"26\" width=\"8\" height=\"35\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"81\" y=\"50\" width=\"8\" height=\"11\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"88\" y=\"17\" width=\"8\" height=\"44\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"95\" y=\"58\" width=\"8\" height=\"2\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"102\" y=\"40\" width=\"8\" height=\"21\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"110\" y=\"37\" width=\"8\" height=\"24\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"117\" y=\"30\" width=\"8\" height=\"31\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"124\" y=\"2\" width=\"8\" height=\"58\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"131\" y=\"38\" width=\"8\" height=\"23\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"138\" y=\"24\" width=\"8\" height=\"37\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"145\" y=\"13\" width=\"8\" height=\"48\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"152\" y=\"23\" width=\"8\" height=\"38\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"160\" y=\"44\" width=\"8\" height=\"17\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"167\" y=\"20\" width=\"8\" height=\"41\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"174\" y=\"17\" width=\"8\" height=\"44\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"181\" y=\"33\" width=\"8\" height=\"28\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"188\" y=\"19\" width=\"8\" height=\"42\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"195\" y=\"46\" width=\"8\" height=\"15\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"202\" y=\"43\" width=\"8\" height=\"18\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/><rect x=\"209\" y=\"39\" width=\"8\" height=\"22\" style=\"fill:#40c0f5;stroke:white;stroke-width:1;\"/></g></svg>"}, "RealWorld5": {jsx: (<Sparklines data={sampleData} height={80} margin={2} width={240}><SparklinesLine style={{fill: 'none', stroke: '#8ed53f', strokeWidth: '1'}} /></Sparklines>), svg: "<svg width=\"240\" height=\"80\" viewbox=\"0 0 240 80\"><g><polyline points=\"2 41.762682904187486 10.137931034482758 73.94643966530765 18.275862068965516 54.71487104942451 26.413793103448274 46.90203872083881 34.55172413793103 47.76702408782825 42.689655172413794 29.96359542001991 50.82758620689655 46.912321377159664 58.9655172413793 46.219441700154135 67.10344827586206 65.68231291882473 75.24137931034483 75.01556788221158 83.37931034482759 34.55298181390241 91.51724137931033 65.80417444757236 99.6551724137931 21.800032541720196 107.79310344827586 78 115.9310344827586 52.9870098915385 124.06896551724137 48.27825459320281 132.20689655172413 39.94937001405429 140.3448275862069 2 148.48275862068965 49.80930107207351 156.6206896551724 31.38649734224759 164.75862068965517 15.877367125870661 172.8965517241379 29.372056365135933 181.03448275862067 58.43470145497244 189.17241379310343 26.193249552145236 197.3103448275862 22.111966233937565 205.44827586206895 43.07023894037178 213.58620689655172 24.27626261160258 221.72413793103448 61.650621160663604 229.8620689655172 57.2356200203593 237.99999999999997 50.91717812123176 237.99999999999997 78 2 78 2 41.762682904187486\" style=\"stroke:#8ed53f;stroke-width:0;fill-opacity:.1;fill:none;\"/><polyline points=\"2 41.762682904187486 10.137931034482758 73.94643966530765 18.275862068965516 54.71487104942451 26.413793103448274 46.90203872083881 34.55172413793103 47.76702408782825 42.689655172413794 29.96359542001991 50.82758620689655 46.912321377159664 58.9655172413793 46.219441700154135 67.10344827586206 65.68231291882473 75.24137931034483 75.01556788221158 83.37931034482759 34.55298181390241 91.51724137931033 65.80417444757236 99.6551724137931 21.800032541720196 107.79310344827586 78 115.9310344827586 52.9870098915385 124.06896551724137 48.27825459320281 132.20689655172413 39.94937001405429 140.3448275862069 2 148.48275862068965 49.80930107207351 156.6206896551724 31.38649734224759 164.75862068965517 15.877367125870661 172.8965517241379 29.372056365135933 181.03448275862067 58.43470145497244 189.17241379310343 26.193249552145236 197.3103448275862 22.111966233937565 205.44827586206895 43.07023894037178 213.58620689655172 24.27626261160258 221.72413793103448 61.650621160663604 229.8620689655172 57.2356200203593 237.99999999999997 50.91717812123176\" style=\"stroke:#8ed53f;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g></svg>"}, "RealWorld6": {jsx: (<Sparklines data={sampleData} height={80} margin={2} width={240}><SparklinesLine style={{fill: 'none', stroke: '#d1192e', strokeWidth: '1'}} /></Sparklines>), svg: "<svg width=\"240\" height=\"80\" viewbox=\"0 0 240 80\"><g><polyline points=\"2 41.762682904187486 10.137931034482758 73.94643966530765 18.275862068965516 54.71487104942451 26.413793103448274 46.90203872083881 34.55172413793103 47.76702408782825 42.689655172413794 29.96359542001991 50.82758620689655 46.912321377159664 58.9655172413793 46.219441700154135 67.10344827586206 65.68231291882473 75.24137931034483 75.01556788221158 83.37931034482759 34.55298181390241 91.51724137931033 65.80417444757236 99.6551724137931 21.800032541720196 107.79310344827586 78 115.9310344827586 52.9870098915385 124.06896551724137 48.27825459320281 132.20689655172413 39.94937001405429 140.3448275862069 2 148.48275862068965 49.80930107207351 156.6206896551724 31.38649734224759 164.75862068965517 15.877367125870661 172.8965517241379 29.372056365135933 181.03448275862067 58.43470145497244 189.17241379310343 26.193249552145236 197.3103448275862 22.111966233937565 205.44827586206895 43.07023894037178 213.58620689655172 24.27626261160258 221.72413793103448 61.650621160663604 229.8620689655172 57.2356200203593 237.99999999999997 50.91717812123176 237.99999999999997 78 2 78 2 41.762682904187486\" style=\"stroke:#d1192e;stroke-width:0;fill-opacity:.1;fill:none;\"/><polyline points=\"2 41.762682904187486 10.137931034482758 73.94643966530765 18.275862068965516 54.71487104942451 26.413793103448274 46.90203872083881 34.55172413793103 47.76702408782825 42.689655172413794 29.96359542001991 50.82758620689655 46.912321377159664 58.9655172413793 46.219441700154135 67.10344827586206 65.68231291882473 75.24137931034483 75.01556788221158 83.37931034482759 34.55298181390241 91.51724137931033 65.80417444757236 99.6551724137931 21.800032541720196 107.79310344827586 78 115.9310344827586 52.9870098915385 124.06896551724137 48.27825459320281 132.20689655172413 39.94937001405429 140.3448275862069 2 148.48275862068965 49.80930107207351 156.6206896551724 31.38649734224759 164.75862068965517 15.877367125870661 172.8965517241379 29.372056365135933 181.03448275862067 58.43470145497244 189.17241379310343 26.193249552145236 197.3103448275862 22.111966233937565 205.44827586206895 43.07023894037178 213.58620689655172 24.27626261160258 221.72413793103448 61.650621160663604 229.8620689655172 57.2356200203593 237.99999999999997 50.91717812123176\" style=\"stroke:#d1192e;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g></svg>"}, "RealWorld7": {jsx: (<Sparklines data={sampleData} height={40} margin={2} width={240}><SparklinesLine style={{fill: '#8fc638', fillOpacity: '1', stroke: '#559500'}} /></Sparklines>), svg: "<svg width=\"240\" height=\"40\" viewbox=\"0 0 240 40\"><g><polyline points=\"2 20.834955059878283 10.137931034482758 36.07989247304047 18.275862068965516 26.970202076043194 26.413793103448274 23.269386762502595 34.55172413793103 23.679116673181802 42.689655172413794 15.245913620009434 50.82758620689655 23.27425749444405 58.9655172413793 22.94605133165196 67.10344827586206 32.1653061194433 75.24137931034483 36.586321628416016 83.37931034482759 17.41983349079588 91.51724137931033 32.223030001481646 99.6551724137931 11.378962782920095 107.79310344827586 38 115.9310344827586 26.15174152757087 124.06896551724137 23.921278491517125 132.20689655172413 19.976017375078346 140.3448275862069 2 148.48275862068965 24.646511034140087 156.6206896551724 15.919919793696229 164.75862068965517 8.573489691201893 172.8965517241379 14.965710909801231 181.03448275862067 28.73222700498695 189.17241379310343 13.459960314174062 197.3103448275862 11.526720847654637 205.44827586206895 21.454323708597162 213.58620689655172 12.551913868653854 221.72413793103448 30.255557391893287 229.8620689655172 28.16424106227546 237.99999999999997 25.171294899530835 237.99999999999997 38 2 38 2 20.834955059878283\" style=\"stroke:#559500;stroke-width:0;fill-opacity:1;fill:#8fc638;\"/><polyline points=\"2 20.834955059878283 10.137931034482758 36.07989247304047 18.275862068965516 26.970202076043194 26.413793103448274 23.269386762502595 34.55172413793103 23.679116673181802 42.689655172413794 15.245913620009434 50.82758620689655 23.27425749444405 58.9655172413793 22.94605133165196 67.10344827586206 32.1653061194433 75.24137931034483 36.586321628416016 83.37931034482759 17.41983349079588 91.51724137931033 32.223030001481646 99.6551724137931 11.378962782920095 107.79310344827586 38 115.9310344827586 26.15174152757087 124.06896551724137 23.921278491517125 132.20689655172413 19.976017375078346 140.3448275862069 2 148.48275862068965 24.646511034140087 156.6206896551724 15.919919793696229 164.75862068965517 8.573489691201893 172.8965517241379 14.965710909801231 181.03448275862067 28.73222700498695 189.17241379310343 13.459960314174062 197.3103448275862 11.526720847654637 205.44827586206895 21.454323708597162 213.58620689655172 12.551913868653854 221.72413793103448 30.255557391893287 229.8620689655172 28.16424106227546 237.99999999999997 25.171294899530835\" style=\"stroke:#559500;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g></svg>"}, "RealWorld8": {jsx: (<Sparklines data={sampleData} height={40} margin={10} style={{background: '#272727'}} width={240}><SparklinesLine style={{fill: '#d2673a', fillOpacity: '.5', stroke: 'none'}} /></Sparklines>), svg: "<svg width=\"240\" height=\"40\" style=\"background:#272727;\" viewbox=\"0 0 240 40\"><g><polyline points=\"10 20.4638639221546 17.586206896551722 28.933273596133596 25.17241379310345 23.87233448669066 32.758620689655174 21.81632597916811 40.3448275862069 22.043953707323226 47.93103448275862 17.35884090000524 55.51724137931035 21.819031941357807 63.10344827586207 21.63669518425109 70.6896551724138 26.75850339969072 78.27586206896552 29.214623126897788 85.86206896551724 18.56657416155327 93.44827586206897 26.79057222304536 101.0344827586207 15.210534879400052 108.62068965517241 30 116.20689655172414 23.417634181983818 123.79310344827586 22.178488050842844 131.3793103448276 19.98667631948797 138.9655172413793 10 146.55172413793105 22.581395018966717 154.13793103448276 17.73328877427568 161.72413793103448 13.651938717334385 169.31034482758622 17.20317272766735 176.89655172413794 24.85123722499275 184.48275862068965 16.36664461898559 192.0689655172414 15.292622693141464 199.6551724137931 20.80795761588731 207.24137931034483 15.862174371474364 214.82758620689654 25.69753188438516 222.41379310344828 24.535689479041924 230 22.872941610850464 230 30 10 30 10 20.4638639221546\" style=\"stroke:none;stroke-width:0;fill-opacity:.5;fill:#d2673a;\"/><polyline points=\"10 20.4638639221546 17.586206896551722 28.933273596133596 25.17241379310345 23.87233448669066 32.758620689655174 21.81632597916811 40.3448275862069 22.043953707323226 47.93103448275862 17.35884090000524 55.51724137931035 21.819031941357807 63.10344827586207 21.63669518425109 70.6896551724138 26.75850339969072 78.27586206896552 29.214623126897788 85.86206896551724 18.56657416155327 93.44827586206897 26.79057222304536 101.0344827586207 15.210534879400052 108.62068965517241 30 116.20689655172414 23.417634181983818 123.79310344827586 22.178488050842844 131.3793103448276 19.98667631948797 138.9655172413793 10 146.55172413793105 22.581395018966717 154.13793103448276 17.73328877427568 161.72413793103448 13.651938717334385 169.31034482758622 17.20317272766735 176.89655172413794 24.85123722499275 184.48275862068965 16.36664461898559 192.0689655172414 15.292622693141464 199.6551724137931 20.80795761588731 207.24137931034483 15.862174371474364 214.82758620689654 25.69753188438516 222.41379310344828 24.535689479041924 230 22.872941610850464\" style=\"stroke:none;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g></svg>"}, "RealWorld9": {jsx: (<Sparklines data={sampleData} height={40} margin={10} style={{background: '#00bdcc'}} width={240}><SparklinesLine style={{fill: 'none', stroke: 'white'}} /><SparklinesReferenceLine style={{stroke: 'white', strokeDasharray: '2, 2', strokeOpacity: 0.75}} type="mean" /></Sparklines>), svg: "<svg width=\"240\" height=\"40\" style=\"background:#00bdcc;\" viewbox=\"0 0 240 40\"><g><polyline points=\"10 20.4638639221546 17.586206896551722 28.933273596133596 25.17241379310345 23.87233448669066 32.758620689655174 21.81632597916811 40.3448275862069 22.043953707323226 47.93103448275862 17.35884090000524 55.51724137931035 21.819031941357807 63.10344827586207 21.63669518425109 70.6896551724138 26.75850339969072 78.27586206896552 29.214623126897788 85.86206896551724 18.56657416155327 93.44827586206897 26.79057222304536 101.0344827586207 15.210534879400052 108.62068965517241 30 116.20689655172414 23.417634181983818 123.79310344827586 22.178488050842844 131.3793103448276 19.98667631948797 138.9655172413793 10 146.55172413793105 22.581395018966717 154.13793103448276 17.73328877427568 161.72413793103448 13.651938717334385 169.31034482758622 17.20317272766735 176.89655172413794 24.85123722499275 184.48275862068965 16.36664461898559 192.0689655172414 15.292622693141464 199.6551724137931 20.80795761588731 207.24137931034483 15.862174371474364 214.82758620689654 25.69753188438516 222.41379310344828 24.535689479041924 230 22.872941610850464 230 30 10 30 10 20.4638639221546\" style=\"stroke:white;stroke-width:0;fill-opacity:.1;fill:none;\"/><polyline points=\"10 20.4638639221546 17.586206896551722 28.933273596133596 25.17241379310345 23.87233448669066 32.758620689655174 21.81632597916811 40.3448275862069 22.043953707323226 47.93103448275862 17.35884090000524 55.51724137931035 21.819031941357807 63.10344827586207 21.63669518425109 70.6896551724138 26.75850339969072 78.27586206896552 29.214623126897788 85.86206896551724 18.56657416155327 93.44827586206897 26.79057222304536 101.0344827586207 15.210534879400052 108.62068965517241 30 116.20689655172414 23.417634181983818 123.79310344827586 22.178488050842844 131.3793103448276 19.98667631948797 138.9655172413793 10 146.55172413793105 22.581395018966717 154.13793103448276 17.73328877427568 161.72413793103448 13.651938717334385 169.31034482758622 17.20317272766735 176.89655172413794 24.85123722499275 184.48275862068965 16.36664461898559 192.0689655172414 15.292622693141464 199.6551724137931 20.80795761588731 207.24137931034483 15.862174371474364 214.82758620689654 25.69753188438516 222.41379310344828 24.535689479041924 230 22.872941610850464\" style=\"stroke:white;stroke-width:1;stroke-linejoin:round;stroke-linecap:round;fill:none;\"/></g><line x1=\"10\" y1=\"20\" x2=\"230\" y2=\"20\" style=\"stroke:white;stroke-dasharray:2, 2;stroke-opacity:0.75;\"/></svg>"}, // AUTO-GENERATED PART ENDS HERE };
client/components/icons/icon-components/exit-white.js
HelpAssistHer/help-assist-her
import React from 'react' export default function ExitWhite(props) { return ( <svg width="16px" height="16px" viewBox="0 0 16 16" version="1.1" xmlns="http://www.w3.org/2000/svg" xmlnsXlink="http://www.w3.org/1999/xlink" {...props} > {/* Generator: Sketch 46.2 (44496) - http://www.bohemiancoding.com/sketch */} <title>Exit_White_Mobile</title> <desc>Created with Sketch.</desc> <defs /> <g id="Symbols" stroke="none" strokeWidth={1} fill="none" fillRule="evenodd" strokeLinecap="square" > <g id="Exit_White_Mobile" stroke="#FFFFFF" strokeWidth={2}> <path d="M0.375,0.5 L15.4479995,15.5729995" id="Line-2" /> <path d="M0.375,0.5 L15.4479995,15.5729995" id="Line-2-Copy-3" transform="translate(8.000000, 8.000000) scale(-1, 1) translate(-8.000000, -8.000000) " /> </g> </g> </svg> ) }
packages/node_modules/@webex/react-component-cover/src/index.js
adamweeks/react-ciscospark-1
import React from 'react'; import PropTypes from 'prop-types'; import classNames from 'classnames'; import styles from './styles.css'; const propTypes = { message: PropTypes.string.isRequired }; function Cover({message}) { return ( <div className={classNames('webex-cover-message', styles.message)}> <div className={classNames('webex-cover-message-title', styles.title)}> {message} </div> </div> ); } Cover.propTypes = propTypes; export default Cover;
src/components/ChatBox/ChatBoxCard/ChatBoxCard.js
renesansz/react-chat
import React from 'react'; import './ChatBoxCard.css'; class ChatBoxCard extends React.Component { render() { let className = 'ChatBoxCard'; if (this.props.isUserAuthor) className += ' me'; else if (this.props.author === 'System') className += ' system'; return ( <div className={ className }> <div className="message"> <strong className="user">{ (this.props.isUserAuthor) ? 'You' : this.props.author }</strong>: { this.props.message } </div> </div> ); }; } export default ChatBoxCard;
src/common/components/Paragraph.js
TheoMer/este
// @flow import type { TextProps } from './Text'; import type { Theme } from '../themes/types'; import Text from './Text'; import React from 'react'; type ParagraphContext = { theme: Theme, }; const Paragraph = (props: TextProps, { theme }: ParagraphContext) => { const { marginBottom = theme.paragraph.marginBottom, maxWidth = theme.block.maxWidth, ...restProps } = props; return ( <Text marginBottom={marginBottom} maxWidth={maxWidth} {...restProps} /> ); }; Paragraph.contextTypes = { theme: React.PropTypes.object, }; export default Paragraph;
app/app.js
rodrigoTrespalacios/project-bank
/** * app.js * * This is the entry file for the application, only setup and boilerplate * code. */ import 'babel-polyfill'; /* eslint-disable import/no-unresolved */ // Load the manifest.json file and the .htaccess file import '!file?name=[name].[ext]!./manifest.json'; import 'file?name=[name].[ext]!./.htaccess'; /* eslint-enable import/no-unresolved */ // Import all the third party stuff import React from 'react'; import ReactDOM from 'react-dom'; import { Provider } from 'react-redux'; import { applyRouterMiddleware, Router, browserHistory } from 'react-router'; import { syncHistoryWithStore } from 'react-router-redux'; import useScroll from 'react-router-scroll'; import LanguageProvider from 'containers/LanguageProvider'; import configureStore from './store'; // Import i18n messages import { translationMessages } from './i18n'; // Import the CSS reset, which HtmlWebpackPlugin transfers to the build folder import 'sanitize.css/sanitize.css'; // Create redux store with history // this uses the singleton browserHistory provided by react-router // Optionally, this could be changed to leverage a created history // e.g. `const browserHistory = useRouterHistory(createBrowserHistory)();` const initialState = {}; const store = configureStore(initialState, browserHistory); // Sync history and store, as the react-router-redux reducer // is under the non-default key ("routing"), selectLocationState // must be provided for resolving how to retrieve the "route" in the state import { selectLocationState } from 'containers/App/selectors'; const history = syncHistoryWithStore(browserHistory, store, { selectLocationState: selectLocationState(), }); // Set up the router, wrapping all Routes in the App component import App from 'containers/App'; import createRoutes from './routes'; const rootRoute = { component: App, childRoutes: createRoutes(store), }; const render = (translatedMessages) => { ReactDOM.render( <Provider store={store}> <LanguageProvider messages={translatedMessages}> <Router history={history} routes={rootRoute} render={ // Scroll to top when going to a new page, imitating default browser // behaviour applyRouterMiddleware(useScroll()) } /> </LanguageProvider> </Provider>, document.getElementById('app') ); }; // Hot reloadable translation json files if (module.hot) { // modules.hot.accept does not accept dynamic dependencies, // have to be constants at compile-time module.hot.accept('./i18n', () => { render(translationMessages); }); } // Chunked polyfill for browsers without Intl support if (!window.Intl) { Promise.all([ System.import('intl'), System.import('intl/locale-data/jsonp/en.js'), ]).then(() => render(translationMessages)); } else { render(translationMessages); } // Install ServiceWorker and AppCache in the end since // it's not most important operation and if main code fails, // we do not want it installed import { install } from 'offline-plugin/runtime'; install();
app/containers/LoginProgressModal/index.js
VonIobro/ab-web
/** * Created by helge on 09.03.17. */ import React from 'react'; import { connect } from 'react-redux'; import { formValueSelector } from 'redux-form/immutable'; import Radial from '../../components/RadialProgress'; export function LoginProgressWrapper(props) { return ( <div> <h2>Waiting to login ... </h2> <Radial progress={props.progress}></Radial> </div> ); } LoginProgressWrapper.propTypes = { progress: React.PropTypes.any, }; const selector = formValueSelector('login'); const mapStateToProps = (state) => ({ progress: selector(state, 'workerProgress'), }); export default connect(mapStateToProps)(LoginProgressWrapper);
src/Accordion.js
thealjey/react-bootstrap
import React from 'react'; import PanelGroup from './PanelGroup'; const Accordion = React.createClass({ render() { return ( <PanelGroup {...this.props} accordion> {this.props.children} </PanelGroup> ); } }); export default Accordion;
src/interface/icons/Warning.js
sMteX/WoWAnalyzer
import React from 'react'; // https://thenounproject.com/search/?q=warning&i=976488 // Warning by Gregor Cresnar from the Noun Project const Icon = ({ ...other }) => ( <svg xmlns="http://www.w3.org/2000/svg" viewBox="15 15 70 70" className="icon" {...other}> <path d="M52.64,21a3,3,0,0,0-5.28,0L16.08,75.23a3.5,3.5,0,0,0,3,5.25H80.89a3.5,3.5,0,0,0,3-5.25Zm.86,48.43a2,2,0,0,1-2,2h-3a2,2,0,0,1-2-2v-3a2,2,0,0,1,2-2h3a2,2,0,0,1,2,2Zm0-10.75a1.75,1.75,0,0,1-1.75,1.75h-3.5a1.75,1.75,0,0,1-1.75-1.75V41.23a1.75,1.75,0,0,1,1.75-1.75h3.5a1.75,1.75,0,0,1,1.75,1.75Z" /> </svg> ); export default Icon;
actor-apps/app-web/src/app/components/modals/create-group/Form.react.js
it33/actor-platform
import _ from 'lodash'; import Immutable from 'immutable'; import keymirror from 'keymirror'; import React from 'react'; import { Styles, TextField, FlatButton } from 'material-ui'; import CreateGroupActionCreators from 'actions/CreateGroupActionCreators'; import ContactStore from 'stores/ContactStore'; import ContactItem from './ContactItem.react'; import ActorTheme from 'constants/ActorTheme'; const ThemeManager = new Styles.ThemeManager(); const STEPS = keymirror({ NAME_INPUT: null, CONTACTS_SELECTION: null }); class CreateGroupForm extends React.Component { static displayName = 'CreateGroupForm' static childContextTypes = { muiTheme: React.PropTypes.object }; state = { step: STEPS.NAME_INPUT, selectedUserIds: new Immutable.Set() } getChildContext() { return { muiTheme: ThemeManager.getCurrentTheme() }; } constructor(props) { super(props); ThemeManager.setTheme(ActorTheme); ThemeManager.setComponentThemes({ textField: { textColor: 'rgba(0,0,0,.87)', focusColor: '#68a3e7', backgroundColor: 'transparent', borderColor: '#68a3e7' } }); } render() { let stepForm; switch (this.state.step) { case STEPS.NAME_INPUT: stepForm = ( <form className="group-name" onSubmit={this.onNameSubmit}> <div className="modal-new__body"> <TextField className="login__form__input" floatingLabelText="Group name" fullWidth onChange={this.onNameChange} value={this.state.name}/> </div> <footer className="modal-new__footer text-right"> <FlatButton hoverColor="rgba(74,144,226,.12)" label="Add members" secondary={true} type="submit"/> </footer> </form> ); break; case STEPS.CONTACTS_SELECTION: let contactList = _.map(ContactStore.getContacts(), (contact, i) => { return ( <ContactItem contact={contact} key={i} onToggle={this.onContactToggle}/> ); }); stepForm = ( <form className="group-members" onSubmit={this.onMembersSubmit}> <div className="count">{this.state.selectedUserIds.size} Members</div> <div className="modal-new__body"> <ul className="contacts__list"> {contactList} </ul> </div> <footer className="modal-new__footer text-right"> <FlatButton hoverColor="rgba(74,144,226,.12)" label="Create group" secondary={true} type="submit"/> </footer> </form> ); break; } return stepForm; } onContactToggle = (contact, isSelected) => { if (isSelected) { this.setState({selectedUserIds: this.state.selectedUserIds.add(contact.uid)}); } else { this.setState({selectedUserIds: this.state.selectedUserIds.remove(contact.uid)}); } } onNameChange = event => { event.preventDefault(); this.setState({name: event.target.value}); } onNameSubmit = event => { event.preventDefault(); if (this.state.name) { let name = this.state.name.trim(); if (name.length > 0) { this.setState({step: STEPS.CONTACTS_SELECTION}); } } } onMembersSubmit =event => { event.preventDefault(); CreateGroupActionCreators.createGroup(this.state.name, null, this.state.selectedUserIds.toJS()); } } export default CreateGroupForm;
web/components/screens/GameFull/index.fixture.js
skidding/flatris
// @flow import React from 'react'; import GameFull from '.'; export default { default: ( <GameFull disabled={false} onWatch={() => console.log('Just watch')} /> ), disabled: ( <GameFull disabled={true} onWatch={() => console.log('Just watch')} /> ), };
src/List/List.js
react-fabric/react-fabric
import React from 'react' import elementType from 'react-prop-types/lib/elementType' // import ListItem from '../ListItem' import fabricComponent from '../fabricComponent' import style from './List.scss' const List = ({ children, componentClass: Component, selectable, ...props }) => ( <Component data-fabric="List" {...props} styleName="ms-List"> { selectable ? React.Children.map(children, child => ( React.cloneElement(child, { selectable }) )) : children } </Component> ) List.displayName = 'List' List.propTypes = { children: React.PropTypes.node, // TODO Array of ListItems // children: React.PropTypes.oneOfType([ // React.PropTypes.instanceOf(ListItem), // React.PropTypes.arrayOf(React.PropTypes.instanceOf(ListItem)) // ]), componentClass: elementType, selectable: React.PropTypes.bool } List.defaultProps = { componentClass: 'ul', selectable: false } export default fabricComponent(List, style)
app/javascript/mastodon/features/ui/components/column_subheading.js
PlantsNetwork/mastodon
import React from 'react'; import PropTypes from 'prop-types'; const ColumnSubheading = ({ text }) => { return ( <div className='column-subheading'> {text} </div> ); }; ColumnSubheading.propTypes = { text: PropTypes.string.isRequired, }; export default ColumnSubheading;
src/screens/Calendar/index.js
msmsmsmsms/redux-period
import React, { Component } from 'react'; import { Text, View, } from 'react-native'; import styles from './styles'; class Calendar extends Component { render() { return ( <View style={styles.view}> <Text>Calendar View</Text> </View> ); } } export default Calendar;
client/containers/MainMenu/MainMenu.js
chenfanggm/steven-react-starter-kit
import './MainMenu.scss' import React from 'react' class MainMenu extends React.Component { constructor(props) { super(props) this.logoutHandler = this.logoutHandler.bind(this) } logoutHandler() { } render() { return ( <nav className='menu-container'> <div className='dropdown-container'> </div> </nav> ) } } export default MainMenu
src/pages/Exec/ExecUsers.js
BoilerMake/frontend
import React, { Component } from 'react'; import { Link } from 'react-router-dom'; import { Header} from 'semantic-ui-react' import ReactTable from 'react-table' import 'react-table/react-table.css' class ExecUsers extends Component { componentDidMount() { this.props.fetchUsers(); } render () { const columns = [{ Header: 'id', accessor: 'id', Cell: props => <span><Link to={`/exec/users/${props.value}`}>{props.value}</Link></span>, width: 100 },{ Header: 'Name', accessor: 'name' },{ Header: 'email', accessor: 'email' },{ Header: 'roles', accessor: 'roles', Cell: props => <span>{props.value.join(', ')}</span> }, { Header: 'Github Auth\'d?', id: 'ghauth', accessor: d => d.github_user_id ? 'yes' : 'no' }]; return ( <div> <Header as='h3' dividing>All Users</Header> <ReactTable filterable defaultFilterMethod={ (filter, row) => row[filter.id].toLowerCase().includes(filter.value.toLowerCase())}//fuzzy data={this.props.exec.user_list} columns={columns} /> </div> ); } } import { fetchUsers } from '../../actions/exec'; import { bindActionCreators } from 'redux'; import { connect } from 'react-redux' function mapStateToProps (state) { return { exec: state.exec, }; } const mapDispatchToProps = (dispatch) => { return bindActionCreators({ fetchUsers }, dispatch) }; export default connect(mapStateToProps, mapDispatchToProps)(ExecUsers);
src/components/common/legend/legend-item.js
impact-initiatives/reach-jor-zaatari-webmap
import React from 'react'; import styles from '../../../styles/index.js'; export default ({ name, color }) => ( <div className={`${styles.flex.horizontalCenterY} ${styles.inline.height36}`}> <div className={styles.inline.padding12x24}> <div className={styles.component.legendItem} style={{ backgroundColor: color }} /> </div> <div> {name} </div> </div> );
client/js/pages/NotFound.js
ongmin/shopshop
import React from 'react' import UniversalLink from 'components/UniversalLink' export default () => { return ( <div> <h2>Page not found</h2> <p> <UniversalLink to="/"> Go back to home page </UniversalLink> </p> </div> ) }