From e8ed4cda1b4dd9114ca4cb6f19298e43e412539f Mon Sep 17 00:00:00 2001 From: DariuS231 Date: Tue, 28 Mar 2017 16:23:52 +0100 Subject: [PATCH 1/8] Initial favourites --- src/data/actions.json | 6 +- src/scripts/actions/common/cache.ts | 76 +++++++++++++++++++ .../common/components/favouriteButton.tsx | 12 +++ .../spSiteContent/api/spSiteContentApi.ts | 1 + .../components/spSiteContentItem.tsx | 2 + .../interfaces/spSiteContentInterfaces.ts | 1 + 6 files changed, 95 insertions(+), 3 deletions(-) create mode 100644 src/scripts/actions/common/cache.ts create mode 100644 src/scripts/actions/common/components/favouriteButton.tsx diff --git a/src/data/actions.json b/src/data/actions.json index d41882b..1e874bc 100644 --- a/src/data/actions.json +++ b/src/data/actions.json @@ -4,13 +4,13 @@ "title": "Property bags", "description": "Create, Update or Delete Web Property Bags.", "image": "/images/sp-bag-64-blue.png", - "scriptUrl": "https://localhost:8080/dist/actions/SpPropertyBag/SpPropertyBag.js" + "scriptUrl": "https://localhost:8080/dist/actions/spPropertyBag/spPropertyBag.js" }, { "title": "Site lists", "description": "All site lists, including hidden.", "image": "/images/content-management-64-blue.png", - "scriptUrl": "https://localhost:8080/dist/actions/SpSiteContent/SpSiteContent.js" + "scriptUrl": "https://localhost:8080/dist/actions/spSiteContent/spSiteContent.js" }, { "title": "Site Custom Actions", @@ -31,4 +31,4 @@ "scriptUrl": "https://localhost:8080/dist/actions/spFeatures/spFeatures.js" } ] -} +} \ No newline at end of file diff --git a/src/scripts/actions/common/cache.ts b/src/scripts/actions/common/cache.ts new file mode 100644 index 0000000..2add878 --- /dev/null +++ b/src/scripts/actions/common/cache.ts @@ -0,0 +1,76 @@ + +class Cache { + private _keyPrefix: string = "spChromeDevTool_"; + private _isSupportedStorage: boolean = null; + + public get isSupportedStorage(): boolean { + if (this._isSupportedStorage === null) { + this._isSupportedStorage = this.checkIfStorageisSupported(); + } + return this._isSupportedStorage; + } + public clear(key: string): void { + const completeKey: string = this.addKeyPrefix(key); + this.CacheObject.removeItem(completeKey); + } + + public get(key: string): any { + const completeKey: string = this.addKeyPrefix(key); + if (this.isSupportedStorage) { + const cachedDataStr = this.CacheObject.getItem(completeKey); + + if (typeof cachedDataStr === "string") { + const cacheDataObj = JSON.parse(cachedDataStr); + if (cacheDataObj.expiryTime > (new Date())) { + return cacheDataObj.data; + } + } + } + return null; + } + + public set(key: string, valueObj: any, expireMinutes?: number) { + const completeKey: string = this.addKeyPrefix(key); + let didSetInCache = false; + if (this.isSupportedStorage && valueObj !== undefined) { + const nowDt = new Date(); + const expiryTime: number = (typeof expireMinutes !== "undefined") + ? nowDt.setMinutes(nowDt.getMinutes() + expireMinutes) + : 8640000000000000; + const cacheDataObj: any = { data: valueObj, expiryTime }; + this.CacheObject.setItem(completeKey, JSON.stringify(cacheDataObj)); + + didSetInCache = true; + + } + return didSetInCache; + } + + private addKeyPrefix(key: string): string { + const undrscr = "_"; + return this._keyPrefix + _spPageContextInfo.webAbsoluteUrl.replace(/:\/\/|\/|\./g, undrscr) + undrscr + key; + } + + private get CacheObject(): Storage { + return window.localStorage; + } + private checkIfStorageisSupported() { + const cacheObj = this.CacheObject; + const supportsStorage = cacheObj && JSON + && typeof JSON.parse === "function" + && typeof JSON.stringify === "function"; + if (supportsStorage) { + try { + const testKey = this._keyPrefix + "testingCache"; + cacheObj.setItem(testKey, "1"); + cacheObj.removeItem(testKey); + return true; + } catch (ex) { + console.log("Local Storage not supported by the browser."); + } + } + return false; + } +} + +export const AppCache: Cache = new Cache(); diff --git a/src/scripts/actions/common/components/favouriteButton.tsx b/src/scripts/actions/common/components/favouriteButton.tsx new file mode 100644 index 0000000..1b25763 --- /dev/null +++ b/src/scripts/actions/common/components/favouriteButton.tsx @@ -0,0 +1,12 @@ +import * as React from "react"; +import { IconButton } from "./iconButton"; + +interface IFavouriteButtonProps { + onClick: React.EventHandler>; + isFavourite: boolean; +} +export const FavouriteButton: React.StatelessComponent = (props: IFavouriteButtonProps) => { + const title: string = props.isFavourite ? "Remove from favourites" : "Add to favourites"; + const starType: string = props.isFavourite ? "FavoriteStarFill" : "FavoriteStar"; + return ; +}; diff --git a/src/scripts/actions/spSiteContent/api/spSiteContentApi.ts b/src/scripts/actions/spSiteContent/api/spSiteContentApi.ts index 61cd22a..2a5159d 100644 --- a/src/scripts/actions/spSiteContent/api/spSiteContentApi.ts +++ b/src/scripts/actions/spSiteContent/api/spSiteContentApi.ts @@ -38,6 +38,7 @@ export default class SpSiteContentApi extends ApiBase { hidden: oList.get_hidden(), id: listId, imageUrl: oList.get_imageUrl(), + isFavourite: true, itemCount: oList.get_itemCount(), lastModified: oList.get_lastItemModifiedDate(), listUrl: oList.get_rootFolder().get_serverRelativeUrl(), diff --git a/src/scripts/actions/spSiteContent/components/spSiteContentItem.tsx b/src/scripts/actions/spSiteContent/components/spSiteContentItem.tsx index c37e437..202c47e 100644 --- a/src/scripts/actions/spSiteContent/components/spSiteContentItem.tsx +++ b/src/scripts/actions/spSiteContent/components/spSiteContentItem.tsx @@ -1,6 +1,7 @@ import { Image, ImageFit } from "office-ui-fabric-react/lib/Image"; import * as React from "react"; import { ISiteContent } from "../interfaces/spSiteContentInterfaces"; +import { FavouriteButton } from "./../../common/components/favouriteButton"; import { IconLink } from "./../../common/components/iconLink"; import { SpSiteContentConstants as constants } from "./../constants/spSiteContentConstants"; import SpSiteContentMenu from "./spSiteContentMenu"; @@ -37,6 +38,7 @@ export const SpSiteContentItem: React.StatelessComponent
+ { console.log("Clicked Fav"); }} />
diff --git a/src/scripts/actions/spSiteContent/interfaces/spSiteContentInterfaces.ts b/src/scripts/actions/spSiteContent/interfaces/spSiteContentInterfaces.ts index 042e11d..c487a58 100644 --- a/src/scripts/actions/spSiteContent/interfaces/spSiteContentInterfaces.ts +++ b/src/scripts/actions/spSiteContent/interfaces/spSiteContentInterfaces.ts @@ -8,6 +8,7 @@ export interface ISiteContent { hidden: boolean; itemCount: number; imageUrl: string; + isFavourite: boolean; created: Date; lastModified: Date; listUrl: string; From d00fd10c387383e4515169eeb10a2ca91ad8d6fc Mon Sep 17 00:00:00 2001 From: Dario Alvarez Date: Wed, 29 Mar 2017 00:34:30 +0100 Subject: [PATCH 2/8] Favourite pin logic --- src/scripts/actions/common/cache.ts | 2 +- .../actions/spSiteContentActions.ts | 13 +++++++-- .../spSiteContent/api/spSiteContentApi.ts | 5 ++-- .../components/spSiteContent.tsx | 1 + .../components/spSiteContentItem.tsx | 11 ++++--- .../components/spSiteContentList.tsx | 6 ++-- .../constants/spSiteContentConstants.ts | 1 + .../spSiteContent/helpers/favourites.ts | 29 +++++++++++++++++++ .../interfaces/spSiteContentInterfaces.ts | 1 + .../reducers/spSiteContentReducer.ts | 10 +++++++ 10 files changed, 68 insertions(+), 11 deletions(-) create mode 100644 src/scripts/actions/spSiteContent/helpers/favourites.ts diff --git a/src/scripts/actions/common/cache.ts b/src/scripts/actions/common/cache.ts index 2add878..2290e86 100644 --- a/src/scripts/actions/common/cache.ts +++ b/src/scripts/actions/common/cache.ts @@ -14,7 +14,7 @@ class Cache { this.CacheObject.removeItem(completeKey); } - public get(key: string): any { + public get(key: string): T { const completeKey: string = this.addKeyPrefix(key); if (this.isSupportedStorage) { const cachedDataStr = this.CacheObject.getItem(completeKey); diff --git a/src/scripts/actions/spSiteContent/actions/spSiteContentActions.ts b/src/scripts/actions/spSiteContent/actions/spSiteContentActions.ts index d9c3fff..b7c92c8 100644 --- a/src/scripts/actions/spSiteContent/actions/spSiteContentActions.ts +++ b/src/scripts/actions/spSiteContent/actions/spSiteContentActions.ts @@ -1,6 +1,7 @@ import { MessageBarType } from "office-ui-fabric-react/lib/MessageBar"; import { ActionCreator, ActionCreatorsMapObject, Dispatch } from "redux"; import SpSiteContentApi from "../api/spSiteContentApi"; +import { Favourites } from "../helpers/favourites" import { IAllContentAndMessage, ISiteContent, @@ -11,8 +12,6 @@ import { ActionsId as actions, SpSiteContentConstants as constants } from "./../ const api: SpSiteContentApi = new SpSiteContentApi(); - - const setAllSiteContent: ActionCreator> = (siteContent: ISiteContent[]): IAction => { return { @@ -60,6 +59,15 @@ const getAllSiteContent = (messageData?: IMessageData) => { }); }; }; +const setFavoirute = (item: ISiteContent) => { + const { isFavourite, id } = item; + !isFavourite ? Favourites.addToFavourites(id) : Favourites.removeFromFavourites(id); + + return { + payload: { ...item, isFavourite: !isFavourite }, + type: actions.SET_FAVOURITE + }; +}; const setListVisibility = (item: ISiteContent) => { return (dispatch: Dispatch>) => { @@ -186,6 +194,7 @@ const spSiteContentActionsCreatorMap: ISpSiteContentActionCreatorsMapObject = { getAllSiteContent, setShowAll, setOpenInNewWindow, + setFavoirute, setFilter, setListVisibility, setMessageData, diff --git a/src/scripts/actions/spSiteContent/api/spSiteContentApi.ts b/src/scripts/actions/spSiteContent/api/spSiteContentApi.ts index 2a5159d..fe2a31c 100644 --- a/src/scripts/actions/spSiteContent/api/spSiteContentApi.ts +++ b/src/scripts/actions/spSiteContent/api/spSiteContentApi.ts @@ -1,3 +1,4 @@ +import { Favourites } from "../helpers/favourites"; import { ISiteContent } from "../interfaces/spSiteContentInterfaces"; import ApiBase from "./../../common/apiBase"; import { SpSiteContentConstants as constants } from "./../constants/spSiteContentConstants"; @@ -17,7 +18,7 @@ export default class SpSiteContentApi extends ApiBase { const listEnumerator: any = siteConetent.getEnumerator(); while (listEnumerator.moveNext()) { const oList: SP.List = listEnumerator.get_current(); - const listId: any = oList.get_id(); + const listId: any = oList.get_id().toString(); let paretnUrl = oList.get_parentWebUrl(); if (paretnUrl === "/") { paretnUrl = location.origin; @@ -38,7 +39,7 @@ export default class SpSiteContentApi extends ApiBase { hidden: oList.get_hidden(), id: listId, imageUrl: oList.get_imageUrl(), - isFavourite: true, + isFavourite: Favourites.Favourites.indexOf(listId) >= 0, itemCount: oList.get_itemCount(), lastModified: oList.get_lastItemModifiedDate(), listUrl: oList.get_rootFolder().get_serverRelativeUrl(), diff --git a/src/scripts/actions/spSiteContent/components/spSiteContent.tsx b/src/scripts/actions/spSiteContent/components/spSiteContent.tsx index a9e4d5d..6e12762 100644 --- a/src/scripts/actions/spSiteContent/components/spSiteContent.tsx +++ b/src/scripts/actions/spSiteContent/components/spSiteContent.tsx @@ -58,6 +58,7 @@ class SpSiteContent extends React.Component { linkTarget={this.props.openInNewTab ? "_blank" : "_self"} filterString={this.props.filterText} showAll={this.props.showAll} + setFavourite={this.props.actions.setFavoirute} /> ); diff --git a/src/scripts/actions/spSiteContent/components/spSiteContentItem.tsx b/src/scripts/actions/spSiteContent/components/spSiteContentItem.tsx index 202c47e..4d924ca 100644 --- a/src/scripts/actions/spSiteContent/components/spSiteContentItem.tsx +++ b/src/scripts/actions/spSiteContent/components/spSiteContentItem.tsx @@ -3,17 +3,20 @@ import * as React from "react"; import { ISiteContent } from "../interfaces/spSiteContentInterfaces"; import { FavouriteButton } from "./../../common/components/favouriteButton"; import { IconLink } from "./../../common/components/iconLink"; +import { IAction } from "./../../common/interfaces"; import { SpSiteContentConstants as constants } from "./../constants/spSiteContentConstants"; import SpSiteContentMenu from "./spSiteContentMenu"; interface ISpSiteContentItemProps { item: ISiteContent; linkTarget: string; + setFavourite: (item: ISiteContent) => IAction; } export const SpSiteContentItem: React.StatelessComponent = - (props: ISpSiteContentItemProps) => ( -
+ (props: ISpSiteContentItemProps) => { + const favouriteClick = (event: any) => { props.setFavourite(props.item); }; + return
- { console.log("Clicked Fav"); }} /> +
- ); + }; diff --git a/src/scripts/actions/spSiteContent/components/spSiteContentList.tsx b/src/scripts/actions/spSiteContent/components/spSiteContentList.tsx index 0454e64..8668c61 100644 --- a/src/scripts/actions/spSiteContent/components/spSiteContentList.tsx +++ b/src/scripts/actions/spSiteContent/components/spSiteContentList.tsx @@ -2,11 +2,13 @@ import { List } from "office-ui-fabric-react/lib/List"; import * as React from "react"; import { StatelessComponent } from "react"; import { ISiteContent } from "../interfaces/spSiteContentInterfaces"; +import { IAction } from "./../../common/interfaces"; import { SpSiteContentItem } from "./SpSiteContentItem"; interface ISpSiteContentListProps { items: ISiteContent[]; filterString: string; + setFavourite: (item: ISiteContent) => IAction; showAll: boolean; linkTarget: string; } @@ -16,9 +18,9 @@ export const SpSiteContentList: React.StatelessComponent { return (filter === "" || item.title.toLowerCase().indexOf(filter) >= 0) && (props.showAll || item.hidden); - }) + }); const renderListItem = (item: ISiteContent, index: number) => { - return ; + return ; }; return ; }; diff --git a/src/scripts/actions/spSiteContent/constants/spSiteContentConstants.ts b/src/scripts/actions/spSiteContent/constants/spSiteContentConstants.ts index 73b06dc..f97a7d7 100644 --- a/src/scripts/actions/spSiteContent/constants/spSiteContentConstants.ts +++ b/src/scripts/actions/spSiteContent/constants/spSiteContentConstants.ts @@ -43,6 +43,7 @@ export const SpSiteContentConstants = { export const ActionsId = { HANDLE_ASYNC_ERROR: "HANDLE_ASYNC_ERROR", + SET_FAVOURITE: "SET_FAVOURITE", SET_MESSAGE_DATA: "SET_MESSAGE_DATA", SET_OPEN_IN_NEW_TAB: "SET_OPEN_IN_NEW_TAB", SET_SHOW_ALL: "SET_SHOW_ALL", diff --git a/src/scripts/actions/spSiteContent/helpers/favourites.ts b/src/scripts/actions/spSiteContent/helpers/favourites.ts new file mode 100644 index 0000000..235240e --- /dev/null +++ b/src/scripts/actions/spSiteContent/helpers/favourites.ts @@ -0,0 +1,29 @@ + +import { AppCache } from "../../common/cache"; + +class FavouritesClass { + private _favouriteArray: string[] = null; + + public get Favourites(): string[]{ + if (this._favouriteArray === null) { + this._favouriteArray = AppCache.get("favourtites_SP_SiteContent") || []; + } + return this._favouriteArray; + } + + public addToFavourites(guid: string) { + if (this.Favourites.indexOf(guid) === -1) { + this.Favourites.push(guid); + AppCache.set("favourtites_SP_SiteContent", this.Favourites); + } + } + public removeFromFavourites(guid: string) { + const index = this.Favourites.indexOf(guid); + if (index >= -1) { + this.Favourites.splice(index, 1); + AppCache.set("favourtites_SP_SiteContent", this.Favourites); + } + } +} + +export const Favourites = new FavouritesClass(); diff --git a/src/scripts/actions/spSiteContent/interfaces/spSiteContentInterfaces.ts b/src/scripts/actions/spSiteContent/interfaces/spSiteContentInterfaces.ts index c487a58..851dd74 100644 --- a/src/scripts/actions/spSiteContent/interfaces/spSiteContentInterfaces.ts +++ b/src/scripts/actions/spSiteContent/interfaces/spSiteContentInterfaces.ts @@ -37,6 +37,7 @@ export interface ISpSiteContentActionCreatorsMapObject extends ActionCreatorsMap getAllSiteContent: () => (dispatch: Dispatch>) => Promise; setShowAll: ActionCreator>; setOpenInNewWindow: ActionCreator>; + setFavoirute: ActionCreator>; setFilter: ActionCreator>; // tslint:disable-next-line:max-line-length setListVisibility: (item: ISiteContent) => (dispatch: Dispatch>) => Promise; diff --git a/src/scripts/actions/spSiteContent/reducers/spSiteContentReducer.ts b/src/scripts/actions/spSiteContent/reducers/spSiteContentReducer.ts index 955e42e..733c35b 100644 --- a/src/scripts/actions/spSiteContent/reducers/spSiteContentReducer.ts +++ b/src/scripts/actions/spSiteContent/reducers/spSiteContentReducer.ts @@ -40,6 +40,16 @@ export const spSiteContentReducer = (state: IInitialState = initialState, action case actions.SET_WORKING_ON_IT: const isWorkingOnIt: boolean = action.payload; return { ...state, isWorkingOnIt }; + case actions.SET_FAVOURITE: + const item: ISiteContent = action.payload; + const filtered = state.siteLists.map((list: ISiteContent) => { + if (item.id === list.id) { + return item; + } else { + return list; + } + }); + return { ...state, siteLists: filtered }; default: return state; } From d243e6a6a0de12c7600bd91b3382356197659b44 Mon Sep 17 00:00:00 2001 From: Dario Alvarez Date: Wed, 29 Mar 2017 01:26:40 +0100 Subject: [PATCH 3/8] Favourites working --- .../spSiteContent/components/spSiteContentList.tsx | 8 +++++++- 1 file changed, 7 insertions(+), 1 deletion(-) diff --git a/src/scripts/actions/spSiteContent/components/spSiteContentList.tsx b/src/scripts/actions/spSiteContent/components/spSiteContentList.tsx index 8668c61..725c10c 100644 --- a/src/scripts/actions/spSiteContent/components/spSiteContentList.tsx +++ b/src/scripts/actions/spSiteContent/components/spSiteContentList.tsx @@ -17,7 +17,13 @@ export const SpSiteContentList: React.StatelessComponent { return (filter === "" || item.title.toLowerCase().indexOf(filter) >= 0) - && (props.showAll || item.hidden); + && (item.isFavourite || (props.showAll || item.hidden)); + }); + + items.sort((a: ISiteContent, b: ISiteContent) => { + return (a.isFavourite === b.isFavourite) + ? (a.title.toUpperCase() < b.title.toUpperCase() ? -1 : 1) + : (a.isFavourite ? -1 : 1); }); const renderListItem = (item: ISiteContent, index: number) => { return ; From 49b54d28462d2324d1b6e1cd58f8d0b7704d4ea2 Mon Sep 17 00:00:00 2001 From: Dario Alvarez Date: Wed, 29 Mar 2017 01:41:59 +0100 Subject: [PATCH 4/8] Fixed issue with styles. --- src/scripts/actions/styles/components.scss | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/src/scripts/actions/styles/components.scss b/src/scripts/actions/styles/components.scss index 2694724..34e0380 100644 --- a/src/scripts/actions/styles/components.scss +++ b/src/scripts/actions/styles/components.scss @@ -158,7 +158,7 @@ $dividerColor: $ms-color-neutralLight; .action-container { overflow-y: auto; overflow-x: hidden; - height: 95%; + height: 90%; .filters-container { margin-top: 10px; } @@ -293,6 +293,10 @@ $dividerColor: $ms-color-neutralLight; .ms-ListItem-actions{ width: 30px; } + + .ms-ListBasicExample-itemContent{ + width:50%; + } } &:nth-child(odd) { .ms-ListBasicExample-itemCell { From 7e9b9259c86a6ab4bcf4b5fec5b56463d04cf8b6 Mon Sep 17 00:00:00 2001 From: DariuS231 Date: Wed, 29 Mar 2017 10:04:38 +0100 Subject: [PATCH 5/8] Changed favourite icon --- src/scripts/actions/common/components/favouriteButton.tsx | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/scripts/actions/common/components/favouriteButton.tsx b/src/scripts/actions/common/components/favouriteButton.tsx index 1b25763..7020a19 100644 --- a/src/scripts/actions/common/components/favouriteButton.tsx +++ b/src/scripts/actions/common/components/favouriteButton.tsx @@ -6,7 +6,7 @@ interface IFavouriteButtonProps { isFavourite: boolean; } export const FavouriteButton: React.StatelessComponent = (props: IFavouriteButtonProps) => { - const title: string = props.isFavourite ? "Remove from favourites" : "Add to favourites"; - const starType: string = props.isFavourite ? "FavoriteStarFill" : "FavoriteStar"; + const title: string = props.isFavourite ? "Unpin favourite" : "Pin as favourites"; + const starType: string = props.isFavourite ? "PinnedFill" : "Pin"; return ; }; From 1d5e4be52b4d0a8136dac466920682233afd0f3b Mon Sep 17 00:00:00 2001 From: DariuS231 Date: Wed, 29 Mar 2017 10:42:09 +0100 Subject: [PATCH 6/8] Created the favourite base class --- src/scripts/actions/common/favouriteBase.ts | 31 +++++++++++++++++++ .../spSiteContent/helpers/favourites.ts | 27 +++------------- 2 files changed, 35 insertions(+), 23 deletions(-) create mode 100644 src/scripts/actions/common/favouriteBase.ts diff --git a/src/scripts/actions/common/favouriteBase.ts b/src/scripts/actions/common/favouriteBase.ts new file mode 100644 index 0000000..2f4b54f --- /dev/null +++ b/src/scripts/actions/common/favouriteBase.ts @@ -0,0 +1,31 @@ + +import { AppCache } from "./cache"; + +export class FavouritesBase { + private _favouriteArray: string[] = null; + private _favouriteCacheKey: string; + + constructor(cacheKey: string) { + this._favouriteCacheKey = cacheKey; + } + public get Favourites(): string[]{ + if (this._favouriteArray === null) { + this._favouriteArray = AppCache.get(this._favouriteCacheKey) || []; + } + return this._favouriteArray; + } + + public addToFavourites(guid: string) { + if (this.Favourites.indexOf(guid) === -1) { + this.Favourites.push(guid); + AppCache.set(this._favouriteCacheKey, this.Favourites); + } + } + public removeFromFavourites(guid: string) { + const index = this.Favourites.indexOf(guid); + if (index >= -1) { + this.Favourites.splice(index, 1); + AppCache.set(this._favouriteCacheKey, this.Favourites); + } + } +} \ No newline at end of file diff --git a/src/scripts/actions/spSiteContent/helpers/favourites.ts b/src/scripts/actions/spSiteContent/helpers/favourites.ts index 235240e..4d68adb 100644 --- a/src/scripts/actions/spSiteContent/helpers/favourites.ts +++ b/src/scripts/actions/spSiteContent/helpers/favourites.ts @@ -1,28 +1,9 @@ -import { AppCache } from "../../common/cache"; +import { FavouritesBase } from "../../common/favouriteBase"; -class FavouritesClass { - private _favouriteArray: string[] = null; - - public get Favourites(): string[]{ - if (this._favouriteArray === null) { - this._favouriteArray = AppCache.get("favourtites_SP_SiteContent") || []; - } - return this._favouriteArray; - } - - public addToFavourites(guid: string) { - if (this.Favourites.indexOf(guid) === -1) { - this.Favourites.push(guid); - AppCache.set("favourtites_SP_SiteContent", this.Favourites); - } - } - public removeFromFavourites(guid: string) { - const index = this.Favourites.indexOf(guid); - if (index >= -1) { - this.Favourites.splice(index, 1); - AppCache.set("favourtites_SP_SiteContent", this.Favourites); - } +class FavouritesClass extends FavouritesBase { + constructor() { + super("favourtites_SP_SiteContent"); } } From 87a511cd35cd676ee73f5496d8dffd657c169f39 Mon Sep 17 00:00:00 2001 From: DariuS231 Date: Thu, 30 Mar 2017 16:13:30 +0100 Subject: [PATCH 7/8] Added favourites to the web properties --- .../common/components/favouriteButton.tsx | 2 +- .../actions/spPropertyBagActions.ts | 12 +++++++++ .../spPropertyBag/api/spPropertyBagApi.ts | 7 +++-- .../components/spPropertyBagItem.tsx | 8 +++++- .../components/spPropertyBagItemForm.tsx | 27 +++++++++++++------ .../components/spPropertyBagList.tsx | 4 ++- .../components/spPropertyBagNewItem.tsx | 1 + .../spPropertyBag/constants/constants.ts | 1 + .../helpers/spPropertyBagfavourites.ts | 10 +++++++ .../interfaces/spPropertyBagInterfaces.ts | 2 ++ .../reducers/spPropertyBagReducer.ts | 11 ++++++++ .../components/spSiteContentItem.tsx | 4 ++- src/scripts/actions/styles/components.scss | 10 +++++++ 13 files changed, 85 insertions(+), 14 deletions(-) create mode 100644 src/scripts/actions/spPropertyBag/helpers/spPropertyBagfavourites.ts diff --git a/src/scripts/actions/common/components/favouriteButton.tsx b/src/scripts/actions/common/components/favouriteButton.tsx index 7020a19..eabf677 100644 --- a/src/scripts/actions/common/components/favouriteButton.tsx +++ b/src/scripts/actions/common/components/favouriteButton.tsx @@ -7,6 +7,6 @@ interface IFavouriteButtonProps { } export const FavouriteButton: React.StatelessComponent = (props: IFavouriteButtonProps) => { const title: string = props.isFavourite ? "Unpin favourite" : "Pin as favourites"; - const starType: string = props.isFavourite ? "PinnedFill" : "Pin"; + const starType: string = props.isFavourite ? "FavoriteStarFill" : "FavoriteStar"; return ; }; diff --git a/src/scripts/actions/spPropertyBag/actions/spPropertyBagActions.ts b/src/scripts/actions/spPropertyBag/actions/spPropertyBagActions.ts index 77fc92e..1427047 100644 --- a/src/scripts/actions/spPropertyBag/actions/spPropertyBagActions.ts +++ b/src/scripts/actions/spPropertyBag/actions/spPropertyBagActions.ts @@ -2,6 +2,7 @@ import { MessageBarType } from "office-ui-fabric-react/lib/MessageBar"; import { ActionCreator, ActionCreatorsMapObject, Dispatch } from "redux"; import SpPropertyBagApi from "../api/spPropertyBagApi"; +import { Favourites } from "../helpers/spPropertyBagfavourites"; import { IProperty, ISpPropertyBagActionCreatorsMapObject } from "../interfaces/spPropertyBagInterfaces"; import { IAction, IMessageData } from "./../../common/interfaces"; import { ActionsId as actions, constants } from "./../constants/constants"; @@ -58,6 +59,16 @@ const setMessageData: ActionCreator> = (messageData: IMess type: actions.SET_MESSAGE_DATA }; }; + +const setFavoirute = (property: IProperty) => { + const newFav: boolean = !property.isFavourite; + newFav ? Favourites.addToFavourites(property.key) : Favourites.removeFromFavourites(property.key); + return { + payload: { ...property, isFavourite: newFav }, + type: actions.SET_FAVOURITE + }; +}; + const handleAsyncError: ActionCreator> = (errorMessage: string, exceptionMessage: string): IAction => { // tslint:disable-next-line:no-console @@ -141,6 +152,7 @@ const spPropertyBagActionsCreatorMap: ISpPropertyBagActionCreatorsMapObject = { deleteProperty, getAllProperties, checkUserPermissions, + setFavoirute, setFilterText, setWorkingOnIt, setUserHasPermissions, diff --git a/src/scripts/actions/spPropertyBag/api/spPropertyBagApi.ts b/src/scripts/actions/spPropertyBag/api/spPropertyBagApi.ts index 2842074..6d5b333 100644 --- a/src/scripts/actions/spPropertyBag/api/spPropertyBagApi.ts +++ b/src/scripts/actions/spPropertyBag/api/spPropertyBagApi.ts @@ -1,3 +1,4 @@ +import { Favourites } from "../helpers/spPropertyBagfavourites"; import ApiBase from "./../../common/apiBase"; import { constants } from "./../constants/constants"; @@ -28,9 +29,11 @@ export default class SpPropertyBagApi extends ApiBase { const propVal = rawData[prop]; if (typeof (propVal) === constants.STRING_STRING) { // tslint:disable-next-line:max-line-length - const value = propVal.replace(constants.PROPERTY_REST_DOUBLEQUOTES_REGEX, constants.PROPERTY_REST_DOUBLEQUOTES); + const value: string = propVal.replace(constants.PROPERTY_REST_DOUBLEQUOTES_REGEX, constants.PROPERTY_REST_DOUBLEQUOTES); + const key: string = this.decodeSpCharacters(prop); props.push({ - key: this.decodeSpCharacters(prop), + isFavourite: Favourites.Favourites.indexOf(key) >= 0, + key, value }); } diff --git a/src/scripts/actions/spPropertyBag/components/spPropertyBagItem.tsx b/src/scripts/actions/spPropertyBag/components/spPropertyBagItem.tsx index b5d8791..06f7c7b 100644 --- a/src/scripts/actions/spPropertyBag/components/spPropertyBagItem.tsx +++ b/src/scripts/actions/spPropertyBag/components/spPropertyBagItem.tsx @@ -10,6 +10,7 @@ import { SpPropertyBagItemForm } from "./spPropertyBagItemForm"; interface ISpPropertyBagItemActions { updateProperty: Function; deleteProperty: Function; + setFavoirute: (props: IProperty) => void; } interface ISpPropertyBagItemProps { @@ -17,6 +18,7 @@ interface ISpPropertyBagItemProps { itemIndex: number; updateProperty: Function; deleteProperty: Function; + setFavoirute: (props: IProperty) => void; } interface ISpPropertyBagItemState { @@ -44,12 +46,13 @@ class SpPropertyBagItem extends React.Component; } protected componentDidUpdate() { @@ -108,6 +111,9 @@ const mapDispatchToProps = (dispatch: Dispatch): ISpPropertyBagItemActions deleteProperty: (property: IProperty) => { dispatch(propertyActionsCreatorsMap.deleteProperty(property)); }, + setFavoirute: (props: IProperty) => { + dispatch(propertyActionsCreatorsMap.setFavoirute(props)); + }, updateProperty: (property: IProperty) => { dispatch(propertyActionsCreatorsMap.updateProperty(property)); } diff --git a/src/scripts/actions/spPropertyBag/components/spPropertyBagItemForm.tsx b/src/scripts/actions/spPropertyBag/components/spPropertyBagItemForm.tsx index 33675b8..6d2e966 100644 --- a/src/scripts/actions/spPropertyBag/components/spPropertyBagItemForm.tsx +++ b/src/scripts/actions/spPropertyBag/components/spPropertyBagItemForm.tsx @@ -1,38 +1,49 @@ import { TextField } from "office-ui-fabric-react/lib/TextField"; import * as React from "react"; +import { IProperty } from "../interfaces/spPropertyBagInterfaces"; +import { FavouriteButton } from "./../../common/components/favouriteButton"; import { IconButton } from "./../../common/components/iconButton"; import { constants } from "./../constants/constants"; interface ISpPropertyBagItemFormProps { inputId: string; - inputValue: string; - keyValue: string; + item: IProperty; isEditMode: boolean; + inputValue: string; getErrorMessage: (value: string) => string | PromiseLike; onInputValueChange: (newValue: any) => void; topBtnClick: React.EventHandler>; bottomBtnClick: React.EventHandler>; + setFavoirute: (rops: IProperty) => void; } export const SpPropertyBagItemForm: React.StatelessComponent = (props: ISpPropertyBagItemFormProps) => { const topBtnText: string = props.isEditMode ? constants.SAVE_TEXT : constants.DELETE_TEXT; const bottomBtnText: string = props.isEditMode ? constants.CANCEL_TEXT : constants.EDIT_TEXT; - + const favouriteClick = (event: any) => { + props.setFavoirute({ + key: props.item.key, + value: props.item.value, + isFavourite: props.item.isFavourite + } as IProperty); + }; return (
-
+
-
-
- + +
+ + +
); }; diff --git a/src/scripts/actions/spPropertyBag/components/spPropertyBagList.tsx b/src/scripts/actions/spPropertyBag/components/spPropertyBagList.tsx index 601d19c..22ef397 100644 --- a/src/scripts/actions/spPropertyBag/components/spPropertyBagList.tsx +++ b/src/scripts/actions/spPropertyBag/components/spPropertyBagList.tsx @@ -18,7 +18,9 @@ export const SpPropertyBagList: }) : props.items; properties.sort((a, b) => { - return a.key.localeCompare(b.key); + return (a.isFavourite === b.isFavourite) + ? (a.key.toUpperCase() < b.key.toUpperCase() ? -1 : 1) + : (a.isFavourite ? -1 : 1); }); const renderListItem = (item: IProperty, index: number) => { return (); diff --git a/src/scripts/actions/spPropertyBag/components/spPropertyBagNewItem.tsx b/src/scripts/actions/spPropertyBag/components/spPropertyBagNewItem.tsx index 8ee6075..e7b5f91 100644 --- a/src/scripts/actions/spPropertyBag/components/spPropertyBagNewItem.tsx +++ b/src/scripts/actions/spPropertyBag/components/spPropertyBagNewItem.tsx @@ -13,6 +13,7 @@ interface ISpPropertyBagNewItemState { export default class SpPropertyBagNewItem extends React.Component { protected cleanProperty: IProperty = { + isFavourite: false, key: constants.EMPTY_STRING, value: constants.EMPTY_STRING }; diff --git a/src/scripts/actions/spPropertyBag/constants/constants.ts b/src/scripts/actions/spPropertyBag/constants/constants.ts index 087b904..ba16fce 100644 --- a/src/scripts/actions/spPropertyBag/constants/constants.ts +++ b/src/scripts/actions/spPropertyBag/constants/constants.ts @@ -3,6 +3,7 @@ export const ActionsId = { DELETE_PROPERTY: "DELETE_PROPERTY", HANDLE_ASYNC_ERROR: "HANDLE_ASYNC_ERROR", SET_ALL_PROPERTIES: "SET_ALL_PROPERTIES", + SET_FAVOURITE: "SET_FAVOURITE", SET_FILTER_TEXT: "SET_FILTER_TEXT", SET_MESSAGE_DATA: "SET_MESSAGE_DATA", SET_USER_PERMISSIONS: "SET_USER_PERMISSIONS", diff --git a/src/scripts/actions/spPropertyBag/helpers/spPropertyBagfavourites.ts b/src/scripts/actions/spPropertyBag/helpers/spPropertyBagfavourites.ts new file mode 100644 index 0000000..0d19a80 --- /dev/null +++ b/src/scripts/actions/spPropertyBag/helpers/spPropertyBagfavourites.ts @@ -0,0 +1,10 @@ + +import { FavouritesBase } from "../../common/favouriteBase"; + +class FavouritesClass extends FavouritesBase { + constructor() { + super("favourtites_SP_PropertyBag"); + } +} + +export const Favourites = new FavouritesClass(); diff --git a/src/scripts/actions/spPropertyBag/interfaces/spPropertyBagInterfaces.ts b/src/scripts/actions/spPropertyBag/interfaces/spPropertyBagInterfaces.ts index 15594fc..d1ab580 100644 --- a/src/scripts/actions/spPropertyBag/interfaces/spPropertyBagInterfaces.ts +++ b/src/scripts/actions/spPropertyBag/interfaces/spPropertyBagInterfaces.ts @@ -2,6 +2,7 @@ import { ActionCreator, ActionCreatorsMapObject, Dispatch } from "redux"; import { IAction, IMessageData } from "./../../common/interfaces"; export interface IProperty { + isFavourite: boolean; key: string; value: string; } @@ -21,6 +22,7 @@ export interface ISpPropertyBagActionCreatorsMapObject extends ActionCreatorsMap getAllProperties: () => (dispatch: Dispatch>) => Promise; checkUserPermissions: (permissionKing: SP.PermissionKind) => (dispatch: Dispatch>) => Promise; + setFavoirute: ActionCreator>; setFilterText: ActionCreator>; setWorkingOnIt: ActionCreator>; setUserHasPermissions: ActionCreator>; diff --git a/src/scripts/actions/spPropertyBag/reducers/spPropertyBagReducer.ts b/src/scripts/actions/spPropertyBag/reducers/spPropertyBagReducer.ts index b725705..60c5e98 100644 --- a/src/scripts/actions/spPropertyBag/reducers/spPropertyBagReducer.ts +++ b/src/scripts/actions/spPropertyBag/reducers/spPropertyBagReducer.ts @@ -75,6 +75,17 @@ export const spPropertyBagReducer = (state: IInitialState = initialState, action case actions.HANDLE_ASYNC_ERROR: const errorMessage: IMessageData = action.payload; return { ...state, isWorkingOnIt: false, messageData: errorMessage }; + case actions.SET_FAVOURITE: + const favItem: IProperty = action.payload; + const itemArray: IProperty[] = state.webProperties; + const filteredFav = itemArray.map((prop: IProperty, index: number) => { + if (prop.key !== favItem.key) { + return prop; + } else { + return favItem; + } + }); + return { ...state, webProperties: filteredFav }; default: return state; } diff --git a/src/scripts/actions/spSiteContent/components/spSiteContentItem.tsx b/src/scripts/actions/spSiteContent/components/spSiteContentItem.tsx index 4d924ca..0033239 100644 --- a/src/scripts/actions/spSiteContent/components/spSiteContentItem.tsx +++ b/src/scripts/actions/spSiteContent/components/spSiteContentItem.tsx @@ -15,7 +15,9 @@ interface ISpSiteContentItemProps { export const SpSiteContentItem: React.StatelessComponent = (props: ISpSiteContentItemProps) => { - const favouriteClick = (event: any) => { props.setFavourite(props.item); }; + const favouriteClick = (event: any) => { + props.setFavourite(props.item); + }; return
a { + margin-top: 0 !important; + padding-top: 0 !important; + } + } } From 7b8047f1405bb37beef9a232e8cc91ca5a6f1e5c Mon Sep 17 00:00:00 2001 From: Dario Alvarez Date: Mon, 9 Oct 2017 12:50:39 +0100 Subject: [PATCH 8/8] Fixed Modern experience issue and some typos --- dist/actions/SpPropertyBag/SpPropertyBag.js | 11 +- dist/actions/SpSiteContent/SpSiteContent.js | 13 +- dist/actions/spFeatures/spFeatures.js | 11 +- .../spSiteCustomActions.js | 14 +- .../spWebCustomActions/spWebCustomActions.js | 14 +- dist/actions/styles/bundle.css | 2 +- package.json | 149 +++++++++--------- src/scripts/actions/common/AppBase.ts | 5 +- src/scripts/actions/common/apiBase.ts | 28 +++- src/scripts/actions/common/cache.ts | 17 +- src/scripts/actions/common/constants.ts | 2 + src/scripts/actions/common/utils.ts | 19 +-- .../spCustomActions/api/spCustomActionsApi.ts | 91 +++++------ .../spCustomActions/constants/constants.ts | 6 +- .../actions/spFeatures/api/spFeaturesApi.ts | 58 +++---- .../spFeatures/reducers/spFeaturesReducer.ts | 20 +-- .../actions/spPropertyBagActions.ts | 4 +- .../spPropertyBag/api/spPropertyBagApi.ts | 45 +++--- .../components/spPropertyBagItem.tsx | 10 +- .../components/spPropertyBagItemForm.tsx | 6 +- .../helpers/spPropertyBagfavourites.ts | 2 +- .../interfaces/spPropertyBagInterfaces.ts | 2 +- .../reducers/spPropertyBagReducer.ts | 14 +- .../actions/spSiteContentActions.ts | 22 +-- .../spSiteContent/api/spSiteContentApi.ts | 32 ++-- .../components/spSiteContent.tsx | 6 +- .../components/spSiteContentCheckBox.tsx | 4 +- .../spSiteContent/helpers/favourites.ts | 2 +- .../interfaces/spSiteContentInterfaces.ts | 2 +- src/scripts/chromeExtension/main.tsx | 2 +- src/scripts/chromeExtension/popUp.tsx | 6 +- 31 files changed, 299 insertions(+), 320 deletions(-) diff --git a/dist/actions/SpPropertyBag/SpPropertyBag.js b/dist/actions/SpPropertyBag/SpPropertyBag.js index ccf39c4..c70c776 100644 --- a/dist/actions/SpPropertyBag/SpPropertyBag.js +++ b/dist/actions/SpPropertyBag/SpPropertyBag.js @@ -1,11 +1,2 @@ -!function(e){function t(r){if(n[r])return n[r].exports;var o=n[r]={i:r,l:!1,exports:{}};return e[r].call(o.exports,o,o.exports,t),o.l=!0,o.exports}var n={};return t.m=e,t.c=n,t.i=function(e){return e},t.d=function(e,n,r){t.o(e,n)||Object.defineProperty(e,n,{configurable:!1,enumerable:!0,get:r})},t.n=function(e){var n=e&&e.__esModule?function(){return e.default}:function(){return e};return t.d(n,"a",n),n},t.o=function(e,t){return Object.prototype.hasOwnProperty.call(e,t)},t.p="",t(t.s=480)}([function(e,t,n){"use strict";e.exports=n(22)},function(e,t,n){"use strict";function r(e,t,n,r,i,a,s,u){if(o(t),!e){var l;if(void 0===t)l=new Error("Minified exception occurred; use the non-minified dev environment for the full error message and additional helpful warnings.");else{var c=[n,r,i,a,s,u],p=0;l=new Error(t.replace(/%s/g,function(){return c[p++]})),l.name="Invariant Violation"}throw l.framesToPop=1,l}}var o=function(e){};e.exports=r},function(e,t,n){"use strict";var r=n(10),o=r;e.exports=o},function(e,t,n){"use strict";function r(e){for(var t=arguments.length-1,n="Minified React error #"+e+"; visit http://facebook.github.io/react/docs/error-decoder.html?invariant="+e,r=0;rn&&t.push({rawString:e.substring(n,o)}),t.push({theme:r[1],defaultValue:r[2]}),n=g.lastIndex}t.push({rawString:e.substring(n)})}return t}function c(e,t){var n=document.getElementsByTagName("head")[0],r=document.createElement("style");r.type="text/css",r.appendChild(document.createTextNode(u(e))),t?(n.replaceChild(r,t.styleElement),t.styleElement=r):n.appendChild(r),t||m.registeredStyles.push({styleElement:r,themableStyle:e})}function p(e,t){var n=document.getElementsByTagName("head")[0],r=m.lastStyleElement,o=m.registeredStyles,i=r?r.styleSheet:void 0,a=i?i.cssText:"",l=o[o.length-1],c=u(e);(!r||a.length+c.length>v)&&(r=document.createElement("style"),r.type="text/css",t?(n.replaceChild(r,t.styleElement),t.styleElement=r):n.appendChild(r),t||(l={styleElement:r,themableStyle:e},o.push(l))),r.styleSheet.cssText+=s(c),Array.prototype.push.apply(l.themableStyle,e),m.lastStyleElement=r}function d(){var e=!1;if("undefined"!=typeof document){var t=document.createElement("style");t.type="text/css",e=!!t.styleSheet}return e}var f,h="undefined"==typeof window?e:window,m=h.__themeState__=h.__themeState__||{theme:void 0,lastStyleElement:void 0,registeredStyles:[]},g=/[\'\"]\[theme:\s*(\w+)\s*(?:\,\s*default:\s*([\\"\']?[\.\,\(\)\#\-\s\w]*[\.\,\(\)\#\-\w][\"\']?))?\s*\][\'\"]/g,v=1e4;t.loadStyles=n,t.configureLoadStyles=r,t.loadTheme=i,t.detokenize=s,t.splitStyles=l}).call(t,n(66))},function(e,t,n){"use strict";var r=!("undefined"==typeof window||!window.document||!window.document.createElement),o={canUseDOM:r,canUseWorkers:"undefined"!=typeof Worker,canUseEventListeners:r&&!(!window.addEventListener&&!window.attachEvent),canUseViewport:r&&!!window.screen,isInWorker:!r};e.exports=o},function(e,t,n){"use strict";function r(e){return"[object Array]"===x.call(e)}function o(e){return"[object ArrayBuffer]"===x.call(e)}function i(e){return"undefined"!=typeof FormData&&e instanceof FormData}function a(e){var t;return t="undefined"!=typeof ArrayBuffer&&ArrayBuffer.isView?ArrayBuffer.isView(e):e&&e.buffer&&e.buffer instanceof ArrayBuffer}function s(e){return"string"==typeof e}function u(e){return"number"==typeof e}function l(e){return"undefined"==typeof e}function c(e){return null!==e&&"object"==typeof e}function p(e){return"[object Date]"===x.call(e)}function d(e){return"[object File]"===x.call(e)}function f(e){return"[object Blob]"===x.call(e)}function h(e){return"[object Function]"===x.call(e)}function m(e){return c(e)&&h(e.pipe)}function g(e){return"undefined"!=typeof URLSearchParams&&e instanceof URLSearchParams}function v(e){return e.replace(/^\s*/,"").replace(/\s*$/,"")}function y(){return"undefined"!=typeof window&&"undefined"!=typeof document&&"function"==typeof document.createElement}function _(e,t){if(null!==e&&"undefined"!=typeof e)if("object"==typeof e||r(e)||(e=[e]),r(e))for(var n=0,o=e.length;n1){for(var g=Array(m),v=0;v1){for(var _=Array(y),b=0;b-1&&o._virtual.children.splice(i,1)}n._virtual.parent=r||void 0,r&&(r._virtual||(r._virtual={children:[]}),r._virtual.children.push(n))}function o(e){var t;return e&&p(e)&&(t=e._virtual.parent),t}function i(e,t){return void 0===t&&(t=!0),e&&(t&&o(e)||e.parentNode&&e.parentNode)}function a(e,t,n){void 0===n&&(n=!0);var r=!1;if(e&&t)if(n)for(r=!1;t;){var o=i(t);if(o===e){r=!0;break}t=o}else e.contains&&(r=e.contains(t));return r}function s(e){d=e}function u(e){return d?void 0:e&&e.ownerDocument&&e.ownerDocument.defaultView?e.ownerDocument.defaultView:window}function l(e){return d?void 0:e&&e.ownerDocument?e.ownerDocument:document}function c(e){var t;return e&&(e===window?t={left:0,top:0,width:window.innerWidth,height:window.innerHeight,right:window.innerWidth,bottom:window.innerHeight}:e.getBoundingClientRect&&(t=e.getBoundingClientRect())),t}function p(e){return e&&!!e._virtual}t.setVirtualParent=r,t.getVirtualParent=o,t.getParent=i,t.elementContains=a;var d=!1;t.setSSR=s,t.getWindow=u,t.getDocument=l,t.getRect=c},function(e,t){function n(){throw new Error("setTimeout has not been defined")}function r(){throw new Error("clearTimeout has not been defined")}function o(e){if(c===setTimeout)return setTimeout(e,0);if((c===n||!c)&&setTimeout)return c=setTimeout,setTimeout(e,0);try{return c(e,0)}catch(t){try{return c.call(null,e,0)}catch(t){return c.call(this,e,0)}}}function i(e){if(p===clearTimeout)return clearTimeout(e);if((p===r||!p)&&clearTimeout)return p=clearTimeout,clearTimeout(e);try{return p(e)}catch(t){try{return p.call(null,e)}catch(t){return p.call(this,e)}}}function a(){m&&f&&(m=!1,f.length?h=f.concat(h):g=-1,h.length&&s())}function s(){if(!m){var e=o(a);m=!0;for(var t=h.length;t;){for(f=h,h=[];++g1)for(var n=1;n]/;e.exports=o},function(e,t,n){"use strict";var r,o=n(8),i=n(48),a=/^[ \r\n\t\f]/,s=/<(!--|link|noscript|meta|script|style)[ \r\n\t\f\/>]/,u=n(56),l=u(function(e,t){if(e.namespaceURI!==i.svg||"innerHTML"in e)e.innerHTML=t;else{r=r||document.createElement("div"),r.innerHTML=""+t+"";for(var n=r.firstChild;n.firstChild;)e.appendChild(n.firstChild)}});if(o.canUseDOM){var c=document.createElement("div");c.innerHTML=" ",""===c.innerHTML&&(l=function(e,t){if(e.parentNode&&e.parentNode.replaceChild(e,e),a.test(t)||"<"===t[0]&&s.test(t)){e.innerHTML=String.fromCharCode(65279)+t;var n=e.firstChild;1===n.data.length?e.removeChild(n):n.deleteData(0,1)}else e.innerHTML=t}),c=null}e.exports=l},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(124),o=n(306),i=n(305),a=n(304),s=n(123);n(125);n.d(t,"createStore",function(){return r.a}),n.d(t,"combineReducers",function(){return o.a}),n.d(t,"bindActionCreators",function(){return i.a}),n.d(t,"applyMiddleware",function(){return a.a}),n.d(t,"compose",function(){return s.a})},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(283),o=n(113),i=n(284);n.d(t,"Provider",function(){return r.a}),n.d(t,"connectAdvanced",function(){return o.a}),n.d(t,"connect",function(){return i.a})},function(e,t,n){"use strict";e.exports=n(232)},function(e,t,n){"use strict";var r=function(){function e(t){this._id=e._uniqueId++,this._parent=t,this._eventRecords=[]}return e.raise=function(t,n,r,o){var i;if(e._isElement(t)){if(document.createEvent){var a=document.createEvent("HTMLEvents");a.initEvent(n,o,!0),a.args=r,i=t.dispatchEvent(a)}else if(document.createEventObject){var s=document.createEventObject(r);t.fireEvent("on"+n,s)}}else for(;t&&i!==!1;){var u=t.__events__,l=u?u[n]:null;for(var c in l)if(l.hasOwnProperty(c))for(var p=l[c],d=0;i!==!1&&d-1)for(var a=n.split(/[ ,]+/),s=0;s=200&&e<300}};l.headers={common:{Accept:"application/json, text/plain, */*"}},i.forEach(["delete","get","head"],function(e){l.headers[e]={}}),i.forEach(["post","put","patch"],function(e){l.headers[e]=i.merge(u)}),e.exports=l}).call(t,n(33))},function(e,t,n){"use strict";function r(e,t){return e===t?0!==e||0!==t||1/e===1/t:e!==e&&t!==t}function o(e,t){if(r(e,t))return!0;if("object"!=typeof e||null===e||"object"!=typeof t||null===t)return!1;var n=Object.keys(e),o=Object.keys(t);if(n.length!==o.length)return!1;for(var a=0;a-1?void 0:a("96",e),!l.plugins[n]){t.extractEvents?void 0:a("97",e),l.plugins[n]=t;var r=t.eventTypes;for(var i in r)o(r[i],t,i)?void 0:a("98",i,e)}}}function o(e,t,n){l.eventNameDispatchConfigs.hasOwnProperty(n)?a("99",n):void 0,l.eventNameDispatchConfigs[n]=e;var r=e.phasedRegistrationNames;if(r){for(var o in r)if(r.hasOwnProperty(o)){var s=r[o];i(s,t,n)}return!0}return!!e.registrationName&&(i(e.registrationName,t,n),!0)}function i(e,t,n){l.registrationNameModules[e]?a("100",e):void 0,l.registrationNameModules[e]=t,l.registrationNameDependencies[e]=t.eventTypes[n].dependencies}var a=n(3),s=(n(1),null),u={},l={plugins:[],eventNameDispatchConfigs:{},registrationNameModules:{},registrationNameDependencies:{},possibleRegistrationNames:null,injectEventPluginOrder:function(e){s?a("101"):void 0,s=Array.prototype.slice.call(e),r()},injectEventPluginsByName:function(e){var t=!1;for(var n in e)if(e.hasOwnProperty(n)){var o=e[n];u.hasOwnProperty(n)&&u[n]===o||(u[n]?a("102",n):void 0,u[n]=o,t=!0)}t&&r()},getPluginModuleForEvent:function(e){var t=e.dispatchConfig;if(t.registrationName)return l.registrationNameModules[t.registrationName]||null;if(void 0!==t.phasedRegistrationNames){var n=t.phasedRegistrationNames;for(var r in n)if(n.hasOwnProperty(r)){var o=l.registrationNameModules[n[r]];if(o)return o}}return null},_resetEventPlugins:function(){s=null;for(var e in u)u.hasOwnProperty(e)&&delete u[e];l.plugins.length=0;var t=l.eventNameDispatchConfigs;for(var n in t)t.hasOwnProperty(n)&&delete t[n];var r=l.registrationNameModules;for(var o in r)r.hasOwnProperty(o)&&delete r[o]}};e.exports=l},function(e,t,n){"use strict";function r(e){return"topMouseUp"===e||"topTouchEnd"===e||"topTouchCancel"===e}function o(e){return"topMouseMove"===e||"topTouchMove"===e}function i(e){return"topMouseDown"===e||"topTouchStart"===e}function a(e,t,n,r){var o=e.type||"unknown-event";e.currentTarget=v.getNodeFromInstance(r),t?m.invokeGuardedCallbackWithCatch(o,n,e):m.invokeGuardedCallback(o,n,e),e.currentTarget=null}function s(e,t){var n=e._dispatchListeners,r=e._dispatchInstances;if(Array.isArray(n))for(var o=0;o0&&r.length<20?n+" (keys: "+r.join(", ")+")":n}function i(e,t){var n=s.get(e);if(!n){return null}return n}var a=n(3),s=(n(14),n(29)),u=(n(11),n(12)),l=(n(1),n(2),{isMounted:function(e){var t=s.get(e);return!!t&&!!t._renderedComponent},enqueueCallback:function(e,t,n){l.validateCallback(t,n);var o=i(e);return o?(o._pendingCallbacks?o._pendingCallbacks.push(t):o._pendingCallbacks=[t],void r(o)):null},enqueueCallbackInternal:function(e,t){e._pendingCallbacks?e._pendingCallbacks.push(t):e._pendingCallbacks=[t],r(e)},enqueueForceUpdate:function(e){var t=i(e,"forceUpdate");t&&(t._pendingForceUpdate=!0,r(t))},enqueueReplaceState:function(e,t){var n=i(e,"replaceState");n&&(n._pendingStateQueue=[t],n._pendingReplaceState=!0,r(n))},enqueueSetState:function(e,t){var n=i(e,"setState");if(n){var o=n._pendingStateQueue||(n._pendingStateQueue=[]);o.push(t),r(n)}},enqueueElementInternal:function(e,t,n){e._pendingElement=t,e._context=n,r(e)},validateCallback:function(e,t){e&&"function"!=typeof e?a("122",t,o(e)):void 0}});e.exports=l},function(e,t,n){"use strict";var r=function(e){return"undefined"!=typeof MSApp&&MSApp.execUnsafeLocalFunction?function(t,n,r,o){MSApp.execUnsafeLocalFunction(function(){return e(t,n,r,o)})}:e};e.exports=r},function(e,t,n){"use strict";function r(e){var t,n=e.keyCode;return"charCode"in e?(t=e.charCode,0===t&&13===n&&(t=13)):t=n,t>=32||13===t?t:0}e.exports=r},function(e,t,n){"use strict";function r(e){var t=this,n=t.nativeEvent;if(n.getModifierState)return n.getModifierState(e);var r=i[e];return!!r&&!!n[r]}function o(e){return r}var i={Alt:"altKey",Control:"ctrlKey",Meta:"metaKey",Shift:"shiftKey"};e.exports=o},function(e,t,n){"use strict";function r(e){var t=e.target||e.srcElement||window;return t.correspondingUseElement&&(t=t.correspondingUseElement),3===t.nodeType?t.parentNode:t}e.exports=r},function(e,t,n){"use strict";function r(e,t){if(!i.canUseDOM||t&&!("addEventListener"in document))return!1;var n="on"+e,r=n in document;if(!r){var a=document.createElement("div");a.setAttribute(n,"return;"),r="function"==typeof a[n]}return!r&&o&&"wheel"===e&&(r=document.implementation.hasFeature("Events.wheel","3.0")),r}var o,i=n(8);i.canUseDOM&&(o=document.implementation&&document.implementation.hasFeature&&document.implementation.hasFeature("","")!==!0),e.exports=r},function(e,t,n){"use strict";function r(e,t){var n=null===e||e===!1,r=null===t||t===!1;if(n||r)return n===r;var o=typeof e,i=typeof t;return"string"===o||"number"===o?"string"===i||"number"===i:"object"===i&&e.type===t.type&&e.key===t.key}e.exports=r},function(e,t,n){"use strict";var r=(n(4),n(10)),o=(n(2),r);e.exports=o},function(e,t,n){"use strict";function r(e){"undefined"!=typeof console&&"function"==typeof console.error;try{throw new Error(e)}catch(e){}}t.a=r},function(e,t,n){"use strict";function r(e,t,n){this.props=e,this.context=t,this.refs=a,this.updater=n||i}var o=n(24),i=n(65),a=(n(121),n(25));n(1),n(2);r.prototype.isReactComponent={},r.prototype.setState=function(e,t){"object"!=typeof e&&"function"!=typeof e&&null!=e?o("85"):void 0,this.updater.enqueueSetState(this,e),t&&this.updater.enqueueCallback(this,t,"setState")},r.prototype.forceUpdate=function(e){this.updater.enqueueForceUpdate(this),e&&this.updater.enqueueCallback(this,e,"forceUpdate")};e.exports=r},function(e,t,n){"use strict";function r(e,t){}var o=(n(2),{isMounted:function(e){return!1},enqueueCallback:function(e,t){},enqueueForceUpdate:function(e){r(e,"forceUpdate")},enqueueReplaceState:function(e,t){r(e,"replaceState")},enqueueSetState:function(e,t){r(e,"setState")}});e.exports=o},function(e,t){var n;n=function(){return this}();try{n=n||Function("return this")()||(0,eval)("this")}catch(e){"object"==typeof window&&(n=window)}e.exports=n},function(e,t,n){"use strict";var r=n(17),o=function(){function e(){}return e.capitalize=function(e){return e.charAt(0).toUpperCase()+e.slice(1)},e.formatString=function(){for(var e=[],t=0;t=a&&(!t||s)?(l=n,c&&(r.clearTimeout(c),c=null),o=e.apply(r._parent,i)):null===c&&u&&(c=r.setTimeout(p,f)),o},d=function(){for(var e=[],t=0;t=a&&(h=!0),c=n);var m=n-c,g=a-m,v=n-p,y=!1;return null!==l&&(v>=l&&d?y=!0:g=Math.min(g,l-v)),m>=a||y||h?(d&&(r.clearTimeout(d),d=null),p=n,o=e.apply(r._parent,i)):null!==d&&t||!u||(d=r.setTimeout(f,g)),o},h=function(){for(var e=[],t=0;t.":"function"==typeof t?" Instead of passing a class like Foo, pass React.createElement(Foo) or .":null!=t&&void 0!==t.props?" This may be caused by unintentionally loading two independent copies of React.":"");var a,s=g.createElement(L,{child:t});if(e){var u=w.get(e);a=u._processChildContext(u._context)}else a=P;var c=d(n);if(c){var p=c._currentElement,h=p.props.child;if(O(h,t)){var m=c._renderedComponent.getPublicInstance(),v=r&&function(){r.call(m)};return U._updateRootComponent(c,s,a,n,v),m}U.unmountComponentAtNode(n)}var y=o(n),_=y&&!!i(y),b=l(n),E=_&&!c&&!b,x=U._renderNewRootComponent(s,n,E,a)._renderedComponent.getPublicInstance();return r&&r.call(x),x},render:function(e,t,n){return U._renderSubtreeIntoContainer(null,e,t,n)},unmountComponentAtNode:function(e){c(e)?void 0:f("40");var t=d(e);if(!t){l(e),1===e.nodeType&&e.hasAttribute(B);return!1}return delete D[t._instance.rootID],C.batchedUpdates(u,t,e,!1),!0},_mountImageIntoNode:function(e,t,n,i,a){if(c(t)?void 0:f("41"),i){var s=o(t);if(x.canReuseMarkup(e,s))return void y.precacheNode(n,s);var u=s.getAttribute(x.CHECKSUM_ATTR_NAME);s.removeAttribute(x.CHECKSUM_ATTR_NAME);var l=s.outerHTML;s.setAttribute(x.CHECKSUM_ATTR_NAME,u);var p=e,d=r(p,l),m=" (client) "+p.substring(d-20,d+20)+"\n (server) "+l.substring(d-20,d+20);t.nodeType===N?f("42",m):void 0}if(t.nodeType===N?f("43"):void 0,a.useCreateElement){for(;t.lastChild;)t.removeChild(t.lastChild);h.insertTreeBefore(t,e,null)}else I(t,e),y.precacheNode(n,t.firstChild)}};e.exports=U},function(e,t,n){"use strict";var r=n(3),o=n(22),i=(n(1),{HOST:0,COMPOSITE:1,EMPTY:2,getType:function(e){return null===e||e===!1?i.EMPTY:o.isValidElement(e)?"function"==typeof e.type?i.COMPOSITE:i.HOST:void r("26",e)}});e.exports=i},function(e,t,n){"use strict";var r={currentScrollLeft:0,currentScrollTop:0,refreshScrollValues:function(e){r.currentScrollLeft=e.x,r.currentScrollTop=e.y}};e.exports=r},function(e,t,n){"use strict";function r(e,t){return null==t?o("30"):void 0,null==e?t:Array.isArray(e)?Array.isArray(t)?(e.push.apply(e,t),e):(e.push(t),e):Array.isArray(t)?[e].concat(t):[e,t]}var o=n(3);n(1);e.exports=r},function(e,t,n){"use strict";function r(e,t,n){Array.isArray(e)?e.forEach(t,n):e&&t.call(n,e)}e.exports=r},function(e,t,n){"use strict";function r(e){for(var t;(t=e._renderedNodeType)===o.COMPOSITE;)e=e._renderedComponent;return t===o.HOST?e._renderedComponent:t===o.EMPTY?null:void 0}var o=n(103);e.exports=r},function(e,t,n){"use strict";function r(){return!i&&o.canUseDOM&&(i="textContent"in document.documentElement?"textContent":"innerText"),i}var o=n(8),i=null;e.exports=r},function(e,t,n){"use strict";function r(e){if(e){var t=e.getName();if(t)return" Check the render method of `"+t+"`."}return""}function o(e){return"function"==typeof e&&"undefined"!=typeof e.prototype&&"function"==typeof e.prototype.mountComponent&&"function"==typeof e.prototype.receiveComponent}function i(e,t){var n;if(null===e||e===!1)n=l.create(i);else if("object"==typeof e){var s=e,u=s.type;if("function"!=typeof u&&"string"!=typeof u){var d="";d+=r(s._owner),a("130",null==u?u:typeof u,d)}"string"==typeof s.type?n=c.createInternalComponent(s):o(s.type)?(n=new s.type(s),n.getHostNode||(n.getHostNode=n.getNativeNode)):n=new p(s)}else"string"==typeof e||"number"==typeof e?n=c.createInstanceForText(e):a("131",typeof e);return n._mountIndex=0,n._mountImage=null,n}var a=n(3),s=n(4),u=n(231),l=n(98),c=n(100),p=(n(278),n(1),n(2),function(e){this.construct(e)});s(p.prototype,u,{_instantiateReactComponent:i}),e.exports=i},function(e,t,n){"use strict";function r(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return"input"===t?!!o[e.type]:"textarea"===t}var o={color:!0,date:!0,datetime:!0,"datetime-local":!0,email:!0,month:!0,number:!0,password:!0,range:!0,search:!0,tel:!0,text:!0,time:!0,url:!0,week:!0};e.exports=r},function(e,t,n){"use strict";var r=n(8),o=n(37),i=n(38),a=function(e,t){if(t){var n=e.firstChild;if(n&&n===e.lastChild&&3===n.nodeType)return void(n.nodeValue=t)}e.textContent=t};r.canUseDOM&&("textContent"in document.documentElement||(a=function(e,t){return 3===e.nodeType?void(e.nodeValue=t):void i(e,o(t))})),e.exports=a},function(e,t,n){"use strict";function r(e,t){return e&&"object"==typeof e&&null!=e.key?l.escape(e.key):t.toString(36)}function o(e,t,n,i){var d=typeof e;if("undefined"!==d&&"boolean"!==d||(e=null),null===e||"string"===d||"number"===d||"object"===d&&e.$$typeof===s)return n(i,e,""===t?c+r(e,0):t),1;var f,h,m=0,g=""===t?c:t+p;if(Array.isArray(e))for(var v=0;v=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function s(e){var t,s,u=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},c=u.getDisplayName,v=void 0===c?function(e){return"ConnectAdvanced("+e+")"}:c,y=u.methodName,_=void 0===y?"connectAdvanced":y,b=u.renderCountProp,E=void 0===b?void 0:b,w=u.shouldHandleStateChanges,x=void 0===w||w,T=u.storeKey,S=void 0===T?"store":T,C=u.withRef,P=void 0!==C&&C,R=a(u,["getDisplayName","methodName","renderCountProp","shouldHandleStateChanges","storeKey","withRef"]),I=S+"Subscription",O=g++,M=(t={},t[S]=h.a,t[I]=d.PropTypes.instanceOf(f.a),t),B=(s={},s[I]=d.PropTypes.instanceOf(f.a),s);return function(t){p()("function"==typeof t,"You must pass a component to the function returned by connect. Instead received "+t);var a=t.displayName||t.name||"Component",s=v(a),u=m({},R,{getDisplayName:v,methodName:_,renderCountProp:E,shouldHandleStateChanges:x,storeKey:S,withRef:P,displayName:s,wrappedComponentName:a,WrappedComponent:t}),c=function(a){function l(e,t){r(this,l);var n=o(this,a.call(this,e,t));return n.version=O,n.state={},n.renderCount=0,n.store=n.props[S]||n.context[S],n.parentSub=e[I]||t[I],n.setWrappedInstance=n.setWrappedInstance.bind(n),p()(n.store,'Could not find "'+S+'" in either the context or '+('props of "'+s+'". ')+"Either wrap the root component in a , "+('or explicitly pass "'+S+'" as a prop to "'+s+'".')),n.getState=n.store.getState.bind(n.store),n.initSelector(),n.initSubscription(),n}return i(l,a),l.prototype.getChildContext=function(){var e;return e={},e[I]=this.subscription||this.parentSub,e},l.prototype.componentDidMount=function(){x&&(this.subscription.trySubscribe(),this.selector.run(this.props),this.selector.shouldComponentUpdate&&this.forceUpdate())},l.prototype.componentWillReceiveProps=function(e){this.selector.run(e)},l.prototype.shouldComponentUpdate=function(){return this.selector.shouldComponentUpdate},l.prototype.componentWillUnmount=function(){this.subscription&&this.subscription.tryUnsubscribe(),this.subscription=null,this.store=null,this.parentSub=null,this.selector.run=function(){}},l.prototype.getWrappedInstance=function(){return p()(P,"To access the wrapped instance, you need to specify "+("{ withRef: true } in the options argument of the "+_+"() call.")),this.wrappedInstance},l.prototype.setWrappedInstance=function(e){this.wrappedInstance=e},l.prototype.initSelector=function(){var t=this.store.dispatch,n=this.getState,r=e(t,u),o=this.selector={shouldComponentUpdate:!0,props:r(n(),this.props),run:function(e){try{var t=r(n(),e);(o.error||t!==o.props)&&(o.shouldComponentUpdate=!0,o.props=t,o.error=null)}catch(e){o.shouldComponentUpdate=!0,o.error=e}}}},l.prototype.initSubscription=function(){var e=this;x&&!function(){var t=e.subscription=new f.a(e.store,e.parentSub),n={};t.onStateChange=function(){this.selector.run(this.props),this.selector.shouldComponentUpdate?(this.componentDidUpdate=function(){this.componentDidUpdate=void 0,t.notifyNestedSubs()},this.setState(n)):t.notifyNestedSubs()}.bind(e)}()},l.prototype.isSubscribed=function(){return Boolean(this.subscription)&&this.subscription.isSubscribed()},l.prototype.addExtraProps=function(e){if(!P&&!E)return e;var t=m({},e);return P&&(t.ref=this.setWrappedInstance),E&&(t[E]=this.renderCount++),t},l.prototype.render=function(){var e=this.selector;if(e.shouldComponentUpdate=!1,e.error)throw e.error;return n.i(d.createElement)(t,this.addExtraProps(e.props))},l}(d.Component);return c.WrappedComponent=t,c.displayName=s,c.childContextTypes=B,c.contextTypes=M,c.propTypes=M,l()(c,t)}}var u=n(133),l=n.n(u),c=n(16),p=n.n(c),d=n(0),f=(n.n(d),n(115)),h=n(116);t.a=s;var m=Object.assign||function(e){for(var t=1;tn?this._scrollVelocity=Math.min(u,u*((e.clientY-n)/s)):this._scrollVelocity=0,this._scrollVelocity?this._startScroll():this._stopScroll()},e.prototype._startScroll=function(){this._timeoutId||this._incrementScroll()},e.prototype._incrementScroll=function(){this._scrollableParent.scrollTop+=Math.round(this._scrollVelocity),this._timeoutId=setTimeout(this._incrementScroll,a)},e.prototype._stopScroll=function(){this._timeoutId&&(clearTimeout(this._timeoutId),delete this._timeoutId)},e}();t.AutoScroll=l},function(e,t,n){"use strict";function r(e,t,n){for(var r=0,i=n.length;r1?t[1]:""},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_disposables",{get:function(){return this.__disposables||(this.__disposables=[]),this.__disposables},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_async",{get:function(){return this.__async||(this.__async=new u.Async(this),this._disposables.push(this.__async)),this.__async},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_events",{get:function(){return this.__events||(this.__events=new l.EventGroup(this),this._disposables.push(this.__events)),this.__events},enumerable:!0,configurable:!0}),t.prototype._resolveRef=function(e){var t=this;return this.__resolves||(this.__resolves={}),this.__resolves[e]||(this.__resolves[e]=function(n){return t[e]=n}),this.__resolves[e]},t}(s.Component);t.BaseComponent=c,c.onError=function(e){throw e}},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(0),i=function(e){function t(t){var n=e.call(this,t)||this;return n.state={isRendered:!1},n}return r(t,e),t.prototype.componentDidMount=function(){var e=this,t=this.props.delay;this._timeoutId=setTimeout(function(){e.setState({isRendered:!0})},t)},t.prototype.componentWillUnmount=function(){clearTimeout(this._timeoutId)},t.prototype.render=function(){return this.state.isRendered?o.Children.only(this.props.children):null},t}(o.Component);i.defaultProps={delay:0},t.DelayedRender=i},function(e,t,n){"use strict";var r=function(){function e(e,t,n,r){void 0===e&&(e=0),void 0===t&&(t=0),void 0===n&&(n=0),void 0===r&&(r=0),this.top=n,this.bottom=r,this.left=e,this.right=t}return Object.defineProperty(e.prototype,"width",{get:function(){return this.right-this.left},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"height",{get:function(){return this.bottom-this.top},enumerable:!0,configurable:!0}),e.prototype.equals=function(e){return parseFloat(this.top.toFixed(4))===parseFloat(e.top.toFixed(4))&&parseFloat(this.bottom.toFixed(4))===parseFloat(e.bottom.toFixed(4))&&parseFloat(this.left.toFixed(4))===parseFloat(e.left.toFixed(4))&&parseFloat(this.right.toFixed(4))===parseFloat(e.right.toFixed(4))},e}();t.Rectangle=r},function(e,t,n){"use strict";function r(e,t){for(var n=-1,r=0;e&&r=0||e.getAttribute&&"true"===n||"button"===e.getAttribute("role"))}function c(e){return e&&!!e.getAttribute(m)}function p(e){var t=d.getDocument(e).activeElement;return!(!t||!d.elementContains(e,t))}var d=n(32),f="data-is-focusable",h="data-is-visible",m="data-focuszone-id";t.getFirstFocusable=r,t.getLastFocusable=o,t.focusFirstChild=i,t.getPreviousElement=a,t.getNextElement=s,t.isElementVisible=u,t.isElementTabbable=l,t.isElementFocusZone=c,t.doesElementContainFocus=p},function(e,t,n){"use strict";function r(e,t,n){void 0===n&&(n=i);var r=[],o=function(o){"function"!=typeof t[o]||void 0!==e[o]||n&&n.indexOf(o)!==-1||(r.push(o),e[o]=function(){t[o].apply(t,arguments)})};for(var a in t)o(a);return r}function o(e,t){t.forEach(function(t){return delete e[t]})}var i=["setState","render","componentWillMount","componentDidMount","componentWillReceiveProps","shouldComponentUpdate","componentWillUpdate","componentDidUpdate","componentWillUnmount"];t.hoistMethods=r,t.unhoistMethods=o},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(72)),r(n(141)),r(n(142)),r(n(143)),r(n(42)),r(n(73)),r(n(144)),r(n(145)),r(n(146)),r(n(147)),r(n(32)),r(n(148)),r(n(149)),r(n(151)),r(n(74)),r(n(152)),r(n(153)),r(n(154)),r(n(75)),r(n(155))},function(e,t,n){"use strict";function r(e,t){var n=Math.sqrt(Math.pow(e.x-t.x,2)+Math.pow(e.y-t.y,2));return n}t.getDistanceBetweenPoints=r},function(e,t,n){"use strict";function r(e,t,n){return o.filteredAssign(function(e){return(!n||n.indexOf(e)<0)&&(0===e.indexOf("data-")||0===e.indexOf("aria-")||t.indexOf(e)>=0)},{},e)}var o=n(74);t.baseElementEvents=["onCopy","onCut","onPaste","onCompositionEnd","onCompositionStart","onCompositionUpdate","onFocus","onFocusCapture","onBlur","onBlurCapture","onChange","onInput","onSubmit","onLoad","onError","onKeyDown","onKeyDownCapture","onKeyPress","onKeyUp","onAbort","onCanPlay","onCanPlayThrough","onDurationChange","onEmptied","onEncrypted","onEnded","onLoadedData","onLoadedMetadata","onLoadStart","onPause","onPlay","onPlaying","onProgress","onRateChange","onSeeked","onSeeking","onStalled","onSuspend","onTimeUpdate","onVolumeChange","onWaiting","onClick","onClickCapture","onContextMenu","onDoubleClick","onDrag","onDragEnd","onDragEnter","onDragExit","onDragLeave","onDragOver","onDragStart","onDrop","onMouseDown","onMouseDownCapture","onMouseEnter","onMouseLeave","onMouseMove","onMouseOut","onMouseOver","onMouseUp","onMouseUpCapture","onSelect","onTouchCancel","onTouchEnd","onTouchMove","onTouchStart","onScroll","onWheel"],t.baseElementProperties=["defaultChecked","defaultValue","accept","acceptCharset","accessKey","action","allowFullScreen","allowTransparency","alt","async","autoComplete","autoFocus","autoPlay","capture","cellPadding","cellSpacing","charSet","challenge","checked","children","classID","className","cols","colSpan","content","contentEditable","contextMenu","controls","coords","crossOrigin","data","dateTime","default","defer","dir","download","draggable","encType","form","formAction","formEncType","formMethod","formNoValidate","formTarget","frameBorder","headers","height","hidden","high","hrefLang","htmlFor","httpEquiv","icon","id","inputMode","integrity","is","keyParams","keyType","kind","label","lang","list","loop","low","manifest","marginHeight","marginWidth","max","maxLength","media","mediaGroup","method","min","minLength","multiple","muted","name","noValidate","open","optimum","pattern","placeholder","poster","preload","radioGroup","readOnly","rel","required","role","rows","rowSpan","sandbox","scope","scoped","scrolling","seamless","selected","shape","size","sizes","span","spellCheck","src","srcDoc","srcLang","srcSet","start","step","style","summary","tabIndex","title","type","useMap","value","width","wmode","wrap"],t.htmlElementProperties=t.baseElementProperties.concat(t.baseElementEvents),t.anchorProperties=t.htmlElementProperties.concat(["href","target"]),t.buttonProperties=t.htmlElementProperties.concat(["disabled"]),t.divProperties=t.htmlElementProperties.concat(["align","noWrap"]),t.inputProperties=t.buttonProperties,t.textAreaProperties=t.buttonProperties,t.imageProperties=t.divProperties,t.getNativeProps=r},function(e,t,n){"use strict";function r(e){return a+e}function o(e){a=e}function i(){return"en-us"}var a="";t.getResourceUrl=r,t.setBaseUrl=o,t.getLanguage=i},function(e,t,n){"use strict";function r(){if(void 0===a){var e=u.getDocument();if(!e)throw new Error("getRTL was called in a server environment without setRTL being called first. Call setRTL to set the correct direction first.");a="rtl"===document.documentElement.getAttribute("dir")}return a}function o(e){var t=u.getDocument();t&&t.documentElement.setAttribute("dir",e?"rtl":"ltr"),a=e}function i(e){return r()&&(e===s.KeyCodes.left?e=s.KeyCodes.right:e===s.KeyCodes.right&&(e=s.KeyCodes.left)),e}var a,s=n(73),u=n(32);t.getRTL=r,t.setRTL=o,t.getRTLSafeKeyCode=i},function(e,t,n){"use strict";function r(e){function t(e){var t=a[e.replace(o,"")];return null!==t&&void 0!==t||(t=""),t}for(var n=[],r=1;r>8-s%1*8)){if(n=o.charCodeAt(s+=.75),n>255)throw new r;t=t<<8|n}return a}var i="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=";r.prototype=new Error,r.prototype.code=5,r.prototype.name="InvalidCharacterError",e.exports=o},function(e,t,n){"use strict";function r(e){return encodeURIComponent(e).replace(/%40/gi,"@").replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}var o=n(9);e.exports=function(e,t,n){if(!t)return e;var i;if(n)i=n(t);else if(o.isURLSearchParams(t))i=t.toString();else{var a=[];o.forEach(t,function(e,t){null!==e&&"undefined"!=typeof e&&(o.isArray(e)&&(t+="[]"),o.isArray(e)||(e=[e]),o.forEach(e,function(e){o.isDate(e)?e=e.toISOString():o.isObject(e)&&(e=JSON.stringify(e)),a.push(r(t)+"="+r(e))}))}),i=a.join("&")}return i&&(e+=(e.indexOf("?")===-1?"?":"&")+i),e}},function(e,t,n){"use strict";e.exports=function(e,t){return e.replace(/\/+$/,"")+"/"+t.replace(/^\/+/,"")}},function(e,t,n){"use strict";var r=n(9);e.exports=r.isStandardBrowserEnv()?function(){return{write:function(e,t,n,o,i,a){var s=[];s.push(e+"="+encodeURIComponent(t)),r.isNumber(n)&&s.push("expires="+new Date(n).toGMTString()),r.isString(o)&&s.push("path="+o),r.isString(i)&&s.push("domain="+i),a===!0&&s.push("secure"),document.cookie=s.join("; ")},read:function(e){var t=document.cookie.match(new RegExp("(^|;\\s*)("+e+")=([^;]*)"));return t?decodeURIComponent(t[3]):null},remove:function(e){this.write(e,"",Date.now()-864e5)}}}():function(){return{write:function(){},read:function(){return null},remove:function(){}}}()},function(e,t,n){"use strict";e.exports=function(e){return/^([a-z][a-z\d\+\-\.]*:)?\/\//i.test(e)}},function(e,t,n){"use strict";var r=n(9);e.exports=r.isStandardBrowserEnv()?function(){function e(e){var t=e;return n&&(o.setAttribute("href",t),t=o.href),o.setAttribute("href",t),{href:o.href,protocol:o.protocol?o.protocol.replace(/:$/,""):"",host:o.host,search:o.search?o.search.replace(/^\?/,""):"",hash:o.hash?o.hash.replace(/^#/,""):"",hostname:o.hostname,port:o.port,pathname:"/"===o.pathname.charAt(0)?o.pathname:"/"+o.pathname}}var t,n=/(msie|trident)/i.test(navigator.userAgent),o=document.createElement("a");return t=e(window.location.href),function(n){var o=r.isString(n)?e(n):n;return o.protocol===t.protocol&&o.host===t.host}}():function(){return function(){return!0}}()},function(e,t,n){"use strict";var r=n(9);e.exports=function(e,t){r.forEach(e,function(n,r){r!==t&&r.toUpperCase()===t.toUpperCase()&&(e[t]=n,delete e[r])})}},function(e,t,n){"use strict";var r=n(9);e.exports=function(e){var t,n,o,i={};return e?(r.forEach(e.split("\n"),function(e){o=e.indexOf(":"),t=r.trim(e.substr(0,o)).toLowerCase(),n=r.trim(e.substr(o+1)),t&&(i[t]=i[t]?i[t]+", "+n:n)}),i):i}},function(e,t,n){"use strict";e.exports=function(e){return function(t){return e.apply(null,t)}}},function(e,t,n){"use strict";function r(e){return e.replace(o,function(e,t){return t.toUpperCase()})}var o=/-(.)/g;e.exports=r},function(e,t,n){"use strict";function r(e){return o(e.replace(i,"ms-"))}var o=n(174),i=/^-ms-/;e.exports=r},function(e,t,n){"use strict";function r(e,t){return!(!e||!t)&&(e===t||!o(e)&&(o(t)?r(e,t.parentNode):"contains"in e?e.contains(t):!!e.compareDocumentPosition&&!!(16&e.compareDocumentPosition(t))))}var o=n(184);e.exports=r},function(e,t,n){"use strict";function r(e){var t=e.length;if(Array.isArray(e)||"object"!=typeof e&&"function"!=typeof e?a(!1):void 0,"number"!=typeof t?a(!1):void 0,0===t||t-1 in e?void 0:a(!1),"function"==typeof e.callee?a(!1):void 0,e.hasOwnProperty)try{return Array.prototype.slice.call(e)}catch(e){}for(var n=Array(t),r=0;r":a.innerHTML="<"+e+">",s[e]=!a.firstChild),s[e]?d[e]:null}var o=n(8),i=n(1),a=o.canUseDOM?document.createElement("div"):null,s={},u=[1,'"],l=[1,"","
"],c=[3,"","
"],p=[1,'',""],d={"*":[1,"?
","
"],area:[1,"",""],col:[2,"","
"],legend:[1,"
","
"],param:[1,"",""],tr:[2,"","
"],optgroup:u,option:u,caption:l,colgroup:l,tbody:l,tfoot:l,thead:l,td:c,th:c},f=["circle","clipPath","defs","ellipse","g","image","line","linearGradient","mask","path","pattern","polygon","polyline","radialGradient","rect","stop","text","tspan"];f.forEach(function(e){d[e]=p,s[e]=!0}),e.exports=r},function(e,t,n){"use strict";function r(e){return e===window?{x:window.pageXOffset||document.documentElement.scrollLeft,y:window.pageYOffset||document.documentElement.scrollTop}:{x:e.scrollLeft,y:e.scrollTop}}e.exports=r},function(e,t,n){"use strict";function r(e){return e.replace(o,"-$1").toLowerCase()}var o=/([A-Z])/g;e.exports=r},function(e,t,n){"use strict";function r(e){return o(e).replace(i,"-ms-")}var o=n(181),i=/^ms-/;e.exports=r},function(e,t,n){"use strict";function r(e){return!(!e||!("function"==typeof Node?e instanceof Node:"object"==typeof e&&"number"==typeof e.nodeType&&"string"==typeof e.nodeName))}e.exports=r},function(e,t,n){"use strict";function r(e){return o(e)&&3==e.nodeType}var o=n(183);e.exports=r},function(e,t,n){"use strict";function r(e){var t={};return function(n){return t.hasOwnProperty(n)||(t[n]=e.call(this,n)),t[n]}}e.exports=r},,,function(e,t,n){"use strict";function r(e){return null==e?void 0===e?u:s:l&&l in Object(e)?n.i(i.a)(e):n.i(a.a)(e)}var o=n(84),i=n(191),a=n(192),s="[object Null]",u="[object Undefined]",l=o.a?o.a.toStringTag:void 0;t.a=r},function(e,t,n){"use strict";(function(e){var n="object"==typeof e&&e&&e.Object===Object&&e;t.a=n}).call(t,n(66))},function(e,t,n){"use strict";var r=n(193),o=n.i(r.a)(Object.getPrototypeOf,Object);t.a=o},function(e,t,n){"use strict";function r(e){var t=a.call(e,u),n=e[u];try{e[u]=void 0;var r=!0}catch(e){}var o=s.call(e);return r&&(t?e[u]=n:delete e[u]),o}var o=n(84),i=Object.prototype,a=i.hasOwnProperty,s=i.toString,u=o.a?o.a.toStringTag:void 0; -t.a=r},function(e,t,n){"use strict";function r(e){return i.call(e)}var o=Object.prototype,i=o.toString;t.a=r},function(e,t,n){"use strict";function r(e,t){return function(n){return e(t(n))}}t.a=r},function(e,t,n){"use strict";var r=n(189),o="object"==typeof self&&self&&self.Object===Object&&self,i=r.a||o||Function("return this")();t.a=i},function(e,t,n){"use strict";function r(e){return null!=e&&"object"==typeof e}t.a=r},,function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(209))},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(215))},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(218))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=t.top&&e.left>=t.left&&e.bottom<=t.bottom&&e.right<=t.right}function i(e,t){return e.top=t.tope.bottom||e.bottom===-1?t.bottom:e.bottom,e.right=t.right>e.right||e.right===-1?t.right:e.right,e.width=e.right-e.left+1,e.height=e.bottom-e.top+1,e}var a=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},s=n(0),u=n(6),l=16,c=100,p=500,d=200,f=10,h=30,m=2,g=2,v={top:-1,bottom:-1,left:-1,right:-1,width:0,height:0},y=function(e){return e.getBoundingClientRect()},_=y,b=y,E=function(e){function t(t){var n=e.call(this,t)||this;return n.state={pages:[]},n._estimatedPageHeight=0,n._totalEstimates=0,n._requiredWindowsAhead=0,n._requiredWindowsBehind=0,n._measureVersion=0,n._onAsyncScroll=n._async.debounce(n._onAsyncScroll,c,{leading:!1,maxWait:p}),n._onAsyncIdle=n._async.debounce(n._onAsyncIdle,d,{leading:!1}),n._onAsyncResize=n._async.debounce(n._onAsyncResize,l,{leading:!1}),n._cachedPageHeights={},n._estimatedPageHeight=0,n._focusedIndex=-1,n._scrollingToIndex=-1,n}return a(t,e),t.prototype.scrollToIndex=function(e,t){for(var n=this.props.startIndex,r=this._getRenderCount(),o=n+r,i=0,a=1,s=n;se;if(u){if(t){for(var l=e-s,c=0;c=f.top&&p<=f.bottom;if(h)return;var m=if.bottom;m||g&&(i=this._scrollElement.scrollTop+(p-f.bottom))}this._scrollElement.scrollTop=i;break}i+=this._getPageHeight(s,a,this._surfaceRect)}},t.prototype.componentDidMount=function(){this._updatePages(),this._measureVersion++,this._scrollElement=u.findScrollableParent(this.refs.root),this._events.on(window,"resize",this._onAsyncResize),this._events.on(this.refs.root,"focus",this._onFocus,!0),this._scrollElement&&(this._events.on(this._scrollElement,"scroll",this._onScroll),this._events.on(this._scrollElement,"scroll",this._onAsyncScroll))},t.prototype.componentWillReceiveProps=function(e){e.items===this.props.items&&e.renderCount===this.props.renderCount&&e.startIndex===this.props.startIndex||(this._measureVersion++,this._updatePages(e))},t.prototype.shouldComponentUpdate=function(e,t){var n=this.props,r=n.renderedWindowsAhead,o=n.renderedWindowsBehind,i=this.state.pages,a=t.pages,s=t.measureVersion,u=!1;if(this._measureVersion===s&&e.renderedWindowsAhead===r,e.renderedWindowsBehind===o,e.items===this.props.items&&i.length===a.length)for(var l=0;la||n>s)&&this._onAsyncIdle()},t.prototype._onAsyncResize=function(){this.forceUpdate()},t.prototype._updatePages=function(e){var t=this,n=e||this.props,r=n.items,o=n.startIndex,i=n.renderCount;i=this._getRenderCount(e),this._requiredRect||this._updateRenderRects(e);var a=this._buildPages(r,o,i),s=this.state.pages;this.setState(a,function(){var e=t._updatePageMeasurements(s,a.pages);e?(t._materializedRect=null,t._hasCompletedFirstRender?t._onAsyncScroll():(t._hasCompletedFirstRender=!0,t._updatePages())):t._onAsyncIdle()})},t.prototype._updatePageMeasurements=function(e,t){for(var n={},r=!1,o=this._getRenderCount(),i=0;i-1,v=m>=h._allowedRect.top&&s<=h._allowedRect.bottom,y=m>=h._requiredRect.top&&s<=h._requiredRect.bottom,_=!d&&(y||v&&g),b=c>=n&&c0&&a[0].items&&a[0].items.length.ms-MessageBar-dismissal{right:0;top:0;position:absolute!important}.ms-MessageBar-actions,.ms-MessageBar-actionsOneline{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-flex:0;-ms-flex:0 0 auto;flex:0 0 auto;-webkit-box-orient:horizontal;-webkit-box-direction:reverse;-ms-flex-direction:row-reverse;flex-direction:row-reverse;-webkit-box-align:center;-ms-flex-align:center;align-items:center}.ms-MessageBar-actionsOneline{position:relative}.ms-MessageBar-dismissal{min-width:0}.ms-MessageBar-dismissal::-moz-focus-inner{border:0}.ms-MessageBar-dismissal{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-MessageBar-dismissal:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .ms-MessageBar-dismissalOneline .ms-MessageBar-dismissal{margin-right:-8px}html[dir=rtl] .ms-MessageBar-dismissalOneline .ms-MessageBar-dismissal{margin-left:-8px}.ms-MessageBar+.ms-MessageBar{margin-bottom:6px}html[dir=ltr] .ms-MessageBar-innerTextPadding{padding-right:24px}html[dir=rtl] .ms-MessageBar-innerTextPadding{padding-left:24px}html[dir=ltr] .ms-MessageBar-innerTextPadding .ms-MessageBar-innerText>span,html[dir=ltr] .ms-MessageBar-innerTextPadding span{padding-right:4px}html[dir=rtl] .ms-MessageBar-innerTextPadding .ms-MessageBar-innerText>span,html[dir=rtl] .ms-MessageBar-innerTextPadding span{padding-left:4px}.ms-MessageBar-multiline>.ms-MessageBar-content>.ms-MessageBar-actionables{-webkit-box-orient:vertical;-webkit-box-direction:normal;-ms-flex-direction:column;flex-direction:column}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-icon{-webkit-box-align:center;-ms-flex-align:center;-ms-grid-row-align:center;align-items:center}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text{-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center;-webkit-box-align:center;-ms-flex-align:center;-ms-grid-row-align:center;align-items:center}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text .ms-MessageBar-innerText,.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text .ms-MessageBar-innerTextPadding{max-height:1.3em;line-height:1.3em;overflow-x:hidden;text-overflow:ellipsis;white-space:nowrap}.ms-MessageBar-singleline .ms-MessageBar-content>.ms-MessageBar-actionables{-webkit-box-orient:horizontal;-webkit-box-direction:normal;-ms-flex-direction:row;flex-direction:row}.ms-MessageBar .ms-Icon--Cancel{font-size:14px}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(210)),r(n(91))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a); -return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6);n(214);var u=function(e){function t(t){var n=e.call(this,t)||this;return n.props.onChanged&&(n.props.onChange=n.props.onChanged),n.state={value:t.value||"",hasFocus:!1,id:s.getId("SearchBox")},n}return r(t,e),t.prototype.componentWillReceiveProps=function(e){void 0!==e.value&&this.setState({value:e.value})},t.prototype.render=function(){var e=this.props,t=e.labelText,n=e.className,r=this.state,i=r.value,u=r.hasFocus,l=r.id;return a.createElement("div",o({ref:this._resolveRef("_rootElement"),className:s.css("ms-SearchBox",n,{"is-active":u,"can-clear":i.length>0})},{onFocusCapture:this._onFocusCapture}),a.createElement("i",{className:"ms-SearchBox-icon ms-Icon ms-Icon--Search"}),a.createElement("input",{id:l,className:"ms-SearchBox-field",placeholder:t,onChange:this._onInputChange,onKeyDown:this._onKeyDown,value:i,ref:this._resolveRef("_inputElement")}),a.createElement("div",{className:"ms-SearchBox-clearButton",onClick:this._onClearClick},a.createElement("i",{className:"ms-Icon ms-Icon--Clear"})))},t.prototype.focus=function(){this._inputElement&&this._inputElement.focus()},t.prototype._onClearClick=function(e){this.setState({value:""}),this._callOnChange(""),e.stopPropagation(),e.preventDefault(),this._inputElement.focus()},t.prototype._onFocusCapture=function(e){this.setState({hasFocus:!0}),this._events.on(s.getDocument().body,"focus",this._handleDocumentFocus,!0)},t.prototype._onKeyDown=function(e){switch(e.which){case s.KeyCodes.escape:this._onClearClick(e);break;case s.KeyCodes.enter:this.props.onSearch&&this.state.value.length>0&&this.props.onSearch(this.state.value);break;default:return}e.preventDefault(),e.stopPropagation()},t.prototype._onInputChange=function(e){this.setState({value:this._inputElement.value}),this._callOnChange(this._inputElement.value)},t.prototype._handleDocumentFocus=function(e){s.elementContains(this._rootElement,e.target)||(this._events.off(s.getDocument().body,"focus"),this.setState({hasFocus:!1}))},t.prototype._callOnChange=function(e){var t=this.props.onChange;t&&t(e)},t}(s.BaseComponent);u.defaultProps={labelText:"Search"},i([s.autobind],u.prototype,"_onClearClick",null),i([s.autobind],u.prototype,"_onFocusCapture",null),i([s.autobind],u.prototype,"_onKeyDown",null),i([s.autobind],u.prototype,"_onInputChange",null),t.SearchBox=u},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:'.ms-SearchBox{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;box-sizing:border-box;margin:0;padding:0;box-shadow:none;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";position:relative;margin-bottom:10px;border:1px solid "},{theme:"themeTertiary",defaultValue:"#71afe5"},{rawString:"}.ms-SearchBox.is-active{border-color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}html[dir=ltr] .ms-SearchBox.is-active .ms-SearchBox-field{padding-left:8px}html[dir=rtl] .ms-SearchBox.is-active .ms-SearchBox-field{padding-right:8px}.ms-SearchBox.is-active .ms-SearchBox-icon{display:none}.ms-SearchBox.is-disabled{border-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-SearchBox.is-disabled .ms-SearchBox-icon{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.ms-SearchBox.is-disabled .ms-SearchBox-field{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";pointer-events:none;cursor:default}.ms-SearchBox.can-clear .ms-SearchBox-clearButton{display:block}.ms-SearchBox:hover .ms-SearchBox-field{border-color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}.ms-SearchBox:hover .ms-SearchBox-label{color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-SearchBox:hover .ms-SearchBox-label .ms-SearchBox-icon{color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}input.ms-SearchBox-field{position:relative;box-sizing:border-box;margin:0;padding:0;box-shadow:none;border:none;outline:transparent 1px solid;font-weight:inherit;font-family:inherit;font-size:inherit;color:"},{theme:"black",defaultValue:"#000000"},{rawString:";height:34px;padding:6px 38px 7px 31px;width:100%;background-color:transparent;-webkit-transition:padding-left 167ms;transition:padding-left 167ms}html[dir=rtl] input.ms-SearchBox-field{padding:6px 31px 7px 38px}html[dir=ltr] input.ms-SearchBox-field:focus{padding-right:32px}html[dir=rtl] input.ms-SearchBox-field:focus{padding-left:32px}input.ms-SearchBox-field::-ms-clear{display:none}.ms-SearchBox-clearButton{display:none;border:none;cursor:pointer;position:absolute;top:0;width:40px;height:36px;line-height:36px;vertical-align:top;color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";text-align:center;font-size:16px}html[dir=ltr] .ms-SearchBox-clearButton{right:0}html[dir=rtl] .ms-SearchBox-clearButton{left:0}.ms-SearchBox-icon{font-size:17px;color:"},{theme:"neutralSecondaryAlt",defaultValue:"#767676"},{rawString:";position:absolute;top:0;height:36px;line-height:36px;vertical-align:top;font-size:16px;width:16px;color:#0078d7}html[dir=ltr] .ms-SearchBox-icon{left:8px}html[dir=rtl] .ms-SearchBox-icon{right:8px}html[dir=ltr] .ms-SearchBox-icon{margin-right:6px}html[dir=rtl] .ms-SearchBox-icon{margin-left:6px}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(213))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(0),i=n(6),a=n(92);n(217);var s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return r(t,e),t.prototype.render=function(){var e=this.props,t=e.type,n=e.size,r=e.label,s=e.className;return o.createElement("div",{className:i.css("ms-Spinner",s)},o.createElement("div",{className:i.css("ms-Spinner-circle",{"ms-Spinner--xSmall":n===a.SpinnerSize.xSmall},{"ms-Spinner--small":n===a.SpinnerSize.small},{"ms-Spinner--medium":n===a.SpinnerSize.medium},{"ms-Spinner--large":n===a.SpinnerSize.large},{"ms-Spinner--normal":t===a.SpinnerType.normal},{"ms-Spinner--large":t===a.SpinnerType.large})}),r&&o.createElement("div",{className:"ms-Spinner-label"},r))},t}(o.Component);s.defaultProps={size:a.SpinnerSize.medium},t.Spinner=s},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:"@-webkit-keyframes ms-Spinner-spin{0%{-webkit-transform:rotate(0);transform:rotate(0)}100%{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}@keyframes ms-Spinner-spin{0%{-webkit-transform:rotate(0);transform:rotate(0)}100%{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}.ms-Spinner>.ms-Spinner-circle{margin:auto;box-sizing:border-box;border-radius:50%;width:100%;height:100%;border:1.5px solid "},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";border-top-color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";-webkit-animation:ms-Spinner-spin 1.3s infinite cubic-bezier(.53,.21,.29,.67);animation:ms-Spinner-spin 1.3s infinite cubic-bezier(.53,.21,.29,.67)}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--xSmall{width:12px;height:12px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--small{width:16px;height:16px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--medium,.ms-Spinner>.ms-Spinner-circle.ms-Spinner--normal{width:20px;height:20px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--large{width:28px;height:28px}.ms-Spinner>.ms-Spinner-label{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";margin-top:10px;text-align:center}@media screen and (-ms-high-contrast:active){.ms-Spinner>.ms-Spinner-circle{border-top-style:none}}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(216)),r(n(92))},function(e,t,n){"use strict";var r={Properties:{"aria-current":0,"aria-details":0,"aria-disabled":0,"aria-hidden":0,"aria-invalid":0,"aria-keyshortcuts":0,"aria-label":0,"aria-roledescription":0,"aria-autocomplete":0,"aria-checked":0,"aria-expanded":0,"aria-haspopup":0,"aria-level":0,"aria-modal":0,"aria-multiline":0,"aria-multiselectable":0,"aria-orientation":0,"aria-placeholder":0,"aria-pressed":0,"aria-readonly":0,"aria-required":0,"aria-selected":0,"aria-sort":0,"aria-valuemax":0,"aria-valuemin":0,"aria-valuenow":0,"aria-valuetext":0,"aria-atomic":0,"aria-busy":0,"aria-live":0,"aria-relevant":0,"aria-dropeffect":0,"aria-grabbed":0,"aria-activedescendant":0,"aria-colcount":0,"aria-colindex":0,"aria-colspan":0,"aria-controls":0,"aria-describedby":0,"aria-errormessage":0,"aria-flowto":0,"aria-labelledby":0,"aria-owns":0,"aria-posinset":0,"aria-rowcount":0,"aria-rowindex":0,"aria-rowspan":0,"aria-setsize":0},DOMAttributeNames:{},DOMPropertyNames:{}};e.exports=r},function(e,t,n){"use strict";var r=n(5),o=n(82),i={focusDOMComponent:function(){o(r.getNodeFromInstance(this))}};e.exports=i},function(e,t,n){"use strict";function r(){var e=window.opera;return"object"==typeof e&&"function"==typeof e.version&&parseInt(e.version(),10)<=12}function o(e){return(e.ctrlKey||e.altKey||e.metaKey)&&!(e.ctrlKey&&e.altKey)}function i(e){switch(e){case"topCompositionStart":return C.compositionStart;case"topCompositionEnd":return C.compositionEnd;case"topCompositionUpdate":return C.compositionUpdate}}function a(e,t){return"topKeyDown"===e&&t.keyCode===_}function s(e,t){switch(e){case"topKeyUp":return y.indexOf(t.keyCode)!==-1;case"topKeyDown":return t.keyCode!==_;case"topKeyPress":case"topMouseDown":case"topBlur":return!0;default:return!1}}function u(e){var t=e.detail;return"object"==typeof t&&"data"in t?t.data:null}function l(e,t,n,r){var o,l;if(b?o=i(e):R?s(e,n)&&(o=C.compositionEnd):a(e,n)&&(o=C.compositionStart),!o)return null;x&&(R||o!==C.compositionStart?o===C.compositionEnd&&R&&(l=R.getData()):R=m.getPooled(r));var c=g.getPooled(o,t,n,r);if(l)c.data=l;else{var p=u(n);null!==p&&(c.data=p)}return f.accumulateTwoPhaseDispatches(c),c}function c(e,t){switch(e){case"topCompositionEnd":return u(t);case"topKeyPress":var n=t.which;return n!==T?null:(P=!0,S);case"topTextInput":var r=t.data;return r===S&&P?null:r;default:return null}}function p(e,t){if(R){if("topCompositionEnd"===e||!b&&s(e,t)){var n=R.getData();return m.release(R),R=null,n}return null}switch(e){case"topPaste":return null;case"topKeyPress":return t.which&&!o(t)?String.fromCharCode(t.which):null;case"topCompositionEnd":return x?null:t.data;default:return null}}function d(e,t,n,r){var o;if(o=w?c(e,n):p(e,n),!o)return null;var i=v.getPooled(C.beforeInput,t,n,r);return i.data=o,f.accumulateTwoPhaseDispatches(i),i}var f=n(28),h=n(8),m=n(227),g=n(264),v=n(267),y=[9,13,27,32],_=229,b=h.canUseDOM&&"CompositionEvent"in window,E=null;h.canUseDOM&&"documentMode"in document&&(E=document.documentMode);var w=h.canUseDOM&&"TextEvent"in window&&!E&&!r(),x=h.canUseDOM&&(!b||E&&E>8&&E<=11),T=32,S=String.fromCharCode(T),C={beforeInput:{phasedRegistrationNames:{bubbled:"onBeforeInput",captured:"onBeforeInputCapture"},dependencies:["topCompositionEnd","topKeyPress","topTextInput","topPaste"]},compositionEnd:{phasedRegistrationNames:{bubbled:"onCompositionEnd",captured:"onCompositionEndCapture"},dependencies:["topBlur","topCompositionEnd","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]},compositionStart:{phasedRegistrationNames:{bubbled:"onCompositionStart",captured:"onCompositionStartCapture"},dependencies:["topBlur","topCompositionStart","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]},compositionUpdate:{phasedRegistrationNames:{bubbled:"onCompositionUpdate",captured:"onCompositionUpdateCapture"},dependencies:["topBlur","topCompositionUpdate","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]}},P=!1,R=null,I={eventTypes:C,extractEvents:function(e,t,n,r){return[l(e,t,n,r),d(e,t,n,r)]}};e.exports=I},function(e,t,n){"use strict";var r=n(93),o=n(8),i=(n(11),n(175),n(273)),a=n(182),s=n(185),u=(n(2),s(function(e){return a(e)})),l=!1,c="cssFloat";if(o.canUseDOM){var p=document.createElement("div").style;try{p.font=""}catch(e){l=!0}void 0===document.documentElement.style.cssFloat&&(c="styleFloat")}var d={createMarkupForStyles:function(e,t){var n="";for(var r in e)if(e.hasOwnProperty(r)){var o=e[r];null!=o&&(n+=u(r)+":",n+=i(r,o,t)+";")}return n||null},setValueForStyles:function(e,t,n){var o=e.style;for(var a in t)if(t.hasOwnProperty(a)){var s=i(a,t[a],n);if("float"!==a&&"cssFloat"!==a||(a=c),s)o[a]=s;else{var u=l&&r.shorthandPropertyExpansions[a];if(u)for(var p in u)o[p]="";else o[a]=""}}}};e.exports=d},function(e,t,n){"use strict";function r(e){var t=e.nodeName&&e.nodeName.toLowerCase();return"select"===t||"input"===t&&"file"===e.type}function o(e){var t=x.getPooled(P.change,I,e,T(e));_.accumulateTwoPhaseDispatches(t),w.batchedUpdates(i,t)}function i(e){y.enqueueEvents(e),y.processEventQueue(!1)}function a(e,t){R=e,I=t,R.attachEvent("onchange",o)}function s(){R&&(R.detachEvent("onchange",o),R=null,I=null)}function u(e,t){if("topChange"===e)return t}function l(e,t,n){"topFocus"===e?(s(),a(t,n)):"topBlur"===e&&s()}function c(e,t){R=e,I=t,O=e.value,M=Object.getOwnPropertyDescriptor(e.constructor.prototype,"value"),Object.defineProperty(R,"value",N),R.attachEvent?R.attachEvent("onpropertychange",d):R.addEventListener("propertychange",d,!1)}function p(){R&&(delete R.value,R.detachEvent?R.detachEvent("onpropertychange",d):R.removeEventListener("propertychange",d,!1),R=null,I=null,O=null,M=null)}function d(e){if("value"===e.propertyName){var t=e.srcElement.value;t!==O&&(O=t,o(e))}}function f(e,t){if("topInput"===e)return t}function h(e,t,n){"topFocus"===e?(p(),c(t,n)):"topBlur"===e&&p()}function m(e,t){if(("topSelectionChange"===e||"topKeyUp"===e||"topKeyDown"===e)&&R&&R.value!==O)return O=R.value,I}function g(e){return e.nodeName&&"input"===e.nodeName.toLowerCase()&&("checkbox"===e.type||"radio"===e.type)}function v(e,t){if("topClick"===e)return t}var y=n(27),_=n(28),b=n(8),E=n(5),w=n(12),x=n(13),T=n(59),S=n(60),C=n(110),P={change:{phasedRegistrationNames:{bubbled:"onChange",captured:"onChangeCapture"},dependencies:["topBlur","topChange","topClick","topFocus","topInput","topKeyDown","topKeyUp","topSelectionChange"]}},R=null,I=null,O=null,M=null,B=!1;b.canUseDOM&&(B=S("change")&&(!document.documentMode||document.documentMode>8));var k=!1;b.canUseDOM&&(k=S("input")&&(!document.documentMode||document.documentMode>11));var N={get:function(){return M.get.call(this)},set:function(e){O=""+e,M.set.call(this,e)}},A={eventTypes:P,extractEvents:function(e,t,n,o){var i,a,s=t?E.getNodeFromInstance(t):window;if(r(s)?B?i=u:a=l:C(s)?k?i=f:(i=m,a=h):g(s)&&(i=v),i){var c=i(e,t);if(c){var p=x.getPooled(P.change,c,n,o);return p.type="change",_.accumulateTwoPhaseDispatches(p),p}}a&&a(e,s,t)}};e.exports=A},function(e,t,n){"use strict";var r=n(3),o=n(19),i=n(8),a=n(178),s=n(10),u=(n(1),{dangerouslyReplaceNodeWithMarkup:function(e,t){if(i.canUseDOM?void 0:r("56"),t?void 0:r("57"),"HTML"===e.nodeName?r("58"):void 0,"string"==typeof t){var n=a(t,s)[0];e.parentNode.replaceChild(n,e)}else o.replaceChildWithTree(e,t)}});e.exports=u},function(e,t,n){"use strict";var r=["ResponderEventPlugin","SimpleEventPlugin","TapEventPlugin","EnterLeaveEventPlugin","ChangeEventPlugin","SelectEventPlugin","BeforeInputEventPlugin"];e.exports=r},function(e,t,n){"use strict";var r=n(28),o=n(5),i=n(35),a={mouseEnter:{registrationName:"onMouseEnter",dependencies:["topMouseOut","topMouseOver"]},mouseLeave:{registrationName:"onMouseLeave",dependencies:["topMouseOut","topMouseOver"]}},s={eventTypes:a,extractEvents:function(e,t,n,s){if("topMouseOver"===e&&(n.relatedTarget||n.fromElement))return null;if("topMouseOut"!==e&&"topMouseOver"!==e)return null;var u;if(s.window===s)u=s;else{var l=s.ownerDocument;u=l?l.defaultView||l.parentWindow:window}var c,p;if("topMouseOut"===e){c=t;var d=n.relatedTarget||n.toElement;p=d?o.getClosestInstanceFromNode(d):null}else c=null,p=t;if(c===p)return null;var f=null==c?u:o.getNodeFromInstance(c),h=null==p?u:o.getNodeFromInstance(p),m=i.getPooled(a.mouseLeave,c,n,s);m.type="mouseleave",m.target=f,m.relatedTarget=h;var g=i.getPooled(a.mouseEnter,p,n,s);return g.type="mouseenter",g.target=h,g.relatedTarget=f,r.accumulateEnterLeaveDispatches(m,g,c,p),[m,g]}};e.exports=s},function(e,t,n){"use strict";function r(e){this._root=e,this._startText=this.getText(),this._fallbackText=null}var o=n(4),i=n(15),a=n(108);o(r.prototype,{destructor:function(){this._root=null,this._startText=null,this._fallbackText=null},getText:function(){return"value"in this._root?this._root.value:this._root[a()]},getData:function(){if(this._fallbackText)return this._fallbackText;var e,t,n=this._startText,r=n.length,o=this.getText(),i=o.length;for(e=0;e1?1-t:void 0;return this._fallbackText=o.slice(e,s),this._fallbackText}}),i.addPoolingTo(r),e.exports=r},function(e,t,n){"use strict";var r=n(20),o=r.injection.MUST_USE_PROPERTY,i=r.injection.HAS_BOOLEAN_VALUE,a=r.injection.HAS_NUMERIC_VALUE,s=r.injection.HAS_POSITIVE_NUMERIC_VALUE,u=r.injection.HAS_OVERLOADED_BOOLEAN_VALUE,l={isCustomAttribute:RegExp.prototype.test.bind(new RegExp("^(data|aria)-["+r.ATTRIBUTE_NAME_CHAR+"]*$")),Properties:{accept:0,acceptCharset:0,accessKey:0,action:0,allowFullScreen:i,allowTransparency:0,alt:0,as:0,async:i,autoComplete:0,autoPlay:i,capture:i,cellPadding:0,cellSpacing:0,charSet:0,challenge:0,checked:o|i,cite:0,classID:0,className:0,cols:s,colSpan:0,content:0,contentEditable:0,contextMenu:0,controls:i,coords:0,crossOrigin:0,data:0,dateTime:0,default:i,defer:i,dir:0,disabled:i,download:u,draggable:0,encType:0,form:0,formAction:0,formEncType:0,formMethod:0,formNoValidate:i,formTarget:0,frameBorder:0,headers:0,height:0,hidden:i,high:0,href:0,hrefLang:0,htmlFor:0,httpEquiv:0,icon:0,id:0,inputMode:0,integrity:0,is:0,keyParams:0,keyType:0,kind:0,label:0,lang:0,list:0,loop:i,low:0,manifest:0,marginHeight:0,marginWidth:0,max:0,maxLength:0,media:0,mediaGroup:0,method:0,min:0,minLength:0,multiple:o|i,muted:o|i,name:0,nonce:0,noValidate:i,open:i,optimum:0,pattern:0,placeholder:0,playsInline:i,poster:0,preload:0,profile:0,radioGroup:0,readOnly:i,referrerPolicy:0,rel:0,required:i,reversed:i,role:0,rows:s,rowSpan:a,sandbox:0,scope:0,scoped:i,scrolling:0,seamless:i,selected:o|i,shape:0,size:s,sizes:0,span:s,spellCheck:0,src:0,srcDoc:0,srcLang:0,srcSet:0,start:a,step:0,style:0,summary:0,tabIndex:0,target:0,title:0,type:0,useMap:0,value:0,width:0,wmode:0,wrap:0,about:0,datatype:0,inlist:0,prefix:0,property:0,resource:0,typeof:0,vocab:0,autoCapitalize:0,autoCorrect:0,autoSave:0,color:0,itemProp:0,itemScope:i,itemType:0,itemID:0,itemRef:0,results:0,security:0,unselectable:0},DOMAttributeNames:{acceptCharset:"accept-charset",className:"class",htmlFor:"for",httpEquiv:"http-equiv"},DOMPropertyNames:{}};e.exports=l},function(e,t,n){"use strict";(function(t){function r(e,t,n,r){var o=void 0===e[n];null!=t&&o&&(e[n]=i(t,!0))}var o=n(21),i=n(109),a=(n(51),n(61)),s=n(112);n(2);"undefined"!=typeof t&&n.i({NODE_ENV:"production"}),1;var u={instantiateChildren:function(e,t,n,o){if(null==e)return null;var i={};return s(e,r,i),i},updateChildren:function(e,t,n,r,s,u,l,c,p){if(t||e){var d,f;for(d in t)if(t.hasOwnProperty(d)){f=e&&e[d];var h=f&&f._currentElement,m=t[d];if(null!=f&&a(h,m))o.receiveComponent(f,m,s,c),t[d]=f;else{f&&(r[d]=o.getHostNode(f),o.unmountComponent(f,!1));var g=i(m,!0);t[d]=g;var v=o.mountComponent(g,s,u,l,c,p);n.push(v)}}for(d in e)!e.hasOwnProperty(d)||t&&t.hasOwnProperty(d)||(f=e[d],r[d]=o.getHostNode(f),o.unmountComponent(f,!1))}},unmountChildren:function(e,t){for(var n in e)if(e.hasOwnProperty(n)){var r=e[n];o.unmountComponent(r,t)}}};e.exports=u}).call(t,n(33))},function(e,t,n){"use strict";var r=n(47),o=n(237),i={processChildrenUpdates:o.dangerouslyProcessChildrenUpdates,replaceNodeWithMarkup:r.dangerouslyReplaceNodeWithMarkup};e.exports=i},function(e,t,n){"use strict";function r(e){}function o(e,t){}function i(e){return!(!e.prototype||!e.prototype.isReactComponent)}function a(e){return!(!e.prototype||!e.prototype.isPureReactComponent)}var s=n(3),u=n(4),l=n(22),c=n(53),p=n(14),d=n(54),f=n(29),h=(n(11),n(103)),m=n(21),g=n(25),v=(n(1),n(44)),y=n(61),_=(n(2),{ImpureClass:0,PureClass:1,StatelessFunctional:2});r.prototype.render=function(){var e=f.get(this)._currentElement.type,t=e(this.props,this.context,this.updater);return o(e,t),t};var b=1,E={construct:function(e){this._currentElement=e,this._rootNodeID=0,this._compositeType=null,this._instance=null,this._hostParent=null,this._hostContainerInfo=null,this._updateBatchNumber=null,this._pendingElement=null,this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1,this._renderedNodeType=null,this._renderedComponent=null,this._context=null,this._mountOrder=0,this._topLevelWrapper=null,this._pendingCallbacks=null,this._calledComponentWillUnmount=!1},mountComponent:function(e,t,n,u){this._context=u,this._mountOrder=b++,this._hostParent=t,this._hostContainerInfo=n;var c,p=this._currentElement.props,d=this._processContext(u),h=this._currentElement.type,m=e.getUpdateQueue(),v=i(h),y=this._constructComponent(v,p,d,m);v||null!=y&&null!=y.render?a(h)?this._compositeType=_.PureClass:this._compositeType=_.ImpureClass:(c=y,o(h,c),null===y||y===!1||l.isValidElement(y)?void 0:s("105",h.displayName||h.name||"Component"),y=new r(h),this._compositeType=_.StatelessFunctional);y.props=p,y.context=d,y.refs=g,y.updater=m,this._instance=y,f.set(y,this);var E=y.state;void 0===E&&(y.state=E=null),"object"!=typeof E||Array.isArray(E)?s("106",this.getName()||"ReactCompositeComponent"):void 0,this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1;var w;return w=y.unstable_handleError?this.performInitialMountWithErrorHandling(c,t,n,e,u):this.performInitialMount(c,t,n,e,u),y.componentDidMount&&e.getReactMountReady().enqueue(y.componentDidMount,y),w},_constructComponent:function(e,t,n,r){return this._constructComponentWithoutOwner(e,t,n,r)},_constructComponentWithoutOwner:function(e,t,n,r){var o=this._currentElement.type;return e?new o(t,n,r):o(t,n,r)},performInitialMountWithErrorHandling:function(e,t,n,r,o){var i,a=r.checkpoint();try{i=this.performInitialMount(e,t,n,r,o)}catch(s){r.rollback(a),this._instance.unstable_handleError(s),this._pendingStateQueue&&(this._instance.state=this._processPendingState(this._instance.props,this._instance.context)),a=r.checkpoint(),this._renderedComponent.unmountComponent(!0),r.rollback(a),i=this.performInitialMount(e,t,n,r,o)}return i},performInitialMount:function(e,t,n,r,o){var i=this._instance,a=0;i.componentWillMount&&(i.componentWillMount(),this._pendingStateQueue&&(i.state=this._processPendingState(i.props,i.context))),void 0===e&&(e=this._renderValidatedComponent());var s=h.getType(e);this._renderedNodeType=s;var u=this._instantiateReactComponent(e,s!==h.EMPTY);this._renderedComponent=u;var l=m.mountComponent(u,r,t,n,this._processChildContext(o),a);return l},getHostNode:function(){return m.getHostNode(this._renderedComponent)},unmountComponent:function(e){if(this._renderedComponent){var t=this._instance;if(t.componentWillUnmount&&!t._calledComponentWillUnmount)if(t._calledComponentWillUnmount=!0,e){var n=this.getName()+".componentWillUnmount()";d.invokeGuardedCallback(n,t.componentWillUnmount.bind(t))}else t.componentWillUnmount();this._renderedComponent&&(m.unmountComponent(this._renderedComponent,e),this._renderedNodeType=null,this._renderedComponent=null,this._instance=null),this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1,this._pendingCallbacks=null,this._pendingElement=null,this._context=null,this._rootNodeID=0,this._topLevelWrapper=null,f.remove(t)}},_maskContext:function(e){var t=this._currentElement.type,n=t.contextTypes;if(!n)return g;var r={};for(var o in n)r[o]=e[o];return r},_processContext:function(e){var t=this._maskContext(e);return t},_processChildContext:function(e){var t,n=this._currentElement.type,r=this._instance;if(r.getChildContext&&(t=r.getChildContext()),t){"object"!=typeof n.childContextTypes?s("107",this.getName()||"ReactCompositeComponent"):void 0;for(var o in t)o in n.childContextTypes?void 0:s("108",this.getName()||"ReactCompositeComponent",o);return u({},e,t)}return e},_checkContextTypes:function(e,t,n){},receiveComponent:function(e,t,n){var r=this._currentElement,o=this._context;this._pendingElement=null,this.updateComponent(t,r,e,o,n)},performUpdateIfNecessary:function(e){null!=this._pendingElement?m.receiveComponent(this,this._pendingElement,e,this._context):null!==this._pendingStateQueue||this._pendingForceUpdate?this.updateComponent(e,this._currentElement,this._currentElement,this._context,this._context):this._updateBatchNumber=null},updateComponent:function(e,t,n,r,o){var i=this._instance;null==i?s("136",this.getName()||"ReactCompositeComponent"):void 0;var a,u=!1;this._context===o?a=i.context:(a=this._processContext(o),u=!0);var l=t.props,c=n.props;t!==n&&(u=!0),u&&i.componentWillReceiveProps&&i.componentWillReceiveProps(c,a);var p=this._processPendingState(c,a),d=!0;this._pendingForceUpdate||(i.shouldComponentUpdate?d=i.shouldComponentUpdate(c,p,a):this._compositeType===_.PureClass&&(d=!v(l,c)||!v(i.state,p))),this._updateBatchNumber=null,d?(this._pendingForceUpdate=!1,this._performComponentUpdate(n,c,p,a,e,o)):(this._currentElement=n,this._context=o,i.props=c,i.state=p,i.context=a)},_processPendingState:function(e,t){var n=this._instance,r=this._pendingStateQueue,o=this._pendingReplaceState;if(this._pendingReplaceState=!1,this._pendingStateQueue=null,!r)return n.state;if(o&&1===r.length)return r[0];for(var i=u({},o?r[0]:n.state),a=o?1:0;a=0||null!=t.is}function h(e){var t=e.type;d(t),this._currentElement=e,this._tag=t.toLowerCase(),this._namespaceURI=null,this._renderedChildren=null,this._previousStyle=null,this._previousStyleCopy=null,this._hostNode=null,this._hostParent=null,this._rootNodeID=0,this._domID=0,this._hostContainerInfo=null,this._wrapperState=null,this._topLevelWrapper=null,this._flags=0}var m=n(3),g=n(4),v=n(220),y=n(222),_=n(19),b=n(48),E=n(20),w=n(95),x=n(27),T=n(49),S=n(34),C=n(96),P=n(5),R=n(238),I=n(239),O=n(97),M=n(242),B=(n(11),n(251)),k=n(256),N=(n(10),n(37)),A=(n(1),n(60),n(44),n(62),n(2),C),D=x.deleteListener,F=P.getNodeFromInstance,L=S.listenTo,U=T.registrationNameModules,V={string:!0,number:!0},j="style",W="__html",H={children:null,dangerouslySetInnerHTML:null,suppressContentEditableWarning:null},q=11,Y={topAbort:"abort",topCanPlay:"canplay",topCanPlayThrough:"canplaythrough",topDurationChange:"durationchange",topEmptied:"emptied",topEncrypted:"encrypted",topEnded:"ended",topError:"error",topLoadedData:"loadeddata",topLoadedMetadata:"loadedmetadata",topLoadStart:"loadstart",topPause:"pause",topPlay:"play",topPlaying:"playing",topProgress:"progress",topRateChange:"ratechange",topSeeked:"seeked",topSeeking:"seeking",topStalled:"stalled",topSuspend:"suspend",topTimeUpdate:"timeupdate",topVolumeChange:"volumechange",topWaiting:"waiting"},G={area:!0,base:!0,br:!0,col:!0,embed:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0, -param:!0,source:!0,track:!0,wbr:!0},z={listing:!0,pre:!0,textarea:!0},K=g({menuitem:!0},G),X=/^[a-zA-Z][a-zA-Z:_\.\-\d]*$/,Q={},$={}.hasOwnProperty,Z=1;h.displayName="ReactDOMComponent",h.Mixin={mountComponent:function(e,t,n,r){this._rootNodeID=Z++,this._domID=n._idCounter++,this._hostParent=t,this._hostContainerInfo=n;var i=this._currentElement.props;switch(this._tag){case"audio":case"form":case"iframe":case"img":case"link":case"object":case"source":case"video":this._wrapperState={listeners:null},e.getReactMountReady().enqueue(c,this);break;case"input":R.mountWrapper(this,i,t),i=R.getHostProps(this,i),e.getReactMountReady().enqueue(c,this);break;case"option":I.mountWrapper(this,i,t),i=I.getHostProps(this,i);break;case"select":O.mountWrapper(this,i,t),i=O.getHostProps(this,i),e.getReactMountReady().enqueue(c,this);break;case"textarea":M.mountWrapper(this,i,t),i=M.getHostProps(this,i),e.getReactMountReady().enqueue(c,this)}o(this,i);var a,p;null!=t?(a=t._namespaceURI,p=t._tag):n._tag&&(a=n._namespaceURI,p=n._tag),(null==a||a===b.svg&&"foreignobject"===p)&&(a=b.html),a===b.html&&("svg"===this._tag?a=b.svg:"math"===this._tag&&(a=b.mathml)),this._namespaceURI=a;var d;if(e.useCreateElement){var f,h=n._ownerDocument;if(a===b.html)if("script"===this._tag){var m=h.createElement("div"),g=this._currentElement.type;m.innerHTML="<"+g+">",f=m.removeChild(m.firstChild)}else f=i.is?h.createElement(this._currentElement.type,i.is):h.createElement(this._currentElement.type);else f=h.createElementNS(a,this._currentElement.type);P.precacheNode(this,f),this._flags|=A.hasCachedChildNodes,this._hostParent||w.setAttributeForRoot(f),this._updateDOMProperties(null,i,e);var y=_(f);this._createInitialChildren(e,i,r,y),d=y}else{var E=this._createOpenTagMarkupAndPutListeners(e,i),x=this._createContentMarkup(e,i,r);d=!x&&G[this._tag]?E+"/>":E+">"+x+""}switch(this._tag){case"input":e.getReactMountReady().enqueue(s,this),i.autoFocus&&e.getReactMountReady().enqueue(v.focusDOMComponent,this);break;case"textarea":e.getReactMountReady().enqueue(u,this),i.autoFocus&&e.getReactMountReady().enqueue(v.focusDOMComponent,this);break;case"select":i.autoFocus&&e.getReactMountReady().enqueue(v.focusDOMComponent,this);break;case"button":i.autoFocus&&e.getReactMountReady().enqueue(v.focusDOMComponent,this);break;case"option":e.getReactMountReady().enqueue(l,this)}return d},_createOpenTagMarkupAndPutListeners:function(e,t){var n="<"+this._currentElement.type;for(var r in t)if(t.hasOwnProperty(r)){var o=t[r];if(null!=o)if(U.hasOwnProperty(r))o&&i(this,r,o,e);else{r===j&&(o&&(o=this._previousStyleCopy=g({},t.style)),o=y.createMarkupForStyles(o,this));var a=null;null!=this._tag&&f(this._tag,t)?H.hasOwnProperty(r)||(a=w.createMarkupForCustomAttribute(r,o)):a=w.createMarkupForProperty(r,o),a&&(n+=" "+a)}}return e.renderToStaticMarkup?n:(this._hostParent||(n+=" "+w.createMarkupForRoot()),n+=" "+w.createMarkupForID(this._domID))},_createContentMarkup:function(e,t,n){var r="",o=t.dangerouslySetInnerHTML;if(null!=o)null!=o.__html&&(r=o.__html);else{var i=V[typeof t.children]?t.children:null,a=null!=i?null:t.children;if(null!=i)r=N(i);else if(null!=a){var s=this.mountChildren(a,e,n);r=s.join("")}}return z[this._tag]&&"\n"===r.charAt(0)?"\n"+r:r},_createInitialChildren:function(e,t,n,r){var o=t.dangerouslySetInnerHTML;if(null!=o)null!=o.__html&&_.queueHTML(r,o.__html);else{var i=V[typeof t.children]?t.children:null,a=null!=i?null:t.children;if(null!=i)""!==i&&_.queueText(r,i);else if(null!=a)for(var s=this.mountChildren(a,e,n),u=0;u"},receiveComponent:function(){},getHostNode:function(){return i.getNodeFromInstance(this)},unmountComponent:function(){i.uncacheNode(this)}}),e.exports=a},function(e,t,n){"use strict";var r={useCreateElement:!0,useFiber:!1};e.exports=r},function(e,t,n){"use strict";var r=n(47),o=n(5),i={dangerouslyProcessChildrenUpdates:function(e,t){var n=o.getNodeFromInstance(e);r.processUpdates(n,t)}};e.exports=i},function(e,t,n){"use strict";function r(){this._rootNodeID&&p.updateWrapper(this)}function o(e){var t=this._currentElement.props,n=u.executeOnChange(t,e);c.asap(r,this);var o=t.name;if("radio"===t.type&&null!=o){for(var a=l.getNodeFromInstance(this),s=a;s.parentNode;)s=s.parentNode;for(var p=s.querySelectorAll("input[name="+JSON.stringify(""+o)+'][type="radio"]'),d=0;dt.end?(n=t.end,r=t.start):(n=t.start,r=t.end),o.moveToElementText(e),o.moveStart("character",n),o.setEndPoint("EndToStart",o),o.moveEnd("character",r-n),o.select()}function s(e,t){if(window.getSelection){var n=window.getSelection(),r=e[c()].length,o=Math.min(t.start,r),i=void 0===t.end?o:Math.min(t.end,r);if(!n.extend&&o>i){var a=i;i=o,o=a}var s=l(e,o),u=l(e,i);if(s&&u){var p=document.createRange();p.setStart(s.node,s.offset),n.removeAllRanges(),o>i?(n.addRange(p),n.extend(u.node,u.offset)):(p.setEnd(u.node,u.offset),n.addRange(p))}}}var u=n(8),l=n(279),c=n(108),p=u.canUseDOM&&"selection"in document&&!("getSelection"in window),d={getOffsets:p?o:i,setOffsets:p?a:s};e.exports=d},function(e,t,n){"use strict";var r=n(3),o=n(4),i=n(47),a=n(19),s=n(5),u=n(37),l=(n(1),n(62),function(e){this._currentElement=e,this._stringText=""+e,this._hostNode=null,this._hostParent=null,this._domID=0,this._mountIndex=0,this._closingComment=null,this._commentNodes=null});o(l.prototype,{mountComponent:function(e,t,n,r){var o=n._idCounter++,i=" react-text: "+o+" ",l=" /react-text ";if(this._domID=o,this._hostParent=t,e.useCreateElement){var c=n._ownerDocument,p=c.createComment(i),d=c.createComment(l),f=a(c.createDocumentFragment());return a.queueChild(f,a(p)),this._stringText&&a.queueChild(f,a(c.createTextNode(this._stringText))),a.queueChild(f,a(d)),s.precacheNode(this,p),this._closingComment=d,f}var h=u(this._stringText);return e.renderToStaticMarkup?h:""+h+""},receiveComponent:function(e,t){if(e!==this._currentElement){this._currentElement=e;var n=""+e;if(n!==this._stringText){this._stringText=n;var r=this.getHostNode();i.replaceDelimitedText(r[0],r[1],n)}}},getHostNode:function(){var e=this._commentNodes;if(e)return e;if(!this._closingComment)for(var t=s.getNodeFromInstance(this),n=t.nextSibling;;){if(null==n?r("67",this._domID):void 0,8===n.nodeType&&" /react-text "===n.nodeValue){this._closingComment=n;break}n=n.nextSibling}return e=[this._hostNode,this._closingComment],this._commentNodes=e,e},unmountComponent:function(){this._closingComment=null,this._commentNodes=null,s.uncacheNode(this)}}),e.exports=l},function(e,t,n){"use strict";function r(){this._rootNodeID&&c.updateWrapper(this)}function o(e){var t=this._currentElement.props,n=s.executeOnChange(t,e);return l.asap(r,this),n}var i=n(3),a=n(4),s=n(52),u=n(5),l=n(12),c=(n(1),n(2),{getHostProps:function(e,t){null!=t.dangerouslySetInnerHTML?i("91"):void 0;var n=a({},t,{value:void 0,defaultValue:void 0,children:""+e._wrapperState.initialValue,onChange:e._wrapperState.onChange});return n},mountWrapper:function(e,t){var n=s.getValue(t),r=n;if(null==n){var a=t.defaultValue,u=t.children;null!=u&&(null!=a?i("92"):void 0,Array.isArray(u)&&(u.length<=1?void 0:i("93"),u=u[0]),a=""+u),null==a&&(a=""),r=a}e._wrapperState={initialValue:""+r,listeners:null,onChange:o.bind(e)}},updateWrapper:function(e){var t=e._currentElement.props,n=u.getNodeFromInstance(e),r=s.getValue(t);if(null!=r){var o=""+r;o!==n.value&&(n.value=o),null==t.defaultValue&&(n.defaultValue=o)}null!=t.defaultValue&&(n.defaultValue=t.defaultValue)},postMountWrapper:function(e){var t=u.getNodeFromInstance(e),n=t.textContent;n===e._wrapperState.initialValue&&(t.value=n)}});e.exports=c},function(e,t,n){"use strict";function r(e,t){"_hostNode"in e?void 0:u("33"),"_hostNode"in t?void 0:u("33");for(var n=0,r=e;r;r=r._hostParent)n++;for(var o=0,i=t;i;i=i._hostParent)o++;for(;n-o>0;)e=e._hostParent,n--;for(;o-n>0;)t=t._hostParent,o--;for(var a=n;a--;){if(e===t)return e;e=e._hostParent,t=t._hostParent}return null}function o(e,t){"_hostNode"in e?void 0:u("35"),"_hostNode"in t?void 0:u("35");for(;t;){if(t===e)return!0;t=t._hostParent}return!1}function i(e){return"_hostNode"in e?void 0:u("36"),e._hostParent}function a(e,t,n){for(var r=[];e;)r.push(e),e=e._hostParent;var o;for(o=r.length;o-- >0;)t(r[o],"captured",n);for(o=0;o0;)n(u[l],"captured",i)}var u=n(3);n(1);e.exports={isAncestor:o,getLowestCommonAncestor:r,getParentInstance:i,traverseTwoPhase:a,traverseEnterLeave:s}},function(e,t,n){"use strict";function r(){this.reinitializeTransaction()}var o=n(4),i=n(12),a=n(36),s=n(10),u={initialize:s,close:function(){d.isBatchingUpdates=!1}},l={initialize:s,close:i.flushBatchedUpdates.bind(i)},c=[l,u];o(r.prototype,a,{getTransactionWrappers:function(){return c}});var p=new r,d={isBatchingUpdates:!1,batchedUpdates:function(e,t,n,r,o,i){var a=d.isBatchingUpdates;return d.isBatchingUpdates=!0,a?e(t,n,r,o,i):p.perform(e,null,t,n,r,o,i)}};e.exports=d},function(e,t,n){"use strict";function r(){x||(x=!0,y.EventEmitter.injectReactEventListener(v),y.EventPluginHub.injectEventPluginOrder(s),y.EventPluginUtils.injectComponentTree(d),y.EventPluginUtils.injectTreeTraversal(h),y.EventPluginHub.injectEventPluginsByName({SimpleEventPlugin:w,EnterLeaveEventPlugin:u,ChangeEventPlugin:a,SelectEventPlugin:E,BeforeInputEventPlugin:i}),y.HostComponent.injectGenericComponentClass(p),y.HostComponent.injectTextComponentClass(m),y.DOMProperty.injectDOMPropertyConfig(o),y.DOMProperty.injectDOMPropertyConfig(l),y.DOMProperty.injectDOMPropertyConfig(b),y.EmptyComponent.injectEmptyComponentFactory(function(e){return new f(e)}),y.Updates.injectReconcileTransaction(_),y.Updates.injectBatchingStrategy(g),y.Component.injectEnvironment(c))}var o=n(219),i=n(221),a=n(223),s=n(225),u=n(226),l=n(228),c=n(230),p=n(233),d=n(5),f=n(235),h=n(243),m=n(241),g=n(244),v=n(248),y=n(249),_=n(254),b=n(259),E=n(260),w=n(261),x=!1;e.exports={inject:r}},function(e,t,n){"use strict";var r="function"==typeof Symbol&&Symbol.for&&Symbol.for("react.element")||60103;e.exports=r},function(e,t,n){"use strict";function r(e){o.enqueueEvents(e),o.processEventQueue(!1)}var o=n(27),i={handleTopLevel:function(e,t,n,i){var a=o.extractEvents(e,t,n,i);r(a)}};e.exports=i},function(e,t,n){"use strict";function r(e){for(;e._hostParent;)e=e._hostParent;var t=p.getNodeFromInstance(e),n=t.parentNode;return p.getClosestInstanceFromNode(n)}function o(e,t){this.topLevelType=e,this.nativeEvent=t,this.ancestors=[]}function i(e){var t=f(e.nativeEvent),n=p.getClosestInstanceFromNode(t),o=n;do e.ancestors.push(o),o=o&&r(o);while(o);for(var i=0;i/,i=/^<\!\-\-/,a={CHECKSUM_ATTR_NAME:"data-react-checksum",addChecksumToMarkup:function(e){var t=r(e);return i.test(e)?e:e.replace(o," "+a.CHECKSUM_ATTR_NAME+'="'+t+'"$&')},canReuseMarkup:function(e,t){var n=t.getAttribute(a.CHECKSUM_ATTR_NAME);n=n&&parseInt(n,10);var o=r(e);return o===n}};e.exports=a},function(e,t,n){"use strict";function r(e,t,n){return{type:"INSERT_MARKUP",content:e,fromIndex:null,fromNode:null,toIndex:n,afterNode:t}}function o(e,t,n){return{type:"MOVE_EXISTING",content:null,fromIndex:e._mountIndex,fromNode:d.getHostNode(e),toIndex:n,afterNode:t}}function i(e,t){return{type:"REMOVE_NODE",content:null,fromIndex:e._mountIndex,fromNode:t,toIndex:null,afterNode:null}}function a(e){return{type:"SET_MARKUP",content:e,fromIndex:null,fromNode:null,toIndex:null,afterNode:null}}function s(e){return{type:"TEXT_CONTENT",content:e,fromIndex:null,fromNode:null,toIndex:null,afterNode:null}}function u(e,t){return t&&(e=e||[],e.push(t)),e}function l(e,t){p.processChildrenUpdates(e,t)}var c=n(3),p=n(53),d=(n(29),n(11),n(14),n(21)),f=n(229),h=(n(10),n(275)),m=(n(1),{Mixin:{_reconcilerInstantiateChildren:function(e,t,n){return f.instantiateChildren(e,t,n)},_reconcilerUpdateChildren:function(e,t,n,r,o,i){var a,s=0;return a=h(t,s),f.updateChildren(e,a,n,r,o,this,this._hostContainerInfo,i,s),a},mountChildren:function(e,t,n){var r=this._reconcilerInstantiateChildren(e,t,n);this._renderedChildren=r;var o=[],i=0;for(var a in r)if(r.hasOwnProperty(a)){var s=r[a],u=0,l=d.mountComponent(s,t,this,this._hostContainerInfo,n,u);s._mountIndex=i++,o.push(l)}return o},updateTextContent:function(e){var t=this._renderedChildren;f.unmountChildren(t,!1);for(var n in t)t.hasOwnProperty(n)&&c("118");var r=[s(e)];l(this,r)},updateMarkup:function(e){var t=this._renderedChildren;f.unmountChildren(t,!1);for(var n in t)t.hasOwnProperty(n)&&c("118");var r=[a(e)];l(this,r)},updateChildren:function(e,t,n){this._updateChildren(e,t,n)},_updateChildren:function(e,t,n){var r=this._renderedChildren,o={},i=[],a=this._reconcilerUpdateChildren(r,e,i,o,t,n);if(a||r){var s,c=null,p=0,f=0,h=0,m=null;for(s in a)if(a.hasOwnProperty(s)){var g=r&&r[s],v=a[s];g===v?(c=u(c,this.moveChild(g,m,p,f)),f=Math.max(g._mountIndex,f),g._mountIndex=p):(g&&(f=Math.max(g._mountIndex,f)),c=u(c,this._mountChildAtIndex(v,i[h],m,p,t,n)),h++),p++,m=d.getHostNode(v)}for(s in o)o.hasOwnProperty(s)&&(c=u(c,this._unmountChild(r[s],o[s])));c&&l(this,c),this._renderedChildren=a}},unmountChildren:function(e){var t=this._renderedChildren;f.unmountChildren(t,e),this._renderedChildren=null},moveChild:function(e,t,n,r){if(e._mountIndex=t)return{node:n,offset:t-i};i=a}n=r(o(n))}}e.exports=i},function(e,t,n){"use strict";function r(e,t){var n={};return n[e.toLowerCase()]=t.toLowerCase(),n["Webkit"+e]="webkit"+t,n["Moz"+e]="moz"+t,n["ms"+e]="MS"+t,n["O"+e]="o"+t.toLowerCase(),n}function o(e){if(s[e])return s[e];if(!a[e])return e;var t=a[e];for(var n in t)if(t.hasOwnProperty(n)&&n in u)return s[e]=t[n];return""}var i=n(8),a={animationend:r("Animation","AnimationEnd"),animationiteration:r("Animation","AnimationIteration"),animationstart:r("Animation","AnimationStart"),transitionend:r("Transition","TransitionEnd")},s={},u={};i.canUseDOM&&(u=document.createElement("div").style,"AnimationEvent"in window||(delete a.animationend.animation,delete a.animationiteration.animation,delete a.animationstart.animation),"TransitionEvent"in window||delete a.transitionend.transition),e.exports=o},function(e,t,n){"use strict";function r(e){return'"'+o(e)+'"'}var o=n(37);e.exports=r},function(e,t,n){"use strict";var r=n(102);e.exports=r.renderSubtreeIntoContainer},function(e,t,n){"use strict";function r(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function o(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function i(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}var a=n(0),s=(n.n(a),n(115)),u=n(116);n(63);n.d(t,"a",function(){return l});var l=function(e){function t(n,i){r(this,t);var a=o(this,e.call(this,n,i));return a.store=n.store,a}return i(t,e),t.prototype.getChildContext=function(){return{store:this.store,storeSubscription:null}},t.prototype.render=function(){return a.Children.only(this.props.children)},t}(a.Component);l.propTypes={store:u.a.isRequired,children:a.PropTypes.element.isRequired},l.childContextTypes={store:u.a.isRequired,storeSubscription:a.PropTypes.instanceOf(s.a)},l.displayName="Provider"},function(e,t,n){"use strict";function r(e,t){var n={};for(var r in e)t.indexOf(r)>=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e,t,n){for(var r=t.length-1;r>=0;r--){var o=t[r](e);if(o)return o}return function(t,r){throw new Error("Invalid value of type "+typeof e+" for "+n+" argument when connecting component "+r.wrappedComponentName+".")}}function i(e,t){return e===t}function a(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=e.connectHOC,n=void 0===t?s.a:t,a=e.mapStateToPropsFactories,h=void 0===a?c.a:a,m=e.mapDispatchToPropsFactories,g=void 0===m?l.a:m,v=e.mergePropsFactories,y=void 0===v?p.a:v,_=e.selectorFactory,b=void 0===_?d.a:_;return function(e,t,a){var s=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},l=s.pure,c=void 0===l||l,p=s.areStatesEqual,d=void 0===p?i:p,m=s.areOwnPropsEqual,v=void 0===m?u.a:m,_=s.areStatePropsEqual,E=void 0===_?u.a:_,w=s.areMergedPropsEqual,x=void 0===w?u.a:w,T=r(s,["pure","areStatesEqual","areOwnPropsEqual","areStatePropsEqual","areMergedPropsEqual"]),S=o(e,h,"mapStateToProps"),C=o(t,g,"mapDispatchToProps"),P=o(a,y,"mergeProps");return n(b,f({methodName:"connect",getDisplayName:function(e){return"Connect("+e+")"},shouldHandleStateChanges:Boolean(e),initMapStateToProps:S,initMapDispatchToProps:C,initMergeProps:P,pure:c,areStatesEqual:d,areOwnPropsEqual:v,areStatePropsEqual:E,areMergedPropsEqual:x},T))}}var s=n(113),u=n(290),l=n(285),c=n(286),p=n(287),d=n(288),f=Object.assign||function(e){for(var t=1;t=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e,t,n,r){return function(o,i){return n(e(o,i),t(r,i),i)}}function i(e,t,n,r,o){function i(o,i){return h=o,m=i,g=e(h,m),v=t(r,m),y=n(g,v,m),f=!0,y}function a(){return g=e(h,m),t.dependsOnOwnProps&&(v=t(r,m)),y=n(g,v,m)}function s(){return e.dependsOnOwnProps&&(g=e(h,m)),t.dependsOnOwnProps&&(v=t(r,m)),y=n(g,v,m)}function u(){var t=e(h,m),r=!d(t,g);return g=t,r&&(y=n(g,v,m)),y}function l(e,t){var n=!p(t,m),r=!c(e,h);return h=e,m=t,n&&r?a():n?s():r?u():y}var c=o.areStatesEqual,p=o.areOwnPropsEqual,d=o.areStatePropsEqual,f=!1,h=void 0,m=void 0,g=void 0,v=void 0,y=void 0;return function(e,t){return f?l(e,t):i(e,t)}}function a(e,t){var n=t.initMapStateToProps,a=t.initMapDispatchToProps,s=t.initMergeProps,u=r(t,["initMapStateToProps","initMapDispatchToProps","initMergeProps"]),l=n(e,u),c=a(e,u),p=s(e,u),d=u.pure?i:o;return d(l,c,p,e,u)}n(289);t.a=a},function(e,t,n){"use strict";n(63)},function(e,t,n){"use strict";function r(e,t){if(e===t)return!0;var n=0,r=0;for(var i in e){if(o.call(e,i)&&e[i]!==t[i])return!1;n++}for(var a in t)o.call(t,a)&&r++;return n===r}t.a=r;var o=Object.prototype.hasOwnProperty},,function(e,t,n){"use strict";function r(e){var t=/[=:]/g,n={"=":"=0",":":"=2"},r=(""+e).replace(t,function(e){return n[e]});return"$"+r}function o(e){var t=/(=0|=2)/g,n={"=0":"=","=2":":"},r="."===e[0]&&"$"===e[1]?e.substring(2):e.substring(1);return(""+r).replace(t,function(e){return n[e]})}var i={escape:r,unescape:o};e.exports=i},function(e,t,n){"use strict";var r=n(24),o=(n(1),function(e){var t=this;if(t.instancePool.length){var n=t.instancePool.pop();return t.call(n,e),n}return new t(e)}),i=function(e,t){var n=this;if(n.instancePool.length){var r=n.instancePool.pop();return n.call(r,e,t),r}return new n(e,t)},a=function(e,t,n){var r=this;if(r.instancePool.length){var o=r.instancePool.pop();return r.call(o,e,t,n),o}return new r(e,t,n)},s=function(e,t,n,r){var o=this;if(o.instancePool.length){var i=o.instancePool.pop();return o.call(i,e,t,n,r),i}return new o(e,t,n,r)},u=function(e){var t=this;e instanceof t?void 0:r("25"),e.destructor(),t.instancePool.length>"),P={array:a("array"),bool:a("boolean"),func:a("function"),number:a("number"),object:a("object"),string:a("string"),symbol:a("symbol"),any:s(),arrayOf:u,element:l(),instanceOf:c,node:h(),objectOf:d,oneOf:p,oneOfType:f,shape:m};o.prototype=Error.prototype,e.exports=P},function(e,t,n){"use strict";var r="SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED";e.exports=r},function(e,t,n){"use strict";function r(e,t,n){this.props=e,this.context=t,this.refs=u,this.updater=n||s}function o(){}var i=n(4),a=n(64),s=n(65),u=n(25);o.prototype=a.prototype,r.prototype=new o,r.prototype.constructor=r,i(r.prototype,a.prototype),r.prototype.isPureReactComponent=!0,e.exports=r},function(e,t,n){"use strict";e.exports="15.4.2"},function(e,t,n){"use strict";function r(e){return i.isValidElement(e)?void 0:o("143"),e}var o=n(24),i=n(23);n(1);e.exports=r},function(e,t,n){"use strict";function r(e,t){return e&&"object"==typeof e&&null!=e.key?l.escape(e.key):t.toString(36)}function o(e,t,n,i){var d=typeof e;if("undefined"!==d&&"boolean"!==d||(e=null),null===e||"string"===d||"number"===d||"object"===d&&e.$$typeof===s)return n(i,e,""===t?c+r(e,0):t),1;var f,h,m=0,g=""===t?c:t+p;if(Array.isArray(e))for(var v=0;v=0||e.value.toLowerCase().indexOf(t)>=0}):e.items;n.sort(function(e,t){return e.key.localeCompare(t.key)});var s=function(e,t){return o.createElement(a.default,{item:e,key:e.key,itemIndex:t})};return o.createElement(r.List,{items:n,onRenderCell:s})}},function(e,t,n){"use strict";var r=n(71),o=n(312),i=n(0),a=n(136);t.SpPropertyBagNewItemForm=function(e){var t=e.newProperty.key===a.constants.EMPTY_STRING||e.newProperty.value===a.constants.EMPTY_STRING;return i.createElement("div",{className:"ms-Grid"},i.createElement("div",{className:"ms-Grid-row"},i.createElement("h2",null,a.constants.NEW_PROPERTY_TITLE)),i.createElement("div",{className:"ms-Grid-row"},i.createElement("div",{className:"ms-Grid-col ms-u-sm6 ms-u-md6 ms-u-lg6"},i.createElement(o.TextField,{placeholder:a.constants.NEW_PROPERTY_KEY_TITLE,label:a.constants.NEW_PROPERTY_KEY_PLACEHOLDER,value:e.newProperty.key,onChanged:e.onKeyInputChange})),i.createElement("div",{className:"ms-Grid-col ms-u-sm6 ms-u-md6 ms-u-lg6"},i.createElement(o.TextField,{placeholder:a.constants.NEW_PROPERTY_VALUE_TITLE,label:a.constants.NEW_PROPERTY_VALUE_PLACEHOLDER,value:e.newProperty.value,onChanged:e.onValueInputChange}))),i.createElement("div",{className:"ms-Grid-row"},i.createElement("div",{className:"ms-Grid-col ms-u-sm10 ms-u-md10 ms-u-lg10"}),i.createElement("div",{className:"ms-Grid-col ms-u-sm2 ms-u-md2 ms-u-lg2 spProp-create-button"},i.createElement(r.Button,{buttonType:r.ButtonType.primary,onClick:e.addBtnClick,disabled:t},a.constants.CREATE_TEXT))))}},function(e,t,n){"use strict";var r=n(39),o=n(449);t.rootReducer=r.combineReducers({spPropertyBag:o.spPropertyBagReducer})},function(e,t,n){"use strict";var r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n0&&u(t)})}function s(){return setTimeout(function(){w.runState.flushTimer=0,a()},0)}function u(e,t){w.loadStyles?w.loadStyles(h(e).styleString,e):b?v(e,t):g(e)}function l(e){w.theme=e,d()}function c(e){void 0===e&&(e=3),3!==e&&2!==e||(p(w.registeredStyles),w.registeredStyles=[]),3!==e&&1!==e||(p(w.registeredThemableStyles),w.registeredThemableStyles=[])}function p(e){e.forEach(function(e){var t=e&&e.styleElement;t&&t.parentElement&&t.parentElement.removeChild(t)})}function d(){if(w.theme){for(var e=[],t=0,n=w.registeredThemableStyles;t0&&(c(1),u([].concat.apply([],e)))}}function f(e){return e&&(e=h(m(e)).styleString),e}function h(e){var t=w.theme,n=!1;return{styleString:(e||[]).map(function(e){var r=e.theme;if(r){n=!0;var o=t?t[r]:void 0,i=e.defaultValue||"inherit";return t&&!o&&console,o||i}return e.rawString}).join(""),themable:n}}function m(e){var t=[];if(e){for(var n=0,r=void 0;r=S.exec(e);){var o=r.index;o>n&&t.push({rawString:e.substring(n,o)}),t.push({theme:r[1],defaultValue:r[2]}),n=S.lastIndex}t.push({rawString:e.substring(n)})}return t}function g(e){var t=document.getElementsByTagName("head")[0],n=document.createElement("style"),r=h(e),o=r.styleString,i=r.themable;n.type="text/css",n.appendChild(document.createTextNode(o)),w.perf.count++,t.appendChild(n);var a={styleElement:n,themableStyle:e};i?w.registeredThemableStyles.push(a):w.registeredStyles.push(a)}function v(e,t){var n=document.getElementsByTagName("head")[0],r=w.registeredStyles,o=w.lastStyleElement,i=o?o.styleSheet:void 0,a=i?i.cssText:"",s=r[r.length-1],u=h(e).styleString;(!o||a.length+u.length>x)&&(o=document.createElement("style"),o.type="text/css",t?(n.replaceChild(o,t.styleElement),t.styleElement=o):n.appendChild(o),t||(s={styleElement:o,themableStyle:e},r.push(s))),o.styleSheet.cssText+=f(u),Array.prototype.push.apply(s.themableStyle,e),w.lastStyleElement=o}function y(){var e=!1;if("undefined"!=typeof document){var t=document.createElement("style");t.type="text/css",e=!!t.styleSheet}return e}var _=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n1){for(var h=Array(f),m=0;m1){for(var v=Array(g),y=0;y-1&&o._virtual.children.splice(i,1)}n._virtual.parent=r||void 0,r&&(r._virtual||(r._virtual={children:[]}),r._virtual.children.push(n))}function o(e){var t;return e&&p(e)&&(t=e._virtual.parent),t}function i(e,t){return void 0===t&&(t=!0),e&&(t&&o(e)||e.parentNode&&e.parentNode)}function a(e,t,n){void 0===n&&(n=!0);var r=!1;if(e&&t)if(n)for(r=!1;t;){var o=i(t);if(o===e){r=!0;break}t=o}else e.contains&&(r=e.contains(t));return r}function s(e){d=e}function u(e){return d?void 0:e&&e.ownerDocument&&e.ownerDocument.defaultView?e.ownerDocument.defaultView:window}function l(e){return d?void 0:e&&e.ownerDocument?e.ownerDocument:document}function c(e){var t;return e&&(e===window?t={left:0,top:0,width:window.innerWidth,height:window.innerHeight,right:window.innerWidth,bottom:window.innerHeight}:e.getBoundingClientRect&&(t=e.getBoundingClientRect())),t}function p(e){return e&&!!e._virtual}Object.defineProperty(t,"__esModule",{value:!0}),t.setVirtualParent=r,t.getVirtualParent=o,t.getParent=i,t.elementContains=a;var d=!1;t.setSSR=s,t.getWindow=u,t.getDocument=l,t.getRect=c},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:'.ms-Button{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;border-width:0;text-decoration:none;text-align:center;cursor:pointer;display:inline-block;padding:0 16px}.ms-Button::-moz-focus-inner{border:0}.ms-Button{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-Button:focus:after{content:\'\';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid '},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Button{color:#1AEBFF;border-color:#1AEBFF}}@media screen and (-ms-high-contrast:black-on-white){.ms-Button{color:#37006E;border-color:#37006E}}.ms-Button-icon{margin:0 4px;width:16px;vertical-align:top;display:inline-block}.ms-Button-label{margin:0 4px;vertical-align:top;display:inline-block}.ms-Button--hero{background-color:transparent;border:0;height:auto}.ms-Button--hero .ms-Button-icon{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";display:inline-block;padding-top:5px;font-size:20px;line-height:1}html[dir=ltr] .ms-Button--hero .ms-Button-icon{margin-right:8px}html[dir=rtl] .ms-Button--hero .ms-Button-icon{margin-left:8px}.ms-Button--hero .ms-Button-label{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";font-size:21px;font-weight:100;vertical-align:top}.ms-Button--hero:focus,.ms-Button--hero:hover{background-color:transparent}.ms-Button--hero:focus .ms-Button-icon,.ms-Button--hero:hover .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}.ms-Button--hero:focus .ms-Button-label,.ms-Button--hero:hover .ms-Button-label{color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}.ms-Button--hero:active .ms-Button-icon{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}.ms-Button--hero:active .ms-Button-label{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}.ms-Button--hero.is-disabled .ms-Button-icon,.ms-Button--hero:disabled .ms-Button-icon{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.ms-Button--hero.is-disabled .ms-Button-label,.ms-Button--hero:disabled .ms-Button-label{color:"},{theme:"neutralTertiary",defaultValue:"#a6a6a6"},{rawString:"}"}])},function(e,t,n){"use strict";function r(e){return"button"===e||"input"===e||"select"===e||"textarea"===e}function o(e,t,n){switch(e){case"onClick":case"onClickCapture":case"onDoubleClick":case"onDoubleClickCapture":case"onMouseDown":case"onMouseDownCapture":case"onMouseMove":case"onMouseMoveCapture":case"onMouseUp":case"onMouseUpCapture":return!(!n.disabled||!r(t));default:return!1}}var i=n(3),a=n(52),s=n(53),u=n(57),l=n(109),c=n(110),p=(n(1),{}),d=null,f=function(e,t){e&&(s.executeDispatchesInOrder(e,t),e.isPersistent()||e.constructor.release(e))},h=function(e){return f(e,!0)},m=function(e){return f(e,!1)},g=function(e){return"."+e._rootNodeID},v={injection:{injectEventPluginOrder:a.injectEventPluginOrder,injectEventPluginsByName:a.injectEventPluginsByName},putListener:function(e,t,n){"function"!=typeof n&&i("94",t,typeof n);var r=g(e);(p[t]||(p[t]={}))[r]=n;var o=a.registrationNameModules[t];o&&o.didPutListener&&o.didPutListener(e,t,n)},getListener:function(e,t){var n=p[t];if(o(t,e._currentElement.type,e._currentElement.props))return null;var r=g(e);return n&&n[r]},deleteListener:function(e,t){var n=a.registrationNameModules[t];n&&n.willDeleteListener&&n.willDeleteListener(e,t);var r=p[t];if(r){delete r[g(e)]}},deleteAllListeners:function(e){var t=g(e);for(var n in p)if(p.hasOwnProperty(n)&&p[n][t]){var r=a.registrationNameModules[n];r&&r.willDeleteListener&&r.willDeleteListener(e,n),delete p[n][t]}},extractEvents:function(e,t,n,r){for(var o,i=a.plugins,s=0;s1)for(var n=1;n]/;e.exports=o},function(e,t,n){"use strict";var r,o=n(8),i=n(51),a=/^[ \r\n\t\f]/,s=/<(!--|link|noscript|meta|script|style)[ \r\n\t\f\/>]/,u=n(59),l=u(function(e,t){if(e.namespaceURI!==i.svg||"innerHTML"in e)e.innerHTML=t;else{r=r||document.createElement("div"),r.innerHTML=""+t+"";for(var n=r.firstChild;n.firstChild;)e.appendChild(n.firstChild)}});if(o.canUseDOM){var c=document.createElement("div");c.innerHTML=" ",""===c.innerHTML&&(l=function(e,t){if(e.parentNode&&e.parentNode.replaceChild(e,e),a.test(t)||"<"===t[0]&&s.test(t)){e.innerHTML=String.fromCharCode(65279)+t;var n=e.firstChild;1===n.data.length?e.removeChild(n):n.deleteData(0,1)}else e.innerHTML=t}),c=null}e.exports=l},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(128),o=n(323),i=n(322),a=n(321),s=n(127);n(129);n.d(t,"createStore",function(){return r.a}),n.d(t,"combineReducers",function(){return o.a}),n.d(t,"bindActionCreators",function(){return i.a}),n.d(t,"applyMiddleware",function(){return a.a}),n.d(t,"compose",function(){return s.a})},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(297),o=n(118),i=n(298);n.d(t,"Provider",function(){return r.a}),n.d(t,"createProvider",function(){return r.b}),n.d(t,"connectAdvanced",function(){return o.a}),n.d(t,"connect",function(){return i.a})},function(e,t,n){"use strict";e.exports=n(247)},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(t){this._id=e._uniqueId++,this._parent=t,this._eventRecords=[]}return e.raise=function(t,n,r,o){var i;if(e._isElement(t)){if(document.createEvent){var a=document.createEvent("HTMLEvents");a.initEvent(n,o,!0),a.args=r,i=t.dispatchEvent(a)}else if(document.createEventObject){var s=document.createEventObject(r);t.fireEvent("on"+n,s)}}else for(;t&&!1!==i;){var u=t.__events__,l=u?u[n]:null;for(var c in l)if(l.hasOwnProperty(c))for(var p=l[c],d=0;!1!==i&&d-1)for(var a=n.split(/[ ,]+/),s=0;s=200&&e<300}};u.headers={common:{Accept:"application/json, text/plain, */*"}},o.forEach(["delete","get","head"],function(e){u.headers[e]={}}),o.forEach(["post","put","patch"],function(e){u.headers[e]=o.merge(s)}),e.exports=u}).call(t,n(34))},,function(e,t,n){"use strict";function r(e,t){return e===t?0!==e||0!==t||1/e==1/t:e!==e&&t!==t}function o(e,t){if(r(e,t))return!0;if("object"!=typeof e||null===e||"object"!=typeof t||null===t)return!1;var n=Object.keys(e),o=Object.keys(t);if(n.length!==o.length)return!1;for(var a=0;a-1||a("96",e),!l.plugins[n]){t.extractEvents||a("97",e),l.plugins[n]=t;var r=t.eventTypes;for(var i in r)o(r[i],t,i)||a("98",i,e)}}}function o(e,t,n){l.eventNameDispatchConfigs.hasOwnProperty(n)&&a("99",n),l.eventNameDispatchConfigs[n]=e;var r=e.phasedRegistrationNames;if(r){for(var o in r)if(r.hasOwnProperty(o)){var s=r[o];i(s,t,n)}return!0}return!!e.registrationName&&(i(e.registrationName,t,n),!0)}function i(e,t,n){l.registrationNameModules[e]&&a("100",e),l.registrationNameModules[e]=t,l.registrationNameDependencies[e]=t.eventTypes[n].dependencies}var a=n(3),s=(n(1),null),u={},l={plugins:[],eventNameDispatchConfigs:{},registrationNameModules:{},registrationNameDependencies:{},possibleRegistrationNames:null,injectEventPluginOrder:function(e){s&&a("101"),s=Array.prototype.slice.call(e),r()},injectEventPluginsByName:function(e){var t=!1;for(var n in e)if(e.hasOwnProperty(n)){var o=e[n];u.hasOwnProperty(n)&&u[n]===o||(u[n]&&a("102",n),u[n]=o,t=!0)}t&&r()},getPluginModuleForEvent:function(e){var t=e.dispatchConfig;if(t.registrationName)return l.registrationNameModules[t.registrationName]||null;if(void 0!==t.phasedRegistrationNames){var n=t.phasedRegistrationNames;for(var r in n)if(n.hasOwnProperty(r)){var o=l.registrationNameModules[n[r]];if(o)return o}}return null},_resetEventPlugins:function(){s=null;for(var e in u)u.hasOwnProperty(e)&&delete u[e];l.plugins.length=0;var t=l.eventNameDispatchConfigs;for(var n in t)t.hasOwnProperty(n)&&delete t[n];var r=l.registrationNameModules;for(var o in r)r.hasOwnProperty(o)&&delete r[o]}};e.exports=l},function(e,t,n){"use strict";function r(e){return"topMouseUp"===e||"topTouchEnd"===e||"topTouchCancel"===e}function o(e){return"topMouseMove"===e||"topTouchMove"===e}function i(e){return"topMouseDown"===e||"topTouchStart"===e}function a(e,t,n,r){var o=e.type||"unknown-event";e.currentTarget=v.getNodeFromInstance(r),t?m.invokeGuardedCallbackWithCatch(o,n,e):m.invokeGuardedCallback(o,n,e),e.currentTarget=null}function s(e,t){var n=e._dispatchListeners,r=e._dispatchInstances;if(Array.isArray(n))for(var o=0;o0&&r.length<20?n+" (keys: "+r.join(", ")+")":n}function i(e,t){var n=s.get(e);if(!n){return null}return n}var a=n(3),s=(n(14),n(29)),u=(n(11),n(12)),l=(n(1),n(2),{isMounted:function(e){var t=s.get(e);return!!t&&!!t._renderedComponent},enqueueCallback:function(e,t,n){l.validateCallback(t,n);var o=i(e);if(!o)return null;o._pendingCallbacks?o._pendingCallbacks.push(t):o._pendingCallbacks=[t],r(o)},enqueueCallbackInternal:function(e,t){e._pendingCallbacks?e._pendingCallbacks.push(t):e._pendingCallbacks=[t],r(e)},enqueueForceUpdate:function(e){var t=i(e,"forceUpdate");t&&(t._pendingForceUpdate=!0,r(t))},enqueueReplaceState:function(e,t,n){var o=i(e,"replaceState");o&&(o._pendingStateQueue=[t],o._pendingReplaceState=!0,void 0!==n&&null!==n&&(l.validateCallback(n,"replaceState"),o._pendingCallbacks?o._pendingCallbacks.push(n):o._pendingCallbacks=[n]),r(o))},enqueueSetState:function(e,t){var n=i(e,"setState");if(n){(n._pendingStateQueue||(n._pendingStateQueue=[])).push(t),r(n)}},enqueueElementInternal:function(e,t,n){e._pendingElement=t,e._context=n,r(e)},validateCallback:function(e,t){e&&"function"!=typeof e&&a("122",t,o(e))}});e.exports=l},function(e,t,n){"use strict";var r=function(e){return"undefined"!=typeof MSApp&&MSApp.execUnsafeLocalFunction?function(t,n,r,o){MSApp.execUnsafeLocalFunction(function(){return e(t,n,r,o)})}:e};e.exports=r},function(e,t,n){"use strict";function r(e){var t,n=e.keyCode;return"charCode"in e?0===(t=e.charCode)&&13===n&&(t=13):t=n,t>=32||13===t?t:0}e.exports=r},function(e,t,n){"use strict";function r(e){var t=this,n=t.nativeEvent;if(n.getModifierState)return n.getModifierState(e);var r=i[e];return!!r&&!!n[r]}function o(e){return r}var i={Alt:"altKey",Control:"ctrlKey",Meta:"metaKey",Shift:"shiftKey"};e.exports=o},function(e,t,n){"use strict";function r(e){var t=e.target||e.srcElement||window;return t.correspondingUseElement&&(t=t.correspondingUseElement),3===t.nodeType?t.parentNode:t}e.exports=r},function(e,t,n){"use strict";function r(e,t){if(!i.canUseDOM||t&&!("addEventListener"in document))return!1;var n="on"+e,r=n in document;if(!r){var a=document.createElement("div");a.setAttribute(n,"return;"),r="function"==typeof a[n]}return!r&&o&&"wheel"===e&&(r=document.implementation.hasFeature("Events.wheel","3.0")),r}var o,i=n(8);i.canUseDOM&&(o=document.implementation&&document.implementation.hasFeature&&!0!==document.implementation.hasFeature("","")),e.exports=r},function(e,t,n){"use strict";function r(e,t){var n=null===e||!1===e,r=null===t||!1===t;if(n||r)return n===r;var o=typeof e,i=typeof t;return"string"===o||"number"===o?"string"===i||"number"===i:"object"===i&&e.type===t.type&&e.key===t.key}e.exports=r},function(e,t,n){"use strict";var r=(n(4),n(10)),o=(n(2),r);e.exports=o},function(e,t,n){"use strict";function r(e){"undefined"!=typeof console&&console.error;try{throw new Error(e)}catch(e){}}t.a=r},function(e,t){var n;n=function(){return this}();try{n=n||Function("return this")()||(0,eval)("this")}catch(e){"object"==typeof window&&(n=window)}e.exports=n},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(15),o=function(){function e(){}return e.capitalize=function(e){return e.charAt(0).toUpperCase()+e.slice(1)},e.formatString=function(){for(var e=[],t=0;t=a&&(!t||s)?(l=n,c&&(r.clearTimeout(c),c=null),o=e.apply(r._parent,i)):null===c&&u&&(c=r.setTimeout(p,f)),o};return function(){for(var e=[],t=0;t=a&&(h=!0),c=n);var m=n-c,g=a-m,v=n-p,y=!1;return null!==l&&(v>=l&&d?y=!0:g=Math.min(g,l-v)),m>=a||y||h?(d&&(r.clearTimeout(d),d=null),p=n,o=e.apply(r._parent,i)):null!==d&&t||!u||(d=r.setTimeout(f,g)),o};return function(){for(var e=[],t=0;t1?t[1]:""}return this.__className},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_disposables",{get:function(){return this.__disposables||(this.__disposables=[]),this.__disposables},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_async",{get:function(){return this.__async||(this.__async=new u.Async(this),this._disposables.push(this.__async)),this.__async},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_events",{get:function(){return this.__events||(this.__events=new l.EventGroup(this),this._disposables.push(this.__events)),this.__events},enumerable:!0,configurable:!0}),t.prototype._resolveRef=function(e){var t=this;return this.__resolves||(this.__resolves={}),this.__resolves[e]||(this.__resolves[e]=function(n){return t[e]=n}),this.__resolves[e]},t.prototype._updateComponentRef=function(e,t){void 0===t&&(t={}),this._shouldUpdateComponentRef&&(!e&&t.componentRef||e&&e.componentRef!==t.componentRef)&&(e&&e.componentRef&&e.componentRef(null),t.componentRef&&t.componentRef(this))},t.prototype._warnDeprecations=function(e){c.warnDeprecations(this.className,this.props,e)},t.prototype._warnMutuallyExclusive=function(e){c.warnMutuallyExclusive(this.className,this.props,e)},t}(s.Component);t.BaseComponent=p,p.onError=function(e){throw e},t.nullRender=i},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});!function(e){e[e.a=65]="a",e[e.backspace=8]="backspace",e[e.comma=188]="comma",e[e.del=46]="del",e[e.down=40]="down",e[e.end=35]="end",e[e.enter=13]="enter",e[e.escape=27]="escape",e[e.home=36]="home",e[e.left=37]="left",e[e.pageDown=34]="pageDown",e[e.pageUp=33]="pageUp",e[e.right=39]="right",e[e.semicolon=186]="semicolon",e[e.space=32]="space",e[e.tab=9]="tab",e[e.up=38]="up"}(t.KeyCodes||(t.KeyCodes={}))},function(e,t,n){"use strict";function r(){var e=u.getDocument();e&&e.body&&!c&&e.body.classList.add(l.default.msFabricScrollDisabled),c++}function o(){if(c>0){var e=u.getDocument();e&&e.body&&1===c&&e.body.classList.remove(l.default.msFabricScrollDisabled),c--}}function i(){if(void 0===s){var e=document.createElement("div");e.style.setProperty("width","100px"),e.style.setProperty("height","100px"),e.style.setProperty("overflow","scroll"),e.style.setProperty("position","absolute"),e.style.setProperty("top","-9999px"),document.body.appendChild(e),s=e.offsetWidth-e.clientWidth,document.body.removeChild(e)}return s}function a(e){for(var n=e;n&&n!==document.body;){if("true"===n.getAttribute(t.DATA_IS_SCROLLABLE_ATTRIBUTE))return n;n=n.parentElement}for(n=e;n&&n!==document.body;){if("false"!==n.getAttribute(t.DATA_IS_SCROLLABLE_ATTRIBUTE)){var r=getComputedStyle(n),o=r?r.getPropertyValue("overflow-y"):"";if(o&&("scroll"===o||"auto"===o))return n}n=n.parentElement}return n&&n!==document.body||(n=window),n}Object.defineProperty(t,"__esModule",{value:!0});var s,u=n(25),l=n(167),c=0;t.DATA_IS_SCROLLABLE_ATTRIBUTE="data-is-scrollable",t.disableBodyScroll=r,t.enableBodyScroll=o,t.getScrollbarWidth=i,t.findScrollableParent=a},function(e,t,n){"use strict";function r(e,t,n){for(var r in n)if(t&&r in t){var o=e+" property '"+r+"' was used but has been deprecated.",i=n[r];i&&(o+=" Use '"+i+"' instead."),s(o)}}function o(e,t,n){for(var r in n)t&&r in t&&n[r]in t&&s(e+" property '"+r+"' is mutually exclusive with '"+n[r]+"'. Use one or the other.")}function i(e){console&&console.warn}function a(e){s=void 0===e?i:e}Object.defineProperty(t,"__esModule",{value:!0});var s=i;t.warnDeprecations=r,t.warnMutuallyExclusive=o,t.warn=i,t.setWarningCallback=a},function(e,t,n){"use strict";var r=n(9),o=n(176),i=n(179),a=n(185),s=n(183),u=n(81),l="undefined"!=typeof window&&window.btoa&&window.btoa.bind(window)||n(178);e.exports=function(e){return new Promise(function(t,c){var p=e.data,d=e.headers;r.isFormData(p)&&delete d["Content-Type"];var f=new XMLHttpRequest,h="onreadystatechange",m=!1;if("undefined"==typeof window||!window.XDomainRequest||"withCredentials"in f||s(e.url)||(f=new window.XDomainRequest,h="onload",m=!0,f.onprogress=function(){},f.ontimeout=function(){}),e.auth){var g=e.auth.username||"",v=e.auth.password||"";d.Authorization="Basic "+l(g+":"+v)}if(f.open(e.method.toUpperCase(),i(e.url,e.params,e.paramsSerializer),!0),f.timeout=e.timeout,f[h]=function(){if(f&&(4===f.readyState||m)&&(0!==f.status||f.responseURL&&0===f.responseURL.indexOf("file:"))){var n="getAllResponseHeaders"in f?a(f.getAllResponseHeaders()):null,r=e.responseType&&"text"!==e.responseType?f.response:f.responseText,i={data:r,status:1223===f.status?204:f.status,statusText:1223===f.status?"No Content":f.statusText,headers:n,config:e,request:f};o(t,c,i),f=null}},f.onerror=function(){c(u("Network Error",e)),f=null},f.ontimeout=function(){c(u("timeout of "+e.timeout+"ms exceeded",e,"ECONNABORTED")),f=null},r.isStandardBrowserEnv()){var y=n(181),_=(e.withCredentials||s(e.url))&&e.xsrfCookieName?y.read(e.xsrfCookieName):void 0;_&&(d[e.xsrfHeaderName]=_)}if("setRequestHeader"in f&&r.forEach(d,function(e,t){void 0===p&&"content-type"===t.toLowerCase()?delete d[t]:f.setRequestHeader(t,e)}),e.withCredentials&&(f.withCredentials=!0),e.responseType)try{f.responseType=e.responseType}catch(e){if("json"!==f.responseType)throw e}"function"==typeof e.onDownloadProgress&&f.addEventListener("progress",e.onDownloadProgress),"function"==typeof e.onUploadProgress&&f.upload&&f.upload.addEventListener("progress",e.onUploadProgress),e.cancelToken&&e.cancelToken.promise.then(function(e){f&&(f.abort(),c(e),f=null)}),void 0===p&&(p=null),f.send(p)})}},function(e,t,n){"use strict";function r(e){this.message=e}r.prototype.toString=function(){return"Cancel"+(this.message?": "+this.message:"")},r.prototype.__CANCEL__=!0,e.exports=r},function(e,t,n){"use strict";e.exports=function(e){return!(!e||!e.__CANCEL__)}},function(e,t,n){"use strict";var r=n(175);e.exports=function(e,t,n,o){var i=new Error(e);return r(i,t,n,o)}},function(e,t,n){"use strict";e.exports=function(e,t){return function(){for(var n=new Array(arguments.length),r=0;r.":"function"==typeof t?" Instead of passing a class like Foo, pass React.createElement(Foo) or .":null!=t&&void 0!==t.props?" This may be caused by unintentionally loading two independent copies of React.":"");var a,s=g.createElement(L,{child:t});if(e){var u=w.get(e);a=u._processChildContext(u._context)}else a=P;var c=d(n);if(c){var p=c._currentElement,h=p.props.child;if(I(h,t)){var m=c._renderedComponent.getPublicInstance(),v=r&&function(){r.call(m)};return U._updateRootComponent(c,s,a,n,v),m}U.unmountComponentAtNode(n)}var y=o(n),_=y&&!!i(y),b=l(n),E=_&&!c&&!b,S=U._renderNewRootComponent(s,n,E,a)._renderedComponent.getPublicInstance();return r&&r.call(S),S},render:function(e,t,n){return U._renderSubtreeIntoContainer(null,e,t,n)},unmountComponentAtNode:function(e){c(e)||f("40");var t=d(e);if(!t){l(e),1===e.nodeType&&e.hasAttribute(k);return!1}return delete D[t._instance.rootID],C.batchedUpdates(u,t,e,!1),!0},_mountImageIntoNode:function(e,t,n,i,a){if(c(t)||f("41"),i){var s=o(t);if(S.canReuseMarkup(e,s))return void y.precacheNode(n,s);var u=s.getAttribute(S.CHECKSUM_ATTR_NAME);s.removeAttribute(S.CHECKSUM_ATTR_NAME);var l=s.outerHTML;s.setAttribute(S.CHECKSUM_ATTR_NAME,u);var p=e,d=r(p,l),m=" (client) "+p.substring(d-20,d+20)+"\n (server) "+l.substring(d-20,d+20);t.nodeType===N&&f("42",m)}if(t.nodeType===N&&f("43"),a.useCreateElement){for(;t.lastChild;)t.removeChild(t.lastChild);h.insertTreeBefore(t,e,null)}else R(t,e),y.precacheNode(n,t.firstChild)}};e.exports=U},function(e,t,n){"use strict";var r=n(3),o=n(23),i=(n(1),{HOST:0,COMPOSITE:1,EMPTY:2,getType:function(e){return null===e||!1===e?i.EMPTY:o.isValidElement(e)?"function"==typeof e.type?i.COMPOSITE:i.HOST:void r("26",e)}});e.exports=i},function(e,t,n){"use strict";var r={currentScrollLeft:0,currentScrollTop:0,refreshScrollValues:function(e){r.currentScrollLeft=e.x,r.currentScrollTop=e.y}};e.exports=r},function(e,t,n){"use strict";function r(e,t){return null==t&&o("30"),null==e?t:Array.isArray(e)?Array.isArray(t)?(e.push.apply(e,t),e):(e.push(t),e):Array.isArray(t)?[e].concat(t):[e,t]}var o=n(3);n(1);e.exports=r},function(e,t,n){"use strict";function r(e,t,n){Array.isArray(e)?e.forEach(t,n):e&&t.call(n,e)}e.exports=r},function(e,t,n){"use strict";function r(e){for(var t;(t=e._renderedNodeType)===o.COMPOSITE;)e=e._renderedComponent;return t===o.HOST?e._renderedComponent:t===o.EMPTY?null:void 0}var o=n(107);e.exports=r},function(e,t,n){"use strict";function r(){return!i&&o.canUseDOM&&(i="textContent"in document.documentElement?"textContent":"innerText"),i}var o=n(8),i=null;e.exports=r},function(e,t,n){"use strict";function r(e){var t=e.type,n=e.nodeName;return n&&"input"===n.toLowerCase()&&("checkbox"===t||"radio"===t)}function o(e){return e._wrapperState.valueTracker}function i(e,t){e._wrapperState.valueTracker=t}function a(e){e._wrapperState.valueTracker=null}function s(e){var t;return e&&(t=r(e)?""+e.checked:e.value),t}var u=n(5),l={_getTrackerFromNode:function(e){return o(u.getInstanceFromNode(e))},track:function(e){if(!o(e)){var t=u.getNodeFromInstance(e),n=r(t)?"checked":"value",s=Object.getOwnPropertyDescriptor(t.constructor.prototype,n),l=""+t[n];t.hasOwnProperty(n)||"function"!=typeof s.get||"function"!=typeof s.set||(Object.defineProperty(t,n,{enumerable:s.enumerable,configurable:!0,get:function(){return s.get.call(this)},set:function(e){l=""+e,s.set.call(this,e)}}),i(e,{getValue:function(){return l},setValue:function(e){l=""+e},stopTracking:function(){a(e),delete t[n]}}))}},updateValueIfChanged:function(e){if(!e)return!1;var t=o(e);if(!t)return l.track(e),!0;var n=t.getValue(),r=s(u.getNodeFromInstance(e));return r!==n&&(t.setValue(r),!0)},stopTracking:function(e){var t=o(e);t&&t.stopTracking()}};e.exports=l},function(e,t,n){"use strict";function r(e){if(e){var t=e.getName();if(t)return" Check the render method of `"+t+"`."}return""}function o(e){return"function"==typeof e&&void 0!==e.prototype&&"function"==typeof e.prototype.mountComponent&&"function"==typeof e.prototype.receiveComponent}function i(e,t){var n;if(null===e||!1===e)n=l.create(i);else if("object"==typeof e){var s=e,u=s.type;if("function"!=typeof u&&"string"!=typeof u){var d="";d+=r(s._owner),a("130",null==u?u:typeof u,d)}"string"==typeof s.type?n=c.createInternalComponent(s):o(s.type)?(n=new s.type(s),n.getHostNode||(n.getHostNode=n.getNativeNode)):n=new p(s)}else"string"==typeof e||"number"==typeof e?n=c.createInstanceForText(e):a("131",typeof e);return n._mountIndex=0,n._mountImage=null,n}var a=n(3),s=n(4),u=n(246),l=n(102),c=n(104),p=(n(316),n(1),n(2),function(e){this.construct(e)});s(p.prototype,u,{_instantiateReactComponent:i}),e.exports=i},function(e,t,n){"use strict";function r(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return"input"===t?!!o[e.type]:"textarea"===t}var o={color:!0,date:!0,datetime:!0,"datetime-local":!0,email:!0,month:!0,number:!0,password:!0,range:!0,search:!0,tel:!0,text:!0,time:!0,url:!0,week:!0};e.exports=r},function(e,t,n){"use strict";var r=n(8),o=n(38),i=n(39),a=function(e,t){if(t){var n=e.firstChild;if(n&&n===e.lastChild&&3===n.nodeType)return void(n.nodeValue=t)}e.textContent=t};r.canUseDOM&&("textContent"in document.documentElement||(a=function(e,t){if(3===e.nodeType)return void(e.nodeValue=t);i(e,o(t))})),e.exports=a},function(e,t,n){"use strict";function r(e,t){return e&&"object"==typeof e&&null!=e.key?l.escape(e.key):t.toString(36)}function o(e,t,n,i){var d=typeof e;if("undefined"!==d&&"boolean"!==d||(e=null),null===e||"string"===d||"number"===d||"object"===d&&e.$$typeof===s)return n(i,e,""===t?c+r(e,0):t),1;var f,h,m=0,g=""===t?c:t+p;if(Array.isArray(e))for(var v=0;v=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function s(){}function u(e,t){var n={run:function(r){try{var o=e(t.getState(),r);(o!==n.props||n.error)&&(n.shouldComponentUpdate=!0,n.props=o,n.error=null)}catch(e){n.shouldComponentUpdate=!0,n.error=e}}};return n}function l(e){var t,l,c=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},d=c.getDisplayName,b=void 0===d?function(e){return"ConnectAdvanced("+e+")"}:d,E=c.methodName,w=void 0===E?"connectAdvanced":E,S=c.renderCountProp,x=void 0===S?void 0:S,T=c.shouldHandleStateChanges,C=void 0===T||T,P=c.storeKey,O=void 0===P?"store":P,R=c.withRef,I=void 0!==R&&R,M=a(c,["getDisplayName","methodName","renderCountProp","shouldHandleStateChanges","storeKey","withRef"]),k=O+"Subscription",B=y++,N=(t={},t[O]=g.a,t[k]=g.b,t),A=(l={},l[k]=g.b,l);return function(t){f()("function"==typeof t,"You must pass a component to the function returned by connect. Instead received "+JSON.stringify(t));var a=t.displayName||t.name||"Component",l=b(a),c=v({},M,{getDisplayName:b,methodName:w,renderCountProp:x,shouldHandleStateChanges:C,storeKey:O,withRef:I,displayName:l,wrappedComponentName:a,WrappedComponent:t}),d=function(a){function p(e,t){r(this,p);var n=o(this,a.call(this,e,t));return n.version=B,n.state={},n.renderCount=0,n.store=e[O]||t[O],n.propsMode=Boolean(e[O]),n.setWrappedInstance=n.setWrappedInstance.bind(n),f()(n.store,'Could not find "'+O+'" in either the context or props of "'+l+'". Either wrap the root component in a , or explicitly pass "'+O+'" as a prop to "'+l+'".'),n.initSelector(),n.initSubscription(),n}return i(p,a),p.prototype.getChildContext=function(){var e,t=this.propsMode?null:this.subscription;return e={},e[k]=t||this.context[k],e},p.prototype.componentDidMount=function(){C&&(this.subscription.trySubscribe(),this.selector.run(this.props),this.selector.shouldComponentUpdate&&this.forceUpdate())},p.prototype.componentWillReceiveProps=function(e){this.selector.run(e)},p.prototype.shouldComponentUpdate=function(){return this.selector.shouldComponentUpdate},p.prototype.componentWillUnmount=function(){this.subscription&&this.subscription.tryUnsubscribe(),this.subscription=null,this.notifyNestedSubs=s,this.store=null,this.selector.run=s,this.selector.shouldComponentUpdate=!1},p.prototype.getWrappedInstance=function(){return f()(I,"To access the wrapped instance, you need to specify { withRef: true } in the options argument of the "+w+"() call."),this.wrappedInstance},p.prototype.setWrappedInstance=function(e){this.wrappedInstance=e},p.prototype.initSelector=function(){var t=e(this.store.dispatch,c);this.selector=u(t,this.store),this.selector.run(this.props)},p.prototype.initSubscription=function(){if(C){var e=(this.propsMode?this.props:this.context)[k];this.subscription=new m.a(this.store,e,this.onStateChange.bind(this)),this.notifyNestedSubs=this.subscription.notifyNestedSubs.bind(this.subscription)}},p.prototype.onStateChange=function(){this.selector.run(this.props),this.selector.shouldComponentUpdate?(this.componentDidUpdate=this.notifyNestedSubsOnComponentDidUpdate,this.setState(_)):this.notifyNestedSubs()},p.prototype.notifyNestedSubsOnComponentDidUpdate=function(){this.componentDidUpdate=void 0,this.notifyNestedSubs()},p.prototype.isSubscribed=function(){return Boolean(this.subscription)&&this.subscription.isSubscribed()},p.prototype.addExtraProps=function(e){if(!(I||x||this.propsMode&&this.subscription))return e;var t=v({},e);return I&&(t.ref=this.setWrappedInstance),x&&(t[x]=this.renderCount++),this.propsMode&&this.subscription&&(t[k]=this.subscription),t},p.prototype.render=function(){var e=this.selector;if(e.shouldComponentUpdate=!1,e.error)throw e.error;return n.i(h.createElement)(t,this.addExtraProps(e.props))},p}(h.Component);return d.WrappedComponent=t,d.displayName=l,d.childContextTypes=A,d.contextTypes=N,d.propTypes=N,p()(d,t)}}t.a=l;var c=n(306),p=n.n(c),d=n(17),f=n.n(d),h=n(0),m=(n.n(h),n(304)),g=n(120),v=Object.assign||function(e){for(var t=1;tnew Date)return o.data}}return null},e.prototype.set=function(e,t,n){var o=this.addKeyPrefix(e),i=!1;if(this.isSupportedStorage&&void 0!==t){var a=new Date,s=typeof n!==r.constants.TYPE_OF_UNDEFINED?a.setMinutes(a.getMinutes()+n):864e13,u={data:t,expiryTime:s};this.CacheObject.setItem(o,JSON.stringify(u)),i=!0}return i},e.prototype.addKeyPrefix=function(e){return this._keyPrefix+window.location.href.replace(/:\/\/|\/|\./g,"_")+"_"+e},Object.defineProperty(e.prototype,"CacheObject",{get:function(){return window.localStorage},enumerable:!0,configurable:!0}),e.prototype.checkIfStorageIsSupported=function(){var e=this.CacheObject;if(e&&JSON&&typeof JSON.parse===r.constants.TYPE_OF_FUNCTION&&typeof JSON.stringify===r.constants.TYPE_OF_FUNCTION)try{var t=this._keyPrefix+"testingCache";return e.setItem(t,"1"),e.removeItem(t),!0}catch(e){}return!1},e}();t.AppCache=new o},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(211),o=n(0),i=n(15);t.WorkingOnIt=function(){return o.createElement("div",{className:"working-on-it-wrapper"},o.createElement(r.Spinner,{type:r.SpinnerType.large,label:i.constants.WORKING_ON_IT_TEXT}))}},function(e,t,n){"use strict";function r(e){return e}function o(e,t,n){function o(e,t){var n=y.hasOwnProperty(t)?y[t]:null;w.hasOwnProperty(t)&&s("OVERRIDE_BASE"===n,"ReactClassInterface: You are attempting to override `%s` from your class specification. Ensure that your method names do not overlap with React methods.",t),e&&s("DEFINE_MANY"===n||"DEFINE_MANY_MERGED"===n,"ReactClassInterface: You are attempting to define `%s` on your component more than once. This conflict may be due to a mixin.",t)}function l(e,n){if(n){s("function"!=typeof n,"ReactClass: You're attempting to use a component class or function as a mixin. Instead, just use a regular object."),s(!t(n),"ReactClass: You're attempting to use a component as a mixin. Instead, just use a regular object.");var r=e.prototype,i=r.__reactAutoBindPairs;n.hasOwnProperty(u)&&_.mixins(e,n.mixins);for(var a in n)if(n.hasOwnProperty(a)&&a!==u){var l=n[a],c=r.hasOwnProperty(a);if(o(c,a),_.hasOwnProperty(a))_[a](e,l);else{var p=y.hasOwnProperty(a),h="function"==typeof l,m=h&&!p&&!c&&!1!==n.autobind;if(m)i.push(a,l),r[a]=l;else if(c){var g=y[a];s(p&&("DEFINE_MANY_MERGED"===g||"DEFINE_MANY"===g),"ReactClass: Unexpected spec policy %s for key %s when mixing in component specs.",g,a),"DEFINE_MANY_MERGED"===g?r[a]=d(r[a],l):"DEFINE_MANY"===g&&(r[a]=f(r[a],l))}else r[a]=l}}}else;}function c(e,t){if(t)for(var n in t){var r=t[n];if(t.hasOwnProperty(n)){var o=n in _;s(!o,'ReactClass: You are attempting to define a reserved property, `%s`, that shouldn\'t be on the "statics" key. Define it as an instance property instead; it will still be accessible on the constructor.',n);var i=n in e;s(!i,"ReactClass: You are attempting to define `%s` on your component more than once. This conflict may be due to a mixin.",n),e[n]=r}}}function p(e,t){s(e&&t&&"object"==typeof e&&"object"==typeof t,"mergeIntoWithNoDuplicateKeys(): Cannot merge non-objects.");for(var n in t)t.hasOwnProperty(n)&&(s(void 0===e[n],"mergeIntoWithNoDuplicateKeys(): Tried to merge two objects with the same key: `%s`. This conflict may be due to a mixin; in particular, this may be caused by two getInitialState() or getDefaultProps() methods returning objects with clashing keys.",n),e[n]=t[n]);return e}function d(e,t){return function(){var n=e.apply(this,arguments),r=t.apply(this,arguments);if(null==n)return r;if(null==r)return n;var o={};return p(o,n),p(o,r),o}}function f(e,t){return function(){e.apply(this,arguments),t.apply(this,arguments)}}function h(e,t){var n=t.bind(e);return n}function m(e){for(var t=e.__reactAutoBindPairs,n=0;n0&&this._computeScrollVelocity(e.touches[0].clientY)},e.prototype._computeScrollVelocity=function(e){var t=this._scrollRect.top,n=t+this._scrollRect.height-100;this._scrollVelocity=en?Math.min(15,(e-n)/100*15):0,this._scrollVelocity?this._startScroll():this._stopScroll()},e.prototype._startScroll=function(){this._timeoutId||this._incrementScroll()},e.prototype._incrementScroll=function(){this._scrollableParent.scrollTop+=Math.round(this._scrollVelocity),this._timeoutId=setTimeout(this._incrementScroll,16)},e.prototype._stopScroll=function(){this._timeoutId&&(clearTimeout(this._timeoutId),delete this._timeoutId)},e}();t.AutoScroll=a},function(e,t,n){"use strict";var r=this&&this.__extends||function(){var e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])};return function(t,n){function r(){this.constructor=t}e(t,n),t.prototype=null===n?Object.create(n):(r.prototype=n.prototype,new r)}}();Object.defineProperty(t,"__esModule",{value:!0});var o=n(0),i=n(74),a=n(44),s=function(e){function t(t,n){var r=e.call(this,t)||this;return r.state=r._getInjectedProps(t,n),r}return r(t,e),t.prototype.getChildContext=function(){return this.state},t.prototype.componentWillReceiveProps=function(e,t){this.setState(this._getInjectedProps(e,t))},t.prototype.render=function(){return o.Children.only(this.props.children)},t.prototype._getInjectedProps=function(e,t){var n=e.settings,r=void 0===n?{}:n,o=t.injectedProps,i=void 0===o?{}:o;return{injectedProps:a.assign({},i,r)}},t}(i.BaseComponent);s.contextTypes={injectedProps:o.PropTypes.object},s.childContextTypes=s.contextTypes,t.Customizer=s},function(e,t,n){"use strict";var r=this&&this.__extends||function(){var e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])};return function(t,n){function r(){this.constructor=t}e(t,n),t.prototype=null===n?Object.create(n):(r.prototype=n.prototype,new r)}}();Object.defineProperty(t,"__esModule",{value:!0});var o=n(0),i=function(e){function t(t){var n=e.call(this,t)||this;return n.state={isRendered:!1},n}return r(t,e),t.prototype.componentDidMount=function(){var e=this,t=this.props.delay;this._timeoutId=setTimeout(function(){e.setState({isRendered:!0})},t)},t.prototype.componentWillUnmount=function(){clearTimeout(this._timeoutId)},t.prototype.render=function(){return this.state.isRendered?o.Children.only(this.props.children):null},t}(o.Component);i.defaultProps={delay:0},t.DelayedRender=i},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(e,t,n,r){void 0===e&&(e=0),void 0===t&&(t=0),void 0===n&&(n=0),void 0===r&&(r=0),this.top=n,this.bottom=r,this.left=e,this.right=t}return Object.defineProperty(e.prototype,"width",{get:function(){return this.right-this.left},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"height",{get:function(){return this.bottom-this.top},enumerable:!0,configurable:!0}),e.prototype.equals=function(e){return parseFloat(this.top.toFixed(4))===parseFloat(e.top.toFixed(4))&&parseFloat(this.bottom.toFixed(4))===parseFloat(e.bottom.toFixed(4))&&parseFloat(this.left.toFixed(4))===parseFloat(e.left.toFixed(4))&&parseFloat(this.right.toFixed(4))===parseFloat(e.right.toFixed(4))},e}();t.Rectangle=r},function(e,t,n){"use strict";function r(e,t){for(var n=-1,r=0;e&&r=0||e.getAttribute&&("true"===n||"button"===e.getAttribute("role")))}function c(e){return e&&!!e.getAttribute(m)}function p(e){var t=d.getDocument(e).activeElement;return!(!t||!d.elementContains(e,t))}Object.defineProperty(t,"__esModule",{value:!0});var d=n(25),f="data-is-focusable",h="data-is-visible",m="data-focuszone-id";t.getFirstFocusable=r,t.getLastFocusable=o,t.focusFirstChild=i,t.getPreviousElement=a,t.getNextElement=s,t.isElementVisible=u,t.isElementTabbable=l,t.isElementFocusZone=c,t.doesElementContainFocus=p},function(e,t,n){"use strict";function r(e,t,n){void 0===n&&(n=i);var r=[];for(var o in t)!function(o){"function"!=typeof t[o]||void 0!==e[o]||n&&-1!==n.indexOf(o)||(r.push(o),e[o]=function(){t[o].apply(t,arguments)})}(o);return r}function o(e,t){t.forEach(function(t){return delete e[t]})}Object.defineProperty(t,"__esModule",{value:!0});var i=["setState","render","componentWillMount","componentDidMount","componentWillReceiveProps","shouldComponentUpdate","componentWillUpdate","componentDidUpdate","componentWillUnmount"];t.hoistMethods=r,t.unhoistMethods=o},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}Object.defineProperty(t,"__esModule",{value:!0}),r(n(73)),r(n(149)),r(n(74)),r(n(150)),r(n(151)),r(n(43)),r(n(75)),r(n(152)),r(n(153)),r(n(154)),r(n(155)),r(n(156)),r(n(25)),r(n(157)),r(n(158)),r(n(160)),r(n(161)),r(n(44)),r(n(163)),r(n(164)),r(n(165)),r(n(166)),r(n(76)),r(n(168)),r(n(77)),r(n(162))},function(e,t,n){"use strict";function r(e,t){var n="",r=e.split(" ");return 2===r.length?(n+=r[0].charAt(0).toUpperCase(),n+=r[1].charAt(0).toUpperCase()):3===r.length?(n+=r[0].charAt(0).toUpperCase(),n+=r[2].charAt(0).toUpperCase()):0!==r.length&&(n+=r[0].charAt(0).toUpperCase()),t&&n.length>1?n.charAt(1)+n.charAt(0):n}function o(e){return e=e.replace(a,""),e=e.replace(s," "),e=e.trim()}function i(e,t){return null==e?"":(e=o(e),u.test(e)?"":r(e,t))}Object.defineProperty(t,"__esModule",{value:!0});var a=/\([^)]*\)|[\0-\u001F\!-\/:-@\[-`\{-\u00BF\u0250-\u036F\uD800-\uFFFF]/g,s=/\s+/g,u=/[\u0600-\u06FF\u0750-\u077F\u08A0-\u08FF\u1100-\u11FF\u3130-\u318F\uA960-\uA97F\uAC00-\uD7AF\uD7B0-\uD7FF\u3040-\u309F\u30A0-\u30FF\u3400-\u4DBF\u4E00-\u9FFF\uF900-\uFAFF]|[\uD840-\uD869][\uDC00-\uDED6]/;t.getInitials=i},function(e,t,n){"use strict";function r(e,t){return Math.sqrt(Math.pow(e.x-t.x,2)+Math.pow(e.y-t.y,2))}Object.defineProperty(t,"__esModule",{value:!0}),t.getDistanceBetweenPoints=r},function(e,t,n){"use strict";function r(e){return e?"object"==typeof e?e:(a[e]||(a[e]={}),a[e]):i}function o(e){var t;return function(){for(var n=[],o=0;o=0)},{},e)}Object.defineProperty(t,"__esModule",{value:!0});var o=n(44);t.baseElementEvents=["onCopy","onCut","onPaste","onCompositionEnd","onCompositionStart","onCompositionUpdate","onFocus","onFocusCapture","onBlur","onBlurCapture","onChange","onInput","onSubmit","onLoad","onError","onKeyDown","onKeyDownCapture","onKeyPress","onKeyUp","onAbort","onCanPlay","onCanPlayThrough","onDurationChange","onEmptied","onEncrypted","onEnded","onLoadedData","onLoadedMetadata","onLoadStart","onPause","onPlay","onPlaying","onProgress","onRateChange","onSeeked","onSeeking","onStalled","onSuspend","onTimeUpdate","onVolumeChange","onWaiting","onClick","onClickCapture","onContextMenu","onDoubleClick","onDrag","onDragEnd","onDragEnter","onDragExit","onDragLeave","onDragOver","onDragStart","onDrop","onMouseDown","onMouseDownCapture","onMouseEnter","onMouseLeave","onMouseMove","onMouseOut","onMouseOver","onMouseUp","onMouseUpCapture","onSelect","onTouchCancel","onTouchEnd","onTouchMove","onTouchStart","onScroll","onWheel"],t.baseElementProperties=["defaultChecked","defaultValue","accept","acceptCharset","accessKey","action","allowFullScreen","allowTransparency","alt","async","autoComplete","autoFocus","autoPlay","capture","cellPadding","cellSpacing","charSet","challenge","checked","children","classID","className","cols","colSpan","content","contentEditable","contextMenu","controls","coords","crossOrigin","data","dateTime","default","defer","dir","download","draggable","encType","form","formAction","formEncType","formMethod","formNoValidate","formTarget","frameBorder","headers","height","hidden","high","hrefLang","htmlFor","httpEquiv","icon","id","inputMode","integrity","is","keyParams","keyType","kind","lang","list","loop","low","manifest","marginHeight","marginWidth","max","maxLength","media","mediaGroup","method","min","minLength","multiple","muted","name","noValidate","open","optimum","pattern","placeholder","poster","preload","radioGroup","readOnly","rel","required","role","rows","rowSpan","sandbox","scope","scoped","scrolling","seamless","selected","shape","size","sizes","span","spellCheck","src","srcDoc","srcLang","srcSet","start","step","style","summary","tabIndex","title","type","useMap","value","width","wmode","wrap"],t.htmlElementProperties=t.baseElementProperties.concat(t.baseElementEvents),t.anchorProperties=t.htmlElementProperties.concat(["href","target"]),t.buttonProperties=t.htmlElementProperties.concat(["disabled"]),t.divProperties=t.htmlElementProperties.concat(["align","noWrap"]),t.inputProperties=t.buttonProperties,t.textAreaProperties=t.buttonProperties,t.imageProperties=t.divProperties,t.getNativeProps=r},function(e,t,n){"use strict";function r(e){return a+e}function o(e){a=e}function i(){return"en-us"}Object.defineProperty(t,"__esModule",{value:!0});var a="";t.getResourceUrl=r,t.setBaseUrl=o,t.getLanguage=i},function(e,t,n){"use strict";function r(){var e=a;if(void 0===e){var t=u.getDocument();t&&t.documentElement&&(e="rtl"===t.documentElement.getAttribute("dir"))}return e}function o(e){var t=u.getDocument();t&&t.documentElement&&t.documentElement.setAttribute("dir",e?"rtl":"ltr"),a=e}function i(e){return r()&&(e===s.KeyCodes.left?e=s.KeyCodes.right:e===s.KeyCodes.right&&(e=s.KeyCodes.left)),e}Object.defineProperty(t,"__esModule",{value:!0});var a,s=n(75),u=n(25);t.getRTL=r,t.setRTL=o,t.getRTLSafeKeyCode=i},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(7),o={msFabricScrollDisabled:"msFabricScrollDisabled_4129cea2"};t.default=o,r.loadStyles([{rawString:".msFabricScrollDisabled_4129cea2{overflow:hidden!important}"}])},function(e,t,n){"use strict";function r(e){function t(e){var t=a[e.replace(o,"")];return null!==t&&void 0!==t||(t=""),t}for(var n=[],r=1;r>8-s%1*8)){if((n=o.charCodeAt(s+=.75))>255)throw new r;t=t<<8|n}return a}var i="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=";r.prototype=new Error,r.prototype.code=5,r.prototype.name="InvalidCharacterError",e.exports=o},function(e,t,n){"use strict";function r(e){return encodeURIComponent(e).replace(/%40/gi,"@").replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}var o=n(9);e.exports=function(e,t,n){if(!t)return e;var i;if(n)i=n(t);else if(o.isURLSearchParams(t))i=t.toString();else{var a=[];o.forEach(t,function(e,t){null!==e&&void 0!==e&&(o.isArray(e)&&(t+="[]"),o.isArray(e)||(e=[e]),o.forEach(e,function(e){o.isDate(e)?e=e.toISOString():o.isObject(e)&&(e=JSON.stringify(e)),a.push(r(t)+"="+r(e))}))}),i=a.join("&")}return i&&(e+=(-1===e.indexOf("?")?"?":"&")+i),e}},function(e,t,n){"use strict";e.exports=function(e,t){return e.replace(/\/+$/,"")+"/"+t.replace(/^\/+/,"")}},function(e,t,n){"use strict";var r=n(9);e.exports=r.isStandardBrowserEnv()?function(){return{write:function(e,t,n,o,i,a){var s=[];s.push(e+"="+encodeURIComponent(t)),r.isNumber(n)&&s.push("expires="+new Date(n).toGMTString()),r.isString(o)&&s.push("path="+o),r.isString(i)&&s.push("domain="+i),!0===a&&s.push("secure"),document.cookie=s.join("; ")},read:function(e){var t=document.cookie.match(new RegExp("(^|;\\s*)("+e+")=([^;]*)"));return t?decodeURIComponent(t[3]):null},remove:function(e){this.write(e,"",Date.now()-864e5)}}}():function(){return{write:function(){},read:function(){return null},remove:function(){}}}()},function(e,t,n){"use strict";e.exports=function(e){return/^([a-z][a-z\d\+\-\.]*:)?\/\//i.test(e)}},function(e,t,n){"use strict";var r=n(9);e.exports=r.isStandardBrowserEnv()?function(){function e(e){var t=e;return n&&(o.setAttribute("href",t),t=o.href),o.setAttribute("href",t),{href:o.href,protocol:o.protocol?o.protocol.replace(/:$/,""):"",host:o.host,search:o.search?o.search.replace(/^\?/,""):"",hash:o.hash?o.hash.replace(/^#/,""):"",hostname:o.hostname,port:o.port,pathname:"/"===o.pathname.charAt(0)?o.pathname:"/"+o.pathname}}var t,n=/(msie|trident)/i.test(navigator.userAgent),o=document.createElement("a");return t=e(window.location.href),function(n){var o=r.isString(n)?e(n):n;return o.protocol===t.protocol&&o.host===t.host}}():function(){return function(){return!0}}()},function(e,t,n){"use strict";var r=n(9);e.exports=function(e,t){r.forEach(e,function(n,r){r!==t&&r.toUpperCase()===t.toUpperCase()&&(e[t]=n,delete e[r])})}},function(e,t,n){"use strict";var r=n(9);e.exports=function(e){var t,n,o,i={};return e?(r.forEach(e.split("\n"),function(e){o=e.indexOf(":"),t=r.trim(e.substr(0,o)).toLowerCase(),n=r.trim(e.substr(o+1)),t&&(i[t]=i[t]?i[t]+", "+n:n)}),i):i}},function(e,t,n){"use strict";e.exports=function(e){return function(t){return e.apply(null,t)}}},function(e,t,n){"use strict";function r(e){return e.replace(o,function(e,t){return t.toUpperCase()})}var o=/-(.)/g;e.exports=r},function(e,t,n){"use strict";function r(e){return o(e.replace(i,"ms-"))}var o=n(187),i=/^-ms-/;e.exports=r},function(e,t,n){"use strict";function r(e,t){return!(!e||!t)&&(e===t||!o(e)&&(o(t)?r(e,t.parentNode):"contains"in e?e.contains(t):!!e.compareDocumentPosition&&!!(16&e.compareDocumentPosition(t))))}var o=n(197);e.exports=r},function(e,t,n){"use strict";function r(e){var t=e.length;if((Array.isArray(e)||"object"!=typeof e&&"function"!=typeof e)&&a(!1),"number"!=typeof t&&a(!1),0===t||t-1 in e||a(!1),"function"==typeof e.callee&&a(!1),e.hasOwnProperty)try{return Array.prototype.slice.call(e)}catch(e){}for(var n=Array(t),r=0;r":"<"+e+">",s[e]=!a.firstChild),s[e]?d[e]:null}var o=n(8),i=n(1),a=o.canUseDOM?document.createElement("div"):null,s={},u=[1,'"],l=[1,"","
"],c=[3,"","
"],p=[1,'',""],d={"*":[1,"?
","
"],area:[1,"",""],col:[2,"","
"],legend:[1,"
","
"],param:[1,"",""],tr:[2,"","
"],optgroup:u,option:u,caption:l,colgroup:l,tbody:l,tfoot:l,thead:l,td:c,th:c};["circle","clipPath","defs","ellipse","g","image","line","linearGradient","mask","path","pattern","polygon","polyline","radialGradient","rect","stop","text","tspan"].forEach(function(e){d[e]=p,s[e]=!0}),e.exports=r},function(e,t,n){"use strict";function r(e){return e.Window&&e instanceof e.Window?{x:e.pageXOffset||e.document.documentElement.scrollLeft,y:e.pageYOffset||e.document.documentElement.scrollTop}:{x:e.scrollLeft,y:e.scrollTop}}e.exports=r},function(e,t,n){"use strict";function r(e){return e.replace(o,"-$1").toLowerCase()}var o=/([A-Z])/g;e.exports=r},function(e,t,n){"use strict";function r(e){return o(e).replace(i,"-ms-")}var o=n(194),i=/^ms-/;e.exports=r},function(e,t,n){"use strict";function r(e){var t=e?e.ownerDocument||e:document,n=t.defaultView||window;return!(!e||!("function"==typeof n.Node?e instanceof n.Node:"object"==typeof e&&"number"==typeof e.nodeType&&"string"==typeof e.nodeName))}e.exports=r},function(e,t,n){"use strict";function r(e){return o(e)&&3==e.nodeType}var o=n(196);e.exports=r},function(e,t,n){"use strict";function r(e){var t={};return function(n){return t.hasOwnProperty(n)||(t[n]=e.call(this,n)),t[n]}}e.exports=r},,,function(e,t,n){"use strict";function r(e){return null==e?void 0===e?u:s:l&&l in Object(e)?n.i(i.a)(e):n.i(a.a)(e)}var o=n(86),i=n(204),a=n(205),s="[object Null]",u="[object Undefined]",l=o.a?o.a.toStringTag:void 0;t.a=r},function(e,t,n){"use strict";(function(e){var n="object"==typeof e&&e&&e.Object===Object&&e;t.a=n}).call(t,n(67))},function(e,t,n){"use strict";var r=n(206),o=n.i(r.a)(Object.getPrototypeOf,Object);t.a=o},function(e,t,n){"use strict";function r(e){var t=a.call(e,u),n=e[u];try{e[u]=void 0;var r=!0}catch(e){}var o=s.call(e);return r&&(t?e[u]=n:delete e[u]),o}var o=n(86),i=Object.prototype,a=i.hasOwnProperty,s=i.toString,u=o.a?o.a.toStringTag:void 0;t.a=r},function(e,t,n){"use strict";function r(e){return i.call(e)}var o=Object.prototype,i=o.toString;t.a=r},function(e,t,n){"use strict";function r(e,t){return function(n){return e(t(n))}}t.a=r},function(e,t,n){"use strict";var r=n(202),o="object"==typeof self&&self&&self.Object===Object&&self,i=r.a||o||Function("return this")();t.a=i},function(e,t,n){"use strict";function r(e){return null!=e&&"object"==typeof e}t.a=r},,function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(227))},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(230))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=t.top&&e.left>=t.left&&e.bottom<=t.bottom&&e.right<=t.right}function i(e,t){return e.top=t.tope.bottom||-1===e.bottom?t.bottom:e.bottom,e.right=t.right>e.right||-1===e.right?t.right:e.right,e.width=e.right-e.left+1,e.height=e.bottom-e.top+1,e}var a=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},s=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;ne){if(t){for(var u=e-s,l=0;l=d.top&&c<=d.bottom)return;var f=id.bottom;f||h&&(i=this._scrollElement.scrollTop+(c-d.bottom))}this._scrollElement.scrollTop=i;break}i+=this._getPageHeight(s,a,this._surfaceRect)}},t.prototype.componentDidMount=function(){this._updatePages(),this._measureVersion++,this._scrollElement=l.findScrollableParent(this.refs.root),this._events.on(window,"resize",this._onAsyncResize),this._events.on(this.refs.root,"focus",this._onFocus,!0),this._scrollElement&&(this._events.on(this._scrollElement,"scroll",this._onScroll),this._events.on(this._scrollElement,"scroll",this._onAsyncScroll))},t.prototype.componentWillReceiveProps=function(e){e.items===this.props.items&&e.renderCount===this.props.renderCount&&e.startIndex===this.props.startIndex||(this._measureVersion++,this._updatePages(e))},t.prototype.shouldComponentUpdate=function(e,t){var n=this.props,r=(n.renderedWindowsAhead,n.renderedWindowsBehind,this.state.pages),o=t.pages,i=t.measureVersion,a=!1;if(this._measureVersion===i&&e.renderedWindowsAhead,e.renderedWindowsBehind,e.items===this.props.items&&r.length===o.length)for(var s=0;sa||n>s)&&this._onAsyncIdle()},t.prototype._onAsyncResize=function(){this.forceUpdate()},t.prototype._updatePages=function(e){var t=this,n=e||this.props,r=n.items,o=n.startIndex,i=n.renderCount;i=this._getRenderCount(e),this._requiredRect||this._updateRenderRects(e);var a=this._buildPages(r,o,i),s=this.state.pages;this.setState(a,function(){t._updatePageMeasurements(s,a.pages)?(t._materializedRect=null,t._hasCompletedFirstRender?t._onAsyncScroll():(t._hasCompletedFirstRender=!0,t._updatePages())):t._onAsyncIdle()})},t.prototype._updatePageMeasurements=function(e,t){for(var n={},r=!1,o=this._getRenderCount(),i=0;i-1,v=m>=f._allowedRect.top&&s<=f._allowedRect.bottom,y=m>=f._requiredRect.top&&s<=f._requiredRect.bottom,_=!d&&(y||v&&g),b=c>=n&&c0&&a[0].items&&a[0].items.length.ms-MessageBar-dismissal{right:0;top:0;position:absolute!important}.ms-MessageBar-actions,.ms-MessageBar-actionsOneline{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-flex:0;-ms-flex:0 0 auto;flex:0 0 auto;-webkit-box-orient:horizontal;-webkit-box-direction:reverse;-ms-flex-direction:row-reverse;flex-direction:row-reverse;-webkit-box-align:center;-ms-flex-align:center;align-items:center}.ms-MessageBar-actionsOneline{position:relative}.ms-MessageBar-dismissal{min-width:0}.ms-MessageBar-dismissal::-moz-focus-inner{border:0}.ms-MessageBar-dismissal{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-MessageBar-dismissal:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .ms-MessageBar-dismissalOneline .ms-MessageBar-dismissal{margin-right:-8px}html[dir=rtl] .ms-MessageBar-dismissalOneline .ms-MessageBar-dismissal{margin-left:-8px}.ms-MessageBar+.ms-MessageBar{margin-bottom:6px}html[dir=ltr] .ms-MessageBar-innerTextPadding{padding-right:24px}html[dir=rtl] .ms-MessageBar-innerTextPadding{padding-left:24px}html[dir=ltr] .ms-MessageBar-innerTextPadding .ms-MessageBar-innerText>span,html[dir=ltr] .ms-MessageBar-innerTextPadding span{padding-right:4px}html[dir=rtl] .ms-MessageBar-innerTextPadding .ms-MessageBar-innerText>span,html[dir=rtl] .ms-MessageBar-innerTextPadding span{padding-left:4px}.ms-MessageBar-multiline>.ms-MessageBar-content>.ms-MessageBar-actionables{-webkit-box-orient:vertical;-webkit-box-direction:normal;-ms-flex-direction:column;flex-direction:column}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-icon{-webkit-box-align:center;-ms-flex-align:center;-ms-grid-row-align:center;align-items:center}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text{-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center;-webkit-box-align:center;-ms-flex-align:center;-ms-grid-row-align:center;align-items:center}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text .ms-MessageBar-innerText,.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text .ms-MessageBar-innerTextPadding{max-height:1.3em;line-height:1.3em;overflow-x:hidden;text-overflow:ellipsis;white-space:nowrap}.ms-MessageBar-singleline .ms-MessageBar-content>.ms-MessageBar-actionables{-webkit-box-orient:horizontal;-webkit-box-direction:normal;-ms-flex-direction:row;flex-direction:row}.ms-MessageBar .ms-Icon--Cancel{font-size:14px}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(222)),r(n(93))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6);n(226);var u=function(e){function t(t){var n=e.call(this,t)||this;return n.props.onChanged&&(n.props.onChange=n.props.onChanged),n.state={value:t.value||"",hasFocus:!1,id:s.getId("SearchBox")},n}return r(t,e),t.prototype.componentWillReceiveProps=function(e){void 0!==e.value&&this.setState({value:e.value})},t.prototype.render=function(){var e=this.props,t=e.labelText,n=e.className,r=this.state,i=r.value,u=r.hasFocus,l=r.id;return a.createElement("div",o({ref:this._resolveRef("_rootElement"),className:s.css("ms-SearchBox",n,{"is-active":u,"can-clear":i.length>0})},{onFocusCapture:this._onFocusCapture}),a.createElement("i",{className:"ms-SearchBox-icon ms-Icon ms-Icon--Search"}),a.createElement("input",{id:l,className:"ms-SearchBox-field",placeholder:t,onChange:this._onInputChange,onKeyDown:this._onKeyDown,value:i,ref:this._resolveRef("_inputElement")}),a.createElement("div",{className:"ms-SearchBox-clearButton",onClick:this._onClearClick},a.createElement("i",{className:"ms-Icon ms-Icon--Clear"})))},t.prototype.focus=function(){this._inputElement&&this._inputElement.focus()},t.prototype._onClearClick=function(e){this.setState({value:""}),this._callOnChange(""),e.stopPropagation(),e.preventDefault(),this._inputElement.focus()},t.prototype._onFocusCapture=function(e){this.setState({hasFocus:!0}),this._events.on(s.getDocument().body,"focus",this._handleDocumentFocus,!0)},t.prototype._onKeyDown=function(e){switch(e.which){case s.KeyCodes.escape:this._onClearClick(e);break;case s.KeyCodes.enter:this.props.onSearch&&this.state.value.length>0&&this.props.onSearch(this.state.value);break;default:return}e.preventDefault(),e.stopPropagation()},t.prototype._onInputChange=function(e){this.setState({value:this._inputElement.value}),this._callOnChange(this._inputElement.value)},t.prototype._handleDocumentFocus=function(e){s.elementContains(this._rootElement,e.target)||(this._events.off(s.getDocument().body,"focus"),this.setState({hasFocus:!1}))},t.prototype._callOnChange=function(e){var t=this.props.onChange;t&&t(e)},t}(s.BaseComponent);u.defaultProps={labelText:"Search"},i([s.autobind],u.prototype,"_onClearClick",null),i([s.autobind],u.prototype,"_onFocusCapture",null),i([s.autobind],u.prototype,"_onKeyDown",null),i([s.autobind],u.prototype,"_onInputChange",null),t.SearchBox=u},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:'.ms-SearchBox{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;box-sizing:border-box;margin:0;padding:0;box-shadow:none;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";position:relative;margin-bottom:10px;border:1px solid "},{theme:"themeTertiary",defaultValue:"#71afe5"},{rawString:"}.ms-SearchBox.is-active{border-color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}html[dir=ltr] .ms-SearchBox.is-active .ms-SearchBox-field{padding-left:8px}html[dir=rtl] .ms-SearchBox.is-active .ms-SearchBox-field{padding-right:8px}.ms-SearchBox.is-active .ms-SearchBox-icon{display:none}.ms-SearchBox.is-disabled{border-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-SearchBox.is-disabled .ms-SearchBox-icon{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.ms-SearchBox.is-disabled .ms-SearchBox-field{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";pointer-events:none;cursor:default}.ms-SearchBox.can-clear .ms-SearchBox-clearButton{display:block}.ms-SearchBox:hover .ms-SearchBox-field{border-color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}.ms-SearchBox:hover .ms-SearchBox-label{color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-SearchBox:hover .ms-SearchBox-label .ms-SearchBox-icon{color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}input.ms-SearchBox-field{position:relative;box-sizing:border-box;margin:0;padding:0;box-shadow:none;border:none;outline:transparent 1px solid;font-weight:inherit;font-family:inherit;font-size:inherit;color:"},{theme:"black",defaultValue:"#000000"},{rawString:";height:34px;padding:6px 38px 7px 31px;width:100%;background-color:transparent;-webkit-transition:padding-left 167ms;transition:padding-left 167ms}html[dir=rtl] input.ms-SearchBox-field{padding:6px 31px 7px 38px}html[dir=ltr] input.ms-SearchBox-field:focus{padding-right:32px}html[dir=rtl] input.ms-SearchBox-field:focus{padding-left:32px}input.ms-SearchBox-field::-ms-clear{display:none}.ms-SearchBox-clearButton{display:none;border:none;cursor:pointer;position:absolute;top:0;width:40px;height:36px;line-height:36px;vertical-align:top;color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";text-align:center;font-size:16px}html[dir=ltr] .ms-SearchBox-clearButton{right:0}html[dir=rtl] .ms-SearchBox-clearButton{left:0}.ms-SearchBox-icon{font-size:17px;color:"},{theme:"neutralSecondaryAlt",defaultValue:"#767676"},{rawString:";position:absolute;top:0;height:36px;line-height:36px;vertical-align:top;font-size:16px;width:16px;color:#0078d7}html[dir=ltr] .ms-SearchBox-icon{left:8px}html[dir=rtl] .ms-SearchBox-icon{right:8px}html[dir=ltr] .ms-SearchBox-icon{margin-right:6px}html[dir=rtl] .ms-SearchBox-icon{margin-left:6px}"}])},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(225))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(0),i=n(6),a=n(94);n(229);var s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return r(t,e),t.prototype.render=function(){var e=this.props,t=e.type,n=e.size,r=e.label,s=e.className;return o.createElement("div",{className:i.css("ms-Spinner",s)},o.createElement("div",{className:i.css("ms-Spinner-circle",{"ms-Spinner--xSmall":n===a.SpinnerSize.xSmall},{"ms-Spinner--small":n===a.SpinnerSize.small},{"ms-Spinner--medium":n===a.SpinnerSize.medium},{"ms-Spinner--large":n===a.SpinnerSize.large},{"ms-Spinner--normal":t===a.SpinnerType.normal},{"ms-Spinner--large":t===a.SpinnerType.large})}),r&&o.createElement("div",{className:"ms-Spinner-label"},r))},t}(o.Component);s.defaultProps={size:a.SpinnerSize.medium},t.Spinner=s},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:"@-webkit-keyframes ms-Spinner-spin{0%{-webkit-transform:rotate(0);transform:rotate(0)}100%{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}@keyframes ms-Spinner-spin{0%{-webkit-transform:rotate(0);transform:rotate(0)}100%{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}.ms-Spinner>.ms-Spinner-circle{margin:auto;box-sizing:border-box;border-radius:50%;width:100%;height:100%;border:1.5px solid "},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";border-top-color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";-webkit-animation:ms-Spinner-spin 1.3s infinite cubic-bezier(.53,.21,.29,.67);animation:ms-Spinner-spin 1.3s infinite cubic-bezier(.53,.21,.29,.67)}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--xSmall{width:12px;height:12px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--small{width:16px;height:16px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--medium,.ms-Spinner>.ms-Spinner-circle.ms-Spinner--normal{width:20px;height:20px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--large{width:28px;height:28px}.ms-Spinner>.ms-Spinner-label{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";margin-top:10px;text-align:center}@media screen and (-ms-high-contrast:active){.ms-Spinner>.ms-Spinner-circle{border-top-style:none}}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(228)),r(n(94))},function(e,t,n){"use strict";function r(e,t,n,r,o){}e.exports=r},function(e,t,n){"use strict";var r=n(10),o=n(1),i=n(96);e.exports=function(){function e(e,t,n,r,a,s){s!==i&&o(!1,"Calling PropTypes validators directly is not supported by the `prop-types` package. Use PropTypes.checkPropTypes() to call them. Read more at http://fb.me/use-check-prop-types")}function t(){return e}e.isRequired=e;var n={array:e,bool:e,func:e,number:e,object:e,string:e,symbol:e,any:e,arrayOf:t,element:e,instanceOf:t,node:e,objectOf:t,oneOf:t,oneOfType:t,shape:t,exact:t};return n.checkPropTypes=r,n.PropTypes=n,n}},function(e,t,n){"use strict";var r=n(10),o=n(1),i=n(2),a=n(4),s=n(96),u=n(231);e.exports=function(e,t){function n(e){var t=e&&(C&&e[C]||e[P]);if("function"==typeof t)return t}function l(e,t){return e===t?0!==e||1/e==1/t:e!==e&&t!==t}function c(e){this.message=e,this.stack=""}function p(e){function n(n,r,i,a,u,l,p){if(a=a||O,l=l||i,p!==s)if(t)o(!1,"Calling PropTypes validators directly is not supported by the `prop-types` package. Use `PropTypes.checkPropTypes()` to call them. Read more at http://fb.me/use-check-prop-types");else;return null==r[i]?n?new c(null===r[i]?"The "+u+" `"+l+"` is marked as required in `"+a+"`, but its value is `null`.":"The "+u+" `"+l+"` is marked as required in `"+a+"`, but its value is `undefined`."):null:e(r,i,a,u,l)}var r=n.bind(null,!1);return r.isRequired=n.bind(null,!0),r}function d(e){function t(t,n,r,o,i,a){var s=t[n];if(w(s)!==e)return new c("Invalid "+o+" `"+i+"` of type `"+S(s)+"` supplied to `"+r+"`, expected `"+e+"`.");return null}return p(t)}function f(e){function t(t,n,r,o,i){if("function"!=typeof e)return new c("Property `"+i+"` of component `"+r+"` has invalid PropType notation inside arrayOf.");var a=t[n];if(!Array.isArray(a)){return new c("Invalid "+o+" `"+i+"` of type `"+w(a)+"` supplied to `"+r+"`, expected an array.")}for(var u=0;u8&&b<=11),S=32,x=String.fromCharCode(S),T={beforeInput:{phasedRegistrationNames:{bubbled:"onBeforeInput",captured:"onBeforeInputCapture"},dependencies:["topCompositionEnd","topKeyPress","topTextInput","topPaste"]},compositionEnd:{phasedRegistrationNames:{bubbled:"onCompositionEnd",captured:"onCompositionEndCapture"},dependencies:["topBlur","topCompositionEnd","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]},compositionStart:{phasedRegistrationNames:{bubbled:"onCompositionStart",captured:"onCompositionStartCapture"},dependencies:["topBlur","topCompositionStart","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]},compositionUpdate:{phasedRegistrationNames:{bubbled:"onCompositionUpdate",captured:"onCompositionUpdateCapture"},dependencies:["topBlur","topCompositionUpdate","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]}},C=!1,P=null,O={eventTypes:T,extractEvents:function(e,t,n,r){return[u(e,t,n,r),p(e,t,n,r)]}};e.exports=O},function(e,t,n){"use strict";var r=n(97),o=n(8),i=(n(11),n(188),n(288)),a=n(195),s=n(198),u=(n(2),s(function(e){return a(e)})),l=!1,c="cssFloat";if(o.canUseDOM){var p=document.createElement("div").style;try{p.font=""}catch(e){l=!0}void 0===document.documentElement.style.cssFloat&&(c="styleFloat")}var d={createMarkupForStyles:function(e,t){var n="";for(var r in e)if(e.hasOwnProperty(r)){var o=0===r.indexOf("--"),a=e[r];null!=a&&(n+=u(r)+":",n+=i(r,a,t,o)+";")}return n||null},setValueForStyles:function(e,t,n){var o=e.style;for(var a in t)if(t.hasOwnProperty(a)){var s=0===a.indexOf("--"),u=i(a,t[a],n,s);if("float"!==a&&"cssFloat"!==a||(a=c),s)o.setProperty(a,u);else if(u)o[a]=u;else{var p=l&&r.shorthandPropertyExpansions[a];if(p)for(var d in p)o[d]="";else o[a]=""}}}};e.exports=d},function(e,t,n){"use strict";function r(e,t,n){var r=C.getPooled(M.change,e,t,n);return r.type="change",w.accumulateTwoPhaseDispatches(r),r}function o(e){var t=e.nodeName&&e.nodeName.toLowerCase();return"select"===t||"input"===t&&"file"===e.type}function i(e){var t=r(B,e,O(e));T.batchedUpdates(a,t)}function a(e){E.enqueueEvents(e),E.processEventQueue(!1)}function s(e,t){k=e,B=t,k.attachEvent("onchange",i)}function u(){k&&(k.detachEvent("onchange",i),k=null,B=null)}function l(e,t){var n=P.updateValueIfChanged(e),r=!0===t.simulated&&D._allowSimulatedPassThrough;if(n||r)return e}function c(e,t){if("topChange"===e)return t}function p(e,t,n){"topFocus"===e?(u(),s(t,n)):"topBlur"===e&&u()}function d(e,t){k=e,B=t,k.attachEvent("onpropertychange",h)}function f(){k&&(k.detachEvent("onpropertychange",h),k=null,B=null)}function h(e){"value"===e.propertyName&&l(B,e)&&i(e)}function m(e,t,n){"topFocus"===e?(f(),d(t,n)):"topBlur"===e&&f()}function g(e,t,n){if("topSelectionChange"===e||"topKeyUp"===e||"topKeyDown"===e)return l(B,n)}function v(e){var t=e.nodeName;return t&&"input"===t.toLowerCase()&&("checkbox"===e.type||"radio"===e.type)}function y(e,t,n){if("topClick"===e)return l(t,n)}function _(e,t,n){if("topInput"===e||"topChange"===e)return l(t,n)}function b(e,t){if(null!=e){var n=e._wrapperState||t._wrapperState;if(n&&n.controlled&&"number"===t.type){var r=""+t.value;t.getAttribute("value")!==r&&t.setAttribute("value",r)}}}var E=n(27),w=n(28),S=n(8),x=n(5),T=n(12),C=n(13),P=n(113),O=n(62),R=n(63),I=n(115),M={change:{phasedRegistrationNames:{bubbled:"onChange",captured:"onChangeCapture"},dependencies:["topBlur","topChange","topClick","topFocus","topInput","topKeyDown","topKeyUp","topSelectionChange"]}},k=null,B=null,N=!1;S.canUseDOM&&(N=R("change")&&(!document.documentMode||document.documentMode>8));var A=!1;S.canUseDOM&&(A=R("input")&&(!document.documentMode||document.documentMode>9));var D={eventTypes:M,_allowSimulatedPassThrough:!0,_isInputEventSupported:A,extractEvents:function(e,t,n,i){var a,s,u=t?x.getNodeFromInstance(t):window;if(o(u)?N?a=c:s=p:I(u)?A?a=_:(a=g,s=m):v(u)&&(a=y),a){var l=a(e,t,n);if(l){return r(l,n,i)}}s&&s(e,u,t),"topBlur"===e&&b(t,u)}};e.exports=D},function(e,t,n){"use strict";var r=n(3),o=n(20),i=n(8),a=n(191),s=n(10),u=(n(1),{dangerouslyReplaceNodeWithMarkup:function(e,t){if(i.canUseDOM||r("56"),t||r("57"),"HTML"===e.nodeName&&r("58"),"string"==typeof t){var n=a(t,s)[0];e.parentNode.replaceChild(n,e)}else o.replaceChildWithTree(e,t)}});e.exports=u},function(e,t,n){"use strict";var r=["ResponderEventPlugin","SimpleEventPlugin","TapEventPlugin","EnterLeaveEventPlugin","ChangeEventPlugin","SelectEventPlugin","BeforeInputEventPlugin"];e.exports=r},function(e,t,n){"use strict";var r=n(28),o=n(5),i=n(36),a={mouseEnter:{registrationName:"onMouseEnter",dependencies:["topMouseOut","topMouseOver"]},mouseLeave:{registrationName:"onMouseLeave",dependencies:["topMouseOut","topMouseOver"]}},s={eventTypes:a,extractEvents:function(e,t,n,s){if("topMouseOver"===e&&(n.relatedTarget||n.fromElement))return null;if("topMouseOut"!==e&&"topMouseOver"!==e)return null;var u;if(s.window===s)u=s;else{var l=s.ownerDocument;u=l?l.defaultView||l.parentWindow:window}var c,p;if("topMouseOut"===e){c=t;var d=n.relatedTarget||n.toElement;p=d?o.getClosestInstanceFromNode(d):null}else c=null,p=t;if(c===p)return null;var f=null==c?u:o.getNodeFromInstance(c),h=null==p?u:o.getNodeFromInstance(p),m=i.getPooled(a.mouseLeave,c,n,s);m.type="mouseleave",m.target=f,m.relatedTarget=h;var g=i.getPooled(a.mouseEnter,p,n,s);return g.type="mouseenter",g.target=h,g.relatedTarget=f,r.accumulateEnterLeaveDispatches(m,g,c,p),[m,g]}};e.exports=s},function(e,t,n){"use strict";function r(e){this._root=e,this._startText=this.getText(),this._fallbackText=null}var o=n(4),i=n(16),a=n(112);o(r.prototype,{destructor:function(){this._root=null,this._startText=null,this._fallbackText=null},getText:function(){return"value"in this._root?this._root.value:this._root[a()]},getData:function(){if(this._fallbackText)return this._fallbackText;var e,t,n=this._startText,r=n.length,o=this.getText(),i=o.length;for(e=0;e1?1-t:void 0;return this._fallbackText=o.slice(e,s),this._fallbackText}}),i.addPoolingTo(r),e.exports=r},function(e,t,n){"use strict";var r=n(21),o=r.injection.MUST_USE_PROPERTY,i=r.injection.HAS_BOOLEAN_VALUE,a=r.injection.HAS_NUMERIC_VALUE,s=r.injection.HAS_POSITIVE_NUMERIC_VALUE,u=r.injection.HAS_OVERLOADED_BOOLEAN_VALUE,l={isCustomAttribute:RegExp.prototype.test.bind(new RegExp("^(data|aria)-["+r.ATTRIBUTE_NAME_CHAR+"]*$")),Properties:{accept:0,acceptCharset:0,accessKey:0,action:0,allowFullScreen:i,allowTransparency:0,alt:0,as:0,async:i,autoComplete:0,autoPlay:i,capture:i,cellPadding:0,cellSpacing:0,charSet:0,challenge:0,checked:o|i,cite:0,classID:0,className:0,cols:s,colSpan:0,content:0,contentEditable:0,contextMenu:0,controls:i,controlsList:0,coords:0,crossOrigin:0,data:0,dateTime:0,default:i,defer:i,dir:0,disabled:i,download:u,draggable:0,encType:0,form:0,formAction:0,formEncType:0,formMethod:0,formNoValidate:i,formTarget:0,frameBorder:0,headers:0,height:0,hidden:i,high:0,href:0,hrefLang:0,htmlFor:0,httpEquiv:0,icon:0,id:0,inputMode:0,integrity:0,is:0,keyParams:0,keyType:0,kind:0,label:0,lang:0,list:0,loop:i,low:0,manifest:0,marginHeight:0,marginWidth:0,max:0,maxLength:0,media:0,mediaGroup:0,method:0,min:0,minLength:0,multiple:o|i,muted:o|i,name:0,nonce:0,noValidate:i,open:i,optimum:0,pattern:0,placeholder:0,playsInline:i,poster:0,preload:0,profile:0,radioGroup:0,readOnly:i,referrerPolicy:0,rel:0,required:i,reversed:i,role:0,rows:s,rowSpan:a,sandbox:0,scope:0,scoped:i,scrolling:0,seamless:i,selected:o|i,shape:0,size:s,sizes:0,span:s,spellCheck:0,src:0,srcDoc:0,srcLang:0,srcSet:0,start:a,step:0,style:0,summary:0,tabIndex:0,target:0,title:0,type:0,useMap:0,value:0,width:0,wmode:0,wrap:0,about:0,datatype:0,inlist:0,prefix:0,property:0,resource:0,typeof:0,vocab:0,autoCapitalize:0,autoCorrect:0,autoSave:0,color:0,itemProp:0,itemScope:i,itemType:0,itemID:0,itemRef:0,results:0,security:0,unselectable:0},DOMAttributeNames:{acceptCharset:"accept-charset",className:"class",htmlFor:"for",httpEquiv:"http-equiv"},DOMPropertyNames:{},DOMMutationMethods:{value:function(e,t){if(null==t)return e.removeAttribute("value");"number"!==e.type||!1===e.hasAttribute("value")?e.setAttribute("value",""+t):e.validity&&!e.validity.badInput&&e.ownerDocument.activeElement!==e&&e.setAttribute("value",""+t)}}};e.exports=l},function(e,t,n){"use strict";(function(t){function r(e,t,n,r){var o=void 0===e[n];null!=t&&o&&(e[n]=i(t,!0))}var o=n(22),i=n(114),a=(n(54),n(64)),s=n(117);n(2);void 0!==t&&n.i({NODE_ENV:"production"});var u={instantiateChildren:function(e,t,n,o){if(null==e)return null;var i={};return s(e,r,i),i},updateChildren:function(e,t,n,r,s,u,l,c,p){if(t||e){var d,f;for(d in t)if(t.hasOwnProperty(d)){f=e&&e[d];var h=f&&f._currentElement,m=t[d];if(null!=f&&a(h,m))o.receiveComponent(f,m,s,c),t[d]=f;else{f&&(r[d]=o.getHostNode(f),o.unmountComponent(f,!1));var g=i(m,!0);t[d]=g;var v=o.mountComponent(g,s,u,l,c,p);n.push(v)}}for(d in e)!e.hasOwnProperty(d)||t&&t.hasOwnProperty(d)||(f=e[d],r[d]=o.getHostNode(f),o.unmountComponent(f,!1))}},unmountChildren:function(e,t){for(var n in e)if(e.hasOwnProperty(n)){var r=e[n];o.unmountComponent(r,t)}}};e.exports=u}).call(t,n(34))},function(e,t,n){"use strict";var r=n(50),o=n(252),i={processChildrenUpdates:o.dangerouslyProcessChildrenUpdates,replaceNodeWithMarkup:r.dangerouslyReplaceNodeWithMarkup};e.exports=i},function(e,t,n){"use strict";function r(e){}function o(e){return!(!e.prototype||!e.prototype.isReactComponent)}function i(e){return!(!e.prototype||!e.prototype.isPureReactComponent)}var a=n(3),s=n(4),u=n(23),l=n(56),c=n(14),p=n(57),d=n(29),f=(n(11),n(107)),h=n(22),m=n(33),g=(n(1),n(47)),v=n(64),y=(n(2),{ImpureClass:0,PureClass:1,StatelessFunctional:2});r.prototype.render=function(){var e=d.get(this)._currentElement.type,t=e(this.props,this.context,this.updater);return t};var _=1,b={construct:function(e){this._currentElement=e,this._rootNodeID=0,this._compositeType=null,this._instance=null,this._hostParent=null,this._hostContainerInfo=null,this._updateBatchNumber=null,this._pendingElement=null,this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1,this._renderedNodeType=null,this._renderedComponent=null,this._context=null,this._mountOrder=0,this._topLevelWrapper=null,this._pendingCallbacks=null,this._calledComponentWillUnmount=!1},mountComponent:function(e,t,n,s){this._context=s,this._mountOrder=_++,this._hostParent=t,this._hostContainerInfo=n;var l,c=this._currentElement.props,p=this._processContext(s),f=this._currentElement.type,h=e.getUpdateQueue(),g=o(f),v=this._constructComponent(g,c,p,h);g||null!=v&&null!=v.render?i(f)?this._compositeType=y.PureClass:this._compositeType=y.ImpureClass:(l=v,null===v||!1===v||u.isValidElement(v)||a("105",f.displayName||f.name||"Component"),v=new r(f),this._compositeType=y.StatelessFunctional);v.props=c,v.context=p,v.refs=m,v.updater=h,this._instance=v,d.set(v,this);var b=v.state;void 0===b&&(v.state=b=null),("object"!=typeof b||Array.isArray(b))&&a("106",this.getName()||"ReactCompositeComponent"),this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1;var E;return E=v.unstable_handleError?this.performInitialMountWithErrorHandling(l,t,n,e,s):this.performInitialMount(l,t,n,e,s),v.componentDidMount&&e.getReactMountReady().enqueue(v.componentDidMount,v),E},_constructComponent:function(e,t,n,r){return this._constructComponentWithoutOwner(e,t,n,r)},_constructComponentWithoutOwner:function(e,t,n,r){var o=this._currentElement.type;return e?new o(t,n,r):o(t,n,r)},performInitialMountWithErrorHandling:function(e,t,n,r,o){var i,a=r.checkpoint();try{i=this.performInitialMount(e,t,n,r,o)}catch(s){r.rollback(a),this._instance.unstable_handleError(s),this._pendingStateQueue&&(this._instance.state=this._processPendingState(this._instance.props,this._instance.context)),a=r.checkpoint(),this._renderedComponent.unmountComponent(!0),r.rollback(a),i=this.performInitialMount(e,t,n,r,o)}return i},performInitialMount:function(e,t,n,r,o){var i=this._instance,a=0;i.componentWillMount&&(i.componentWillMount(),this._pendingStateQueue&&(i.state=this._processPendingState(i.props,i.context))),void 0===e&&(e=this._renderValidatedComponent());var s=f.getType(e);this._renderedNodeType=s;var u=this._instantiateReactComponent(e,s!==f.EMPTY);this._renderedComponent=u;var l=h.mountComponent(u,r,t,n,this._processChildContext(o),a);return l},getHostNode:function(){return h.getHostNode(this._renderedComponent)},unmountComponent:function(e){if(this._renderedComponent){var t=this._instance;if(t.componentWillUnmount&&!t._calledComponentWillUnmount)if(t._calledComponentWillUnmount=!0,e){var n=this.getName()+".componentWillUnmount()";p.invokeGuardedCallback(n,t.componentWillUnmount.bind(t))}else t.componentWillUnmount();this._renderedComponent&&(h.unmountComponent(this._renderedComponent,e),this._renderedNodeType=null,this._renderedComponent=null,this._instance=null),this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1,this._pendingCallbacks=null,this._pendingElement=null,this._context=null,this._rootNodeID=0,this._topLevelWrapper=null,d.remove(t)}},_maskContext:function(e){var t=this._currentElement.type,n=t.contextTypes;if(!n)return m;var r={};for(var o in n)r[o]=e[o];return r},_processContext:function(e){var t=this._maskContext(e);return t},_processChildContext:function(e){var t,n=this._currentElement.type,r=this._instance;if(r.getChildContext&&(t=r.getChildContext()),t){"object"!=typeof n.childContextTypes&&a("107",this.getName()||"ReactCompositeComponent");for(var o in t)o in n.childContextTypes||a("108",this.getName()||"ReactCompositeComponent",o);return s({},e,t)}return e},_checkContextTypes:function(e,t,n){},receiveComponent:function(e,t,n){var r=this._currentElement,o=this._context;this._pendingElement=null,this.updateComponent(t,r,e,o,n)},performUpdateIfNecessary:function(e){null!=this._pendingElement?h.receiveComponent(this,this._pendingElement,e,this._context):null!==this._pendingStateQueue||this._pendingForceUpdate?this.updateComponent(e,this._currentElement,this._currentElement,this._context,this._context):this._updateBatchNumber=null},updateComponent:function(e,t,n,r,o){var i=this._instance;null==i&&a("136",this.getName()||"ReactCompositeComponent");var s,u=!1;this._context===o?s=i.context:(s=this._processContext(o),u=!0);var l=t.props,c=n.props;t!==n&&(u=!0),u&&i.componentWillReceiveProps&&i.componentWillReceiveProps(c,s);var p=this._processPendingState(c,s),d=!0;this._pendingForceUpdate||(i.shouldComponentUpdate?d=i.shouldComponentUpdate(c,p,s):this._compositeType===y.PureClass&&(d=!g(l,c)||!g(i.state,p))),this._updateBatchNumber=null,d?(this._pendingForceUpdate=!1,this._performComponentUpdate(n,c,p,s,e,o)):(this._currentElement=n,this._context=o,i.props=c,i.state=p,i.context=s)},_processPendingState:function(e,t){var n=this._instance,r=this._pendingStateQueue,o=this._pendingReplaceState;if(this._pendingReplaceState=!1,this._pendingStateQueue=null,!r)return n.state;if(o&&1===r.length)return r[0];for(var i=s({},o?r[0]:n.state),a=o?1:0;a=0||null!=t.is}function m(e){var t=e.type;f(t),this._currentElement=e,this._tag=t.toLowerCase(),this._namespaceURI=null,this._renderedChildren=null,this._previousStyle=null,this._previousStyleCopy=null,this._hostNode=null,this._hostParent=null,this._rootNodeID=0,this._domID=0,this._hostContainerInfo=null,this._wrapperState=null,this._topLevelWrapper=null,this._flags=0}var g=n(3),v=n(4),y=n(235),_=n(237),b=n(20),E=n(51),w=n(21),S=n(99),x=n(27),T=n(52),C=n(35),P=n(100),O=n(5),R=n(253),I=n(254),M=n(101),k=n(257),B=(n(11),n(266)),N=n(271),A=(n(10),n(38)),D=(n(1),n(63),n(47),n(113)),F=(n(65),n(2),P),L=x.deleteListener,U=O.getNodeFromInstance,j=C.listenTo,V=T.registrationNameModules,W={string:!0,number:!0},H="__html",q={children:null,dangerouslySetInnerHTML:null,suppressContentEditableWarning:null},Y=11,G={topAbort:"abort",topCanPlay:"canplay",topCanPlayThrough:"canplaythrough",topDurationChange:"durationchange",topEmptied:"emptied",topEncrypted:"encrypted",topEnded:"ended",topError:"error",topLoadedData:"loadeddata",topLoadedMetadata:"loadedmetadata",topLoadStart:"loadstart",topPause:"pause",topPlay:"play",topPlaying:"playing",topProgress:"progress",topRateChange:"ratechange",topSeeked:"seeked",topSeeking:"seeking",topStalled:"stalled",topSuspend:"suspend",topTimeUpdate:"timeupdate",topVolumeChange:"volumechange",topWaiting:"waiting"},z={area:!0,base:!0,br:!0,col:!0,embed:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0},K={listing:!0,pre:!0,textarea:!0},X=v({menuitem:!0},z),Q=/^[a-zA-Z][a-zA-Z:_\.\-\d]*$/,$={},J={}.hasOwnProperty,Z=1;m.displayName="ReactDOMComponent",m.Mixin={mountComponent:function(e,t,n,r){this._rootNodeID=Z++,this._domID=n._idCounter++,this._hostParent=t,this._hostContainerInfo=n;var i=this._currentElement.props;switch(this._tag){case"audio":case"form":case"iframe":case"img":case"link":case"object":case"source":case"video":this._wrapperState={listeners:null},e.getReactMountReady().enqueue(p,this);break;case"input":R.mountWrapper(this,i,t),i=R.getHostProps(this,i),e.getReactMountReady().enqueue(c,this),e.getReactMountReady().enqueue(p,this);break;case"option":I.mountWrapper(this,i,t),i=I.getHostProps(this,i);break;case"select":M.mountWrapper(this,i,t),i=M.getHostProps(this,i),e.getReactMountReady().enqueue(p,this);break;case"textarea":k.mountWrapper(this,i,t),i=k.getHostProps(this,i),e.getReactMountReady().enqueue(c,this),e.getReactMountReady().enqueue(p,this)}o(this,i);var a,d;null!=t?(a=t._namespaceURI,d=t._tag):n._tag&&(a=n._namespaceURI,d=n._tag),(null==a||a===E.svg&&"foreignobject"===d)&&(a=E.html),a===E.html&&("svg"===this._tag?a=E.svg:"math"===this._tag&&(a=E.mathml)),this._namespaceURI=a;var f;if(e.useCreateElement){var h,m=n._ownerDocument;if(a===E.html)if("script"===this._tag){var g=m.createElement("div"),v=this._currentElement.type;g.innerHTML="<"+v+">",h=g.removeChild(g.firstChild)}else h=i.is?m.createElement(this._currentElement.type,i.is):m.createElement(this._currentElement.type);else h=m.createElementNS(a,this._currentElement.type);O.precacheNode(this,h),this._flags|=F.hasCachedChildNodes,this._hostParent||S.setAttributeForRoot(h),this._updateDOMProperties(null,i,e);var _=b(h);this._createInitialChildren(e,i,r,_),f=_}else{var w=this._createOpenTagMarkupAndPutListeners(e,i),x=this._createContentMarkup(e,i,r);f=!x&&z[this._tag]?w+"/>":w+">"+x+""}switch(this._tag){case"input":e.getReactMountReady().enqueue(s,this),i.autoFocus&&e.getReactMountReady().enqueue(y.focusDOMComponent,this);break;case"textarea":e.getReactMountReady().enqueue(u,this),i.autoFocus&&e.getReactMountReady().enqueue(y.focusDOMComponent,this);break;case"select":case"button":i.autoFocus&&e.getReactMountReady().enqueue(y.focusDOMComponent,this);break;case"option":e.getReactMountReady().enqueue(l,this)}return f},_createOpenTagMarkupAndPutListeners:function(e,t){var n="<"+this._currentElement.type;for(var r in t)if(t.hasOwnProperty(r)){var o=t[r];if(null!=o)if(V.hasOwnProperty(r))o&&i(this,r,o,e);else{"style"===r&&(o&&(o=this._previousStyleCopy=v({},t.style)),o=_.createMarkupForStyles(o,this));var a=null;null!=this._tag&&h(this._tag,t)?q.hasOwnProperty(r)||(a=S.createMarkupForCustomAttribute(r,o)):a=S.createMarkupForProperty(r,o),a&&(n+=" "+a)}}return e.renderToStaticMarkup?n:(this._hostParent||(n+=" "+S.createMarkupForRoot()),n+=" "+S.createMarkupForID(this._domID))},_createContentMarkup:function(e,t,n){var r="",o=t.dangerouslySetInnerHTML;if(null!=o)null!=o.__html&&(r=o.__html);else{var i=W[typeof t.children]?t.children:null,a=null!=i?null:t.children;if(null!=i)r=A(i);else if(null!=a){var s=this.mountChildren(a,e,n);r=s.join("")}}return K[this._tag]&&"\n"===r.charAt(0)?"\n"+r:r},_createInitialChildren:function(e,t,n,r){var o=t.dangerouslySetInnerHTML;if(null!=o)null!=o.__html&&b.queueHTML(r,o.__html);else{var i=W[typeof t.children]?t.children:null,a=null!=i?null:t.children;if(null!=i)""!==i&&b.queueText(r,i);else if(null!=a)for(var s=this.mountChildren(a,e,n),u=0;ut.end?(n=t.end,r=t.start):(n=t.start,r=t.end),o.moveToElementText(e),o.moveStart("character",n),o.setEndPoint("EndToStart",o),o.moveEnd("character",r-n),o.select()}function s(e,t){if(window.getSelection){var n=window.getSelection(),r=e[c()].length,o=Math.min(t.start,r),i=void 0===t.end?o:Math.min(t.end,r);if(!n.extend&&o>i){var a=i;i=o,o=a}var s=l(e,o),u=l(e,i);if(s&&u){var p=document.createRange();p.setStart(s.node,s.offset),n.removeAllRanges(),o>i?(n.addRange(p),n.extend(u.node,u.offset)):(p.setEnd(u.node,u.offset),n.addRange(p))}}}var u=n(8),l=n(293),c=n(112),p=u.canUseDOM&&"selection"in document&&!("getSelection"in window),d={getOffsets:p?o:i,setOffsets:p?a:s};e.exports=d},function(e,t,n){"use strict";var r=n(3),o=n(4),i=n(50),a=n(20),s=n(5),u=n(38),l=(n(1),n(65),function(e){this._currentElement=e,this._stringText=""+e,this._hostNode=null,this._hostParent=null,this._domID=0,this._mountIndex=0,this._closingComment=null,this._commentNodes=null});o(l.prototype,{mountComponent:function(e,t,n,r){var o=n._idCounter++,i=" react-text: "+o+" ";if(this._domID=o,this._hostParent=t,e.useCreateElement){var l=n._ownerDocument,c=l.createComment(i),p=l.createComment(" /react-text "),d=a(l.createDocumentFragment());return a.queueChild(d,a(c)),this._stringText&&a.queueChild(d,a(l.createTextNode(this._stringText))),a.queueChild(d,a(p)),s.precacheNode(this,c),this._closingComment=p,d}var f=u(this._stringText);return e.renderToStaticMarkup?f:"\x3c!--"+i+"--\x3e"+f+"\x3c!-- /react-text --\x3e"},receiveComponent:function(e,t){if(e!==this._currentElement){this._currentElement=e;var n=""+e;if(n!==this._stringText){this._stringText=n;var r=this.getHostNode();i.replaceDelimitedText(r[0],r[1],n)}}},getHostNode:function(){var e=this._commentNodes;if(e)return e;if(!this._closingComment)for(var t=s.getNodeFromInstance(this),n=t.nextSibling;;){if(null==n&&r("67",this._domID),8===n.nodeType&&" /react-text "===n.nodeValue){this._closingComment=n;break}n=n.nextSibling}return e=[this._hostNode,this._closingComment],this._commentNodes=e,e},unmountComponent:function(){this._closingComment=null,this._commentNodes=null,s.uncacheNode(this)}}),e.exports=l},function(e,t,n){"use strict";function r(){this._rootNodeID&&c.updateWrapper(this)}function o(e){var t=this._currentElement.props,n=s.executeOnChange(t,e);return l.asap(r,this),n}var i=n(3),a=n(4),s=n(55),u=n(5),l=n(12),c=(n(1),n(2),{getHostProps:function(e,t){return null!=t.dangerouslySetInnerHTML&&i("91"),a({},t,{value:void 0,defaultValue:void 0,children:""+e._wrapperState.initialValue,onChange:e._wrapperState.onChange})},mountWrapper:function(e,t){var n=s.getValue(t),r=n;if(null==n){var a=t.defaultValue,u=t.children;null!=u&&(null!=a&&i("92"),Array.isArray(u)&&(u.length<=1||i("93"),u=u[0]),a=""+u),null==a&&(a=""),r=a}e._wrapperState={initialValue:""+r,listeners:null,onChange:o.bind(e)}},updateWrapper:function(e){var t=e._currentElement.props,n=u.getNodeFromInstance(e),r=s.getValue(t);if(null!=r){var o=""+r;o!==n.value&&(n.value=o),null==t.defaultValue&&(n.defaultValue=o)}null!=t.defaultValue&&(n.defaultValue=t.defaultValue)},postMountWrapper:function(e){var t=u.getNodeFromInstance(e),n=t.textContent;n===e._wrapperState.initialValue&&(t.value=n)}});e.exports=c},function(e,t,n){"use strict";function r(e,t){"_hostNode"in e||u("33"),"_hostNode"in t||u("33");for(var n=0,r=e;r;r=r._hostParent)n++;for(var o=0,i=t;i;i=i._hostParent)o++;for(;n-o>0;)e=e._hostParent,n--;for(;o-n>0;)t=t._hostParent,o--;for(var a=n;a--;){if(e===t)return e;e=e._hostParent,t=t._hostParent}return null}function o(e,t){"_hostNode"in e||u("35"),"_hostNode"in t||u("35");for(;t;){if(t===e)return!0;t=t._hostParent}return!1}function i(e){return"_hostNode"in e||u("36"),e._hostParent}function a(e,t,n){for(var r=[];e;)r.push(e),e=e._hostParent;var o;for(o=r.length;o-- >0;)t(r[o],"captured",n);for(o=0;o0;)n(u[l],"captured",i)}var u=n(3);n(1);e.exports={isAncestor:o,getLowestCommonAncestor:r,getParentInstance:i,traverseTwoPhase:a,traverseEnterLeave:s}},function(e,t,n){"use strict";function r(){this.reinitializeTransaction()}var o=n(4),i=n(12),a=n(37),s=n(10),u={initialize:s,close:function(){d.isBatchingUpdates=!1}},l={initialize:s,close:i.flushBatchedUpdates.bind(i)},c=[l,u];o(r.prototype,a,{getTransactionWrappers:function(){return c}});var p=new r,d={isBatchingUpdates:!1,batchedUpdates:function(e,t,n,r,o,i){var a=d.isBatchingUpdates;return d.isBatchingUpdates=!0,a?e(t,n,r,o,i):p.perform(e,null,t,n,r,o,i)}};e.exports=d},function(e,t,n){"use strict";function r(){S||(S=!0,y.EventEmitter.injectReactEventListener(v),y.EventPluginHub.injectEventPluginOrder(s),y.EventPluginUtils.injectComponentTree(d),y.EventPluginUtils.injectTreeTraversal(h),y.EventPluginHub.injectEventPluginsByName({SimpleEventPlugin:w,EnterLeaveEventPlugin:u,ChangeEventPlugin:a,SelectEventPlugin:E,BeforeInputEventPlugin:i}),y.HostComponent.injectGenericComponentClass(p),y.HostComponent.injectTextComponentClass(m),y.DOMProperty.injectDOMPropertyConfig(o),y.DOMProperty.injectDOMPropertyConfig(l),y.DOMProperty.injectDOMPropertyConfig(b),y.EmptyComponent.injectEmptyComponentFactory(function(e){return new f(e)}),y.Updates.injectReconcileTransaction(_),y.Updates.injectBatchingStrategy(g),y.Component.injectEnvironment(c))}var o=n(234),i=n(236),a=n(238),s=n(240),u=n(241),l=n(243),c=n(245),p=n(248),d=n(5),f=n(250),h=n(258),m=n(256),g=n(259),v=n(263),y=n(264),_=n(269),b=n(274),E=n(275),w=n(276),S=!1;e.exports={inject:r}},function(e,t,n){"use strict";var r="function"==typeof Symbol&&Symbol.for&&Symbol.for("react.element")||60103;e.exports=r},function(e,t,n){"use strict";function r(e){o.enqueueEvents(e),o.processEventQueue(!1)}var o=n(27),i={handleTopLevel:function(e,t,n,i){r(o.extractEvents(e,t,n,i))}};e.exports=i},function(e,t,n){"use strict";function r(e){for(;e._hostParent;)e=e._hostParent;var t=p.getNodeFromInstance(e),n=t.parentNode;return p.getClosestInstanceFromNode(n)}function o(e,t){this.topLevelType=e,this.nativeEvent=t,this.ancestors=[]}function i(e){var t=f(e.nativeEvent),n=p.getClosestInstanceFromNode(t),o=n;do{e.ancestors.push(o),o=o&&r(o)}while(o);for(var i=0;i/,i=/^<\!\-\-/,a={CHECKSUM_ATTR_NAME:"data-react-checksum",addChecksumToMarkup:function(e){var t=r(e);return i.test(e)?e:e.replace(o," "+a.CHECKSUM_ATTR_NAME+'="'+t+'"$&')},canReuseMarkup:function(e,t){var n=t.getAttribute(a.CHECKSUM_ATTR_NAME);return n=n&&parseInt(n,10),r(e)===n}};e.exports=a},function(e,t,n){"use strict";function r(e,t,n){return{type:"INSERT_MARKUP",content:e,fromIndex:null,fromNode:null,toIndex:n,afterNode:t}}function o(e,t,n){return{type:"MOVE_EXISTING",content:null,fromIndex:e._mountIndex,fromNode:d.getHostNode(e),toIndex:n,afterNode:t}}function i(e,t){return{type:"REMOVE_NODE",content:null,fromIndex:e._mountIndex,fromNode:t,toIndex:null,afterNode:null}}function a(e){return{type:"SET_MARKUP",content:e,fromIndex:null,fromNode:null,toIndex:null,afterNode:null}}function s(e){return{type:"TEXT_CONTENT",content:e,fromIndex:null,fromNode:null,toIndex:null,afterNode:null}}function u(e,t){return t&&(e=e||[],e.push(t)),e}function l(e,t){p.processChildrenUpdates(e,t)}var c=n(3),p=n(56),d=(n(29),n(11),n(14),n(22)),f=n(244),h=(n(10),n(290)),m=(n(1),{Mixin:{_reconcilerInstantiateChildren:function(e,t,n){return f.instantiateChildren(e,t,n)},_reconcilerUpdateChildren:function(e,t,n,r,o,i){var a,s=0;return a=h(t,s),f.updateChildren(e,a,n,r,o,this,this._hostContainerInfo,i,s),a},mountChildren:function(e,t,n){var r=this._reconcilerInstantiateChildren(e,t,n);this._renderedChildren=r;var o=[],i=0;for(var a in r)if(r.hasOwnProperty(a)){var s=r[a],u=0,l=d.mountComponent(s,t,this,this._hostContainerInfo,n,u);s._mountIndex=i++,o.push(l)}return o},updateTextContent:function(e){var t=this._renderedChildren;f.unmountChildren(t,!1);for(var n in t)t.hasOwnProperty(n)&&c("118");l(this,[s(e)])},updateMarkup:function(e){var t=this._renderedChildren;f.unmountChildren(t,!1);for(var n in t)t.hasOwnProperty(n)&&c("118");l(this,[a(e)])},updateChildren:function(e,t,n){this._updateChildren(e,t,n)},_updateChildren:function(e,t,n){var r=this._renderedChildren,o={},i=[],a=this._reconcilerUpdateChildren(r,e,i,o,t,n);if(a||r){var s,c=null,p=0,f=0,h=0,m=null;for(s in a)if(a.hasOwnProperty(s)){var g=r&&r[s],v=a[s];g===v?(c=u(c,this.moveChild(g,m,p,f)),f=Math.max(g._mountIndex,f),g._mountIndex=p):(g&&(f=Math.max(g._mountIndex,f)),c=u(c,this._mountChildAtIndex(v,i[h],m,p,t,n)),h++),p++,m=d.getHostNode(v)}for(s in o)o.hasOwnProperty(s)&&(c=u(c,this._unmountChild(r[s],o[s])));c&&l(this,c),this._renderedChildren=a}},unmountChildren:function(e){var t=this._renderedChildren;f.unmountChildren(t,e),this._renderedChildren=null},moveChild:function(e,t,n,r){if(e._mountIndex=t)return{node:n,offset:t-i};i=a}n=r(o(n))}}e.exports=i},function(e,t,n){"use strict";function r(e,t){var n={};return n[e.toLowerCase()]=t.toLowerCase(),n["Webkit"+e]="webkit"+t,n["Moz"+e]="moz"+t,n["ms"+e]="MS"+t,n["O"+e]="o"+t.toLowerCase(),n}function o(e){if(s[e])return s[e];if(!a[e])return e;var t=a[e];for(var n in t)if(t.hasOwnProperty(n)&&n in u)return s[e]=t[n];return""}var i=n(8),a={animationend:r("Animation","AnimationEnd"),animationiteration:r("Animation","AnimationIteration"),animationstart:r("Animation","AnimationStart"),transitionend:r("Transition","TransitionEnd")},s={},u={};i.canUseDOM&&(u=document.createElement("div").style,"AnimationEvent"in window||(delete a.animationend.animation,delete a.animationiteration.animation,delete a.animationstart.animation),"TransitionEvent"in window||delete a.transitionend.transition),e.exports=o},function(e,t,n){"use strict";function r(e){return'"'+o(e)+'"'}var o=n(38);e.exports=r},function(e,t,n){"use strict";var r=n(106);e.exports=r.renderSubtreeIntoContainer},function(e,t,n){"use strict";function r(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function o(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function i(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}function a(){var e,t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"store",n=arguments[1],a=n||t+"Subscription",u=function(e){function n(i,a){r(this,n);var s=o(this,e.call(this,i,a));return s[t]=i.store,s}return i(n,e),n.prototype.getChildContext=function(){var e;return e={},e[t]=this[t],e[a]=null,e},n.prototype.render=function(){return s.Children.only(this.props.children)},n}(s.Component);return u.propTypes={store:c.a.isRequired,children:l.a.element.isRequired},u.childContextTypes=(e={},e[t]=c.a.isRequired,e[a]=c.b,e),u}t.b=a;var s=n(0),u=(n.n(s),n(19)),l=n.n(u),c=n(120);n(66);t.a=a()},function(e,t,n){"use strict";function r(e,t){var n={};for(var r in e)t.indexOf(r)>=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e,t,n){for(var r=t.length-1;r>=0;r--){var o=t[r](e);if(o)return o}return function(t,r){throw new Error("Invalid value of type "+typeof e+" for "+n+" argument when connecting component "+r.wrappedComponentName+".")}}function i(e,t){return e===t}var a=n(118),s=n(305),u=n(299),l=n(300),c=n(301),p=n(302),d=Object.assign||function(e){for(var t=1;t0&&void 0!==arguments[0]?arguments[0]:{},t=e.connectHOC,n=void 0===t?a.a:t,f=e.mapStateToPropsFactories,h=void 0===f?l.a:f,m=e.mapDispatchToPropsFactories,g=void 0===m?u.a:m,v=e.mergePropsFactories,y=void 0===v?c.a:v,_=e.selectorFactory,b=void 0===_?p.a:_;return function(e,t,a){var u=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},l=u.pure,c=void 0===l||l,p=u.areStatesEqual,f=void 0===p?i:p,m=u.areOwnPropsEqual,v=void 0===m?s.a:m,_=u.areStatePropsEqual,E=void 0===_?s.a:_,w=u.areMergedPropsEqual,S=void 0===w?s.a:w,x=r(u,["pure","areStatesEqual","areOwnPropsEqual","areStatePropsEqual","areMergedPropsEqual"]),T=o(e,h,"mapStateToProps"),C=o(t,g,"mapDispatchToProps"),P=o(a,y,"mergeProps");return n(b,d({methodName:"connect",getDisplayName:function(e){return"Connect("+e+")"},shouldHandleStateChanges:Boolean(e),initMapStateToProps:T,initMapDispatchToProps:C,initMergeProps:P,pure:c,areStatesEqual:f,areOwnPropsEqual:v,areStatePropsEqual:E,areMergedPropsEqual:S},x))}}()},function(e,t,n){"use strict";function r(e){return"function"==typeof e?n.i(s.a)(e,"mapDispatchToProps"):void 0}function o(e){return e?void 0:n.i(s.b)(function(e){return{dispatch:e}})}function i(e){return e&&"object"==typeof e?n.i(s.b)(function(t){return n.i(a.bindActionCreators)(e,t)}):void 0}var a=n(40),s=n(119);t.a=[r,o,i]},function(e,t,n){"use strict";function r(e){return"function"==typeof e?n.i(i.a)(e,"mapStateToProps"):void 0}function o(e){return e?void 0:n.i(i.b)(function(){return{}})}var i=n(119);t.a=[r,o]},function(e,t,n){"use strict";function r(e,t,n){return s({},n,e,t)}function o(e){return function(t,n){var r=(n.displayName,n.pure),o=n.areMergedPropsEqual,i=!1,a=void 0;return function(t,n,s){var u=e(t,n,s);return i?r&&o(u,a)||(a=u):(i=!0,a=u),a}}}function i(e){return"function"==typeof e?o(e):void 0}function a(e){return e?void 0:function(){return r}}var s=(n(121),Object.assign||function(e){for(var t=1;t=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e,t,n,r){return function(o,i){return n(e(o,i),t(r,i),i)}}function i(e,t,n,r,o){function i(o,i){return h=o,m=i,g=e(h,m),v=t(r,m),y=n(g,v,m),f=!0,y}function a(){return g=e(h,m),t.dependsOnOwnProps&&(v=t(r,m)),y=n(g,v,m)}function s(){return e.dependsOnOwnProps&&(g=e(h,m)),t.dependsOnOwnProps&&(v=t(r,m)),y=n(g,v,m)}function u(){var t=e(h,m),r=!d(t,g);return g=t,r&&(y=n(g,v,m)),y}function l(e,t){var n=!p(t,m),r=!c(e,h);return h=e,m=t,n&&r?a():n?s():r?u():y}var c=o.areStatesEqual,p=o.areOwnPropsEqual,d=o.areStatePropsEqual,f=!1,h=void 0,m=void 0,g=void 0,v=void 0,y=void 0;return function(e,t){return f?l(e,t):i(e,t)}}function a(e,t){var n=t.initMapStateToProps,a=t.initMapDispatchToProps,s=t.initMergeProps,u=r(t,["initMapStateToProps","initMapDispatchToProps","initMergeProps"]),l=n(e,u),c=a(e,u),p=s(e,u);return(u.pure?i:o)(l,c,p,e,u)}t.a=a;n(303)},function(e,t,n){"use strict";n(66)},function(e,t,n){"use strict";function r(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function o(){var e=[],t=[];return{clear:function(){t=i,e=i},notify:function(){for(var n=e=t,r=0;r0&&void 0!==arguments[0]?arguments[0]:{},t=arguments[1];if(u)throw u;for(var o=!1,i={},a=0;a=-1&&(this.Favourites.splice(t,1),r.AppCache.set(this._favouriteCacheKey,this.Favourites))},e}();t.FavouritesBase=o},,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,function(e,t,n){"use strict";var r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0,key:c,value:l})}}t(r)}).catch(function(e){n(e)})})})},t.prototype.deleteProperty=function(e){return this.setProperty(o({},e,{value:null}))},t.prototype.createProperty=function(e){return this.setProperty(e)},t.prototype.updateProperty=function(e){return this.setProperty(e)},t.prototype.setProperty=function(e){var t=this;return new Promise(function(n,r){var o=SP.ClientContext.get_current(),i=o.get_web();i.get_allProperties().set_item(e.key,e.value),i.update(),o.executeQueryAsync(function(t,r){n(e)},t.getErrorResolver(r,s.constants.ERROR_MESSAGE_RESOLVER_SETTING_PROPERTY))})},t}(a.default);t.default=u},function(e,t,n){"use strict";var r=this&&this.__extends||function(){var e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])};return function(t,n){function r(){this.constructor=t}e(t,n),t.prototype=null===n?Object.create(n):(r.prototype=n.prototype,new r)}}();Object.defineProperty(t,"__esModule",{value:!0});var o=n(0),i=n(42),a=n(41),s=n(134),u=n(135),l=n(68),c=n(464),p=n(144),d=n(465),f=function(e){function t(){return e.call(this,p.constants.COMPONENT_DIV_ID)||this}return r(t,e),t.prototype.show=function(){var e=this;l.default.ensureSPObject().then(function(){var t=d.configureStore({});i.render(o.createElement(a.Provider,{store:t},o.createElement(u.default,{onCloseClick:e.remove,modalDialogTitle:p.constants.MODAL_DIALOG_TITLE,modalWidth:p.constants.MODAL_DIALOG_WIDTH},o.createElement(c.default,{closeWindowFunction:e.remove}))),document.getElementById(e.baseDivId))})},t}(s.AppBase);window.SpPropertyBagObj=new f,window.SpPropertyBagObj.show()},function(e,t,n){"use strict";var r=this&&this.__extends||function(){var e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])};return function(t,n){function r(){this.constructor=t}e(t,n),t.prototype=null===n?Object.create(n):(r.prototype=n.prototype,new r)}}(),o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0||e.value.toLowerCase().indexOf(t)>=0}):e.items;n.sort(function(e,t){return e.isFavourite===t.isFavourite?e.key.toUpperCase()n&&t.push({rawString:e.substring(n,r)}),t.push({theme:o[1],defaultValue:o[2]}),n=g.lastIndex}t.push({rawString:e.substring(n)})}return t}function c(e,t){var n=document.getElementsByTagName("head")[0],o=document.createElement("style");o.type="text/css",o.appendChild(document.createTextNode(l(e))),t?(n.replaceChild(o,t.styleElement),t.styleElement=o):n.appendChild(o),t||m.registeredStyles.push({styleElement:o,themableStyle:e})}function p(e,t){var n=document.getElementsByTagName("head")[0],o=m.lastStyleElement,r=m.registeredStyles,i=o?o.styleSheet:void 0,a=i?i.cssText:"",u=r[r.length-1],c=l(e);(!o||a.length+c.length>v)&&(o=document.createElement("style"),o.type="text/css",t?(n.replaceChild(o,t.styleElement),t.styleElement=o):n.appendChild(o),t||(u={styleElement:o,themableStyle:e},r.push(u))),o.styleSheet.cssText+=s(c),Array.prototype.push.apply(u.themableStyle,e),m.lastStyleElement=o}function d(){var e=!1;if("undefined"!=typeof document){var t=document.createElement("style");t.type="text/css",e=!!t.styleSheet}return e}var f,h="undefined"==typeof window?e:window,m=h.__themeState__=h.__themeState__||{theme:void 0,lastStyleElement:void 0,registeredStyles:[]},g=/[\'\"]\[theme:\s*(\w+)\s*(?:\,\s*default:\s*([\\"\']?[\.\,\(\)\#\-\s\w]*[\.\,\(\)\#\-\w][\"\']?))?\s*\][\'\"]/g,v=1e4;t.loadStyles=n,t.configureLoadStyles=o,t.loadTheme=i,t.detokenize=s,t.splitStyles=u}).call(t,n(66))},function(e,t,n){"use strict";var o=!("undefined"==typeof window||!window.document||!window.document.createElement),r={canUseDOM:o,canUseWorkers:"undefined"!=typeof Worker,canUseEventListeners:o&&!(!window.addEventListener&&!window.attachEvent),canUseViewport:o&&!!window.screen,isInWorker:!o};e.exports=r},function(e,t,n){"use strict";function o(e){return"[object Array]"===E.call(e)}function r(e){return"[object ArrayBuffer]"===E.call(e)}function i(e){return"undefined"!=typeof FormData&&e instanceof FormData}function a(e){var t;return t="undefined"!=typeof ArrayBuffer&&ArrayBuffer.isView?ArrayBuffer.isView(e):e&&e.buffer&&e.buffer instanceof ArrayBuffer}function s(e){return"string"==typeof e}function l(e){return"number"==typeof e}function u(e){return"undefined"==typeof e}function c(e){return null!==e&&"object"==typeof e}function p(e){return"[object Date]"===E.call(e)}function d(e){return"[object File]"===E.call(e)}function f(e){return"[object Blob]"===E.call(e)}function h(e){return"[object Function]"===E.call(e)}function m(e){return c(e)&&h(e.pipe)}function g(e){return"undefined"!=typeof URLSearchParams&&e instanceof URLSearchParams}function v(e){return e.replace(/^\s*/,"").replace(/\s*$/,"")}function y(){return"undefined"!=typeof window&&"undefined"!=typeof document&&"function"==typeof document.createElement}function b(e,t){if(null!==e&&"undefined"!=typeof e)if("object"==typeof e||o(e)||(e=[e]),o(e))for(var n=0,r=e.length;n1){for(var g=Array(m),v=0;v1){for(var b=Array(y),_=0;_-1&&r._virtual.children.splice(i,1)}n._virtual.parent=o||void 0,o&&(o._virtual||(o._virtual={children:[]}),o._virtual.children.push(n))}function r(e){var t;return e&&p(e)&&(t=e._virtual.parent),t}function i(e,t){return void 0===t&&(t=!0),e&&(t&&r(e)||e.parentNode&&e.parentNode)}function a(e,t,n){void 0===n&&(n=!0);var o=!1;if(e&&t)if(n)for(o=!1;t;){var r=i(t);if(r===e){o=!0;break}t=r}else e.contains&&(o=e.contains(t));return o}function s(e){d=e}function l(e){return d?void 0:e&&e.ownerDocument&&e.ownerDocument.defaultView?e.ownerDocument.defaultView:window}function u(e){return d?void 0:e&&e.ownerDocument?e.ownerDocument:document}function c(e){var t;return e&&(e===window?t={left:0,top:0,width:window.innerWidth,height:window.innerHeight,right:window.innerWidth,bottom:window.innerHeight}:e.getBoundingClientRect&&(t=e.getBoundingClientRect())),t}function p(e){return e&&!!e._virtual}t.setVirtualParent=o,t.getVirtualParent=r,t.getParent=i,t.elementContains=a;var d=!1;t.setSSR=s,t.getWindow=l,t.getDocument=u,t.getRect=c},function(e,t){function n(){throw new Error("setTimeout has not been defined")}function o(){throw new Error("clearTimeout has not been defined")}function r(e){if(c===setTimeout)return setTimeout(e,0);if((c===n||!c)&&setTimeout)return c=setTimeout,setTimeout(e,0);try{return c(e,0)}catch(t){try{return c.call(null,e,0)}catch(t){return c.call(this,e,0)}}}function i(e){if(p===clearTimeout)return clearTimeout(e);if((p===o||!p)&&clearTimeout)return p=clearTimeout,clearTimeout(e);try{return p(e)}catch(t){try{return p.call(null,e)}catch(t){return p.call(this,e)}}}function a(){m&&f&&(m=!1,f.length?h=f.concat(h):g=-1,h.length&&s())}function s(){if(!m){var e=r(a);m=!0;for(var t=h.length;t;){for(f=h,h=[];++g1)for(var n=1;n]/;e.exports=r},function(e,t,n){"use strict";var o,r=n(8),i=n(48),a=/^[ \r\n\t\f]/,s=/<(!--|link|noscript|meta|script|style)[ \r\n\t\f\/>]/,l=n(56),u=l(function(e,t){if(e.namespaceURI!==i.svg||"innerHTML"in e)e.innerHTML=t;else{o=o||document.createElement("div"),o.innerHTML=""+t+"";for(var n=o.firstChild;n.firstChild;)e.appendChild(n.firstChild)}});if(r.canUseDOM){var c=document.createElement("div");c.innerHTML=" ",""===c.innerHTML&&(u=function(e,t){if(e.parentNode&&e.parentNode.replaceChild(e,e),a.test(t)||"<"===t[0]&&s.test(t)){e.innerHTML=String.fromCharCode(65279)+t;var n=e.firstChild;1===n.data.length?e.removeChild(n):n.deleteData(0,1)}else e.innerHTML=t}),c=null}e.exports=u},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var o=n(124),r=n(306),i=n(305),a=n(304),s=n(123);n(125);n.d(t,"createStore",function(){return o.a}),n.d(t,"combineReducers",function(){return r.a}),n.d(t,"bindActionCreators",function(){return i.a}),n.d(t,"applyMiddleware",function(){return a.a}),n.d(t,"compose",function(){return s.a})},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var o=n(283),r=n(113),i=n(284);n.d(t,"Provider",function(){return o.a}),n.d(t,"connectAdvanced",function(){return r.a}),n.d(t,"connect",function(){return i.a})},function(e,t,n){"use strict";e.exports=n(232)},function(e,t,n){"use strict";var o=function(){function e(t){this._id=e._uniqueId++,this._parent=t,this._eventRecords=[]}return e.raise=function(t,n,o,r){var i;if(e._isElement(t)){if(document.createEvent){var a=document.createEvent("HTMLEvents");a.initEvent(n,r,!0),a.args=o,i=t.dispatchEvent(a)}else if(document.createEventObject){var s=document.createEventObject(o);t.fireEvent("on"+n,s)}}else for(;t&&i!==!1;){var l=t.__events__,u=l?l[n]:null;for(var c in u)if(u.hasOwnProperty(c))for(var p=u[c],d=0;i!==!1&&d-1)for(var a=n.split(/[ ,]+/),s=0;s=200&&e<300}};u.headers={common:{Accept:"application/json, text/plain, */*"}},i.forEach(["delete","get","head"],function(e){u.headers[e]={}}),i.forEach(["post","put","patch"],function(e){u.headers[e]=i.merge(l)}),e.exports=u}).call(t,n(33))},function(e,t,n){"use strict";function o(e,t){return e===t?0!==e||0!==t||1/e===1/t:e!==e&&t!==t}function r(e,t){if(o(e,t))return!0;if("object"!=typeof e||null===e||"object"!=typeof t||null===t)return!1;var n=Object.keys(e),r=Object.keys(t);if(n.length!==r.length)return!1;for(var a=0;a-1?void 0:a("96",e),!u.plugins[n]){t.extractEvents?void 0:a("97",e),u.plugins[n]=t;var o=t.eventTypes;for(var i in o)r(o[i],t,i)?void 0:a("98",i,e)}}}function r(e,t,n){u.eventNameDispatchConfigs.hasOwnProperty(n)?a("99",n):void 0,u.eventNameDispatchConfigs[n]=e;var o=e.phasedRegistrationNames;if(o){for(var r in o)if(o.hasOwnProperty(r)){var s=o[r];i(s,t,n)}return!0}return!!e.registrationName&&(i(e.registrationName,t,n),!0)}function i(e,t,n){u.registrationNameModules[e]?a("100",e):void 0,u.registrationNameModules[e]=t,u.registrationNameDependencies[e]=t.eventTypes[n].dependencies}var a=n(3),s=(n(1),null),l={},u={plugins:[],eventNameDispatchConfigs:{},registrationNameModules:{},registrationNameDependencies:{},possibleRegistrationNames:null,injectEventPluginOrder:function(e){s?a("101"):void 0,s=Array.prototype.slice.call(e),o()},injectEventPluginsByName:function(e){var t=!1;for(var n in e)if(e.hasOwnProperty(n)){var r=e[n];l.hasOwnProperty(n)&&l[n]===r||(l[n]?a("102",n):void 0,l[n]=r,t=!0)}t&&o()},getPluginModuleForEvent:function(e){var t=e.dispatchConfig;if(t.registrationName)return u.registrationNameModules[t.registrationName]||null;if(void 0!==t.phasedRegistrationNames){var n=t.phasedRegistrationNames;for(var o in n)if(n.hasOwnProperty(o)){var r=u.registrationNameModules[n[o]];if(r)return r}}return null},_resetEventPlugins:function(){s=null;for(var e in l)l.hasOwnProperty(e)&&delete l[e];u.plugins.length=0;var t=u.eventNameDispatchConfigs;for(var n in t)t.hasOwnProperty(n)&&delete t[n];var o=u.registrationNameModules;for(var r in o)o.hasOwnProperty(r)&&delete o[r]}};e.exports=u},function(e,t,n){"use strict";function o(e){return"topMouseUp"===e||"topTouchEnd"===e||"topTouchCancel"===e}function r(e){return"topMouseMove"===e||"topTouchMove"===e}function i(e){return"topMouseDown"===e||"topTouchStart"===e}function a(e,t,n,o){var r=e.type||"unknown-event";e.currentTarget=v.getNodeFromInstance(o),t?m.invokeGuardedCallbackWithCatch(r,n,e):m.invokeGuardedCallback(r,n,e),e.currentTarget=null}function s(e,t){var n=e._dispatchListeners,o=e._dispatchInstances;if(Array.isArray(n))for(var r=0;r0&&o.length<20?n+" (keys: "+o.join(", ")+")":n}function i(e,t){var n=s.get(e);if(!n){return null}return n}var a=n(3),s=(n(14),n(29)),l=(n(11),n(12)),u=(n(1),n(2),{isMounted:function(e){var t=s.get(e);return!!t&&!!t._renderedComponent},enqueueCallback:function(e,t,n){u.validateCallback(t,n);var r=i(e);return r?(r._pendingCallbacks?r._pendingCallbacks.push(t):r._pendingCallbacks=[t],void o(r)):null},enqueueCallbackInternal:function(e,t){e._pendingCallbacks?e._pendingCallbacks.push(t):e._pendingCallbacks=[t],o(e)},enqueueForceUpdate:function(e){var t=i(e,"forceUpdate");t&&(t._pendingForceUpdate=!0,o(t))},enqueueReplaceState:function(e,t){var n=i(e,"replaceState");n&&(n._pendingStateQueue=[t],n._pendingReplaceState=!0,o(n))},enqueueSetState:function(e,t){var n=i(e,"setState");if(n){var r=n._pendingStateQueue||(n._pendingStateQueue=[]);r.push(t),o(n)}},enqueueElementInternal:function(e,t,n){e._pendingElement=t,e._context=n,o(e)},validateCallback:function(e,t){e&&"function"!=typeof e?a("122",t,r(e)):void 0}});e.exports=u},function(e,t,n){"use strict";var o=function(e){return"undefined"!=typeof MSApp&&MSApp.execUnsafeLocalFunction?function(t,n,o,r){MSApp.execUnsafeLocalFunction(function(){return e(t,n,o,r)})}:e};e.exports=o},function(e,t,n){"use strict";function o(e){var t,n=e.keyCode;return"charCode"in e?(t=e.charCode,0===t&&13===n&&(t=13)):t=n,t>=32||13===t?t:0}e.exports=o},function(e,t,n){"use strict";function o(e){var t=this,n=t.nativeEvent;if(n.getModifierState)return n.getModifierState(e);var o=i[e];return!!o&&!!n[o]}function r(e){return o}var i={Alt:"altKey",Control:"ctrlKey",Meta:"metaKey",Shift:"shiftKey"};e.exports=r},function(e,t,n){"use strict";function o(e){var t=e.target||e.srcElement||window;return t.correspondingUseElement&&(t=t.correspondingUseElement),3===t.nodeType?t.parentNode:t}e.exports=o},function(e,t,n){"use strict";function o(e,t){if(!i.canUseDOM||t&&!("addEventListener"in document))return!1;var n="on"+e,o=n in document;if(!o){var a=document.createElement("div");a.setAttribute(n,"return;"),o="function"==typeof a[n]}return!o&&r&&"wheel"===e&&(o=document.implementation.hasFeature("Events.wheel","3.0")),o}var r,i=n(8);i.canUseDOM&&(r=document.implementation&&document.implementation.hasFeature&&document.implementation.hasFeature("","")!==!0),e.exports=o},function(e,t,n){"use strict";function o(e,t){var n=null===e||e===!1,o=null===t||t===!1;if(n||o)return n===o;var r=typeof e,i=typeof t;return"string"===r||"number"===r?"string"===i||"number"===i:"object"===i&&e.type===t.type&&e.key===t.key}e.exports=o},function(e,t,n){"use strict";var o=(n(4),n(10)),r=(n(2),o);e.exports=r},function(e,t,n){"use strict";function o(e){"undefined"!=typeof console&&"function"==typeof console.error;try{throw new Error(e)}catch(e){}}t.a=o},function(e,t,n){"use strict";function o(e,t,n){this.props=e,this.context=t,this.refs=a,this.updater=n||i}var r=n(24),i=n(65),a=(n(121),n(25));n(1),n(2);o.prototype.isReactComponent={},o.prototype.setState=function(e,t){"object"!=typeof e&&"function"!=typeof e&&null!=e?r("85"):void 0,this.updater.enqueueSetState(this,e),t&&this.updater.enqueueCallback(this,t,"setState")},o.prototype.forceUpdate=function(e){this.updater.enqueueForceUpdate(this),e&&this.updater.enqueueCallback(this,e,"forceUpdate")};e.exports=o},function(e,t,n){"use strict";function o(e,t){}var r=(n(2),{isMounted:function(e){return!1},enqueueCallback:function(e,t){},enqueueForceUpdate:function(e){o(e,"forceUpdate")},enqueueReplaceState:function(e,t){o(e,"replaceState")},enqueueSetState:function(e,t){o(e,"setState")}});e.exports=r},function(e,t){var n;n=function(){return this}();try{n=n||Function("return this")()||(0,eval)("this")}catch(e){"object"==typeof window&&(n=window)}e.exports=n},function(e,t,n){"use strict";var o=n(17),r=function(){function e(){}return e.capitalize=function(e){return e.charAt(0).toUpperCase()+e.slice(1)},e.formatString=function(){for(var e=[],t=0;t=a&&(!t||s)?(u=n,c&&(o.clearTimeout(c),c=null),r=e.apply(o._parent,i)):null===c&&l&&(c=o.setTimeout(p,f)),r},d=function(){for(var e=[],t=0;t=a&&(h=!0),c=n);var m=n-c,g=a-m,v=n-p,y=!1;return null!==u&&(v>=u&&d?y=!0:g=Math.min(g,u-v)),m>=a||y||h?(d&&(o.clearTimeout(d),d=null),p=n,r=e.apply(o._parent,i)):null!==d&&t||!l||(d=o.setTimeout(f,g)),r},h=function(){for(var e=[],t=0;t.":"function"==typeof t?" Instead of passing a class like Foo, pass React.createElement(Foo) or .":null!=t&&void 0!==t.props?" This may be caused by unintentionally loading two independent copies of React.":"");var a,s=g.createElement(F,{child:t});if(e){var l=C.get(e);a=l._processChildContext(l._context)}else a=P;var c=d(n);if(c){var p=c._currentElement,h=p.props.child;if(M(h,t)){var m=c._renderedComponent.getPublicInstance(),v=o&&function(){o.call(m)};return U._updateRootComponent(c,s,a,n,v),m}U.unmountComponentAtNode(n)}var y=r(n),b=y&&!!i(y),_=u(n),w=b&&!c&&!_,E=U._renderNewRootComponent(s,n,w,a)._renderedComponent.getPublicInstance();return o&&o.call(E),E},render:function(e,t,n){return U._renderSubtreeIntoContainer(null,e,t,n)},unmountComponentAtNode:function(e){c(e)?void 0:f("40");var t=d(e);if(!t){u(e),1===e.nodeType&&e.hasAttribute(D);return!1}return delete A[t._instance.rootID],T.batchedUpdates(l,t,e,!1),!0},_mountImageIntoNode:function(e,t,n,i,a){if(c(t)?void 0:f("41"),i){var s=r(t);if(E.canReuseMarkup(e,s))return void y.precacheNode(n,s);var l=s.getAttribute(E.CHECKSUM_ATTR_NAME);s.removeAttribute(E.CHECKSUM_ATTR_NAME);var u=s.outerHTML;s.setAttribute(E.CHECKSUM_ATTR_NAME,l);var p=e,d=o(p,u),m=" (client) "+p.substring(d-20,d+20)+"\n (server) "+u.substring(d-20,d+20);t.nodeType===R?f("42",m):void 0}if(t.nodeType===R?f("43"):void 0,a.useCreateElement){for(;t.lastChild;)t.removeChild(t.lastChild);h.insertTreeBefore(t,e,null)}else I(t,e),y.precacheNode(n,t.firstChild)}};e.exports=U},function(e,t,n){"use strict";var o=n(3),r=n(22),i=(n(1),{HOST:0,COMPOSITE:1,EMPTY:2,getType:function(e){return null===e||e===!1?i.EMPTY:r.isValidElement(e)?"function"==typeof e.type?i.COMPOSITE:i.HOST:void o("26",e)}});e.exports=i},function(e,t,n){"use strict";var o={currentScrollLeft:0,currentScrollTop:0,refreshScrollValues:function(e){o.currentScrollLeft=e.x,o.currentScrollTop=e.y}};e.exports=o},function(e,t,n){"use strict";function o(e,t){return null==t?r("30"):void 0,null==e?t:Array.isArray(e)?Array.isArray(t)?(e.push.apply(e,t),e):(e.push(t),e):Array.isArray(t)?[e].concat(t):[e,t]}var r=n(3);n(1);e.exports=o},function(e,t,n){"use strict";function o(e,t,n){Array.isArray(e)?e.forEach(t,n):e&&t.call(n,e)}e.exports=o},function(e,t,n){"use strict";function o(e){for(var t;(t=e._renderedNodeType)===r.COMPOSITE;)e=e._renderedComponent;return t===r.HOST?e._renderedComponent:t===r.EMPTY?null:void 0}var r=n(103);e.exports=o},function(e,t,n){"use strict";function o(){return!i&&r.canUseDOM&&(i="textContent"in document.documentElement?"textContent":"innerText"),i}var r=n(8),i=null;e.exports=o},function(e,t,n){"use strict";function o(e){if(e){var t=e.getName();if(t)return" Check the render method of `"+t+"`."}return""}function r(e){return"function"==typeof e&&"undefined"!=typeof e.prototype&&"function"==typeof e.prototype.mountComponent&&"function"==typeof e.prototype.receiveComponent}function i(e,t){var n;if(null===e||e===!1)n=u.create(i);else if("object"==typeof e){var s=e,l=s.type;if("function"!=typeof l&&"string"!=typeof l){var d="";d+=o(s._owner),a("130",null==l?l:typeof l,d)}"string"==typeof s.type?n=c.createInternalComponent(s):r(s.type)?(n=new s.type(s),n.getHostNode||(n.getHostNode=n.getNativeNode)):n=new p(s)}else"string"==typeof e||"number"==typeof e?n=c.createInstanceForText(e):a("131",typeof e);return n._mountIndex=0,n._mountImage=null,n}var a=n(3),s=n(4),l=n(231),u=n(98),c=n(100),p=(n(278),n(1),n(2),function(e){this.construct(e)});s(p.prototype,l,{_instantiateReactComponent:i}),e.exports=i},function(e,t,n){"use strict";function o(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return"input"===t?!!r[e.type]:"textarea"===t}var r={color:!0,date:!0,datetime:!0,"datetime-local":!0,email:!0,month:!0,number:!0,password:!0,range:!0,search:!0,tel:!0,text:!0,time:!0,url:!0,week:!0};e.exports=o},function(e,t,n){"use strict";var o=n(8),r=n(37),i=n(38),a=function(e,t){if(t){var n=e.firstChild;if(n&&n===e.lastChild&&3===n.nodeType)return void(n.nodeValue=t)}e.textContent=t};o.canUseDOM&&("textContent"in document.documentElement||(a=function(e,t){return 3===e.nodeType?void(e.nodeValue=t):void i(e,r(t))})),e.exports=a},function(e,t,n){"use strict";function o(e,t){return e&&"object"==typeof e&&null!=e.key?u.escape(e.key):t.toString(36)}function r(e,t,n,i){var d=typeof e;if("undefined"!==d&&"boolean"!==d||(e=null),null===e||"string"===d||"number"===d||"object"===d&&e.$$typeof===s)return n(i,e,""===t?c+o(e,0):t),1;var f,h,m=0,g=""===t?c:t+p;if(Array.isArray(e))for(var v=0;v=0||Object.prototype.hasOwnProperty.call(e,o)&&(n[o]=e[o]);return n}function s(e){var t,s,l=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},c=l.getDisplayName,v=void 0===c?function(e){return"ConnectAdvanced("+e+")"}:c,y=l.methodName,b=void 0===y?"connectAdvanced":y,_=l.renderCountProp,w=void 0===_?void 0:_,C=l.shouldHandleStateChanges,E=void 0===C||C,x=l.storeKey,S=void 0===x?"store":x,T=l.withRef,P=void 0!==T&&T,k=a(l,["getDisplayName","methodName","renderCountProp","shouldHandleStateChanges","storeKey","withRef"]),I=S+"Subscription",M=g++,O=(t={},t[S]=h.a,t[I]=d.PropTypes.instanceOf(f.a),t),D=(s={},s[I]=d.PropTypes.instanceOf(f.a),s);return function(t){p()("function"==typeof t,"You must pass a component to the function returned by connect. Instead received "+t);var a=t.displayName||t.name||"Component",s=v(a),l=m({},k,{getDisplayName:v,methodName:b,renderCountProp:w,shouldHandleStateChanges:E,storeKey:S,withRef:P,displayName:s,wrappedComponentName:a,WrappedComponent:t}),c=function(a){function u(e,t){o(this,u);var n=r(this,a.call(this,e,t));return n.version=M,n.state={},n.renderCount=0,n.store=n.props[S]||n.context[S],n.parentSub=e[I]||t[I],n.setWrappedInstance=n.setWrappedInstance.bind(n),p()(n.store,'Could not find "'+S+'" in either the context or '+('props of "'+s+'". ')+"Either wrap the root component in a , "+('or explicitly pass "'+S+'" as a prop to "'+s+'".')),n.getState=n.store.getState.bind(n.store),n.initSelector(),n.initSubscription(),n}return i(u,a),u.prototype.getChildContext=function(){var e;return e={},e[I]=this.subscription||this.parentSub,e},u.prototype.componentDidMount=function(){E&&(this.subscription.trySubscribe(),this.selector.run(this.props),this.selector.shouldComponentUpdate&&this.forceUpdate())},u.prototype.componentWillReceiveProps=function(e){this.selector.run(e)},u.prototype.shouldComponentUpdate=function(){return this.selector.shouldComponentUpdate},u.prototype.componentWillUnmount=function(){this.subscription&&this.subscription.tryUnsubscribe(),this.subscription=null,this.store=null,this.parentSub=null,this.selector.run=function(){}},u.prototype.getWrappedInstance=function(){return p()(P,"To access the wrapped instance, you need to specify "+("{ withRef: true } in the options argument of the "+b+"() call.")),this.wrappedInstance},u.prototype.setWrappedInstance=function(e){this.wrappedInstance=e},u.prototype.initSelector=function(){var t=this.store.dispatch,n=this.getState,o=e(t,l),r=this.selector={shouldComponentUpdate:!0,props:o(n(),this.props),run:function(e){try{var t=o(n(),e);(r.error||t!==r.props)&&(r.shouldComponentUpdate=!0,r.props=t,r.error=null)}catch(e){r.shouldComponentUpdate=!0,r.error=e}}}},u.prototype.initSubscription=function(){var e=this;E&&!function(){var t=e.subscription=new f.a(e.store,e.parentSub),n={};t.onStateChange=function(){this.selector.run(this.props),this.selector.shouldComponentUpdate?(this.componentDidUpdate=function(){this.componentDidUpdate=void 0,t.notifyNestedSubs()},this.setState(n)):t.notifyNestedSubs()}.bind(e)}()},u.prototype.isSubscribed=function(){return Boolean(this.subscription)&&this.subscription.isSubscribed()},u.prototype.addExtraProps=function(e){if(!P&&!w)return e;var t=m({},e);return P&&(t.ref=this.setWrappedInstance),w&&(t[w]=this.renderCount++),t},u.prototype.render=function(){var e=this.selector;if(e.shouldComponentUpdate=!1,e.error)throw e.error;return n.i(d.createElement)(t,this.addExtraProps(e.props))},u}(d.Component);return c.WrappedComponent=t,c.displayName=s,c.childContextTypes=D,c.contextTypes=O,c.propTypes=O,u()(c,t)}}var l=n(133),u=n.n(l),c=n(16),p=n.n(c),d=n(0),f=(n.n(d),n(115)),h=n(116);t.a=s;var m=Object.assign||function(e){for(var t=1;tn?this._scrollVelocity=Math.min(l,l*((e.clientY-n)/s)):this._scrollVelocity=0,this._scrollVelocity?this._startScroll():this._stopScroll()},e.prototype._startScroll=function(){this._timeoutId||this._incrementScroll()},e.prototype._incrementScroll=function(){this._scrollableParent.scrollTop+=Math.round(this._scrollVelocity),this._timeoutId=setTimeout(this._incrementScroll,a)},e.prototype._stopScroll=function(){this._timeoutId&&(clearTimeout(this._timeoutId),delete this._timeoutId)},e}();t.AutoScroll=u},function(e,t,n){"use strict";function o(e,t,n){for(var o=0,i=n.length;o1?t[1]:""},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_disposables",{get:function(){return this.__disposables||(this.__disposables=[]),this.__disposables},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_async",{get:function(){return this.__async||(this.__async=new l.Async(this),this._disposables.push(this.__async)),this.__async},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_events",{get:function(){return this.__events||(this.__events=new u.EventGroup(this),this._disposables.push(this.__events)),this.__events},enumerable:!0,configurable:!0}),t.prototype._resolveRef=function(e){var t=this;return this.__resolves||(this.__resolves={}),this.__resolves[e]||(this.__resolves[e]=function(n){return t[e]=n}),this.__resolves[e]},t}(s.Component);t.BaseComponent=c,c.onError=function(e){throw e}},function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=n(0),i=function(e){function t(t){var n=e.call(this,t)||this;return n.state={isRendered:!1},n}return o(t,e),t.prototype.componentDidMount=function(){var e=this,t=this.props.delay;this._timeoutId=setTimeout(function(){e.setState({isRendered:!0})},t)},t.prototype.componentWillUnmount=function(){clearTimeout(this._timeoutId)},t.prototype.render=function(){return this.state.isRendered?r.Children.only(this.props.children):null},t}(r.Component);i.defaultProps={delay:0},t.DelayedRender=i},function(e,t,n){"use strict";var o=function(){function e(e,t,n,o){void 0===e&&(e=0),void 0===t&&(t=0),void 0===n&&(n=0),void 0===o&&(o=0),this.top=n,this.bottom=o,this.left=e,this.right=t}return Object.defineProperty(e.prototype,"width",{get:function(){return this.right-this.left},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"height",{get:function(){return this.bottom-this.top},enumerable:!0,configurable:!0}),e.prototype.equals=function(e){return parseFloat(this.top.toFixed(4))===parseFloat(e.top.toFixed(4))&&parseFloat(this.bottom.toFixed(4))===parseFloat(e.bottom.toFixed(4))&&parseFloat(this.left.toFixed(4))===parseFloat(e.left.toFixed(4))&&parseFloat(this.right.toFixed(4))===parseFloat(e.right.toFixed(4))},e}();t.Rectangle=o},function(e,t,n){"use strict";function o(e,t){for(var n=-1,o=0;e&&o=0||e.getAttribute&&"true"===n||"button"===e.getAttribute("role"))}function c(e){return e&&!!e.getAttribute(m)}function p(e){var t=d.getDocument(e).activeElement;return!(!t||!d.elementContains(e,t))}var d=n(32),f="data-is-focusable",h="data-is-visible",m="data-focuszone-id";t.getFirstFocusable=o,t.getLastFocusable=r,t.focusFirstChild=i,t.getPreviousElement=a,t.getNextElement=s,t.isElementVisible=l,t.isElementTabbable=u,t.isElementFocusZone=c,t.doesElementContainFocus=p},function(e,t,n){"use strict";function o(e,t,n){void 0===n&&(n=i);var o=[],r=function(r){"function"!=typeof t[r]||void 0!==e[r]||n&&n.indexOf(r)!==-1||(o.push(r),e[r]=function(){t[r].apply(t,arguments)})};for(var a in t)r(a);return o}function r(e,t){t.forEach(function(t){return delete e[t]})}var i=["setState","render","componentWillMount","componentDidMount","componentWillReceiveProps","shouldComponentUpdate","componentWillUpdate","componentDidUpdate","componentWillUnmount"];t.hoistMethods=o,t.unhoistMethods=r},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(72)),o(n(141)),o(n(142)),o(n(143)),o(n(42)),o(n(73)),o(n(144)),o(n(145)),o(n(146)),o(n(147)),o(n(32)),o(n(148)),o(n(149)),o(n(151)),o(n(74)),o(n(152)),o(n(153)),o(n(154)),o(n(75)),o(n(155))},function(e,t,n){"use strict";function o(e,t){var n=Math.sqrt(Math.pow(e.x-t.x,2)+Math.pow(e.y-t.y,2));return n}t.getDistanceBetweenPoints=o},function(e,t,n){"use strict";function o(e,t,n){return r.filteredAssign(function(e){return(!n||n.indexOf(e)<0)&&(0===e.indexOf("data-")||0===e.indexOf("aria-")||t.indexOf(e)>=0)},{},e)}var r=n(74);t.baseElementEvents=["onCopy","onCut","onPaste","onCompositionEnd","onCompositionStart","onCompositionUpdate","onFocus","onFocusCapture","onBlur","onBlurCapture","onChange","onInput","onSubmit","onLoad","onError","onKeyDown","onKeyDownCapture","onKeyPress","onKeyUp","onAbort","onCanPlay","onCanPlayThrough","onDurationChange","onEmptied","onEncrypted","onEnded","onLoadedData","onLoadedMetadata","onLoadStart","onPause","onPlay","onPlaying","onProgress","onRateChange","onSeeked","onSeeking","onStalled","onSuspend","onTimeUpdate","onVolumeChange","onWaiting","onClick","onClickCapture","onContextMenu","onDoubleClick","onDrag","onDragEnd","onDragEnter","onDragExit","onDragLeave","onDragOver","onDragStart","onDrop","onMouseDown","onMouseDownCapture","onMouseEnter","onMouseLeave","onMouseMove","onMouseOut","onMouseOver","onMouseUp","onMouseUpCapture","onSelect","onTouchCancel","onTouchEnd","onTouchMove","onTouchStart","onScroll","onWheel"],t.baseElementProperties=["defaultChecked","defaultValue","accept","acceptCharset","accessKey","action","allowFullScreen","allowTransparency","alt","async","autoComplete","autoFocus","autoPlay","capture","cellPadding","cellSpacing","charSet","challenge","checked","children","classID","className","cols","colSpan","content","contentEditable","contextMenu","controls","coords","crossOrigin","data","dateTime","default","defer","dir","download","draggable","encType","form","formAction","formEncType","formMethod","formNoValidate","formTarget","frameBorder","headers","height","hidden","high","hrefLang","htmlFor","httpEquiv","icon","id","inputMode","integrity","is","keyParams","keyType","kind","label","lang","list","loop","low","manifest","marginHeight","marginWidth","max","maxLength","media","mediaGroup","method","min","minLength","multiple","muted","name","noValidate","open","optimum","pattern","placeholder","poster","preload","radioGroup","readOnly","rel","required","role","rows","rowSpan","sandbox","scope","scoped","scrolling","seamless","selected","shape","size","sizes","span","spellCheck","src","srcDoc","srcLang","srcSet","start","step","style","summary","tabIndex","title","type","useMap","value","width","wmode","wrap"],t.htmlElementProperties=t.baseElementProperties.concat(t.baseElementEvents),t.anchorProperties=t.htmlElementProperties.concat(["href","target"]),t.buttonProperties=t.htmlElementProperties.concat(["disabled"]),t.divProperties=t.htmlElementProperties.concat(["align","noWrap"]),t.inputProperties=t.buttonProperties,t.textAreaProperties=t.buttonProperties,t.imageProperties=t.divProperties,t.getNativeProps=o},function(e,t,n){"use strict";function o(e){return a+e}function r(e){a=e}function i(){return"en-us"}var a="";t.getResourceUrl=o,t.setBaseUrl=r,t.getLanguage=i},function(e,t,n){"use strict";function o(){if(void 0===a){var e=l.getDocument();if(!e)throw new Error("getRTL was called in a server environment without setRTL being called first. Call setRTL to set the correct direction first.");a="rtl"===document.documentElement.getAttribute("dir")}return a}function r(e){var t=l.getDocument();t&&t.documentElement.setAttribute("dir",e?"rtl":"ltr"),a=e}function i(e){return o()&&(e===s.KeyCodes.left?e=s.KeyCodes.right:e===s.KeyCodes.right&&(e=s.KeyCodes.left)),e}var a,s=n(73),l=n(32);t.getRTL=o,t.setRTL=r,t.getRTLSafeKeyCode=i},function(e,t,n){"use strict";function o(e){function t(e){var t=a[e.replace(r,"")];return null!==t&&void 0!==t||(t=""),t}for(var n=[],o=1;o>8-s%1*8)){if(n=r.charCodeAt(s+=.75),n>255)throw new o;t=t<<8|n}return a}var i="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=";o.prototype=new Error,o.prototype.code=5,o.prototype.name="InvalidCharacterError",e.exports=r},function(e,t,n){"use strict";function o(e){return encodeURIComponent(e).replace(/%40/gi,"@").replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}var r=n(9);e.exports=function(e,t,n){if(!t)return e;var i;if(n)i=n(t);else if(r.isURLSearchParams(t))i=t.toString();else{var a=[];r.forEach(t,function(e,t){null!==e&&"undefined"!=typeof e&&(r.isArray(e)&&(t+="[]"),r.isArray(e)||(e=[e]),r.forEach(e,function(e){r.isDate(e)?e=e.toISOString():r.isObject(e)&&(e=JSON.stringify(e)),a.push(o(t)+"="+o(e))}))}),i=a.join("&")}return i&&(e+=(e.indexOf("?")===-1?"?":"&")+i),e}},function(e,t,n){"use strict";e.exports=function(e,t){return e.replace(/\/+$/,"")+"/"+t.replace(/^\/+/,"")}},function(e,t,n){"use strict";var o=n(9);e.exports=o.isStandardBrowserEnv()?function(){return{write:function(e,t,n,r,i,a){var s=[];s.push(e+"="+encodeURIComponent(t)),o.isNumber(n)&&s.push("expires="+new Date(n).toGMTString()),o.isString(r)&&s.push("path="+r),o.isString(i)&&s.push("domain="+i),a===!0&&s.push("secure"),document.cookie=s.join("; ")},read:function(e){var t=document.cookie.match(new RegExp("(^|;\\s*)("+e+")=([^;]*)"));return t?decodeURIComponent(t[3]):null},remove:function(e){this.write(e,"",Date.now()-864e5)}}}():function(){return{write:function(){},read:function(){return null},remove:function(){}}}()},function(e,t,n){"use strict";e.exports=function(e){return/^([a-z][a-z\d\+\-\.]*:)?\/\//i.test(e)}},function(e,t,n){"use strict";var o=n(9);e.exports=o.isStandardBrowserEnv()?function(){function e(e){var t=e;return n&&(r.setAttribute("href",t),t=r.href),r.setAttribute("href",t),{href:r.href,protocol:r.protocol?r.protocol.replace(/:$/,""):"",host:r.host,search:r.search?r.search.replace(/^\?/,""):"",hash:r.hash?r.hash.replace(/^#/,""):"",hostname:r.hostname,port:r.port,pathname:"/"===r.pathname.charAt(0)?r.pathname:"/"+r.pathname}}var t,n=/(msie|trident)/i.test(navigator.userAgent),r=document.createElement("a");return t=e(window.location.href),function(n){var r=o.isString(n)?e(n):n;return r.protocol===t.protocol&&r.host===t.host}}():function(){return function(){return!0}}()},function(e,t,n){"use strict";var o=n(9);e.exports=function(e,t){o.forEach(e,function(n,o){o!==t&&o.toUpperCase()===t.toUpperCase()&&(e[t]=n,delete e[o])})}},function(e,t,n){"use strict";var o=n(9);e.exports=function(e){var t,n,r,i={};return e?(o.forEach(e.split("\n"),function(e){r=e.indexOf(":"),t=o.trim(e.substr(0,r)).toLowerCase(),n=o.trim(e.substr(r+1)),t&&(i[t]=i[t]?i[t]+", "+n:n)}),i):i}},function(e,t,n){"use strict";e.exports=function(e){return function(t){return e.apply(null,t)}}},function(e,t,n){"use strict";function o(e){return e.replace(r,function(e,t){return t.toUpperCase()})}var r=/-(.)/g;e.exports=o},function(e,t,n){"use strict";function o(e){return r(e.replace(i,"ms-"))}var r=n(174),i=/^-ms-/;e.exports=o},function(e,t,n){"use strict";function o(e,t){return!(!e||!t)&&(e===t||!r(e)&&(r(t)?o(e,t.parentNode):"contains"in e?e.contains(t):!!e.compareDocumentPosition&&!!(16&e.compareDocumentPosition(t))))}var r=n(184);e.exports=o},function(e,t,n){"use strict";function o(e){var t=e.length;if(Array.isArray(e)||"object"!=typeof e&&"function"!=typeof e?a(!1):void 0,"number"!=typeof t?a(!1):void 0,0===t||t-1 in e?void 0:a(!1),"function"==typeof e.callee?a(!1):void 0,e.hasOwnProperty)try{return Array.prototype.slice.call(e)}catch(e){}for(var n=Array(t),o=0;o":a.innerHTML="<"+e+">",s[e]=!a.firstChild),s[e]?d[e]:null}var r=n(8),i=n(1),a=r.canUseDOM?document.createElement("div"):null,s={},l=[1,'"],u=[1,"","
"],c=[3,"","
"],p=[1,'',""],d={"*":[1,"?
","
"],area:[1,"",""],col:[2,"","
"],legend:[1,"
","
"],param:[1,"",""],tr:[2,"","
"],optgroup:l,option:l,caption:u,colgroup:u,tbody:u,tfoot:u,thead:u,td:c,th:c},f=["circle","clipPath","defs","ellipse","g","image","line","linearGradient","mask","path","pattern","polygon","polyline","radialGradient","rect","stop","text","tspan"];f.forEach(function(e){d[e]=p,s[e]=!0}),e.exports=o},function(e,t,n){"use strict";function o(e){return e===window?{x:window.pageXOffset||document.documentElement.scrollLeft,y:window.pageYOffset||document.documentElement.scrollTop}:{x:e.scrollLeft,y:e.scrollTop}}e.exports=o},function(e,t,n){"use strict";function o(e){return e.replace(r,"-$1").toLowerCase()}var r=/([A-Z])/g;e.exports=o},function(e,t,n){"use strict";function o(e){return r(e).replace(i,"-ms-")}var r=n(181),i=/^ms-/;e.exports=o},function(e,t,n){"use strict";function o(e){return!(!e||!("function"==typeof Node?e instanceof Node:"object"==typeof e&&"number"==typeof e.nodeType&&"string"==typeof e.nodeName))}e.exports=o},function(e,t,n){"use strict";function o(e){return r(e)&&3==e.nodeType}var r=n(183);e.exports=o},function(e,t,n){"use strict";function o(e){var t={};return function(n){return t.hasOwnProperty(n)||(t[n]=e.call(this,n)),t[n]}}e.exports=o},,,function(e,t,n){"use strict";function o(e){return null==e?void 0===e?l:s:u&&u in Object(e)?n.i(i.a)(e):n.i(a.a)(e)}var r=n(84),i=n(191),a=n(192),s="[object Null]",l="[object Undefined]",u=r.a?r.a.toStringTag:void 0;t.a=o},function(e,t,n){"use strict";(function(e){var n="object"==typeof e&&e&&e.Object===Object&&e;t.a=n}).call(t,n(66))},function(e,t,n){"use strict";var o=n(193),r=n.i(o.a)(Object.getPrototypeOf,Object);t.a=r},function(e,t,n){"use strict";function o(e){var t=a.call(e,l),n=e[l];try{e[l]=void 0;var o=!0}catch(e){}var r=s.call(e);return o&&(t?e[l]=n:delete e[l]),r}var r=n(84),i=Object.prototype,a=i.hasOwnProperty,s=i.toString,l=r.a?r.a.toStringTag:void 0;t.a=o},function(e,t,n){"use strict";function o(e){return i.call(e)}var r=Object.prototype,i=r.toString;t.a=o},function(e,t,n){"use strict";function o(e,t){return function(n){return e(t(n))}}t.a=o},function(e,t,n){"use strict";var o=n(189),r="object"==typeof self&&self&&self.Object===Object&&self,i=o.a||r||Function("return this")();t.a=i},function(e,t,n){"use strict";function o(e){return null!=e&&"object"==typeof e}t.a=o},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(326))},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(209))},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(215))},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(218))},function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n=t.top&&e.left>=t.left&&e.bottom<=t.bottom&&e.right<=t.right}function i(e,t){return e.top=t.tope.bottom||e.bottom===-1?t.bottom:e.bottom,e.right=t.right>e.right||e.right===-1?t.right:e.right,e.width=e.right-e.left+1,e.height=e.bottom-e.top+1,e}var a=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},s=n(0),l=n(6),u=16,c=100,p=500,d=200,f=10,h=30,m=2,g=2,v={top:-1,bottom:-1,left:-1,right:-1,width:0,height:0},y=function(e){return e.getBoundingClientRect()},b=y,_=y,w=function(e){function t(t){var n=e.call(this,t)||this;return n.state={pages:[]},n._estimatedPageHeight=0,n._totalEstimates=0,n._requiredWindowsAhead=0,n._requiredWindowsBehind=0,n._measureVersion=0,n._onAsyncScroll=n._async.debounce(n._onAsyncScroll,c,{leading:!1,maxWait:p}),n._onAsyncIdle=n._async.debounce(n._onAsyncIdle,d,{leading:!1}),n._onAsyncResize=n._async.debounce(n._onAsyncResize,u,{leading:!1}),n._cachedPageHeights={},n._estimatedPageHeight=0,n._focusedIndex=-1,n._scrollingToIndex=-1,n}return a(t,e),t.prototype.scrollToIndex=function(e,t){for(var n=this.props.startIndex,o=this._getRenderCount(),r=n+o,i=0,a=1,s=n;se;if(l){if(t){for(var u=e-s,c=0;c=f.top&&p<=f.bottom;if(h)return;var m=if.bottom;m||g&&(i=this._scrollElement.scrollTop+(p-f.bottom))}this._scrollElement.scrollTop=i;break}i+=this._getPageHeight(s,a,this._surfaceRect)}},t.prototype.componentDidMount=function(){this._updatePages(),this._measureVersion++,this._scrollElement=l.findScrollableParent(this.refs.root),this._events.on(window,"resize",this._onAsyncResize),this._events.on(this.refs.root,"focus",this._onFocus,!0),this._scrollElement&&(this._events.on(this._scrollElement,"scroll",this._onScroll),this._events.on(this._scrollElement,"scroll",this._onAsyncScroll))},t.prototype.componentWillReceiveProps=function(e){e.items===this.props.items&&e.renderCount===this.props.renderCount&&e.startIndex===this.props.startIndex||(this._measureVersion++,this._updatePages(e))},t.prototype.shouldComponentUpdate=function(e,t){var n=this.props,o=n.renderedWindowsAhead,r=n.renderedWindowsBehind,i=this.state.pages,a=t.pages,s=t.measureVersion,l=!1;if(this._measureVersion===s&&e.renderedWindowsAhead===o,e.renderedWindowsBehind===r,e.items===this.props.items&&i.length===a.length)for(var u=0;ua||n>s)&&this._onAsyncIdle()},t.prototype._onAsyncResize=function(){this.forceUpdate()},t.prototype._updatePages=function(e){var t=this,n=e||this.props,o=n.items,r=n.startIndex,i=n.renderCount;i=this._getRenderCount(e),this._requiredRect||this._updateRenderRects(e);var a=this._buildPages(o,r,i),s=this.state.pages;this.setState(a,function(){var e=t._updatePageMeasurements(s,a.pages);e?(t._materializedRect=null,t._hasCompletedFirstRender?t._onAsyncScroll():(t._hasCompletedFirstRender=!0,t._updatePages())):t._onAsyncIdle()})},t.prototype._updatePageMeasurements=function(e,t){for(var n={},o=!1,r=this._getRenderCount(),i=0;i-1,v=m>=h._allowedRect.top&&s<=h._allowedRect.bottom,y=m>=h._requiredRect.top&&s<=h._requiredRect.bottom,b=!d&&(y||v&&g),_=c>=n&&c0&&a[0].items&&a[0].items.length.ms-MessageBar-dismissal{right:0;top:0;position:absolute!important}.ms-MessageBar-actions,.ms-MessageBar-actionsOneline{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-flex:0;-ms-flex:0 0 auto;flex:0 0 auto;-webkit-box-orient:horizontal;-webkit-box-direction:reverse;-ms-flex-direction:row-reverse;flex-direction:row-reverse;-webkit-box-align:center;-ms-flex-align:center;align-items:center}.ms-MessageBar-actionsOneline{position:relative}.ms-MessageBar-dismissal{min-width:0}.ms-MessageBar-dismissal::-moz-focus-inner{border:0}.ms-MessageBar-dismissal{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-MessageBar-dismissal:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .ms-MessageBar-dismissalOneline .ms-MessageBar-dismissal{margin-right:-8px}html[dir=rtl] .ms-MessageBar-dismissalOneline .ms-MessageBar-dismissal{margin-left:-8px}.ms-MessageBar+.ms-MessageBar{margin-bottom:6px}html[dir=ltr] .ms-MessageBar-innerTextPadding{padding-right:24px}html[dir=rtl] .ms-MessageBar-innerTextPadding{padding-left:24px}html[dir=ltr] .ms-MessageBar-innerTextPadding .ms-MessageBar-innerText>span,html[dir=ltr] .ms-MessageBar-innerTextPadding span{padding-right:4px}html[dir=rtl] .ms-MessageBar-innerTextPadding .ms-MessageBar-innerText>span,html[dir=rtl] .ms-MessageBar-innerTextPadding span{padding-left:4px}.ms-MessageBar-multiline>.ms-MessageBar-content>.ms-MessageBar-actionables{-webkit-box-orient:vertical;-webkit-box-direction:normal;-ms-flex-direction:column;flex-direction:column}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-icon{-webkit-box-align:center;-ms-flex-align:center;-ms-grid-row-align:center;align-items:center}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text{-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center;-webkit-box-align:center;-ms-flex-align:center;-ms-grid-row-align:center;align-items:center}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text .ms-MessageBar-innerText,.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text .ms-MessageBar-innerTextPadding{max-height:1.3em;line-height:1.3em;overflow-x:hidden;text-overflow:ellipsis;white-space:nowrap}.ms-MessageBar-singleline .ms-MessageBar-content>.ms-MessageBar-actionables{-webkit-box-orient:horizontal;-webkit-box-direction:normal;-ms-flex-direction:row;flex-direction:row}.ms-MessageBar .ms-Icon--Cancel{font-size:14px}"}])},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(210)),o(n(91))},function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,n,a):r(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6);n(214);var l=function(e){function t(t){var n=e.call(this,t)||this;return n.props.onChanged&&(n.props.onChange=n.props.onChanged),n.state={value:t.value||"",hasFocus:!1,id:s.getId("SearchBox")},n}return o(t,e),t.prototype.componentWillReceiveProps=function(e){void 0!==e.value&&this.setState({value:e.value})},t.prototype.render=function(){var e=this.props,t=e.labelText,n=e.className,o=this.state,i=o.value,l=o.hasFocus,u=o.id;return a.createElement("div",r({ref:this._resolveRef("_rootElement"),className:s.css("ms-SearchBox",n,{"is-active":l,"can-clear":i.length>0})},{onFocusCapture:this._onFocusCapture}),a.createElement("i",{className:"ms-SearchBox-icon ms-Icon ms-Icon--Search"}),a.createElement("input",{ -id:u,className:"ms-SearchBox-field",placeholder:t,onChange:this._onInputChange,onKeyDown:this._onKeyDown,value:i,ref:this._resolveRef("_inputElement")}),a.createElement("div",{className:"ms-SearchBox-clearButton",onClick:this._onClearClick},a.createElement("i",{className:"ms-Icon ms-Icon--Clear"})))},t.prototype.focus=function(){this._inputElement&&this._inputElement.focus()},t.prototype._onClearClick=function(e){this.setState({value:""}),this._callOnChange(""),e.stopPropagation(),e.preventDefault(),this._inputElement.focus()},t.prototype._onFocusCapture=function(e){this.setState({hasFocus:!0}),this._events.on(s.getDocument().body,"focus",this._handleDocumentFocus,!0)},t.prototype._onKeyDown=function(e){switch(e.which){case s.KeyCodes.escape:this._onClearClick(e);break;case s.KeyCodes.enter:this.props.onSearch&&this.state.value.length>0&&this.props.onSearch(this.state.value);break;default:return}e.preventDefault(),e.stopPropagation()},t.prototype._onInputChange=function(e){this.setState({value:this._inputElement.value}),this._callOnChange(this._inputElement.value)},t.prototype._handleDocumentFocus=function(e){s.elementContains(this._rootElement,e.target)||(this._events.off(s.getDocument().body,"focus"),this.setState({hasFocus:!1}))},t.prototype._callOnChange=function(e){var t=this.props.onChange;t&&t(e)},t}(s.BaseComponent);l.defaultProps={labelText:"Search"},i([s.autobind],l.prototype,"_onClearClick",null),i([s.autobind],l.prototype,"_onFocusCapture",null),i([s.autobind],l.prototype,"_onKeyDown",null),i([s.autobind],l.prototype,"_onInputChange",null),t.SearchBox=l},function(e,t,n){"use strict";var o=n(7),r={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=r,o.loadStyles([{rawString:'.ms-SearchBox{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;box-sizing:border-box;margin:0;padding:0;box-shadow:none;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";position:relative;margin-bottom:10px;border:1px solid "},{theme:"themeTertiary",defaultValue:"#71afe5"},{rawString:"}.ms-SearchBox.is-active{border-color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}html[dir=ltr] .ms-SearchBox.is-active .ms-SearchBox-field{padding-left:8px}html[dir=rtl] .ms-SearchBox.is-active .ms-SearchBox-field{padding-right:8px}.ms-SearchBox.is-active .ms-SearchBox-icon{display:none}.ms-SearchBox.is-disabled{border-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-SearchBox.is-disabled .ms-SearchBox-icon{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.ms-SearchBox.is-disabled .ms-SearchBox-field{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";pointer-events:none;cursor:default}.ms-SearchBox.can-clear .ms-SearchBox-clearButton{display:block}.ms-SearchBox:hover .ms-SearchBox-field{border-color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}.ms-SearchBox:hover .ms-SearchBox-label{color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-SearchBox:hover .ms-SearchBox-label .ms-SearchBox-icon{color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}input.ms-SearchBox-field{position:relative;box-sizing:border-box;margin:0;padding:0;box-shadow:none;border:none;outline:transparent 1px solid;font-weight:inherit;font-family:inherit;font-size:inherit;color:"},{theme:"black",defaultValue:"#000000"},{rawString:";height:34px;padding:6px 38px 7px 31px;width:100%;background-color:transparent;-webkit-transition:padding-left 167ms;transition:padding-left 167ms}html[dir=rtl] input.ms-SearchBox-field{padding:6px 31px 7px 38px}html[dir=ltr] input.ms-SearchBox-field:focus{padding-right:32px}html[dir=rtl] input.ms-SearchBox-field:focus{padding-left:32px}input.ms-SearchBox-field::-ms-clear{display:none}.ms-SearchBox-clearButton{display:none;border:none;cursor:pointer;position:absolute;top:0;width:40px;height:36px;line-height:36px;vertical-align:top;color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";text-align:center;font-size:16px}html[dir=ltr] .ms-SearchBox-clearButton{right:0}html[dir=rtl] .ms-SearchBox-clearButton{left:0}.ms-SearchBox-icon{font-size:17px;color:"},{theme:"neutralSecondaryAlt",defaultValue:"#767676"},{rawString:";position:absolute;top:0;height:36px;line-height:36px;vertical-align:top;font-size:16px;width:16px;color:#0078d7}html[dir=ltr] .ms-SearchBox-icon{left:8px}html[dir=rtl] .ms-SearchBox-icon{right:8px}html[dir=ltr] .ms-SearchBox-icon{margin-right:6px}html[dir=rtl] .ms-SearchBox-icon{margin-left:6px}"}])},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(213))},function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=n(0),i=n(6),a=n(92);n(217);var s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return o(t,e),t.prototype.render=function(){var e=this.props,t=e.type,n=e.size,o=e.label,s=e.className;return r.createElement("div",{className:i.css("ms-Spinner",s)},r.createElement("div",{className:i.css("ms-Spinner-circle",{"ms-Spinner--xSmall":n===a.SpinnerSize.xSmall},{"ms-Spinner--small":n===a.SpinnerSize.small},{"ms-Spinner--medium":n===a.SpinnerSize.medium},{"ms-Spinner--large":n===a.SpinnerSize.large},{"ms-Spinner--normal":t===a.SpinnerType.normal},{"ms-Spinner--large":t===a.SpinnerType.large})}),o&&r.createElement("div",{className:"ms-Spinner-label"},o))},t}(r.Component);s.defaultProps={size:a.SpinnerSize.medium},t.Spinner=s},function(e,t,n){"use strict";var o=n(7),r={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=r,o.loadStyles([{rawString:"@-webkit-keyframes ms-Spinner-spin{0%{-webkit-transform:rotate(0);transform:rotate(0)}100%{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}@keyframes ms-Spinner-spin{0%{-webkit-transform:rotate(0);transform:rotate(0)}100%{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}.ms-Spinner>.ms-Spinner-circle{margin:auto;box-sizing:border-box;border-radius:50%;width:100%;height:100%;border:1.5px solid "},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";border-top-color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";-webkit-animation:ms-Spinner-spin 1.3s infinite cubic-bezier(.53,.21,.29,.67);animation:ms-Spinner-spin 1.3s infinite cubic-bezier(.53,.21,.29,.67)}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--xSmall{width:12px;height:12px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--small{width:16px;height:16px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--medium,.ms-Spinner>.ms-Spinner-circle.ms-Spinner--normal{width:20px;height:20px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--large{width:28px;height:28px}.ms-Spinner>.ms-Spinner-label{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";margin-top:10px;text-align:center}@media screen and (-ms-high-contrast:active){.ms-Spinner>.ms-Spinner-circle{border-top-style:none}}"}])},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(216)),o(n(92))},function(e,t,n){"use strict";var o={Properties:{"aria-current":0,"aria-details":0,"aria-disabled":0,"aria-hidden":0,"aria-invalid":0,"aria-keyshortcuts":0,"aria-label":0,"aria-roledescription":0,"aria-autocomplete":0,"aria-checked":0,"aria-expanded":0,"aria-haspopup":0,"aria-level":0,"aria-modal":0,"aria-multiline":0,"aria-multiselectable":0,"aria-orientation":0,"aria-placeholder":0,"aria-pressed":0,"aria-readonly":0,"aria-required":0,"aria-selected":0,"aria-sort":0,"aria-valuemax":0,"aria-valuemin":0,"aria-valuenow":0,"aria-valuetext":0,"aria-atomic":0,"aria-busy":0,"aria-live":0,"aria-relevant":0,"aria-dropeffect":0,"aria-grabbed":0,"aria-activedescendant":0,"aria-colcount":0,"aria-colindex":0,"aria-colspan":0,"aria-controls":0,"aria-describedby":0,"aria-errormessage":0,"aria-flowto":0,"aria-labelledby":0,"aria-owns":0,"aria-posinset":0,"aria-rowcount":0,"aria-rowindex":0,"aria-rowspan":0,"aria-setsize":0},DOMAttributeNames:{},DOMPropertyNames:{}};e.exports=o},function(e,t,n){"use strict";var o=n(5),r=n(82),i={focusDOMComponent:function(){r(o.getNodeFromInstance(this))}};e.exports=i},function(e,t,n){"use strict";function o(){var e=window.opera;return"object"==typeof e&&"function"==typeof e.version&&parseInt(e.version(),10)<=12}function r(e){return(e.ctrlKey||e.altKey||e.metaKey)&&!(e.ctrlKey&&e.altKey)}function i(e){switch(e){case"topCompositionStart":return T.compositionStart;case"topCompositionEnd":return T.compositionEnd;case"topCompositionUpdate":return T.compositionUpdate}}function a(e,t){return"topKeyDown"===e&&t.keyCode===b}function s(e,t){switch(e){case"topKeyUp":return y.indexOf(t.keyCode)!==-1;case"topKeyDown":return t.keyCode!==b;case"topKeyPress":case"topMouseDown":case"topBlur":return!0;default:return!1}}function l(e){var t=e.detail;return"object"==typeof t&&"data"in t?t.data:null}function u(e,t,n,o){var r,u;if(_?r=i(e):k?s(e,n)&&(r=T.compositionEnd):a(e,n)&&(r=T.compositionStart),!r)return null;E&&(k||r!==T.compositionStart?r===T.compositionEnd&&k&&(u=k.getData()):k=m.getPooled(o));var c=g.getPooled(r,t,n,o);if(u)c.data=u;else{var p=l(n);null!==p&&(c.data=p)}return f.accumulateTwoPhaseDispatches(c),c}function c(e,t){switch(e){case"topCompositionEnd":return l(t);case"topKeyPress":var n=t.which;return n!==x?null:(P=!0,S);case"topTextInput":var o=t.data;return o===S&&P?null:o;default:return null}}function p(e,t){if(k){if("topCompositionEnd"===e||!_&&s(e,t)){var n=k.getData();return m.release(k),k=null,n}return null}switch(e){case"topPaste":return null;case"topKeyPress":return t.which&&!r(t)?String.fromCharCode(t.which):null;case"topCompositionEnd":return E?null:t.data;default:return null}}function d(e,t,n,o){var r;if(r=C?c(e,n):p(e,n),!r)return null;var i=v.getPooled(T.beforeInput,t,n,o);return i.data=r,f.accumulateTwoPhaseDispatches(i),i}var f=n(28),h=n(8),m=n(227),g=n(264),v=n(267),y=[9,13,27,32],b=229,_=h.canUseDOM&&"CompositionEvent"in window,w=null;h.canUseDOM&&"documentMode"in document&&(w=document.documentMode);var C=h.canUseDOM&&"TextEvent"in window&&!w&&!o(),E=h.canUseDOM&&(!_||w&&w>8&&w<=11),x=32,S=String.fromCharCode(x),T={beforeInput:{phasedRegistrationNames:{bubbled:"onBeforeInput",captured:"onBeforeInputCapture"},dependencies:["topCompositionEnd","topKeyPress","topTextInput","topPaste"]},compositionEnd:{phasedRegistrationNames:{bubbled:"onCompositionEnd",captured:"onCompositionEndCapture"},dependencies:["topBlur","topCompositionEnd","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]},compositionStart:{phasedRegistrationNames:{bubbled:"onCompositionStart",captured:"onCompositionStartCapture"},dependencies:["topBlur","topCompositionStart","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]},compositionUpdate:{phasedRegistrationNames:{bubbled:"onCompositionUpdate",captured:"onCompositionUpdateCapture"},dependencies:["topBlur","topCompositionUpdate","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]}},P=!1,k=null,I={eventTypes:T,extractEvents:function(e,t,n,o){return[u(e,t,n,o),d(e,t,n,o)]}};e.exports=I},function(e,t,n){"use strict";var o=n(93),r=n(8),i=(n(11),n(175),n(273)),a=n(182),s=n(185),l=(n(2),s(function(e){return a(e)})),u=!1,c="cssFloat";if(r.canUseDOM){var p=document.createElement("div").style;try{p.font=""}catch(e){u=!0}void 0===document.documentElement.style.cssFloat&&(c="styleFloat")}var d={createMarkupForStyles:function(e,t){var n="";for(var o in e)if(e.hasOwnProperty(o)){var r=e[o];null!=r&&(n+=l(o)+":",n+=i(o,r,t)+";")}return n||null},setValueForStyles:function(e,t,n){var r=e.style;for(var a in t)if(t.hasOwnProperty(a)){var s=i(a,t[a],n);if("float"!==a&&"cssFloat"!==a||(a=c),s)r[a]=s;else{var l=u&&o.shorthandPropertyExpansions[a];if(l)for(var p in l)r[p]="";else r[a]=""}}}};e.exports=d},function(e,t,n){"use strict";function o(e){var t=e.nodeName&&e.nodeName.toLowerCase();return"select"===t||"input"===t&&"file"===e.type}function r(e){var t=E.getPooled(P.change,I,e,x(e));b.accumulateTwoPhaseDispatches(t),C.batchedUpdates(i,t)}function i(e){y.enqueueEvents(e),y.processEventQueue(!1)}function a(e,t){k=e,I=t,k.attachEvent("onchange",r)}function s(){k&&(k.detachEvent("onchange",r),k=null,I=null)}function l(e,t){if("topChange"===e)return t}function u(e,t,n){"topFocus"===e?(s(),a(t,n)):"topBlur"===e&&s()}function c(e,t){k=e,I=t,M=e.value,O=Object.getOwnPropertyDescriptor(e.constructor.prototype,"value"),Object.defineProperty(k,"value",R),k.attachEvent?k.attachEvent("onpropertychange",d):k.addEventListener("propertychange",d,!1)}function p(){k&&(delete k.value,k.detachEvent?k.detachEvent("onpropertychange",d):k.removeEventListener("propertychange",d,!1),k=null,I=null,M=null,O=null)}function d(e){if("value"===e.propertyName){var t=e.srcElement.value;t!==M&&(M=t,r(e))}}function f(e,t){if("topInput"===e)return t}function h(e,t,n){"topFocus"===e?(p(),c(t,n)):"topBlur"===e&&p()}function m(e,t){if(("topSelectionChange"===e||"topKeyUp"===e||"topKeyDown"===e)&&k&&k.value!==M)return M=k.value,I}function g(e){return e.nodeName&&"input"===e.nodeName.toLowerCase()&&("checkbox"===e.type||"radio"===e.type)}function v(e,t){if("topClick"===e)return t}var y=n(27),b=n(28),_=n(8),w=n(5),C=n(12),E=n(13),x=n(59),S=n(60),T=n(110),P={change:{phasedRegistrationNames:{bubbled:"onChange",captured:"onChangeCapture"},dependencies:["topBlur","topChange","topClick","topFocus","topInput","topKeyDown","topKeyUp","topSelectionChange"]}},k=null,I=null,M=null,O=null,D=!1;_.canUseDOM&&(D=S("change")&&(!document.documentMode||document.documentMode>8));var N=!1;_.canUseDOM&&(N=S("input")&&(!document.documentMode||document.documentMode>11));var R={get:function(){return O.get.call(this)},set:function(e){M=""+e,O.set.call(this,e)}},B={eventTypes:P,extractEvents:function(e,t,n,r){var i,a,s=t?w.getNodeFromInstance(t):window;if(o(s)?D?i=l:a=u:T(s)?N?i=f:(i=m,a=h):g(s)&&(i=v),i){var c=i(e,t);if(c){var p=E.getPooled(P.change,c,n,r);return p.type="change",b.accumulateTwoPhaseDispatches(p),p}}a&&a(e,s,t)}};e.exports=B},function(e,t,n){"use strict";var o=n(3),r=n(19),i=n(8),a=n(178),s=n(10),l=(n(1),{dangerouslyReplaceNodeWithMarkup:function(e,t){if(i.canUseDOM?void 0:o("56"),t?void 0:o("57"),"HTML"===e.nodeName?o("58"):void 0,"string"==typeof t){var n=a(t,s)[0];e.parentNode.replaceChild(n,e)}else r.replaceChildWithTree(e,t)}});e.exports=l},function(e,t,n){"use strict";var o=["ResponderEventPlugin","SimpleEventPlugin","TapEventPlugin","EnterLeaveEventPlugin","ChangeEventPlugin","SelectEventPlugin","BeforeInputEventPlugin"];e.exports=o},function(e,t,n){"use strict";var o=n(28),r=n(5),i=n(35),a={mouseEnter:{registrationName:"onMouseEnter",dependencies:["topMouseOut","topMouseOver"]},mouseLeave:{registrationName:"onMouseLeave",dependencies:["topMouseOut","topMouseOver"]}},s={eventTypes:a,extractEvents:function(e,t,n,s){if("topMouseOver"===e&&(n.relatedTarget||n.fromElement))return null;if("topMouseOut"!==e&&"topMouseOver"!==e)return null;var l;if(s.window===s)l=s;else{var u=s.ownerDocument;l=u?u.defaultView||u.parentWindow:window}var c,p;if("topMouseOut"===e){c=t;var d=n.relatedTarget||n.toElement;p=d?r.getClosestInstanceFromNode(d):null}else c=null,p=t;if(c===p)return null;var f=null==c?l:r.getNodeFromInstance(c),h=null==p?l:r.getNodeFromInstance(p),m=i.getPooled(a.mouseLeave,c,n,s);m.type="mouseleave",m.target=f,m.relatedTarget=h;var g=i.getPooled(a.mouseEnter,p,n,s);return g.type="mouseenter",g.target=h,g.relatedTarget=f,o.accumulateEnterLeaveDispatches(m,g,c,p),[m,g]}};e.exports=s},function(e,t,n){"use strict";function o(e){this._root=e,this._startText=this.getText(),this._fallbackText=null}var r=n(4),i=n(15),a=n(108);r(o.prototype,{destructor:function(){this._root=null,this._startText=null,this._fallbackText=null},getText:function(){return"value"in this._root?this._root.value:this._root[a()]},getData:function(){if(this._fallbackText)return this._fallbackText;var e,t,n=this._startText,o=n.length,r=this.getText(),i=r.length;for(e=0;e1?1-t:void 0;return this._fallbackText=r.slice(e,s),this._fallbackText}}),i.addPoolingTo(o),e.exports=o},function(e,t,n){"use strict";var o=n(20),r=o.injection.MUST_USE_PROPERTY,i=o.injection.HAS_BOOLEAN_VALUE,a=o.injection.HAS_NUMERIC_VALUE,s=o.injection.HAS_POSITIVE_NUMERIC_VALUE,l=o.injection.HAS_OVERLOADED_BOOLEAN_VALUE,u={isCustomAttribute:RegExp.prototype.test.bind(new RegExp("^(data|aria)-["+o.ATTRIBUTE_NAME_CHAR+"]*$")),Properties:{accept:0,acceptCharset:0,accessKey:0,action:0,allowFullScreen:i,allowTransparency:0,alt:0,as:0,async:i,autoComplete:0,autoPlay:i,capture:i,cellPadding:0,cellSpacing:0,charSet:0,challenge:0,checked:r|i,cite:0,classID:0,className:0,cols:s,colSpan:0,content:0,contentEditable:0,contextMenu:0,controls:i,coords:0,crossOrigin:0,data:0,dateTime:0,default:i,defer:i,dir:0,disabled:i,download:l,draggable:0,encType:0,form:0,formAction:0,formEncType:0,formMethod:0,formNoValidate:i,formTarget:0,frameBorder:0,headers:0,height:0,hidden:i,high:0,href:0,hrefLang:0,htmlFor:0,httpEquiv:0,icon:0,id:0,inputMode:0,integrity:0,is:0,keyParams:0,keyType:0,kind:0,label:0,lang:0,list:0,loop:i,low:0,manifest:0,marginHeight:0,marginWidth:0,max:0,maxLength:0,media:0,mediaGroup:0,method:0,min:0,minLength:0,multiple:r|i,muted:r|i,name:0,nonce:0,noValidate:i,open:i,optimum:0,pattern:0,placeholder:0,playsInline:i,poster:0,preload:0,profile:0,radioGroup:0,readOnly:i,referrerPolicy:0,rel:0,required:i,reversed:i,role:0,rows:s,rowSpan:a,sandbox:0,scope:0,scoped:i,scrolling:0,seamless:i,selected:r|i,shape:0,size:s,sizes:0,span:s,spellCheck:0,src:0,srcDoc:0,srcLang:0,srcSet:0,start:a,step:0,style:0,summary:0,tabIndex:0,target:0,title:0,type:0,useMap:0,value:0,width:0,wmode:0,wrap:0,about:0,datatype:0,inlist:0,prefix:0,property:0,resource:0,typeof:0,vocab:0,autoCapitalize:0,autoCorrect:0,autoSave:0,color:0,itemProp:0,itemScope:i,itemType:0,itemID:0,itemRef:0,results:0,security:0,unselectable:0},DOMAttributeNames:{acceptCharset:"accept-charset",className:"class",htmlFor:"for",httpEquiv:"http-equiv"},DOMPropertyNames:{}};e.exports=u},function(e,t,n){"use strict";(function(t){function o(e,t,n,o){var r=void 0===e[n];null!=t&&r&&(e[n]=i(t,!0))}var r=n(21),i=n(109),a=(n(51),n(61)),s=n(112);n(2);"undefined"!=typeof t&&n.i({NODE_ENV:"production"}),1;var l={instantiateChildren:function(e,t,n,r){if(null==e)return null;var i={};return s(e,o,i),i},updateChildren:function(e,t,n,o,s,l,u,c,p){if(t||e){var d,f;for(d in t)if(t.hasOwnProperty(d)){f=e&&e[d];var h=f&&f._currentElement,m=t[d];if(null!=f&&a(h,m))r.receiveComponent(f,m,s,c),t[d]=f;else{f&&(o[d]=r.getHostNode(f),r.unmountComponent(f,!1));var g=i(m,!0);t[d]=g;var v=r.mountComponent(g,s,l,u,c,p);n.push(v)}}for(d in e)!e.hasOwnProperty(d)||t&&t.hasOwnProperty(d)||(f=e[d],o[d]=r.getHostNode(f),r.unmountComponent(f,!1))}},unmountChildren:function(e,t){for(var n in e)if(e.hasOwnProperty(n)){var o=e[n];r.unmountComponent(o,t)}}};e.exports=l}).call(t,n(33))},function(e,t,n){"use strict";var o=n(47),r=n(237),i={processChildrenUpdates:r.dangerouslyProcessChildrenUpdates,replaceNodeWithMarkup:o.dangerouslyReplaceNodeWithMarkup};e.exports=i},function(e,t,n){"use strict";function o(e){}function r(e,t){}function i(e){return!(!e.prototype||!e.prototype.isReactComponent)}function a(e){return!(!e.prototype||!e.prototype.isPureReactComponent)}var s=n(3),l=n(4),u=n(22),c=n(53),p=n(14),d=n(54),f=n(29),h=(n(11),n(103)),m=n(21),g=n(25),v=(n(1),n(44)),y=n(61),b=(n(2),{ImpureClass:0,PureClass:1,StatelessFunctional:2});o.prototype.render=function(){var e=f.get(this)._currentElement.type,t=e(this.props,this.context,this.updater);return r(e,t),t};var _=1,w={construct:function(e){this._currentElement=e,this._rootNodeID=0,this._compositeType=null,this._instance=null,this._hostParent=null,this._hostContainerInfo=null,this._updateBatchNumber=null,this._pendingElement=null,this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1,this._renderedNodeType=null,this._renderedComponent=null,this._context=null,this._mountOrder=0,this._topLevelWrapper=null,this._pendingCallbacks=null,this._calledComponentWillUnmount=!1},mountComponent:function(e,t,n,l){this._context=l,this._mountOrder=_++,this._hostParent=t,this._hostContainerInfo=n;var c,p=this._currentElement.props,d=this._processContext(l),h=this._currentElement.type,m=e.getUpdateQueue(),v=i(h),y=this._constructComponent(v,p,d,m);v||null!=y&&null!=y.render?a(h)?this._compositeType=b.PureClass:this._compositeType=b.ImpureClass:(c=y,r(h,c),null===y||y===!1||u.isValidElement(y)?void 0:s("105",h.displayName||h.name||"Component"),y=new o(h),this._compositeType=b.StatelessFunctional);y.props=p,y.context=d,y.refs=g,y.updater=m,this._instance=y,f.set(y,this);var w=y.state;void 0===w&&(y.state=w=null),"object"!=typeof w||Array.isArray(w)?s("106",this.getName()||"ReactCompositeComponent"):void 0,this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1;var C;return C=y.unstable_handleError?this.performInitialMountWithErrorHandling(c,t,n,e,l):this.performInitialMount(c,t,n,e,l),y.componentDidMount&&e.getReactMountReady().enqueue(y.componentDidMount,y),C},_constructComponent:function(e,t,n,o){return this._constructComponentWithoutOwner(e,t,n,o)},_constructComponentWithoutOwner:function(e,t,n,o){var r=this._currentElement.type;return e?new r(t,n,o):r(t,n,o)},performInitialMountWithErrorHandling:function(e,t,n,o,r){var i,a=o.checkpoint();try{i=this.performInitialMount(e,t,n,o,r)}catch(s){o.rollback(a),this._instance.unstable_handleError(s),this._pendingStateQueue&&(this._instance.state=this._processPendingState(this._instance.props,this._instance.context)),a=o.checkpoint(),this._renderedComponent.unmountComponent(!0),o.rollback(a),i=this.performInitialMount(e,t,n,o,r)}return i},performInitialMount:function(e,t,n,o,r){var i=this._instance,a=0;i.componentWillMount&&(i.componentWillMount(),this._pendingStateQueue&&(i.state=this._processPendingState(i.props,i.context))),void 0===e&&(e=this._renderValidatedComponent());var s=h.getType(e);this._renderedNodeType=s;var l=this._instantiateReactComponent(e,s!==h.EMPTY);this._renderedComponent=l;var u=m.mountComponent(l,o,t,n,this._processChildContext(r),a);return u},getHostNode:function(){return m.getHostNode(this._renderedComponent)},unmountComponent:function(e){if(this._renderedComponent){var t=this._instance;if(t.componentWillUnmount&&!t._calledComponentWillUnmount)if(t._calledComponentWillUnmount=!0,e){var n=this.getName()+".componentWillUnmount()";d.invokeGuardedCallback(n,t.componentWillUnmount.bind(t))}else t.componentWillUnmount();this._renderedComponent&&(m.unmountComponent(this._renderedComponent,e),this._renderedNodeType=null,this._renderedComponent=null,this._instance=null),this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1,this._pendingCallbacks=null,this._pendingElement=null,this._context=null,this._rootNodeID=0,this._topLevelWrapper=null,f.remove(t)}},_maskContext:function(e){var t=this._currentElement.type,n=t.contextTypes;if(!n)return g;var o={};for(var r in n)o[r]=e[r];return o},_processContext:function(e){var t=this._maskContext(e);return t},_processChildContext:function(e){var t,n=this._currentElement.type,o=this._instance;if(o.getChildContext&&(t=o.getChildContext()),t){"object"!=typeof n.childContextTypes?s("107",this.getName()||"ReactCompositeComponent"):void 0;for(var r in t)r in n.childContextTypes?void 0:s("108",this.getName()||"ReactCompositeComponent",r);return l({},e,t)}return e},_checkContextTypes:function(e,t,n){},receiveComponent:function(e,t,n){var o=this._currentElement,r=this._context;this._pendingElement=null,this.updateComponent(t,o,e,r,n)},performUpdateIfNecessary:function(e){null!=this._pendingElement?m.receiveComponent(this,this._pendingElement,e,this._context):null!==this._pendingStateQueue||this._pendingForceUpdate?this.updateComponent(e,this._currentElement,this._currentElement,this._context,this._context):this._updateBatchNumber=null},updateComponent:function(e,t,n,o,r){var i=this._instance;null==i?s("136",this.getName()||"ReactCompositeComponent"):void 0;var a,l=!1;this._context===r?a=i.context:(a=this._processContext(r),l=!0);var u=t.props,c=n.props;t!==n&&(l=!0),l&&i.componentWillReceiveProps&&i.componentWillReceiveProps(c,a);var p=this._processPendingState(c,a),d=!0;this._pendingForceUpdate||(i.shouldComponentUpdate?d=i.shouldComponentUpdate(c,p,a):this._compositeType===b.PureClass&&(d=!v(u,c)||!v(i.state,p))),this._updateBatchNumber=null,d?(this._pendingForceUpdate=!1,this._performComponentUpdate(n,c,p,a,e,r)):(this._currentElement=n,this._context=r,i.props=c,i.state=p,i.context=a)},_processPendingState:function(e,t){var n=this._instance,o=this._pendingStateQueue,r=this._pendingReplaceState;if(this._pendingReplaceState=!1,this._pendingStateQueue=null,!o)return n.state;if(r&&1===o.length)return o[0];for(var i=l({},r?o[0]:n.state),a=r?1:0;a=0||null!=t.is}function h(e){var t=e.type;d(t),this._currentElement=e,this._tag=t.toLowerCase(),this._namespaceURI=null,this._renderedChildren=null,this._previousStyle=null,this._previousStyleCopy=null,this._hostNode=null,this._hostParent=null,this._rootNodeID=0,this._domID=0,this._hostContainerInfo=null,this._wrapperState=null,this._topLevelWrapper=null,this._flags=0}var m=n(3),g=n(4),v=n(220),y=n(222),b=n(19),_=n(48),w=n(20),C=n(95),E=n(27),x=n(49),S=n(34),T=n(96),P=n(5),k=n(238),I=n(239),M=n(97),O=n(242),D=(n(11),n(251)),N=n(256),R=(n(10),n(37)),B=(n(1),n(60),n(44),n(62),n(2),T),A=E.deleteListener,L=P.getNodeFromInstance,F=S.listenTo,U=x.registrationNameModules,V={string:!0,number:!0},j="style",W="__html",H={children:null,dangerouslySetInnerHTML:null,suppressContentEditableWarning:null},K=11,z={topAbort:"abort",topCanPlay:"canplay",topCanPlayThrough:"canplaythrough",topDurationChange:"durationchange",topEmptied:"emptied",topEncrypted:"encrypted",topEnded:"ended",topError:"error",topLoadedData:"loadeddata",topLoadedMetadata:"loadedmetadata",topLoadStart:"loadstart",topPause:"pause",topPlay:"play",topPlaying:"playing",topProgress:"progress",topRateChange:"ratechange",topSeeked:"seeked",topSeeking:"seeking",topStalled:"stalled",topSuspend:"suspend",topTimeUpdate:"timeupdate",topVolumeChange:"volumechange",topWaiting:"waiting"},q={area:!0,base:!0,br:!0,col:!0,embed:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0},G={listing:!0,pre:!0,textarea:!0},Y=g({menuitem:!0},q),X=/^[a-zA-Z][a-zA-Z:_\.\-\d]*$/,Z={},Q={}.hasOwnProperty,$=1;h.displayName="ReactDOMComponent",h.Mixin={mountComponent:function(e,t,n,o){this._rootNodeID=$++,this._domID=n._idCounter++,this._hostParent=t,this._hostContainerInfo=n;var i=this._currentElement.props;switch(this._tag){case"audio":case"form":case"iframe":case"img":case"link":case"object":case"source":case"video":this._wrapperState={listeners:null},e.getReactMountReady().enqueue(c,this);break;case"input":k.mountWrapper(this,i,t),i=k.getHostProps(this,i),e.getReactMountReady().enqueue(c,this);break;case"option":I.mountWrapper(this,i,t),i=I.getHostProps(this,i);break;case"select":M.mountWrapper(this,i,t),i=M.getHostProps(this,i), -e.getReactMountReady().enqueue(c,this);break;case"textarea":O.mountWrapper(this,i,t),i=O.getHostProps(this,i),e.getReactMountReady().enqueue(c,this)}r(this,i);var a,p;null!=t?(a=t._namespaceURI,p=t._tag):n._tag&&(a=n._namespaceURI,p=n._tag),(null==a||a===_.svg&&"foreignobject"===p)&&(a=_.html),a===_.html&&("svg"===this._tag?a=_.svg:"math"===this._tag&&(a=_.mathml)),this._namespaceURI=a;var d;if(e.useCreateElement){var f,h=n._ownerDocument;if(a===_.html)if("script"===this._tag){var m=h.createElement("div"),g=this._currentElement.type;m.innerHTML="<"+g+">",f=m.removeChild(m.firstChild)}else f=i.is?h.createElement(this._currentElement.type,i.is):h.createElement(this._currentElement.type);else f=h.createElementNS(a,this._currentElement.type);P.precacheNode(this,f),this._flags|=B.hasCachedChildNodes,this._hostParent||C.setAttributeForRoot(f),this._updateDOMProperties(null,i,e);var y=b(f);this._createInitialChildren(e,i,o,y),d=y}else{var w=this._createOpenTagMarkupAndPutListeners(e,i),E=this._createContentMarkup(e,i,o);d=!E&&q[this._tag]?w+"/>":w+">"+E+""}switch(this._tag){case"input":e.getReactMountReady().enqueue(s,this),i.autoFocus&&e.getReactMountReady().enqueue(v.focusDOMComponent,this);break;case"textarea":e.getReactMountReady().enqueue(l,this),i.autoFocus&&e.getReactMountReady().enqueue(v.focusDOMComponent,this);break;case"select":i.autoFocus&&e.getReactMountReady().enqueue(v.focusDOMComponent,this);break;case"button":i.autoFocus&&e.getReactMountReady().enqueue(v.focusDOMComponent,this);break;case"option":e.getReactMountReady().enqueue(u,this)}return d},_createOpenTagMarkupAndPutListeners:function(e,t){var n="<"+this._currentElement.type;for(var o in t)if(t.hasOwnProperty(o)){var r=t[o];if(null!=r)if(U.hasOwnProperty(o))r&&i(this,o,r,e);else{o===j&&(r&&(r=this._previousStyleCopy=g({},t.style)),r=y.createMarkupForStyles(r,this));var a=null;null!=this._tag&&f(this._tag,t)?H.hasOwnProperty(o)||(a=C.createMarkupForCustomAttribute(o,r)):a=C.createMarkupForProperty(o,r),a&&(n+=" "+a)}}return e.renderToStaticMarkup?n:(this._hostParent||(n+=" "+C.createMarkupForRoot()),n+=" "+C.createMarkupForID(this._domID))},_createContentMarkup:function(e,t,n){var o="",r=t.dangerouslySetInnerHTML;if(null!=r)null!=r.__html&&(o=r.__html);else{var i=V[typeof t.children]?t.children:null,a=null!=i?null:t.children;if(null!=i)o=R(i);else if(null!=a){var s=this.mountChildren(a,e,n);o=s.join("")}}return G[this._tag]&&"\n"===o.charAt(0)?"\n"+o:o},_createInitialChildren:function(e,t,n,o){var r=t.dangerouslySetInnerHTML;if(null!=r)null!=r.__html&&b.queueHTML(o,r.__html);else{var i=V[typeof t.children]?t.children:null,a=null!=i?null:t.children;if(null!=i)""!==i&&b.queueText(o,i);else if(null!=a)for(var s=this.mountChildren(a,e,n),l=0;l"},receiveComponent:function(){},getHostNode:function(){return i.getNodeFromInstance(this)},unmountComponent:function(){i.uncacheNode(this)}}),e.exports=a},function(e,t,n){"use strict";var o={useCreateElement:!0,useFiber:!1};e.exports=o},function(e,t,n){"use strict";var o=n(47),r=n(5),i={dangerouslyProcessChildrenUpdates:function(e,t){var n=r.getNodeFromInstance(e);o.processUpdates(n,t)}};e.exports=i},function(e,t,n){"use strict";function o(){this._rootNodeID&&p.updateWrapper(this)}function r(e){var t=this._currentElement.props,n=l.executeOnChange(t,e);c.asap(o,this);var r=t.name;if("radio"===t.type&&null!=r){for(var a=u.getNodeFromInstance(this),s=a;s.parentNode;)s=s.parentNode;for(var p=s.querySelectorAll("input[name="+JSON.stringify(""+r)+'][type="radio"]'),d=0;dt.end?(n=t.end,o=t.start):(n=t.start,o=t.end),r.moveToElementText(e),r.moveStart("character",n),r.setEndPoint("EndToStart",r),r.moveEnd("character",o-n),r.select()}function s(e,t){if(window.getSelection){var n=window.getSelection(),o=e[c()].length,r=Math.min(t.start,o),i=void 0===t.end?r:Math.min(t.end,o);if(!n.extend&&r>i){var a=i;i=r,r=a}var s=u(e,r),l=u(e,i);if(s&&l){var p=document.createRange();p.setStart(s.node,s.offset),n.removeAllRanges(),r>i?(n.addRange(p),n.extend(l.node,l.offset)):(p.setEnd(l.node,l.offset),n.addRange(p))}}}var l=n(8),u=n(279),c=n(108),p=l.canUseDOM&&"selection"in document&&!("getSelection"in window),d={getOffsets:p?r:i,setOffsets:p?a:s};e.exports=d},function(e,t,n){"use strict";var o=n(3),r=n(4),i=n(47),a=n(19),s=n(5),l=n(37),u=(n(1),n(62),function(e){this._currentElement=e,this._stringText=""+e,this._hostNode=null,this._hostParent=null,this._domID=0,this._mountIndex=0,this._closingComment=null,this._commentNodes=null});r(u.prototype,{mountComponent:function(e,t,n,o){var r=n._idCounter++,i=" react-text: "+r+" ",u=" /react-text ";if(this._domID=r,this._hostParent=t,e.useCreateElement){var c=n._ownerDocument,p=c.createComment(i),d=c.createComment(u),f=a(c.createDocumentFragment());return a.queueChild(f,a(p)),this._stringText&&a.queueChild(f,a(c.createTextNode(this._stringText))),a.queueChild(f,a(d)),s.precacheNode(this,p),this._closingComment=d,f}var h=l(this._stringText);return e.renderToStaticMarkup?h:""+h+""},receiveComponent:function(e,t){if(e!==this._currentElement){this._currentElement=e;var n=""+e;if(n!==this._stringText){this._stringText=n;var o=this.getHostNode();i.replaceDelimitedText(o[0],o[1],n)}}},getHostNode:function(){var e=this._commentNodes;if(e)return e;if(!this._closingComment)for(var t=s.getNodeFromInstance(this),n=t.nextSibling;;){if(null==n?o("67",this._domID):void 0,8===n.nodeType&&" /react-text "===n.nodeValue){this._closingComment=n;break}n=n.nextSibling}return e=[this._hostNode,this._closingComment],this._commentNodes=e,e},unmountComponent:function(){this._closingComment=null,this._commentNodes=null,s.uncacheNode(this)}}),e.exports=u},function(e,t,n){"use strict";function o(){this._rootNodeID&&c.updateWrapper(this)}function r(e){var t=this._currentElement.props,n=s.executeOnChange(t,e);return u.asap(o,this),n}var i=n(3),a=n(4),s=n(52),l=n(5),u=n(12),c=(n(1),n(2),{getHostProps:function(e,t){null!=t.dangerouslySetInnerHTML?i("91"):void 0;var n=a({},t,{value:void 0,defaultValue:void 0,children:""+e._wrapperState.initialValue,onChange:e._wrapperState.onChange});return n},mountWrapper:function(e,t){var n=s.getValue(t),o=n;if(null==n){var a=t.defaultValue,l=t.children;null!=l&&(null!=a?i("92"):void 0,Array.isArray(l)&&(l.length<=1?void 0:i("93"),l=l[0]),a=""+l),null==a&&(a=""),o=a}e._wrapperState={initialValue:""+o,listeners:null,onChange:r.bind(e)}},updateWrapper:function(e){var t=e._currentElement.props,n=l.getNodeFromInstance(e),o=s.getValue(t);if(null!=o){var r=""+o;r!==n.value&&(n.value=r),null==t.defaultValue&&(n.defaultValue=r)}null!=t.defaultValue&&(n.defaultValue=t.defaultValue)},postMountWrapper:function(e){var t=l.getNodeFromInstance(e),n=t.textContent;n===e._wrapperState.initialValue&&(t.value=n)}});e.exports=c},function(e,t,n){"use strict";function o(e,t){"_hostNode"in e?void 0:l("33"),"_hostNode"in t?void 0:l("33");for(var n=0,o=e;o;o=o._hostParent)n++;for(var r=0,i=t;i;i=i._hostParent)r++;for(;n-r>0;)e=e._hostParent,n--;for(;r-n>0;)t=t._hostParent,r--;for(var a=n;a--;){if(e===t)return e;e=e._hostParent,t=t._hostParent}return null}function r(e,t){"_hostNode"in e?void 0:l("35"),"_hostNode"in t?void 0:l("35");for(;t;){if(t===e)return!0;t=t._hostParent}return!1}function i(e){return"_hostNode"in e?void 0:l("36"),e._hostParent}function a(e,t,n){for(var o=[];e;)o.push(e),e=e._hostParent;var r;for(r=o.length;r-- >0;)t(o[r],"captured",n);for(r=0;r0;)n(l[u],"captured",i)}var l=n(3);n(1);e.exports={isAncestor:r,getLowestCommonAncestor:o,getParentInstance:i,traverseTwoPhase:a,traverseEnterLeave:s}},function(e,t,n){"use strict";function o(){this.reinitializeTransaction()}var r=n(4),i=n(12),a=n(36),s=n(10),l={initialize:s,close:function(){d.isBatchingUpdates=!1}},u={initialize:s,close:i.flushBatchedUpdates.bind(i)},c=[u,l];r(o.prototype,a,{getTransactionWrappers:function(){return c}});var p=new o,d={isBatchingUpdates:!1,batchedUpdates:function(e,t,n,o,r,i){var a=d.isBatchingUpdates;return d.isBatchingUpdates=!0,a?e(t,n,o,r,i):p.perform(e,null,t,n,o,r,i)}};e.exports=d},function(e,t,n){"use strict";function o(){E||(E=!0,y.EventEmitter.injectReactEventListener(v),y.EventPluginHub.injectEventPluginOrder(s),y.EventPluginUtils.injectComponentTree(d),y.EventPluginUtils.injectTreeTraversal(h),y.EventPluginHub.injectEventPluginsByName({SimpleEventPlugin:C,EnterLeaveEventPlugin:l,ChangeEventPlugin:a,SelectEventPlugin:w,BeforeInputEventPlugin:i}),y.HostComponent.injectGenericComponentClass(p),y.HostComponent.injectTextComponentClass(m),y.DOMProperty.injectDOMPropertyConfig(r),y.DOMProperty.injectDOMPropertyConfig(u),y.DOMProperty.injectDOMPropertyConfig(_),y.EmptyComponent.injectEmptyComponentFactory(function(e){return new f(e)}),y.Updates.injectReconcileTransaction(b),y.Updates.injectBatchingStrategy(g),y.Component.injectEnvironment(c))}var r=n(219),i=n(221),a=n(223),s=n(225),l=n(226),u=n(228),c=n(230),p=n(233),d=n(5),f=n(235),h=n(243),m=n(241),g=n(244),v=n(248),y=n(249),b=n(254),_=n(259),w=n(260),C=n(261),E=!1;e.exports={inject:o}},function(e,t,n){"use strict";var o="function"==typeof Symbol&&Symbol.for&&Symbol.for("react.element")||60103;e.exports=o},function(e,t,n){"use strict";function o(e){r.enqueueEvents(e),r.processEventQueue(!1)}var r=n(27),i={handleTopLevel:function(e,t,n,i){var a=r.extractEvents(e,t,n,i);o(a)}};e.exports=i},function(e,t,n){"use strict";function o(e){for(;e._hostParent;)e=e._hostParent;var t=p.getNodeFromInstance(e),n=t.parentNode;return p.getClosestInstanceFromNode(n)}function r(e,t){this.topLevelType=e,this.nativeEvent=t,this.ancestors=[]}function i(e){var t=f(e.nativeEvent),n=p.getClosestInstanceFromNode(t),r=n;do e.ancestors.push(r),r=r&&o(r);while(r);for(var i=0;i/,i=/^<\!\-\-/,a={CHECKSUM_ATTR_NAME:"data-react-checksum",addChecksumToMarkup:function(e){var t=o(e);return i.test(e)?e:e.replace(r," "+a.CHECKSUM_ATTR_NAME+'="'+t+'"$&')},canReuseMarkup:function(e,t){var n=t.getAttribute(a.CHECKSUM_ATTR_NAME);n=n&&parseInt(n,10);var r=o(e);return r===n}};e.exports=a},function(e,t,n){"use strict";function o(e,t,n){return{type:"INSERT_MARKUP",content:e,fromIndex:null,fromNode:null,toIndex:n,afterNode:t}}function r(e,t,n){return{type:"MOVE_EXISTING",content:null,fromIndex:e._mountIndex,fromNode:d.getHostNode(e),toIndex:n,afterNode:t}}function i(e,t){return{type:"REMOVE_NODE",content:null,fromIndex:e._mountIndex,fromNode:t,toIndex:null,afterNode:null}}function a(e){return{type:"SET_MARKUP",content:e,fromIndex:null,fromNode:null,toIndex:null,afterNode:null}}function s(e){return{type:"TEXT_CONTENT",content:e,fromIndex:null,fromNode:null,toIndex:null,afterNode:null}}function l(e,t){return t&&(e=e||[],e.push(t)),e}function u(e,t){p.processChildrenUpdates(e,t)}var c=n(3),p=n(53),d=(n(29),n(11),n(14),n(21)),f=n(229),h=(n(10),n(275)),m=(n(1),{Mixin:{_reconcilerInstantiateChildren:function(e,t,n){return f.instantiateChildren(e,t,n)},_reconcilerUpdateChildren:function(e,t,n,o,r,i){var a,s=0;return a=h(t,s),f.updateChildren(e,a,n,o,r,this,this._hostContainerInfo,i,s),a},mountChildren:function(e,t,n){var o=this._reconcilerInstantiateChildren(e,t,n);this._renderedChildren=o;var r=[],i=0;for(var a in o)if(o.hasOwnProperty(a)){var s=o[a],l=0,u=d.mountComponent(s,t,this,this._hostContainerInfo,n,l);s._mountIndex=i++,r.push(u)}return r},updateTextContent:function(e){var t=this._renderedChildren;f.unmountChildren(t,!1);for(var n in t)t.hasOwnProperty(n)&&c("118");var o=[s(e)];u(this,o)},updateMarkup:function(e){var t=this._renderedChildren;f.unmountChildren(t,!1);for(var n in t)t.hasOwnProperty(n)&&c("118");var o=[a(e)];u(this,o)},updateChildren:function(e,t,n){this._updateChildren(e,t,n)},_updateChildren:function(e,t,n){var o=this._renderedChildren,r={},i=[],a=this._reconcilerUpdateChildren(o,e,i,r,t,n);if(a||o){var s,c=null,p=0,f=0,h=0,m=null;for(s in a)if(a.hasOwnProperty(s)){var g=o&&o[s],v=a[s];g===v?(c=l(c,this.moveChild(g,m,p,f)),f=Math.max(g._mountIndex,f),g._mountIndex=p):(g&&(f=Math.max(g._mountIndex,f)),c=l(c,this._mountChildAtIndex(v,i[h],m,p,t,n)),h++),p++,m=d.getHostNode(v)}for(s in r)r.hasOwnProperty(s)&&(c=l(c,this._unmountChild(o[s],r[s])));c&&u(this,c),this._renderedChildren=a}},unmountChildren:function(e){var t=this._renderedChildren;f.unmountChildren(t,e),this._renderedChildren=null},moveChild:function(e,t,n,o){if(e._mountIndex=t)return{node:n,offset:t-i};i=a}n=o(r(n))}}e.exports=i},function(e,t,n){"use strict";function o(e,t){var n={};return n[e.toLowerCase()]=t.toLowerCase(),n["Webkit"+e]="webkit"+t,n["Moz"+e]="moz"+t,n["ms"+e]="MS"+t,n["O"+e]="o"+t.toLowerCase(),n}function r(e){if(s[e])return s[e];if(!a[e])return e;var t=a[e];for(var n in t)if(t.hasOwnProperty(n)&&n in l)return s[e]=t[n];return""}var i=n(8),a={animationend:o("Animation","AnimationEnd"),animationiteration:o("Animation","AnimationIteration"),animationstart:o("Animation","AnimationStart"),transitionend:o("Transition","TransitionEnd")},s={},l={};i.canUseDOM&&(l=document.createElement("div").style,"AnimationEvent"in window||(delete a.animationend.animation,delete a.animationiteration.animation,delete a.animationstart.animation),"TransitionEvent"in window||delete a.transitionend.transition),e.exports=r},function(e,t,n){"use strict";function o(e){return'"'+r(e)+'"'}var r=n(37);e.exports=o},function(e,t,n){"use strict";var o=n(102);e.exports=o.renderSubtreeIntoContainer},function(e,t,n){"use strict";function o(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function r(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function i(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}var a=n(0),s=(n.n(a),n(115)),l=n(116);n(63);n.d(t,"a",function(){return u});var u=function(e){function t(n,i){o(this,t);var a=r(this,e.call(this,n,i));return a.store=n.store,a}return i(t,e),t.prototype.getChildContext=function(){return{store:this.store,storeSubscription:null}},t.prototype.render=function(){return a.Children.only(this.props.children)},t}(a.Component);u.propTypes={store:l.a.isRequired,children:a.PropTypes.element.isRequired},u.childContextTypes={store:l.a.isRequired,storeSubscription:a.PropTypes.instanceOf(s.a)},u.displayName="Provider"},function(e,t,n){"use strict";function o(e,t){var n={};for(var o in e)t.indexOf(o)>=0||Object.prototype.hasOwnProperty.call(e,o)&&(n[o]=e[o]);return n}function r(e,t,n){for(var o=t.length-1;o>=0;o--){var r=t[o](e);if(r)return r}return function(t,o){throw new Error("Invalid value of type "+typeof e+" for "+n+" argument when connecting component "+o.wrappedComponentName+".")}}function i(e,t){return e===t}function a(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=e.connectHOC,n=void 0===t?s.a:t,a=e.mapStateToPropsFactories,h=void 0===a?c.a:a,m=e.mapDispatchToPropsFactories,g=void 0===m?u.a:m,v=e.mergePropsFactories,y=void 0===v?p.a:v,b=e.selectorFactory,_=void 0===b?d.a:b;return function(e,t,a){var s=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},u=s.pure,c=void 0===u||u,p=s.areStatesEqual,d=void 0===p?i:p,m=s.areOwnPropsEqual,v=void 0===m?l.a:m,b=s.areStatePropsEqual,w=void 0===b?l.a:b,C=s.areMergedPropsEqual,E=void 0===C?l.a:C,x=o(s,["pure","areStatesEqual","areOwnPropsEqual","areStatePropsEqual","areMergedPropsEqual"]),S=r(e,h,"mapStateToProps"),T=r(t,g,"mapDispatchToProps"),P=r(a,y,"mergeProps");return n(_,f({methodName:"connect",getDisplayName:function(e){return"Connect("+e+")"},shouldHandleStateChanges:Boolean(e),initMapStateToProps:S,initMapDispatchToProps:T,initMergeProps:P,pure:c,areStatesEqual:d,areOwnPropsEqual:v,areStatePropsEqual:w,areMergedPropsEqual:E},x))}}var s=n(113),l=n(290),u=n(285),c=n(286),p=n(287),d=n(288),f=Object.assign||function(e){for(var t=1;t=0||Object.prototype.hasOwnProperty.call(e,o)&&(n[o]=e[o]);return n}function r(e,t,n,o){return function(r,i){return n(e(r,i),t(o,i),i)}}function i(e,t,n,o,r){function i(r,i){return h=r,m=i,g=e(h,m),v=t(o,m),y=n(g,v,m),f=!0,y}function a(){return g=e(h,m),t.dependsOnOwnProps&&(v=t(o,m)),y=n(g,v,m)}function s(){return e.dependsOnOwnProps&&(g=e(h,m)),t.dependsOnOwnProps&&(v=t(o,m)),y=n(g,v,m)}function l(){var t=e(h,m),o=!d(t,g);return g=t,o&&(y=n(g,v,m)),y}function u(e,t){var n=!p(t,m),o=!c(e,h);return h=e,m=t,n&&o?a():n?s():o?l():y}var c=r.areStatesEqual,p=r.areOwnPropsEqual,d=r.areStatePropsEqual,f=!1,h=void 0,m=void 0,g=void 0,v=void 0,y=void 0;return function(e,t){return f?u(e,t):i(e,t)}}function a(e,t){var n=t.initMapStateToProps,a=t.initMapDispatchToProps,s=t.initMergeProps,l=o(t,["initMapStateToProps","initMapDispatchToProps","initMergeProps"]),u=n(e,l),c=a(e,l),p=s(e,l),d=l.pure?i:r;return d(u,c,p,e,l)}n(289);t.a=a},function(e,t,n){"use strict";n(63)},function(e,t,n){"use strict";function o(e,t){if(e===t)return!0;var n=0,o=0;for(var i in e){if(r.call(e,i)&&e[i]!==t[i])return!1;n++}for(var a in t)r.call(t,a)&&o++;return n===o}t.a=o;var r=Object.prototype.hasOwnProperty},,function(e,t,n){"use strict";function o(e){var t=/[=:]/g,n={"=":"=0",":":"=2"},o=(""+e).replace(t,function(e){return n[e]});return"$"+o}function r(e){var t=/(=0|=2)/g,n={"=0":"=","=2":":"},o="."===e[0]&&"$"===e[1]?e.substring(2):e.substring(1);return(""+o).replace(t,function(e){return n[e]})}var i={escape:o,unescape:r};e.exports=i},function(e,t,n){"use strict";var o=n(24),r=(n(1),function(e){var t=this;if(t.instancePool.length){var n=t.instancePool.pop();return t.call(n,e),n}return new t(e)}),i=function(e,t){var n=this;if(n.instancePool.length){var o=n.instancePool.pop();return n.call(o,e,t),o}return new n(e,t)},a=function(e,t,n){var o=this;if(o.instancePool.length){var r=o.instancePool.pop();return o.call(r,e,t,n),r}return new o(e,t,n)},s=function(e,t,n,o){var r=this;if(r.instancePool.length){var i=r.instancePool.pop();return r.call(i,e,t,n,o),i}return new r(e,t,n,o)},l=function(e){var t=this;e instanceof t?void 0:o("25"),e.destructor(),t.instancePool.length>"),P={array:a("array"),bool:a("boolean"),func:a("function"),number:a("number"),object:a("object"),string:a("string"),symbol:a("symbol"),any:s(),arrayOf:l,element:u(),instanceOf:c,node:h(),objectOf:d,oneOf:p,oneOfType:f,shape:m};r.prototype=Error.prototype,e.exports=P},function(e,t,n){"use strict";var o="SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED";e.exports=o},function(e,t,n){"use strict";function o(e,t,n){this.props=e,this.context=t,this.refs=l,this.updater=n||s}function r(){}var i=n(4),a=n(64),s=n(65),l=n(25);r.prototype=a.prototype,o.prototype=new r,o.prototype.constructor=o,i(o.prototype,a.prototype),o.prototype.isPureReactComponent=!0,e.exports=o},function(e,t,n){"use strict";e.exports="15.4.2"},function(e,t,n){"use strict";function o(e){return i.isValidElement(e)?void 0:r("143"),e}var r=n(24),i=n(23);n(1);e.exports=o},function(e,t,n){"use strict";function o(e,t){return e&&"object"==typeof e&&null!=e.key?u.escape(e.key):t.toString(36)}function r(e,t,n,i){var d=typeof e;if("undefined"!==d&&"boolean"!==d||(e=null),null===e||"string"===d||"number"===d||"object"===d&&e.$$typeof===s)return n(i,e,""===t?c+o(e,0):t),1;var f,h,m=0,g=""===t?c:t+p;if(Array.isArray(e))for(var v=0;v=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,n,a):r(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6),l=n(207);n(327);var u;!function(e){e[e.landscape=0]="landscape",e[e.portrait=1]="portrait"}(u=t.CoverStyle||(t.CoverStyle={})),t.CoverStyleMap=(d={},d[u.landscape]="ms-Image-image--landscape",d[u.portrait]="ms-Image-image--portrait",d),t.ImageFitMap=(f={},f[l.ImageFit.center]="ms-Image-image--center",f[l.ImageFit.contain]="ms-Image-image--contain", -f[l.ImageFit.cover]="ms-Image-image--cover",f[l.ImageFit.none]="ms-Image-image--none",f);var c="fabricImage",p=function(e){function n(t){var n=e.call(this,t)||this;return n.state={loadState:l.ImageLoadState.notLoaded},n}return o(n,e),n.prototype.componentWillReceiveProps=function(e){e.src!==this.props.src?this.setState({loadState:l.ImageLoadState.notLoaded}):this.state.loadState===l.ImageLoadState.loaded&&this._computeCoverStyle(e)},n.prototype.componentDidUpdate=function(e,t){this._checkImageLoaded(),this.props.onLoadingStateChange&&t.loadState!==this.state.loadState&&this.props.onLoadingStateChange(this.state.loadState)},n.prototype.render=function(){var e=s.getNativeProps(this.props,s.imageProperties,["width","height"]),n=this.props,o=n.src,i=n.alt,u=n.width,p=n.height,d=n.shouldFadeIn,f=n.className,h=n.imageFit,m=n.role,g=n.maximizeFrame,v=this.state.loadState,y=this._coverStyle,b=v===l.ImageLoadState.loaded;return a.createElement("div",{className:s.css("ms-Image",f,{"ms-Image--maximizeFrame":g}),style:{width:u,height:p},ref:this._resolveRef("_frameElement")},a.createElement("img",r({},e,{onLoad:this._onImageLoaded,onError:this._onImageError,key:c+this.props.src||"",className:s.css("ms-Image-image",void 0!==y&&t.CoverStyleMap[y],void 0!==h&&t.ImageFitMap[h],{"is-fadeIn":d,"is-notLoaded":!b,"is-loaded":b,"ms-u-fadeIn400":b&&d,"is-error":v===l.ImageLoadState.error,"ms-Image-image--scaleWidth":void 0===h&&!!u&&!p,"ms-Image-image--scaleHeight":void 0===h&&!u&&!!p,"ms-Image-image--scaleWidthHeight":void 0===h&&!!u&&!!p}),ref:this._resolveRef("_imageElement"),src:o,alt:i,role:m})))},n.prototype._onImageLoaded=function(e){var t=this.props,n=t.src,o=t.onLoad;o&&o(e),this._computeCoverStyle(this.props),n&&this.setState({loadState:l.ImageLoadState.loaded})},n.prototype._checkImageLoaded=function(){var e=this.props.src,t=this.state.loadState;if(t===l.ImageLoadState.notLoaded){var o=e&&this._imageElement.naturalWidth>0&&this._imageElement.naturalHeight>0||this._imageElement.complete&&n._svgRegex.test(e);o&&(this._computeCoverStyle(this.props),this.setState({loadState:l.ImageLoadState.loaded}))}},n.prototype._computeCoverStyle=function(e){var t=e.imageFit,n=e.width,o=e.height;if((t===l.ImageFit.cover||t===l.ImageFit.contain)&&this._imageElement){var r=void 0;r=n&&o?n/o:this._frameElement.clientWidth/this._frameElement.clientHeight;var i=this._imageElement.naturalWidth/this._imageElement.naturalHeight;i>r?this._coverStyle=u.landscape:this._coverStyle=u.portrait}},n.prototype._onImageError=function(e){this.props.onError&&this.props.onError(e),this.setState({loadState:l.ImageLoadState.error})},n}(s.BaseComponent);p.defaultProps={shouldFadeIn:!0},p._svgRegex=/\.svg$/i,i([s.autobind],p.prototype,"_onImageLoaded",null),i([s.autobind],p.prototype,"_onImageError",null),t.Image=p;var d,f},function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=n(0),i=n(41),a=n(347),s=n(6);n(362);var l={},u=function(e){function t(t){var n=e.call(this,t,{onLayerMounted:"onLayerDidMount"})||this;return n.props.hostId&&(l[n.props.hostId]||(l[n.props.hostId]=[]),l[n.props.hostId].push(n)),n}return o(t,e),t.notifyHostChanged=function(e){l[e]&&l[e].forEach(function(e){return e.forceUpdate()})},t.prototype.componentDidMount=function(){this.componentDidUpdate()},t.prototype.componentWillUnmount=function(){var e=this;this._removeLayerElement(),this.props.hostId&&(l[this.props.hostId]=l[this.props.hostId].filter(function(t){return t!==e}),l[this.props.hostId].length||delete l[this.props.hostId])},t.prototype.componentDidUpdate=function(){var e=this,t=this._getHost();if(t!==this._host&&this._removeLayerElement(),t){if(this._host=t,!this._layerElement){var n=s.getDocument(this._rootElement);this._layerElement=n.createElement("div"),this._layerElement.className=s.css("ms-Layer",{"ms-Layer--fixed":!this.props.hostId}),t.appendChild(this._layerElement),s.setVirtualParent(this._layerElement,this._rootElement)}i.unstable_renderSubtreeIntoContainer(this,r.createElement(a.Fabric,{className:"ms-Layer-content"},this.props.children),this._layerElement,function(){e._hasMounted||(e._hasMounted=!0,e.props.onLayerMounted&&e.props.onLayerMounted(),e.props.onLayerDidMount())})}},t.prototype.render=function(){return r.createElement("span",{className:"ms-Layer",ref:this._resolveRef("_rootElement")})},t.prototype._removeLayerElement=function(){if(this._layerElement){this.props.onLayerWillUnmount(),i.unmountComponentAtNode(this._layerElement);var e=this._layerElement.parentNode;e&&e.removeChild(this._layerElement),this._layerElement=void 0,this._hasMounted=!1}},t.prototype._getHost=function(){var e=this.props.hostId,t=s.getDocument(this._rootElement);return e?t.getElementById(e):t.body},t}(s.BaseComponent);u.defaultProps={onLayerDidMount:function(){},onLayerWillUnmount:function(){}},t.Layer=u},,,,,,,function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(353))},,function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,n,a):r(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(134),l=n(6),u="data-is-focusable",c="data-disable-click-on-enter",p="data-focuszone-id",d="tabindex",f={},h=["text","number","password","email","tel","url","search"],m=function(e){function t(t){var n=e.call(this,t)||this;return n._id=l.getId("FocusZone"),f[n._id]=n,n._focusAlignment={left:0,top:0},n}return o(t,e),t.prototype.componentDidMount=function(){for(var e=this.refs.root.ownerDocument.defaultView,t=l.getParent(this.refs.root);t&&t!==document.body&&1===t.nodeType;){if(l.isElementFocusZone(t)){this._isInnerZone=!0;break}t=l.getParent(t)}this._events.on(e,"keydown",this._onKeyDownCapture,!0),this._updateTabIndexes(),this.props.defaultActiveElement&&(this._activeElement=l.getDocument().querySelector(this.props.defaultActiveElement))},t.prototype.componentWillUnmount=function(){delete f[this._id]},t.prototype.render=function(){var e=this.props,t=e.rootProps,n=e.ariaLabelledBy,o=e.className;return a.createElement("div",r({},t,{className:l.css("ms-FocusZone",o),ref:"root","data-focuszone-id":this._id,"aria-labelledby":n,onKeyDown:this._onKeyDown,onFocus:this._onFocus},{onMouseDownCapture:this._onMouseDown}),this.props.children)},t.prototype.focus=function(){if(this._activeElement&&l.elementContains(this.refs.root,this._activeElement))return this._activeElement.focus(),!0;var e=this.refs.root.firstChild;return this.focusElement(l.getNextElement(this.refs.root,e,!0))},t.prototype.focusElement=function(e){var t=this.props.onBeforeFocus;return!(t&&!t(e))&&(!(!e||(this._activeElement&&(this._activeElement.tabIndex=-1),this._activeElement=e,!e))&&(this._focusAlignment||this._setFocusAlignment(e,!0,!0),this._activeElement.tabIndex=0,e.focus(),!0))},t.prototype._onFocus=function(e){var t=this.props.onActiveElementChanged;if(this._isImmediateDescendantOfZone(e.target))this._activeElement=e.target,this._setFocusAlignment(this._activeElement);else for(var n=e.target;n&&n!==this.refs.root;){if(l.isElementTabbable(n)&&this._isImmediateDescendantOfZone(n)){this._activeElement=n;break}n=l.getParent(n)}t&&t(this._activeElement,e)},t.prototype._onKeyDownCapture=function(e){e.which===l.KeyCodes.tab&&this._updateTabIndexes()},t.prototype._onMouseDown=function(e){var t=this.props.disabled;if(!t){for(var n=e.target,o=[];n&&n!==this.refs.root;)o.push(n),n=l.getParent(n);for(;o.length&&(n=o.pop(),!l.isElementFocusZone(n));)n&&l.isElementTabbable(n)&&(n.tabIndex=0,this._setFocusAlignment(n,!0,!0))}},t.prototype._onKeyDown=function(e){var t=this.props,n=t.direction,o=t.disabled,r=t.isInnerZoneKeystroke;if(!o){if(r&&this._isImmediateDescendantOfZone(e.target)&&r(e)){var i=this._getFirstInnerZone();if(!i||!i.focus())return}else switch(e.which){case l.KeyCodes.left:if(n!==s.FocusZoneDirection.vertical&&this._moveFocusLeft())break;return;case l.KeyCodes.right:if(n!==s.FocusZoneDirection.vertical&&this._moveFocusRight())break;return;case l.KeyCodes.up:if(n!==s.FocusZoneDirection.horizontal&&this._moveFocusUp())break;return;case l.KeyCodes.down:if(n!==s.FocusZoneDirection.horizontal&&this._moveFocusDown())break;return;case l.KeyCodes.home:var a=this.refs.root.firstChild;if(this.focusElement(l.getNextElement(this.refs.root,a,!0)))break;return;case l.KeyCodes.end:var u=this.refs.root.lastChild;if(this.focusElement(l.getPreviousElement(this.refs.root,u,!0,!0,!0)))break;return;case l.KeyCodes.enter:if(this._tryInvokeClickForFocusable(e.target))break;return;default:return}e.preventDefault(),e.stopPropagation()}},t.prototype._tryInvokeClickForFocusable=function(e){do{if("BUTTON"===e.tagName||"A"===e.tagName)return!1;if(this._isImmediateDescendantOfZone(e)&&"true"===e.getAttribute(u)&&"true"!==e.getAttribute(c))return l.EventGroup.raise(e,"click",null,!0),!0;e=l.getParent(e)}while(e!==this.refs.root);return!1},t.prototype._getFirstInnerZone=function(e){e=e||this._activeElement||this.refs.root;for(var t=e.firstElementChild;t;){if(l.isElementFocusZone(t))return f[t.getAttribute(p)];var n=this._getFirstInnerZone(t);if(n)return n;t=t.nextElementSibling}return null},t.prototype._moveFocus=function(e,t,n){var o,r=this._activeElement,i=-1,a=!1,u=this.props.direction===s.FocusZoneDirection.bidirectional;if(!r)return!1;if(this._isElementInput(r)&&!this._shouldInputLoseFocus(r,e))return!1;var c=u?r.getBoundingClientRect():null;do{if(r=e?l.getNextElement(this.refs.root,r):l.getPreviousElement(this.refs.root,r),!u){o=r;break}if(r){var p=r.getBoundingClientRect(),d=t(c,p);if(d>-1&&(i===-1||d=0&&d<0)break}}while(r);if(o&&o!==this._activeElement)a=!0,this.focusElement(o);else if(this.props.isCircularNavigation)return e?this.focusElement(l.getNextElement(this.refs.root,this.refs.root.firstElementChild,!0)):this.focusElement(l.getPreviousElement(this.refs.root,this.refs.root.lastElementChild,!0,!0,!0));return a},t.prototype._moveFocusDown=function(){var e=-1,t=this._focusAlignment.left;return!!this._moveFocus(!0,function(n,o){var r=-1,i=Math.floor(o.top),a=Math.floor(n.bottom);return(e===-1&&i>=a||i===e)&&(e=i,r=t>=o.left&&t<=o.left+o.width?0:Math.abs(o.left+o.width/2-t)),r})&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusUp=function(){var e=-1,t=this._focusAlignment.left;return!!this._moveFocus(!1,function(n,o){var r=-1,i=Math.floor(o.bottom),a=Math.floor(o.top),s=Math.floor(n.top);return(e===-1&&i<=s||a===e)&&(e=a,r=t>=o.left&&t<=o.left+o.width?0:Math.abs(o.left+o.width/2-t)),r})&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusLeft=function(){var e=this,t=-1,n=this._focusAlignment.top;return!!this._moveFocus(l.getRTL(),function(o,r){var i=-1;return(t===-1&&r.right<=o.right&&(e.props.direction===s.FocusZoneDirection.horizontal||r.top===o.top)||r.top===t)&&(t=r.top,i=Math.abs(r.top+r.height/2-n)),i})&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusRight=function(){var e=this,t=-1,n=this._focusAlignment.top;return!!this._moveFocus(!l.getRTL(),function(o,r){var i=-1;return(t===-1&&r.left>=o.left&&(e.props.direction===s.FocusZoneDirection.horizontal||r.top===o.top)||r.top===t)&&(t=r.top,i=Math.abs(r.top+r.height/2-n)),i})&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._setFocusAlignment=function(e,t,n){if(this.props.direction===s.FocusZoneDirection.bidirectional&&(!this._focusAlignment||t||n)){var o=e.getBoundingClientRect(),r=o.left+o.width/2,i=o.top+o.height/2;this._focusAlignment||(this._focusAlignment={left:r,top:i}),t&&(this._focusAlignment.left=r),n&&(this._focusAlignment.top=i)}},t.prototype._isImmediateDescendantOfZone=function(e){for(var t=l.getParent(e);t&&t!==this.refs.root&&t!==document.body;){if(l.isElementFocusZone(t))return!1;t=l.getParent(t)}return!0},t.prototype._updateTabIndexes=function(e){e||(e=this.refs.root,this._activeElement&&!l.elementContains(e,this._activeElement)&&(this._activeElement=null));for(var t=e.children,n=0;t&&n-1){var n=e.selectionStart,o=e.selectionEnd,r=n!==o,i=e.value;if(r||n>0&&!t||n!==i.length&&t)return!1}return!0},t}(l.BaseComponent);m.defaultProps={isCircularNavigation:!1,direction:s.FocusZoneDirection.bidirectional},i([l.autobind],m.prototype,"_onFocus",null),i([l.autobind],m.prototype,"_onMouseDown",null),i([l.autobind],m.prototype,"_onKeyDown",null),t.FocusZone=m},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(325)),o(n(134))},function(e,t,n){"use strict";var o=n(7),r={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=r,o.loadStyles([{rawString:".ms-Image{overflow:hidden}.ms-Image--maximizeFrame{height:100%;width:100%}.ms-Image-image{display:block;opacity:0}.ms-Image-image.is-loaded{opacity:1}.ms-Image-image--center,.ms-Image-image--contain,.ms-Image-image--cover{position:relative;top:50%}html[dir=ltr] .ms-Image-image--center,html[dir=ltr] .ms-Image-image--contain,html[dir=ltr] .ms-Image-image--cover{left:50%}html[dir=rtl] .ms-Image-image--center,html[dir=rtl] .ms-Image-image--contain,html[dir=rtl] .ms-Image-image--cover{right:50%}html[dir=ltr] .ms-Image-image--center,html[dir=ltr] .ms-Image-image--contain,html[dir=ltr] .ms-Image-image--cover{-webkit-transform:translate(-50%,-50%);transform:translate(-50%,-50%)}html[dir=rtl] .ms-Image-image--center,html[dir=rtl] .ms-Image-image--contain,html[dir=rtl] .ms-Image-image--cover{-webkit-transform:translate(50%,-50%);transform:translate(50%,-50%)}.ms-Image-image--contain.ms-Image-image--landscape{width:100%;height:auto}.ms-Image-image--contain.ms-Image-image--portrait{height:100%;width:auto}.ms-Image-image--cover.ms-Image-image--landscape{height:100%;width:auto}.ms-Image-image--cover.ms-Image-image--portrait{width:100%;height:auto}.ms-Image-image--none{height:auto;width:auto}.ms-Image-image--scaleWidthHeight{height:100%;width:100%}.ms-Image-image--scaleWidth{height:auto;width:100%}.ms-Image-image--scaleHeight{height:100%;width:auto}"}])},,,,,,,,function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(364))},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(365))},,,,,,,,,,function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(356))},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(358))},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(361))},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(336))},function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,n,a):r(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},i=n(0),a=n(46),s=n(6),l=n(369),u=n(349);n(351);var c={top:0,left:0},p={opacity:0},d=1,f=8,h=function(e){function t(t){var n=e.call(this,t,{beakStyle:"beakWidth"})||this;return n._didSetInitialFocus=!1,n.state={positions:null,slideDirectionalClassName:null,calloutElementRect:null},n._positionAttempts=0,n}return o(t,e),t.prototype.componentDidUpdate=function(){this._setInitialFocus(),this._updatePosition()},t.prototype.componentWillMount=function(){var e=this.props.targetElement?this.props.targetElement:this.props.target;this._setTargetWindowAndElement(e)},t.prototype.componentWillUpdate=function(e){if(e.targetElement!==this.props.targetElement||e.target!==this.props.target){var t=e.targetElement?e.targetElement:e.target;this._maxHeight=void 0,this._setTargetWindowAndElement(t)}e.gapSpace===this.props.gapSpace&&this.props.beakWidth===e.beakWidth||(this._maxHeight=void 0)},t.prototype.componentDidMount=function(){this._onComponentDidMount()},t.prototype.render=function(){if(!this._targetWindow)return null;var e=this.props,t=e.className,n=e.target,o=e.targetElement,r=e.isBeakVisible,a=e.beakStyle,l=e.children,d=e.beakWidth,f=this.state.positions,h=d;"ms-Callout-smallbeak"===a&&(h=16);var m={top:f&&f.beakPosition?f.beakPosition.top:c.top,left:f&&f.beakPosition?f.beakPosition.left:c.left,height:h,width:h},g=f&&f.directionalClassName?"ms-u-"+f.directionalClassName:"",v=this._getMaxHeight(),y=r&&(!!o||!!n),b=i.createElement("div",{ref:this._resolveRef("_hostElement"),className:"ms-Callout-container"},i.createElement("div",{className:s.css("ms-Callout",t,g),style:f?f.calloutPosition:p,ref:this._resolveRef("_calloutElement")},y&&i.createElement("div",{className:"ms-Callout-beak",style:m}),y&&i.createElement("div",{className:"ms-Callout-beakCurtain"}),i.createElement(u.Popup,{className:"ms-Callout-main",onDismiss:this.dismiss,shouldRestoreFocus:!0,style:{maxHeight:v}},l)));return b},t.prototype.dismiss=function(e){var t=this.props.onDismiss;t&&t(e)},t.prototype._dismissOnScroll=function(e){this.state.positions&&this._dismissOnLostFocus(e)},t.prototype._dismissOnLostFocus=function(e){var t=e.target,n=this._hostElement&&!s.elementContains(this._hostElement,t);(!this._target&&n||e.target!==this._targetWindow&&n&&(this._target.stopPropagation||!this._target||t!==this._target&&!s.elementContains(this._target,t)))&&this.dismiss(e)},t.prototype._setInitialFocus=function(){this.props.setInitialFocus&&!this._didSetInitialFocus&&this.state.positions&&(this._didSetInitialFocus=!0,s.focusFirstChild(this._calloutElement))},t.prototype._onComponentDidMount=function(){var e=this;this._async.setTimeout(function(){e._events.on(e._targetWindow,"scroll",e._dismissOnScroll,!0),e._events.on(e._targetWindow,"resize",e.dismiss,!0),e._events.on(e._targetWindow,"focus",e._dismissOnLostFocus,!0),e._events.on(e._targetWindow,"click",e._dismissOnLostFocus,!0)},0),this.props.onLayerMounted&&this.props.onLayerMounted(),this._updatePosition()},t.prototype._updatePosition=function(){var e=this.state.positions,t=this._hostElement,n=this._calloutElement;if(t&&n){var o=void 0;o=s.assign(o,this.props),o.bounds=this._getBounds(),this.props.targetElement?o.targetElement=this._target:o.target=this._target;var r=l.getRelativePositions(o,t,n);!e&&r||e&&r&&!this._arePositionsEqual(e,r)&&this._positionAttempts<5?(this._positionAttempts++,this.setState({positions:r})):(this._positionAttempts=0,this.props.onPositioned&&this.props.onPositioned())}},t.prototype._getBounds=function(){if(!this._bounds){var e=this.props.bounds;e||(e={top:0+f,left:0+f,right:this._targetWindow.innerWidth-f,bottom:this._targetWindow.innerHeight-f,width:this._targetWindow.innerWidth-2*f,height:this._targetWindow.innerHeight-2*f}),this._bounds=e}return this._bounds},t.prototype._getMaxHeight=function(){if(!this._maxHeight)if(this.props.directionalHintFixed&&this._target){var e=this.props.isBeakVisible?this.props.beakWidth:0,t=this.props.gapSpace?this.props.gapSpace:0;this._maxHeight=l.getMaxHeight(this._target,this.props.directionalHint,e+t,this._getBounds())}else this._maxHeight=this._getBounds().height-2*d;return this._maxHeight},t.prototype._arePositionsEqual=function(e,t){return e.calloutPosition.top.toFixed(2)===t.calloutPosition.top.toFixed(2)&&(e.calloutPosition.left.toFixed(2)===t.calloutPosition.left.toFixed(2)&&(e.beakPosition.top.toFixed(2)===t.beakPosition.top.toFixed(2)&&e.beakPosition.top.toFixed(2)===t.beakPosition.top.toFixed(2)))},t.prototype._setTargetWindowAndElement=function(e){if(e)if("string"==typeof e){var t=s.getDocument();this._target=t?t.querySelector(e):null,this._targetWindow=s.getWindow()}else if(e.stopPropagation)this._target=e,this._targetWindow=s.getWindow(e.toElement);else{var n=e;this._target=e,this._targetWindow=s.getWindow(n)}else this._targetWindow=s.getWindow()},t}(s.BaseComponent);h.defaultProps={isBeakVisible:!0,beakWidth:16,gapSpace:16,directionalHint:a.DirectionalHint.bottomAutoEdge},r([s.autobind],h.prototype,"dismiss",null),r([s.autobind],h.prototype,"_setInitialFocus",null),r([s.autobind],h.prototype,"_onComponentDidMount",null),t.CalloutContent=h},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(350)),o(n(46))},function(e,t,n){"use strict";function o(e){var t=r(e);return!(!t||!t.length)}function r(e){return e.subMenuProps?e.subMenuProps.items:e.items}var i=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},a=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,n,a):r(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},l=n(0),u=n(313),c=n(46),p=n(196),d=n(6),f=n(323),h=n(348);n(355);var m;!function(e){e[e.vertical=0]="vertical",e[e.horizontal=1]="horizontal"}(m||(m={}));var g;!function(e){e[e.auto=0]="auto",e[e.left=1]="left",e[e.center=2]="center",e[e.right=3]="right"}(g||(g={}));var v;!function(e){e[e.top=0]="top",e[e.center=1]="center",e[e.bottom=2]="bottom"}(v||(v={})),t.hasSubmenuItems=o,t.getSubmenuItems=r;var y=function(e){function t(t){var n=e.call(this,t)||this;return n.state={contextualMenuItems:null,subMenuId:d.getId("ContextualMenu")},n._isFocusingPreviousElement=!1,n._enterTimerId=0,n}return i(t,e),t.prototype.dismiss=function(e,t){var n=this.props.onDismiss;n&&n(e,t)},t.prototype.componentWillUpdate=function(e){if(e.targetElement!==this.props.targetElement||e.target!==this.props.target){var t=e.targetElement?e.targetElement:e.target;this._setTargetWindowAndElement(t)}},t.prototype.componentWillMount=function(){var e=this.props.targetElement?this.props.targetElement:this.props.target;this._setTargetWindowAndElement(e),this._previousActiveElement=this._targetWindow?this._targetWindow.document.activeElement:null},t.prototype.componentDidMount=function(){this._events.on(this._targetWindow,"resize",this.dismiss)},t.prototype.componentWillUnmount=function(){var e=this;this._isFocusingPreviousElement&&this._previousActiveElement&&setTimeout(function(){return e._previousActiveElement.focus()},0),this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this,n=this.props,o=n.className,r=n.items,i=n.isBeakVisible,s=n.labelElementId,u=n.targetElement,c=n.id,h=n.targetPoint,m=n.useTargetPoint,g=n.beakWidth,v=n.directionalHint,y=n.gapSpace,b=n.coverTarget,_=n.ariaLabel,w=n.doNotLayer,C=n.arrowDirection,E=n.target,x=n.bounds,S=n.directionalHintFixed,T=n.shouldFocusOnMount,P=this.state.submenuProps,k=!(!r||!r.some(function(e){return!!e.icon||!!e.iconProps})),I=!(!r||!r.some(function(e){return!!e.canCheck}));return r&&r.length>0?l.createElement(f.Callout,{target:E,targetElement:u,targetPoint:h,useTargetPoint:m,isBeakVisible:i,beakWidth:g,directionalHint:v,gapSpace:y,coverTarget:b,doNotLayer:w,className:"ms-ContextualMenu-Callout",setInitialFocus:T,onDismiss:this.props.onDismiss,bounds:x,directionalHintFixed:S},l.createElement("div",{ref:function(t){return e._host=t},id:c,className:d.css("ms-ContextualMenu-container",o)},r&&r.length?l.createElement(p.FocusZone,{className:"ms-ContextualMenu is-open",direction:C,ariaLabelledBy:s,ref:function(t){return e._focusZone=t},rootProps:{role:"menu"}},l.createElement("ul",{className:"ms-ContextualMenu-list is-open",onKeyDown:this._onKeyDown,"aria-label":_},r.map(function(t,n){return e._renderMenuItem(t,n,I,k)}))):null,P?l.createElement(t,a({},P)):null)):null},t.prototype._renderMenuItem=function(e,t,n,o){var r=[];switch("-"===e.name&&(e.itemType=u.ContextualMenuItemType.Divider),e.itemType){case u.ContextualMenuItemType.Divider:r.push(this._renderSeparator(t,e.className));break;case u.ContextualMenuItemType.Header:r.push(this._renderSeparator(t));var i=this._renderHeaderMenuItem(e,t,n,o);r.push(this._renderListItem(i,e.key||t,e.className,e.title));break;default:var a=this._renderNormalItem(e,t,n,o);r.push(this._renderListItem(a,e.key||t,e.className,e.title))}return r},t.prototype._renderListItem=function(e,t,n,o){return l.createElement("li",{role:"menuitem",title:o,key:t,className:d.css("ms-ContextualMenu-item",n)},e)},t.prototype._renderSeparator=function(e,t){return e>0?l.createElement("li",{role:"separator",key:"separator-"+e,className:d.css("ms-ContextualMenu-divider",t)}):null},t.prototype._renderNormalItem=function(e,t,n,o){return e.onRender?[e.onRender(e)]:e.href?this._renderAnchorMenuItem(e,t,n,o):this._renderButtonItem(e,t,n,o)},t.prototype._renderHeaderMenuItem=function(e,t,n,o){return l.createElement("div",{className:"ms-ContextualMenu-header"},this._renderMenuItemChildren(e,t,n,o))},t.prototype._renderAnchorMenuItem=function(e,t,n,o){return l.createElement("div",null,l.createElement("a",a({},d.getNativeProps(e,d.anchorProperties),{href:e.href,className:d.css("ms-ContextualMenu-link",e.isDisabled||e.disabled?"is-disabled":""),role:"menuitem",onClick:this._onAnchorClick.bind(this,e)}),o?this._renderIcon(e):null,l.createElement("span",{className:"ms-ContextualMenu-linkText"}," ",e.name," ")))},t.prototype._renderButtonItem=function(e,t,n,r){var i=this,a=this.state,s=a.expandedMenuItemKey,u=a.subMenuId,c="";e.ariaLabel?c=e.ariaLabel:e.name&&(c=e.name);var p={className:d.css("ms-ContextualMenu-link",{"is-expanded":s===e.key}),onClick:this._onItemClick.bind(this,e),onKeyDown:o(e)?this._onItemKeyDown.bind(this,e):null,onMouseEnter:this._onItemMouseEnter.bind(this,e),onMouseLeave:this._onMouseLeave,onMouseDown:function(t){return i._onItemMouseDown(e,t)},disabled:e.isDisabled||e.disabled,role:"menuitem",href:e.href,title:e.title,"aria-label":c,"aria-haspopup":!!o(e)||null,"aria-owns":e.key===s?u:null};return l.createElement("button",d.assign({},d.getNativeProps(e,d.buttonProperties),p),this._renderMenuItemChildren(e,t,n,r))},t.prototype._renderMenuItemChildren=function(e,t,n,r){var i=e.isChecked||e.checked;return l.createElement("div",{className:"ms-ContextualMenu-linkContent"},n?l.createElement(h.Icon,{iconName:i?"CheckMark":"CustomIcon",className:"ms-ContextualMenu-icon",onClick:this._onItemClick.bind(this,e)}):null,r?this._renderIcon(e):null,l.createElement("span",{className:"ms-ContextualMenu-itemText"},e.name),o(e)?l.createElement(h.Icon,a({iconName:d.getRTL()?"ChevronLeft":"ChevronRight"},e.submenuIconProps,{className:d.css("ms-ContextualMenu-submenuIcon",e.submenuIconProps?e.submenuIconProps.className:"")})):null)},t.prototype._renderIcon=function(e){var t=e.iconProps?e.iconProps:{iconName:"CustomIcon",className:e.icon?"ms-Icon--"+e.icon:""},n="None"===t.iconName?"":"ms-ContextualMenu-iconColor",o=d.css("ms-ContextualMenu-icon",n,t.className);return l.createElement(h.Icon,a({},t,{className:o}))},t.prototype._onKeyDown=function(e){var t=d.getRTL()?d.KeyCodes.right:d.KeyCodes.left;(e.which===d.KeyCodes.escape||e.which===d.KeyCodes.tab||e.which===t&&this.props.isSubMenu&&this.props.arrowDirection===p.FocusZoneDirection.vertical)&&(this._isFocusingPreviousElement=!0,e.preventDefault(),e.stopPropagation(),this.dismiss(e))},t.prototype._onItemMouseEnter=function(e,t){var n=this,r=t.currentTarget;e.key!==this.state.expandedMenuItemKey&&(o(e)?this._enterTimerId=this._async.setTimeout(function(){return n._onItemSubMenuExpand(e,r)},500):this._enterTimerId=this._async.setTimeout(function(){return n._onSubMenuDismiss(t)},500))},t.prototype._onMouseLeave=function(e){this._async.clearTimeout(this._enterTimerId)},t.prototype._onItemMouseDown=function(e,t){e.onMouseDown&&e.onMouseDown(e,t)},t.prototype._onItemClick=function(e,t){var n=r(e);n&&n.length?e.key===this.state.expandedMenuItemKey?this._onSubMenuDismiss(t):this._onItemSubMenuExpand(e,t.currentTarget):this._executeItemClick(e,t),t.stopPropagation(),t.preventDefault()},t.prototype._onAnchorClick=function(e,t){this._executeItemClick(e,t),t.stopPropagation()},t.prototype._executeItemClick=function(e,t){e.onClick&&e.onClick(t,e),this.dismiss(t,!0)},t.prototype._onItemKeyDown=function(e,t){var n=d.getRTL()?d.KeyCodes.left:d.KeyCodes.right;t.which===n&&(this._onItemSubMenuExpand(e,t.currentTarget),t.preventDefault())},t.prototype._onItemSubMenuExpand=function(e,t){ -if(this.state.expandedMenuItemKey!==e.key){this.state.submenuProps&&this._onSubMenuDismiss();var n={items:r(e),target:t,onDismiss:this._onSubMenuDismiss,isSubMenu:!0,id:this.state.subMenuId,shouldFocusOnMount:!0,directionalHint:d.getRTL()?c.DirectionalHint.leftTopEdge:c.DirectionalHint.rightTopEdge,className:this.props.className,gapSpace:0};e.subMenuProps&&d.assign(n,e.subMenuProps),this.setState({expandedMenuItemKey:e.key,submenuProps:n})}},t.prototype._onSubMenuDismiss=function(e,t){t?this.dismiss(e,t):this.setState({dismissedMenuItemKey:this.state.expandedMenuItemKey,expandedMenuItemKey:null,submenuProps:null})},t.prototype._setTargetWindowAndElement=function(e){if(e)if("string"==typeof e){var t=d.getDocument();this._target=t?t.querySelector(e):null,this._targetWindow=d.getWindow()}else if(e.stopPropagation)this._target=e,this._targetWindow=d.getWindow(e.toElement);else{var n=e;this._target=e,this._targetWindow=d.getWindow(n)}else this._targetWindow=d.getWindow()},t}(d.BaseComponent);y.defaultProps={items:[],shouldFocusOnMount:!0,isBeakVisible:!1,gapSpace:0,directionalHint:c.DirectionalHint.bottomAutoEdge,beakWidth:16,arrowDirection:p.FocusZoneDirection.vertical},s([d.autobind],y.prototype,"dismiss",null),s([d.autobind],y.prototype,"_onKeyDown",null),s([d.autobind],y.prototype,"_onMouseLeave",null),s([d.autobind],y.prototype,"_onSubMenuDismiss",null),t.ContextualMenu=y},function(e,t,n){"use strict";var o=n(7),r={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=r,o.loadStyles([{rawString:".ms-ContextualMenu{background-color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:';min-width:180px}.ms-ContextualMenu-list{list-style-type:none;margin:0;padding:0;line-height:0}.ms-ContextualMenu-item{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";height:36px;position:relative;box-sizing:border-box}.ms-ContextualMenu-link{font:inherit;color:inherit;background:0 0;border:none;width:100%;height:36px;line-height:36px;display:block;cursor:pointer;padding:0 6px}.ms-ContextualMenu-link::-moz-focus-inner{border:0}.ms-ContextualMenu-link{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-ContextualMenu-link:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .ms-ContextualMenu-link{text-align:left}html[dir=rtl] .ms-ContextualMenu-link{text-align:right}.ms-ContextualMenu-link:hover:not([disabled]){background:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-ContextualMenu-link.is-disabled,.ms-ContextualMenu-link[disabled]{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:";cursor:default;pointer-events:none}.ms-ContextualMenu-link.is-disabled .ms-ContextualMenu-icon,.ms-ContextualMenu-link[disabled] .ms-ContextualMenu-icon{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.is-focusVisible .ms-ContextualMenu-link:focus{background:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-ContextualMenu-link.is-expanded,.ms-ContextualMenu-link.is-expanded:hover{background:"},{theme:"neutralQuaternaryAlt",defaultValue:"#dadada"},{rawString:";color:"},{theme:"black",defaultValue:"#000000"},{rawString:';font-weight:600}.ms-ContextualMenu-header{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:12px;font-weight:400;font-weight:600;color:'},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";background:0 0;border:none;height:36px;line-height:36px;cursor:default;padding:0 6px;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.ms-ContextualMenu-header::-moz-focus-inner{border:0}.ms-ContextualMenu-header{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-ContextualMenu-header:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .ms-ContextualMenu-header{text-align:left}html[dir=rtl] .ms-ContextualMenu-header{text-align:right}a.ms-ContextualMenu-link{padding:0 6px;text-rendering:auto;color:inherit;letter-spacing:normal;word-spacing:normal;text-transform:none;text-indent:0;text-shadow:none;box-sizing:border-box}.ms-ContextualMenu-linkContent{white-space:nowrap;height:inherit;display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-align:center;-ms-flex-align:center;align-items:center;max-width:100%}.ms-ContextualMenu-divider{display:block;height:1px;background-color:"},{theme:"neutralLight",defaultValue:"#eaeaea"},{rawString:";position:relative}.ms-ContextualMenu-icon{display:inline-block;min-height:1px;max-height:36px;width:14px;margin:0 4px;vertical-align:middle;-ms-flex-negative:0;flex-shrink:0}.ms-ContextualMenu-iconColor{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}.ms-ContextualMenu-itemText{margin:0 4px;vertical-align:middle;display:inline-block;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;text-overflow:ellipsis;overflow:hidden;white-space:nowrap}.ms-ContextualMenu-linkText{margin:0 4px;display:inline-block;vertical-align:top;white-space:nowrap}.ms-ContextualMenu-submenuIcon{height:36px;line-height:36px;text-align:center;font-size:10px;display:inline-block;vertical-align:middle;-ms-flex-negative:0;flex-shrink:0}"}])},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(354)),o(n(313))},function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n-1&&(this.setState({isFocusVisible:!0}),l=!0)},t}(i.Component);t.Fabric=u},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(357))},function(e,t,n){"use strict";var o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,n,a):r(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return o(t,e),t.prototype.componentWillMount=function(){this._originalFocusedElement=s.getDocument().activeElement},t.prototype.componentDidMount=function(){this._events.on(this.refs.root,"focus",this._onFocus,!0),this._events.on(this.refs.root,"blur",this._onBlur,!0),s.doesElementContainFocus(this.refs.root)&&(this._containsFocus=!0)},t.prototype.componentWillUnmount=function(){this.props.shouldRestoreFocus&&this._originalFocusedElement&&this._containsFocus&&this._originalFocusedElement!==window&&this._originalFocusedElement&&this._originalFocusedElement.focus()},t.prototype.render=function(){var e=this.props,t=e.role,n=e.className,o=e.ariaLabelledBy,i=e.ariaDescribedBy;return a.createElement("div",r({ref:"root"},s.getNativeProps(this.props,s.divProperties),{className:n,role:t,"aria-labelledby":o,"aria-describedby":i,onKeyDown:this._onKeyDown}),this.props.children)},t.prototype._onKeyDown=function(e){switch(e.which){case s.KeyCodes.escape:this.props.onDismiss&&(this.props.onDismiss(),e.preventDefault(),e.stopPropagation())}},t.prototype._onFocus=function(){this._containsFocus=!0},t.prototype._onBlur=function(){this._containsFocus=!1},t}(s.BaseComponent);l.defaultProps={shouldRestoreFocus:!0},i([s.autobind],l.prototype,"_onKeyDown",null),t.Popup=l},,,,function(e,t,n){"use strict";function o(e,t,n){var o=e.isBeakVisible?e.beakWidth:0,r=f._getBorderSize(n),u=f._calculateActualBeakWidthInPixels(o)/2+(e.gapSpace?e.gapSpace:0),c=e.bounds?f._getRectangleFromIRect(e.bounds):new s.Rectangle(0,window.innerWidth-s.getScrollbarWidth(),0,window.innerHeight),p=e.target?f._getTargetRect(c,e.target):f._getTargetRectDEPRECATED(c,e.targetElement,e.creationEvent,e.targetPoint,e.useTargetPoint),d=f._getPositionData(e.directionalHint,p,c,e.coverTarget),h=f._positionCalloutWithinBounds(f._getRectangleFromHTMLElement(n),p,c,d,u,e.coverTarget,e.directionalHintFixed),m=f._positionBeak(o,h,p,r),g=f._finalizeCalloutPosition(h.calloutRectangle,t);return{calloutPosition:{top:g.top,left:g.left},beakPosition:{top:m.top,left:m.left,display:"block"},directionalClassName:l[h.targetEdge],submenuDirection:h.calloutEdge===i.right?a.DirectionalHint.leftBottomEdge:a.DirectionalHint.rightBottomEdge}}function r(e,t,n,o){void 0===n&&(n=0);var r,i=e,a=e,l=o?f._getRectangleFromIRect(o):new s.Rectangle(0,window.innerWidth-s.getScrollbarWidth(),0,window.innerHeight);return r=i.stopPropagation?new s.Rectangle(i.clientX,i.clientX,i.clientY,i.clientY):f._getRectangleFromHTMLElement(a),f._getMaxHeightFromTargetRectangle(r,t,n,l)}var i,a=n(46),s=n(6);!function(e){e[e.top=0]="top",e[e.bottom=1]="bottom",e[e.left=2]="left",e[e.right=3]="right"}(i=t.RectangleEdge||(t.RectangleEdge={}));var l=(h={},h[i.top]="slideUpIn20",h[i.bottom]="slideDownIn20",h[i.left]="slideLeftIn20",h[i.right]="slideRightIn20",h),u=function(){function e(e,t,n,o,r,i){this.calloutDirection=e,this.targetDirection=t,this.calloutPercent=n,this.targetPercent=o,this.beakPercent=r,this.isAuto=i}return e}();t.PositionData=u;var c=(m={},m[a.DirectionalHint.topLeftEdge]=new u(i.bottom,i.top,0,0,50,!1),m[a.DirectionalHint.topCenter]=new u(i.bottom,i.top,50,50,50,!1),m[a.DirectionalHint.topRightEdge]=new u(i.bottom,i.top,100,100,50,!1),m[a.DirectionalHint.topAutoEdge]=new u(i.bottom,i.top,0,0,50,!0),m[a.DirectionalHint.bottomLeftEdge]=new u(i.top,i.bottom,0,0,50,!1),m[a.DirectionalHint.bottomCenter]=new u(i.top,i.bottom,50,50,50,!1),m[a.DirectionalHint.bottomRightEdge]=new u(i.top,i.bottom,100,100,50,!1),m[a.DirectionalHint.bottomAutoEdge]=new u(i.top,i.bottom,0,0,50,!0),m[a.DirectionalHint.leftTopEdge]=new u(i.right,i.left,0,0,50,!1),m[a.DirectionalHint.leftCenter]=new u(i.right,i.left,50,50,50,!1),m[a.DirectionalHint.leftBottomEdge]=new u(i.right,i.left,100,100,50,!1),m[a.DirectionalHint.rightTopEdge]=new u(i.left,i.right,0,0,50,!1),m[a.DirectionalHint.rightCenter]=new u(i.left,i.right,50,50,50,!1),m[a.DirectionalHint.rightBottomEdge]=new u(i.left,i.right,100,100,50,!1),m),p=(g={},g[a.DirectionalHint.topLeftEdge]=new u(i.top,i.top,0,0,50,!1),g[a.DirectionalHint.topCenter]=new u(i.top,i.top,50,50,50,!1),g[a.DirectionalHint.topRightEdge]=new u(i.top,i.top,100,100,50,!1),g[a.DirectionalHint.topAutoEdge]=new u(i.top,i.top,0,0,50,!0),g[a.DirectionalHint.bottomLeftEdge]=new u(i.bottom,i.bottom,0,0,50,!1),g[a.DirectionalHint.bottomCenter]=new u(i.bottom,i.bottom,50,50,50,!1),g[a.DirectionalHint.bottomRightEdge]=new u(i.bottom,i.bottom,100,100,50,!1),g[a.DirectionalHint.bottomAutoEdge]=new u(i.bottom,i.bottom,0,0,50,!0),g[a.DirectionalHint.leftTopEdge]=new u(i.left,i.left,0,0,50,!1),g[a.DirectionalHint.leftCenter]=new u(i.left,i.left,50,50,50,!1),g[a.DirectionalHint.leftBottomEdge]=new u(i.left,i.left,100,100,50,!1),g[a.DirectionalHint.rightTopEdge]=new u(i.right,i.right,0,0,50,!1),g[a.DirectionalHint.rightCenter]=new u(i.right,i.right,50,50,50,!1),g[a.DirectionalHint.rightBottomEdge]=new u(i.right,i.right,100,100,50,!1),g),d=(v={},v[i.top]=i.bottom,v[i.bottom]=i.top,v[i.right]=i.left,v[i.left]=i.right,v);t.getRelativePositions=o,t.getMaxHeight=r;var f;!function(e){function t(e,t,n,o){var r=0;switch(t){case a.DirectionalHint.bottomAutoEdge:case a.DirectionalHint.bottomCenter:case a.DirectionalHint.bottomLeftEdge:case a.DirectionalHint.bottomRightEdge:r=o.bottom-e.bottom-n;break;case a.DirectionalHint.topAutoEdge:case a.DirectionalHint.topCenter:case a.DirectionalHint.topLeftEdge:case a.DirectionalHint.topRightEdge:r=e.top-o.top-n;break;default:r=o.bottom-e.top-n}return r>0?r:o.height}function n(e,t){var n;if(t.preventDefault){var o=t;n=new s.Rectangle(o.clientX,o.clientX,o.clientY,o.clientY)}else n=r(t);if(!b(n,e))for(var a=_(n,e),l=0,u=a;l100?s=100:s<0&&(s=0),s}function y(e,t){return!(e.width>t.width||e.height>t.height)}function b(e,t){return!(e.topt.bottom)&&(!(e.leftt.right)))}function _(e,t){var n=new Array;return e.topt.bottom&&n.push(i.bottom),e.leftt.right&&n.push(i.right),n}function w(e,t,n){var o,r;switch(t){case i.top:o={x:e.left,y:e.top},r={x:e.right,y:e.top};break;case i.left:o={x:e.left,y:e.top},r={x:e.left,y:e.bottom};break;case i.right:o={x:e.right,y:e.top},r={x:e.right,y:e.bottom};break;case i.bottom:o={x:e.left,y:e.bottom},r={x:e.right,y:e.bottom};break;default:o={x:0,y:0},r={x:0,y:0}}return E(o,r,n)}function C(e,t,n){switch(t){case i.top:case i.bottom:return 0!==e.width?(n.x-e.left)/e.width*100:100;case i.left:case i.right:return 0!==e.height?(n.y-e.top)/e.height*100:100}}function E(e,t,n){var o=e.x+(t.x-e.x)*n/100,r=e.y+(t.y-e.y)*n/100;return{x:o,y:r}}function x(e,t){return new s.Rectangle(t.x,t.x+e.width,t.y,t.y+e.height)}function S(e,t,n){switch(n){case i.top:return x(e,{x:e.left,y:t});case i.bottom:return x(e,{x:e.left,y:t-e.height});case i.left:return x(e,{x:t,y:e.top});case i.right:return x(e,{x:t-e.width,y:e.top})}return new s.Rectangle}function T(e,t,n){var o=t.x-e.left,r=t.y-e.top;return x(e,{x:n.x-o,y:n.y-r})}function P(e,t,n){var o=0,r=0;switch(n){case i.top:r=t*-1;break;case i.left:o=t*-1;break;case i.right:o=t;break;case i.bottom:r=t}return x(e,{x:e.left+o,y:e.top+r})}function k(e,t,n,o,r,i,a){void 0===a&&(a=0);var s=w(e,t,n),l=w(o,r,i),u=T(e,s,l);return P(u,a,r)}function I(e,t,n){switch(t){case i.top:case i.bottom:var o=void 0;return o=n.x>e.right?e.right:n.xe.bottom?e.bottom:n.y-1))return u;a.splice(a.indexOf(l),1),l=a.indexOf(h)>-1?h:a.slice(-1)[0],u.calloutEdge=d[l],u.targetEdge=l,u.calloutRectangle=k(u.calloutRectangle,u.calloutEdge,u.alignPercent,t,u.targetEdge,n,r)}return e}e._getMaxHeightFromTargetRectangle=t,e._getTargetRect=n,e._getTargetRectDEPRECATED=o,e._getRectangleFromHTMLElement=r,e._positionCalloutWithinBounds=l,e._getBestRectangleFitWithinBounds=u,e._positionBeak=f,e._finalizeBeakPosition=h,e._getRectangleFromIRect=m,e._finalizeCalloutPosition=g,e._recalculateMatchingPercents=v,e._canRectangleFitWithinBounds=y,e._isRectangleWithinBounds=b,e._getOutOfBoundsEdges=_,e._getPointOnEdgeFromPercent=w,e._getPercentOfEdgeFromPoint=C,e._calculatePointPercentAlongLine=E,e._moveTopLeftOfRectangleToPoint=x,e._alignEdgeToCoordinate=S,e._movePointOnRectangleToPoint=T,e._moveRectangleInDirection=P,e._moveRectangleToAnchorRectangle=k,e._getClosestPointOnEdgeToPoint=I,e._calculateActualBeakWidthInPixels=M,e._getBorderSize=O,e._getPositionData=D,e._flipRectangleToFit=N}(f=t.positioningFunctions||(t.positioningFunctions={}));var h,m,g,v},,,,,,,,,,function(e,t,n){"use strict";t.SpSiteContentConstants={ERROR_MESSAGE_GET_ALL_SITE_CONTENT:"An error occurred getting all site content.",ERROR_MESSAGE_REINDEX_LIST:"An error occurred sending the list reindex request.",ERROR_MESSAGE_RESOLVER_GETTING_LISTS:"Getting the lists and libraries",ERROR_MESSAGE_RESOLVER_SETTING_VISIBILITY:"Setting the Visibility of the list",ERROR_MESSAGE_RESOLVER_SETTING_ATTACHMENTS:"Setting the attachments",ERROR_MESSAGE_RESOLVER_SETTING_NO_CRAWL:"Setting no crawl",ERROR_MESSAGE_RESOLVER_DELETING_LIST:"Deleting the list",ERROR_MESSAGE_SET_LIST_ATTACHMENTS_ENABLE:"An error occurred setting the attachments.",ERROR_MESSAGE_SET_LIST_NO_CRAWL:"An error occurred setting list crawl.",ERROR_MESSAGE_SET_LIST_VISIBILITY:"An error occurred setting the list visibility.",changeEvent:"spSiteContentStorechange",getContentErrorMessage:"Failed to get web lists",itemImageHeight:25,itemImageWidth:25,noOpenInNewTab:"List and libraries links will open in the current tab.",openInNewTab:"List and libraries links will open in a new tab.",permissionsPageUrlClose:"%7D",permissionsPageUrlMiddle:"%7D,list&List=%7B",permissionsPageUrlOpen:"/_layouts/user.aspx?obj=%7B",selectFields:["RootFolder","Title","Id","Hidden","ItemCount","Created","ImageUrl","LastItemModifiedDate","Description","EffectiveBasePermissions","ParentWebUrl","DefaultNewFormUrl","EnableAttachments","BaseTemplate","BaseType","NoCrawl"],settingsRelativeUrl:"/_layouts/listedit.aspx?List=",showingAllItemsMessage:"Showing all lists and libraries.",showingHiddenItemsMessage:"Showing only hidden lists and libraries."},t.ActionsId={HANDLE_ASYNC_ERROR:"HANDLE_ASYNC_ERROR",SET_MESSAGE_DATA:"SET_MESSAGE_DATA",SET_OPEN_IN_NEW_TAB:"SET_OPEN_IN_NEW_TAB",SET_SHOW_ALL:"SET_SHOW_ALL",SET_SITE_CONTENT:"SET_SITE_CONTENT",SET_SITE_CONTENT_AND_MESSAGE:"SET_SITE_CONTENT_AND_MESSAGE",SET_TEXT_FILTER:"SET_TEXT_FILTER",SET_WORKING_ON_IT:"SET_WORKING_ON_IT"}},,,,,,,,,,,,,,,,,,,,function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(403))},,,,function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(315)),o(n(207))},,,,,,,,,,,,,,,,,,,,,function(e,t,n){"use strict";var o=n(31),r=n(450),i=n(379),a=new r.default,s=function(e){return{payload:e,type:i.ActionsId.SET_SITE_CONTENT}},l=function(e,t){return{payload:{messageData:t,siteContent:e},type:i.ActionsId.SET_SITE_CONTENT_AND_MESSAGE}},u=function(e,t){return{payload:{message:e,showMessage:!0,type:o.MessageBarType.error},type:i.ActionsId.HANDLE_ASYNC_ERROR}},c=function(e){return function(t){return a.getLists().then(function(n){t("undefined"!=typeof e?l(n,e):s(n))}).catch(function(e){t(u(i.SpSiteContentConstants.ERROR_MESSAGE_GET_ALL_SITE_CONTENT,e))})}},p=function(e){return function(t){return t(b(!0)),a.setListVisibility(e).then(function(){var n="The List "+e.title+" is now "+(e.hidden?"visible":"Hidden")+".",r={message:n,showMessage:!0,type:o.MessageBarType.success};t(c(r))}).catch(function(e){t(u(i.SpSiteContentConstants.ERROR_MESSAGE_SET_LIST_VISIBILITY,e))})}},d=function(e){return function(t){return t(b(!0)),a.setAttachments(e).then(function(){var n="Users "+(e.enableAttachments?"CAN NOT":"CAN")+" attach files to items in this list "+e.title+".",r={message:n,showMessage:!0,type:o.MessageBarType.success};t(c(r))}).catch(function(e){t(u(i.SpSiteContentConstants.ERROR_MESSAGE_SET_LIST_ATTACHMENTS_ENABLE,e))})}},f=function(e){return function(t){return t(b(!0)),a.recycleList(e).then(function(){var n="The List "+e.title+" has been deleted.",r={message:n,showMessage:!0,type:o.MessageBarType.success};t(c(r))}).catch(function(e){t(u(i.SpSiteContentConstants.ERROR_MESSAGE_SET_LIST_NO_CRAWL,e))})}},h=function(e){return function(t){return t(b(!0)),a.setNoCrawl(e).then(function(){var n="The items in "+e.title+" will "+(e.noCrawl?"NOW":"NOT")+" be visible in search results.",r={message:n,showMessage:!0,type:o.MessageBarType.success};t(c(r))}).catch(function(e){t(u(i.SpSiteContentConstants.ERROR_MESSAGE_SET_LIST_NO_CRAWL,e))})}},m=function(e){return function(t){return a.reIndex(e).then(function(e){e===SP.UI.DialogResult.OK&&t(v({message:"The requeste has been sent, patience my young padawan...",showMessage:!0,type:o.MessageBarType.success}))}).catch(function(e){t(u(i.SpSiteContentConstants.ERROR_MESSAGE_REINDEX_LIST,e))})}},g=function(e){return{payload:e,type:i.ActionsId.SET_TEXT_FILTER}},v=function(e){return{payload:e,type:i.ActionsId.SET_MESSAGE_DATA}},y=function(e){return{payload:e,type:i.ActionsId.SET_SHOW_ALL}},b=function(e){return{payload:e,type:i.ActionsId.SET_WORKING_ON_IT}},_=function(e){return{payload:e,type:i.ActionsId.SET_OPEN_IN_NEW_TAB}},w={getAllSiteContent:c,setShowAll:y,setOpenInNewWindow:_,setFilter:g,setListVisibility:p,setMessageData:v,reIndexList:m,setListNoCrawl:h,setListAttachments:d,recycleList:f};Object.defineProperty(t,"__esModule",{value:!0}),t.default=w},function(e,t,n){"use strict";var o;!function(e){e[e.normal=0]="normal",e[e.largeHeader=1]="largeHeader",e[e.close=2]="close"}(o=t.DialogType||(t.DialogType={}))},function(e,t,n){"use strict";var o=n(7),r={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=r,o.loadStyles([{rawString:'.ms-Dialog{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;background-color:transparent;position:fixed;height:100%;width:100%;top:0;display:none}html[dir=ltr] .ms-Dialog{left:0}html[dir=rtl] .ms-Dialog{right:0}.ms-Dialog .ms-Button.ms-Button--compound{display:block}html[dir=ltr] .ms-Dialog .ms-Button.ms-Button--compound{margin-left:0}html[dir=rtl] .ms-Dialog .ms-Button.ms-Button--compound{margin-right:0}@media screen and (-ms-high-contrast:active){.ms-Dialog .ms-Overlay{opacity:0}}.ms-Dialog.is-open{display:block}.ms-Dialog.is-open{display:block;line-height:100vh;text-align:center}.ms-Dialog.is-open::before{vertical-align:middle;display:inline-block;content:"";height:100%;width:0}.ms-Dialog.is-animatingOpen{-webkit-animation-duration:367ms;-webkit-animation-name:fadeIn;-webkit-animation-fill-mode:both;animation-duration:367ms;animation-name:fadeIn;animation-fill-mode:both;-webkit-animation-duration:267ms;animation-duration:267ms}.ms-Dialog.is-animatingClose{-webkit-animation-duration:367ms;-webkit-animation-name:fadeOut;-webkit-animation-fill-mode:both;animation-duration:367ms;animation-name:fadeOut;animation-fill-mode:both;-webkit-animation-duration:167ms;animation-duration:167ms}.ms-Dialog-main{vertical-align:middle;display:inline-block;box-shadow:0 0 5px 0 rgba(0,0,0,.4);background-color:'},{theme:"white",defaultValue:"#ffffff"},{rawString:";box-sizing:border-box;line-height:1.35;margin:auto;width:288px;position:relative;outline:3px solid transparent;max-height:100%;overflow-y:auto}html[dir=ltr] .ms-Dialog-main{text-align:left}html[dir=rtl] .ms-Dialog-main{text-align:right}.ms-Dialog-button.ms-Dialog-button--close{display:none}.ms-Dialog-button.ms-Dialog-button--close .ms-Icon.ms-Icon--Cancel{color:"},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:';font-size:16px}.ms-Dialog-inner{padding:0 28px 20px}.ms-Dialog-header{position:relative;width:100%;box-sizing:border-box}.ms-Dialog-title{margin:0;font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:21px;font-weight:100;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:';padding:20px 36px 20px 28px}html[dir=rtl] .ms-Dialog-title{padding:20px 28px 20px 36px}.ms-Dialog-topButton{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-orient:horizontal;-webkit-box-direction:normal;-ms-flex-direction:row;flex-direction:row;-ms-flex-wrap:nowrap;flex-wrap:nowrap;position:absolute;top:0;padding:12px 12px 0 0}html[dir=ltr] .ms-Dialog-topButton{right:0}html[dir=rtl] .ms-Dialog-topButton{left:0}html[dir=rtl] .ms-Dialog-topButton{padding:12px 0 0 12px}.ms-Dialog-topButton>*{-webkit-box-flex:0;-ms-flex:0 0 auto;flex:0 0 auto}.ms-Dialog-content{position:relative;width:100%}.ms-Dialog-content .ms-Button.ms-Button--compound{margin-bottom:20px}.ms-Dialog-content .ms-Button.ms-Button--compound:last-child{margin-bottom:0}.ms-Dialog-subText{margin:0 0 20px 0;padding-top:8px;font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:12px;font-weight:400;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";font-weight:300;line-height:1.5}.ms-Dialog-actions{position:relative;width:100%;min-height:24px;line-height:24px;margin:20px 0 0;font-size:0}.ms-Dialog-actions .ms-Button{line-height:normal}.ms-Dialog-actionsRight{font-size:0}html[dir=ltr] .ms-Dialog-actionsRight{text-align:right}html[dir=rtl] .ms-Dialog-actionsRight{text-align:left}html[dir=ltr] .ms-Dialog-actionsRight{margin-right:-4px}html[dir=rtl] .ms-Dialog-actionsRight{margin-left:-4px}.ms-Dialog-actionsRight .ms-Dialog-action{margin:0 4px}.ms-Dialog.ms-Dialog--close:not(.ms-Dialog--lgHeader) .ms-Dialog-button.ms-Dialog-button--close{display:block}.ms-Dialog.ms-Dialog--multiline .ms-Dialog-title{font-size:28px}.ms-Dialog.ms-Dialog--multiline .ms-Dialog-inner{padding:0 20px 20px}.ms-Dialog.ms-Dialog--lgHeader .ms-Dialog-header{background-color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:'}.ms-Dialog.ms-Dialog--lgHeader .ms-Dialog-title{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:28px;font-weight:100;color:'},{theme:"white",defaultValue:"#ffffff"},{rawString:";padding:26px 28px 28px;margin-bottom:8px}.ms-Dialog.ms-Dialog--lgHeader .ms-Dialog-subText{font-size:14px}@media (min-width:480px){.ms-Dialog-main{width:auto;min-width:288px;max-width:340px}}"}])},function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=n(0);n(426);var i=function(e){function t(){return null!==e&&e.apply(this,arguments)||this; -}return o(t,e),t.prototype.render=function(){return r.createElement("div",{className:"ms-Dialog-actions"},r.createElement("div",{className:"ms-Dialog-actionsRight"},this._renderChildrenAsActions()))},t.prototype._renderChildrenAsActions=function(){return r.Children.map(this.props.children,function(e){return r.createElement("span",{className:"ms-Dialog-action"},e)})},t}(r.Component);t.DialogFooter=i},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(466)),o(n(427)),o(n(425))},,,,,function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=n(31),i=n(0),a=n(40),s=n(39),l=n(424),u=n(139),c=n(138),p=n(132),d=n(452),f=n(453),h=function(e){function t(){var t=e.call(this)||this;return t.onMessageClose=t.onMessageClose.bind(t),t}return o(t,e),t.prototype.render=function(){return this.props.isWorkingOnIt?i.createElement(p.WorkingOnIt,null):i.createElement("div",{className:"action-container sp-siteContent"},i.createElement(c.default,{onCloseMessageClick:this.onMessageClose,message:this.props.messageData.message,messageType:this.props.messageData.type,showMessage:this.props.messageData.showMessage}),i.createElement(u.default,{setFilterText:this.props.actions.setFilter,filterStr:this.props.filterText,parentOverrideClass:"ms-Grid-col ms-u-sm6 ms-u-md6 ms-u-lg6"},i.createElement("div",{className:"ms-Grid-row"},i.createElement(d.SpSiteContentCheckBox,{checkLabel:"Show All",isCkecked:this.props.showAll,onCheckBoxChange:this.props.actions.setShowAll}),i.createElement(d.SpSiteContentCheckBox,{checkLabel:"Open in new tab",isCkecked:this.props.openInNewTab,onCheckBoxChange:this.props.actions.setOpenInNewWindow}))),i.createElement(f.SpSiteContentList,{items:this.props.siteLists,linkTarget:this.props.openInNewTab?"_blank":"_self",filterString:this.props.filterText,showAll:this.props.showAll}))},t.prototype.componentDidMount=function(){this.props.actions.getAllSiteContent()},t.prototype.onMessageClose=function(){this.props.actions.setMessageData({message:"",showMessage:!1,type:r.MessageBarType.info})},t}(i.Component),m=function(e,t){return{filterText:e.spSiteContent.filterText,isWorkingOnIt:e.spSiteContent.isWorkingOnIt,messageData:e.spSiteContent.messageData,openInNewTab:e.spSiteContent.openInNewTab,showAll:e.spSiteContent.showAll,siteLists:e.spSiteContent.siteLists}},g=function(e){return{actions:s.bindActionCreators(l.default,e)}};Object.defineProperty(t,"__esModule",{value:!0}),t.default=a.connect(m,g)(h)},function(e,t,n){"use strict";var o=n(39),r=n(303),i=n(457);t.configureStore=function(e){return o.createStore(i.rootReducer,e,o.applyMiddleware(r.default))}},function(e,t,n){"use strict";var o=n(71),r=n(460),i=n(0),a=n(17);t.DialogConfirm=function(e){var t=function(){typeof e.onCancel!==a.constants.TYPE_OF_UNDEFINED&&e.onCancel()};return i.createElement(r.Dialog,{isOpen:!0,type:r.DialogType.normal,title:e.dialogTitle,subText:e.dialogText,isBlocking:!0},i.createElement(r.DialogFooter,null,i.createElement(o.Button,{buttonType:o.ButtonType.primary,onClick:e.onOk},e.okBtnText||a.constants.BUTTON_TEX_OK),i.createElement(o.Button,{onClick:t},e.cancelBtnText||a.constants.BUTTON_TEX_CANCEL)))}},,,,,,,,,,,,,,,function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=n(137),i=n(379),a=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return o(t,e),t.prototype.getLists=function(){var e=this;return new Promise(function(t,n){var o=SP.ClientContext.get_current(),r=o.get_web(),a=r.get_lists();o.load(r),o.load(a,"Include("+i.SpSiteContentConstants.selectFields.join(",")+")");var s=function(e,n){for(var o=[],r=a.getEnumerator();r.moveNext();){var s=r.get_current(),l=s.get_id(),u=s.get_parentWebUrl();"/"===u&&(u=location.origin);var c=u+"/_layouts/15/ReindexListDialog.aspx?List={"+l+"}",p=u+i.SpSiteContentConstants.permissionsPageUrlOpen+l+i.SpSiteContentConstants.permissionsPageUrlMiddle+l+i.SpSiteContentConstants.permissionsPageUrlClose,d={baseTemplate:s.get_baseTemplate(),baseType:s.get_baseType(),created:s.get_created(),description:s.get_description(),enableAttachments:s.get_enableAttachments(),hidden:s.get_hidden(),id:l,imageUrl:s.get_imageUrl(),itemCount:s.get_itemCount(),lastModified:s.get_lastItemModifiedDate(),listUrl:s.get_rootFolder().get_serverRelativeUrl(),newFormUrl:s.get_defaultNewFormUrl(),noCrawl:s.get_noCrawl(),permissionsPageUrl:p,reIndexUrl:c,settingsUrl:u+i.SpSiteContentConstants.settingsRelativeUrl+l,title:s.get_title(),userCanAddItems:s.get_effectiveBasePermissions().has(SP.PermissionKind.addListItems),userCanManageList:s.get_effectiveBasePermissions().has(SP.PermissionKind.manageLists)};o=o.concat(d)}o.sort(function(e,t){return e.title.localeCompare(t.title)}),t(o)};o.executeQueryAsync(s,e.getErroResolver(n,i.SpSiteContentConstants.ERROR_MESSAGE_RESOLVER_GETTING_LISTS))})},t.prototype.setListVisibility=function(e){var t=this;return new Promise(function(n,o){var r=SP.ClientContext.get_current(),a=r.get_web(),s=a.get_lists().getById(e.id);s.set_hidden(!e.hidden),s.update(),a.update(),r.load(s),r.load(a);var l=function(e,t){n(!0)};r.executeQueryAsync(l,t.getErroResolver(o,i.SpSiteContentConstants.ERROR_MESSAGE_RESOLVER_SETTING_VISIBILITY))})},t.prototype.setAttachments=function(e){var t=this;return new Promise(function(n,o){var r=SP.ClientContext.get_current(),a=r.get_web(),s=a.get_lists().getById(e.id);s.set_enableAttachments(!e.enableAttachments),s.update(),a.update(),r.load(s),r.load(a);var l=function(e,t){n(!0)};r.executeQueryAsync(l,t.getErroResolver(o,i.SpSiteContentConstants.ERROR_MESSAGE_RESOLVER_SETTING_ATTACHMENTS))})},t.prototype.setNoCrawl=function(e){var t=this;return new Promise(function(n,o){var r=SP.ClientContext.get_current(),a=r.get_web(),s=a.get_lists().getById(e.id);s.set_noCrawl(!e.noCrawl),s.update(),a.update(),r.load(s),r.load(a);var l=function(e,t){n(!0)};r.executeQueryAsync(l,t.getErroResolver(o,i.SpSiteContentConstants.ERROR_MESSAGE_RESOLVER_SETTING_NO_CRAWL))})},t.prototype.recycleList=function(e){var t=this;return new Promise(function(n,o){var r=SP.ClientContext.get_current(),a=r.get_web(),s=a.get_lists().getById(e.id);s.recycle();var l=function(e,t){n(!0)};r.executeQueryAsync(l,t.getErroResolver(o,i.SpSiteContentConstants.ERROR_MESSAGE_RESOLVER_DELETING_LIST))})},t.prototype.reIndex=function(e){return new Promise(function(t,n){SP.SOD.execute("sp.ui.dialog.js","SP.UI.ModalDialog.showModalDialog",{dialogReturnValueCallback:function(e){t(e)},title:"Reindex List",url:e.reIndexUrl})})},t}(r.default);Object.defineProperty(t,"__esModule",{value:!0}),t.default=a},function(e,t,n){"use strict";var o=n(399),r=n(0),i=n(379),a=n(454);t.SpSiteContentItem=function(e){return r.createElement("div",{className:"ms-ListBasicExample-itemCell"},r.createElement(o.Image,{src:e.item.imageUrl,width:i.SpSiteContentConstants.itemImageWidth,height:i.SpSiteContentConstants.itemImageHeight,className:"ms-ListBasicExample-itemImage"+(e.item.hidden?" hidden-spList":"")}),r.createElement("div",{className:"ms-ListBasicExample-itemContent"},r.createElement("a",{title:e.item.description,alt:e.item.title,href:e.item.listUrl,className:"ms-ListBasicExample-itemName ms-font-l ms-fontColor-themePrimary ms-fontWeight-semibold",target:e.linkTarget},e.item.title),r.createElement("div",{className:"ms-ListBasicExample-itemIndex"},"Items: "+e.item.itemCount+" "),r.createElement("div",{className:"ms-ListBasicExample-itemIndex"},"Modified: "+e.item.lastModified.toLocaleDateString()+" "+e.item.lastModified.toLocaleTimeString())),r.createElement("div",{className:"ms-ListItem-actions"},r.createElement(a.default,{item:e.item,linkTarget:e.linkTarget})))}},function(e,t,n){"use strict";var o=n(459),r=n(0);t.SpSiteContentCheckBox=function(e){var t=function(t){var n=t.target.checked;e.onCheckBoxChange(n)};return r.createElement("div",{className:"ms-Grid-col ms-u-sm6 ms-u-md6 ms-u-lg6"},r.createElement(o.Checkbox,{label:e.checkLabel,defaultChecked:e.isCkecked,onChange:t}))}},function(e,t,n){"use strict";var o=n(197),r=n(0),i=n(451);t.SpSiteContentList=function(e){var t=e.filterString.toLowerCase(),n=e.items.filter(function(n,o){return(""===t||n.title.toLowerCase().indexOf(t)>=0)&&(e.showAll||n.hidden)}),a=function(t,n){return r.createElement(i.SpSiteContentItem,{item:t,linkTarget:e.linkTarget})};return r.createElement(o.List,{items:n,onRenderCell:a})}},function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=n(71),i=n(346),a=n(0),s=n(40),l=n(435),u=n(424),c=n(456),p=function(e){function t(){var t=e.call(this)||this;return t.state={dialogData:{isDialogConfirmVisible:!1},isContextMenuVisible:!1},t.refs={menuButtonContainer:null},t._onClick=t._onClick.bind(t),t._onDismiss=t._onDismiss.bind(t),t._contextualMenu=t._contextualMenu.bind(t),t._confirmDialog=t._confirmDialog.bind(t),t._divRefCallBack=t._divRefCallBack.bind(t),t._onActionItemCliuck=t._onActionItemCliuck.bind(t),t._getDialogOnClickCallBack=t._getDialogOnClickCallBack.bind(t),t._onConfirmDialogClose=t._onConfirmDialogClose.bind(t),t}return o(t,e),t.prototype.render=function(){return a.createElement("div",{className:"sp-siteContent-contextMenu",ref:this._divRefCallBack},a.createElement(r.IconButton,{onClick:this._onClick,icon:"More",title:"More",ariaLabel:"More"}),this._contextualMenu(),this._confirmDialog())},t.prototype._getDialogOnClickCallBack=function(e){var t=this;return function(){t.props[e](t.props.item)}},t.prototype._onActionItemCliuck=function(e,t){var n=this._getDialogOnClickCallBack(t.actionName);t.dialogData?this.setState({dialogData:{isDialogConfirmVisible:!0,dialogText:t.dialogData.dialogText,dialogTitle:t.dialogData.dialogTitle,onOk:n}}):n()},t.prototype._divRefCallBack=function(e){e&&(this.input=e)},t.prototype._contextualMenu=function(){var e=this.props.openInNewTab?"_blank":"_self";return this.state.isContextMenuVisible&&a.createElement(i.ContextualMenu,{target:this.input,isBeakVisible:!0,beakWidth:10,shouldFocusOnMount:!1,onDismiss:this._onDismiss,directionalHint:i.DirectionalHint.bottomRightEdge,items:c.spSiteContentMenuHelper.getMenuOptions(e,this.props.item,this._onActionItemCliuck)})},t.prototype._confirmDialog=function(){return this.state.dialogData.isDialogConfirmVisible&&a.createElement(l.DialogConfirm,{dialogText:this.state.dialogData.dialogText,dialogTitle:this.state.dialogData.dialogTitle,onOk:this.state.dialogData.onOk,onCancel:this._onConfirmDialogClose})},t.prototype._onConfirmDialogClose=function(){this.setState({dialogData:{isDialogConfirmVisible:!1}})},t.prototype._onClick=function(e){return e.preventDefault(),this.setState({isContextMenuVisible:!this.state.isContextMenuVisible}),!1},t.prototype._onDismiss=function(){this.setState({isContextMenuVisible:!1})},t}(a.Component),d=function(e,t){return{openInNewTab:e.spSiteContent.openInNewTab}},f=function(e){return{reIndexList:function(t){return e(u.default.reIndexList(t))},setListVisibility:function(t){return e(u.default.setListVisibility(t))},setListNoCrawl:function(t){return e(u.default.setListNoCrawl(t))},setListAttachments:function(t){return e(u.default.setListAttachments(t))},recycleList:function(t){return e(u.default.recycleList(t))}}};Object.defineProperty(t,"__esModule",{value:!0}),t.default=s.connect(d,f)(p)},function(e,t,n){"use strict";var o;!function(e){e[e.Link=0]="Link",e[e.Action=1]="Action",e[e.Custom=2]="Custom",e[e.Divider=3]="Divider",e[e.Parent=4]="Parent"}(o=t.MenuOptionType||(t.MenuOptionType={}))},function(e,t,n){"use strict";var o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n0}},function(e){var t=i.default.formatString("{0} attachments?",e.enableAttachments?"Disable":"Enable"),n=i.default.formatString("Are you sure you {0} want to allow users to attach files to items in the {1} list?",e.enableAttachments?"don't":"",e.title),o=i.default.formatString("{0} attachments",e.enableAttachments?"Disable":"Enable");return{dialogData:{dialogTitle:t,dialogText:n},key:"SetAttachments",iconProps:{iconName:"Attach"},name:o,title:o,optionType:a.MenuOptionType.Action,actionName:"setListAttachments",visibleIf:function(e){return e.userCanManageList&&0===e.baseType}}},function(e){var t=i.default.formatString("{0} items in search?",e.noCrawl?"Show":"Hide"),n=i.default.formatString("Are you sure you want {0} items from the {1} list in search result pages?",e.noCrawl?"show":"hide",e.title),o=i.default.formatString("{0} items in search",e.noCrawl?"Show":"Hide");return{dialogData:{dialogTitle:t,dialogText:n},key:"SetCrawl",iconProps:{iconName:"StackIndicator"},name:o,title:o,optionType:a.MenuOptionType.Action,actionName:"setListNoCrawl",visibleIf:function(e){return e.userCanManageList}}}]}},function(e){var t=i.default.formatString("Are you sure you want to send the {0} List to the recicly bin?",e.title);return{dialogData:{dialogTitle:"Delete List?",dialogText:t},key:"Delete",iconProps:{iconName:"Delete",style:{color:"red"}},name:"Delete",title:"Delete",optionType:a.MenuOptionType.Action,actionName:"recycleList",visibleIf:function(e){return e.userCanManageList}}}]}return e.prototype.getMenuOptions=function(e,t,n){return this.parseAndFilterOptions(this._options,e,t,n)},e.prototype.parseAndFilterOptions=function(e,t,n,r){var i=this,s=[];return e.forEach(function(e){var l;if(l="function"==typeof e?e(n):e,!l.visibleIf||l.visibleIf(n)){switch(l.optionType){case a.MenuOptionType.Link:l=o({},l,{siteContent:n,linkTarget:t});break;case a.MenuOptionType.Action:l=o({},l,{onClick:r,siteContent:n});break;case a.MenuOptionType.Custom:l=o({},l,{siteContent:n});break;default:l=l}if("undefined"!=typeof l.subMenuProps){var u={items:i.parseAndFilterOptions(l.subMenuProps.items,t,n,r)};l=o({},l,{subMenuProps:u})}s.push(l)}}),s},e.prototype._renderCharmMenuItem=function(e){var t=e.getOptionLink(e.siteContent),n="ms-Icon ms-Icon--"+e.iconProps.iconName+" ms-ContextualMenu-icon ms-ContextualMenu-iconColor";return r.createElement("a",{target:e.linkTarget,href:t,title:e.title,className:"ms-ContextualMenu-link",key:e.key},r.createElement("div",{className:"ms-ContextualMenu-linkContent"},r.createElement("i",{className:n}),r.createElement("span",{className:"ms-ContextualMenu-itemText"},e.name)))},e.prototype._onReIndexClick=function(e,t){SP.SOD.execute("sp.ui.dialog.js","SP.UI.ModalDialog.showModalDialog",{dialogReturnValueCallback:function(){},title:"Reindex List",url:t.siteContent.reIndexUrl})},e}();t.spSiteContentMenuHelper=new s},function(e,t,n){"use strict";var o=n(39),r=n(458);t.rootReducer=o.combineReducers({spSiteContent:r.spSiteContentReducer})},function(e,t,n){"use strict";var o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,n,a):r(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6);n(464);var l=function(e){function t(t){var n=e.call(this,t)||this;return n._id=s.getId("checkbox-"),n.state={isFocused:!1,isChecked:t.defaultChecked||!1},n}return o(t,e),t.prototype.render=function(){var e=this.props,t=e.checked,n=e.className,o=e.defaultChecked,i=e.disabled,l=e.inputProps,u=e.label,c=e.name,p=this.state.isFocused,d=void 0===t?this.state.isChecked:t;return a.createElement("div",{className:s.css("ms-Checkbox",n,{"is-inFocus":p})},a.createElement("input",r({},l,void 0!==t&&{checked:t},void 0!==o&&{defaultChecked:o},{disabled:i,ref:this._resolveRef("_checkBox"),id:this._id,name:c||this._id,className:"ms-Checkbox-input",type:"checkbox",onChange:this._onChange,onFocus:this._onFocus,onBlur:this._onBlur,"aria-checked":d})),this.props.children,a.createElement("label",{htmlFor:this._id,className:s.css("ms-Checkbox-label",{"is-checked":d,"is-disabled":i})},u&&a.createElement("span",{className:"ms-Label"},u)))},Object.defineProperty(t.prototype,"checked",{get:function(){return!!this._checkBox&&this._checkBox.checked},enumerable:!0,configurable:!0}),t.prototype.focus=function(){this._checkBox&&this._checkBox.focus()},t.prototype._onFocus=function(e){var t=this.props.inputProps;t&&t.onFocus&&t.onFocus(e),this.setState({isFocused:!0})},t.prototype._onBlur=function(e){var t=this.props.inputProps;t&&t.onBlur&&t.onBlur(e),this.setState({isFocused:!1})},t.prototype._onChange=function(e){var t=this.props.onChange,n=e.target.checked;t&&t(e,n),void 0===this.props.checked&&this.setState({isChecked:n})},t}(s.BaseComponent);l.defaultProps={},i([s.autobind],l.prototype,"_onFocus",null),i([s.autobind],l.prototype,"_onBlur",null),i([s.autobind],l.prototype,"_onChange",null),t.Checkbox=l},function(e,t,n){"use strict";var o=n(7),r={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=r,o.loadStyles([{rawString:".ms-Checkbox{box-sizing:border-box;color:"},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:';font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;font-size:14px;font-weight:400;min-height:36px;position:relative}.ms-Checkbox .ms-Label{font-size:14px;padding:0 0 0 26px;display:inline-block}html[dir=rtl] .ms-Checkbox .ms-Label{padding:0 26px 0 0}.ms-Checkbox-input{position:absolute;opacity:0;top:8px}.ms-Checkbox-label::before{content:\'\';display:inline-block;border:1px solid '},{theme:"neutralTertiary",defaultValue:"#a6a6a6"},{rawString:';width:20px;height:20px;font-weight:400;position:absolute;box-sizing:border-box;-webkit-transition-property:background,border,border-color;transition-property:background,border,border-color;-webkit-transition-duration:.2s;transition-duration:.2s;-webkit-transition-timing-function:cubic-bezier(.4,0,.23,1);transition-timing-function:cubic-bezier(.4,0,.23,1)}.ms-Checkbox-label::after{content:"\\E73E";font-family:FabricMDL2Icons;display:none;position:absolute;font-weight:900;background-color:transparent;font-size:13px;top:0;color:'},{theme:"white",defaultValue:"#ffffff"},{rawString:";line-height:20px;width:20px;text-align:center}.ms-Checkbox-label{display:inline-block;cursor:pointer;margin-top:8px;position:relative;vertical-align:top;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;min-width:20px;min-height:20px;line-height:20px}.ms-Checkbox-label:hover::before{border-color:"},{theme:"neutralSecondaryAlt",defaultValue:"#767676"},{rawString:"}.ms-Checkbox-label:hover .ms-Label{color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-Checkbox-label:focus::before{border-color:"},{theme:"neutralSecondaryAlt",defaultValue:"#767676"},{rawString:"}.ms-Checkbox-label:focus.is-disabled::before{border-color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.ms-Checkbox-label:focus.is-checked::before{border-color:"},{theme:"themeDarkAlt",defaultValue:"#106ebe"},{rawString:"}.ms-Checkbox-label:active::before{border-color:"},{theme:"neutralSecondaryAlt",defaultValue:"#767676"},{rawString:"}.ms-Checkbox-label:active .ms-Label{color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-Checkbox-label.is-checked::before{border:10px solid "},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";background-color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}@media screen and (-ms-high-contrast:active),(-ms-high-contrast:black-on-white){.ms-Checkbox-label.is-checked::before{display:none}}.ms-Checkbox-label.is-checked::after{display:block}@media screen and (-ms-high-contrast:active),(-ms-high-contrast:black-on-white){.ms-Checkbox-label.is-checked::after{height:16px;width:16px;line-height:16px}}@media screen and (-ms-high-contrast:active){.ms-Checkbox-label.is-checked::after{border:2px solid "},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.ms-Checkbox-label.is-checked::after{border:2px solid "},{theme:"black",defaultValue:"#000000"},{rawString:"}}.ms-Checkbox-label.is-checked:focus::before,.ms-Checkbox-label.is-checked:hover::before{border-color:"},{theme:"themeDarkAlt",defaultValue:"#106ebe"},{rawString:"}.ms-Checkbox-label.is-disabled{cursor:default}.ms-Checkbox-label.is-disabled:focus::before,.ms-Checkbox-label.is-disabled:hover::before{border-color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.ms-Checkbox-label.is-disabled::before{background-color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:";border-color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:";color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Checkbox-label.is-disabled::after{border:2px solid #0f0}}@media screen and (-ms-high-contrast:black-on-white){.ms-Checkbox-label.is-disabled::after{border:2px solid #600000}}@media screen and (-ms-high-contrast:active){.ms-Checkbox-label.is-disabled::after{color:#0f0}}@media screen and (-ms-high-contrast:black-on-white){.ms-Checkbox-label.is-disabled::after{color:#600000}}.ms-Checkbox-label.is-disabled .ms-Label{color:"},{theme:"neutralTertiary",defaultValue:"#a6a6a6"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Checkbox-label.is-disabled .ms-Label{color:#0f0}}@media screen and (-ms-high-contrast:black-on-white){.ms-Checkbox-label.is-disabled .ms-Label{color:#600000}}.ms-Checkbox-label.is-inFocus::before{border-color:"},{theme:"neutralSecondaryAlt",defaultValue:"#767676"},{rawString:"}.ms-Checkbox-label.is-inFocus.is-disabled::before{border-color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.ms-Checkbox-label.is-inFocus.is-checked::before{border-color:"},{theme:"themeDarkAlt",defaultValue:"#106ebe"},{rawString:"}.is-focusVisible .ms-Checkbox.is-inFocus::before{content:'';position:absolute;top:0;bottom:0;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .is-focusVisible .ms-Checkbox.is-inFocus::before{right:0}html[dir=rtl] .is-focusVisible .ms-Checkbox.is-inFocus::before{left:0}html[dir=ltr] .is-focusVisible .ms-Checkbox.is-inFocus::before{left:-8px}html[dir=rtl] .is-focusVisible .ms-Checkbox.is-inFocus::before{right:-8px}@media screen and (-ms-high-contrast:active){.is-focusVisible .ms-Checkbox.is-inFocus::before{border:1px solid "},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.is-focusVisible .ms-Checkbox.is-inFocus::before{border:1px solid "},{theme:"black",defaultValue:"#000000"},{rawString:"}}"}])},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(463))},function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,n,a):r(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6),l=n(468),u=n(425),c=n(461),p=n(335),d=n(71),f=n(427),h=n(336),m=n(476);n(426);var g=function(e){function t(t){var n=e.call(this,t)||this;return n._onDialogRef=n._onDialogRef.bind(n),n.state={id:s.getId("Dialog"),isOpen:t.isOpen,isAnimatingOpen:t.isOpen,isAnimatingClose:!1},n}return o(t,e),t.prototype.componentWillReceiveProps=function(e){e.isOpen&&!this.state.isOpen&&this.setState({isOpen:!0,isAnimatingOpen:!0,isAnimatingClose:!1}),!e.isOpen&&this.state.isOpen&&this.setState({isAnimatingOpen:!1,isAnimatingClose:!0})},t.prototype.render=function(){var e=this.props,t=e.closeButtonAriaLabel,n=e.elementToFocusOnDismiss,o=e.firstFocusableSelector,i=e.forceFocusInsideTrap,f=e.ignoreExternalFocusing,g=e.isBlocking,v=e.isClickableOutsideFocusTrap,y=e.isDarkOverlay,b=e.onDismiss,_=e.onLayerDidMount,w=e.onLayerMounted,C=e.responsiveMode,E=e.subText,x=e.title,S=e.type,T=this.state,P=T.id,k=T.isOpen,I=T.isAnimatingOpen,M=T.isAnimatingClose;if(!k)return null;var O,D=s.css("ms-Dialog",this.props.className,{"ms-Dialog--lgHeader":S===u.DialogType.largeHeader,"ms-Dialog--close":S===u.DialogType.close,"is-open":k,"is-animatingOpen":I,"is-animatingClose":M}),N=this._groupChildren();return E&&(O=a.createElement("p",{className:"ms-Dialog-subText",id:P+"-subText"},E)),C>=m.ResponsiveMode.small?a.createElement(p.Layer,{onLayerDidMount:w||_},a.createElement(h.Popup,{role:g?"alertdialog":"dialog",ariaLabelledBy:x?P+"-title":"",ariaDescribedBy:E?P+"-subText":"",onDismiss:b},a.createElement("div",{className:D,ref:this._onDialogRef},a.createElement(c.Overlay,{isDarkThemed:y,onClick:g?null:b}),a.createElement(l.FocusTrapZone,{className:s.css("ms-Dialog-main",this.props.containerClassName),elementToFocusOnDismiss:n,isClickableOutsideFocusTrap:v?v:!g,ignoreExternalFocusing:f,forceFocusInsideTrap:i,firstFocusableSelector:o},a.createElement("div",{className:"ms-Dialog-header"},a.createElement("p",{className:"ms-Dialog-title",id:P+"-title"},x),a.createElement("div",{className:"ms-Dialog-topButton"},this.props.topButtonsProps.map(function(e){return a.createElement(d.Button,r({},e))}),a.createElement(d.Button,{className:"ms-Dialog-button ms-Dialog-button--close",buttonType:d.ButtonType.icon,icon:"Cancel",ariaLabel:t,onClick:b}))),a.createElement("div",{className:"ms-Dialog-inner"},a.createElement("div",{className:s.css("ms-Dialog-content",this.props.contentClassName)},O,N.contents),N.footers))))):void 0},t.prototype._groupChildren=function(){var e={footers:[],contents:[]};return a.Children.map(this.props.children,function(t){"object"==typeof t&&null!==t&&t.type===f.DialogFooter?e.footers.push(t):e.contents.push(t)}),e},t.prototype._onDialogRef=function(e){e?this._events.on(e,"animationend",this._onAnimationEnd):this._events.off()},t.prototype._onAnimationEnd=function(e){e.animationName.indexOf("fadeIn")>-1&&this.setState({isOpen:!0,isAnimatingOpen:!1}),e.animationName.indexOf("fadeOut")>-1&&(this.setState({isOpen:!1,isAnimatingClose:!1}),this.props.onDismissed&&this.props.onDismissed())},t}(s.BaseComponent);g.defaultProps={isOpen:!1,type:u.DialogType.normal,isDarkOverlay:!0,isBlocking:!1,className:"",containerClassName:"",contentClassName:"",topButtonsProps:[]},g=i([m.withResponsiveMode],g),t.Dialog=g},function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,n,a):r(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return o(t,e),t.prototype.componentDidMount=function(){var e=this.props,t=e.elementToFocusOnDismiss,n=e.isClickableOutsideFocusTrap,o=void 0!==n&&n,r=e.forceFocusInsideTrap,i=void 0===r||r;this._previouslyFocusedElement=t?t:document.activeElement, -this.focus(),i&&this._events.on(window,"focus",this._forceFocusInTrap,!0),o||this._events.on(window,"click",this._forceClickInTrap,!0)},t.prototype.componentWillUnmount=function(){var e=this.props.ignoreExternalFocusing;!e&&this._previouslyFocusedElement&&this._previouslyFocusedElement.focus()},t.prototype.render=function(){var e=this.props,t=e.className,n=e.ariaLabelledBy,o=s.getNativeProps(this.props,s.divProperties);return a.createElement("div",r({},o,{className:t,ref:"root","aria-labelledby":n,onKeyDown:this._onKeyboardHandler}),this.props.children)},t.prototype.focus=function(){var e,t=this.props.firstFocusableSelector,n=this.refs.root;e=t?n.querySelector("."+t):s.getNextElement(n,n.firstChild,!0,!1,!1,!0),e&&e.focus()},t.prototype._onKeyboardHandler=function(e){if(e.which===s.KeyCodes.tab){var t=this.refs.root,n=s.getFirstFocusable(t,t.firstChild,!0),o=s.getLastFocusable(t,t.lastChild,!0);e.shiftKey&&n===e.target?(o.focus(),e.preventDefault(),e.stopPropagation()):e.shiftKey||o!==e.target||(n.focus(),e.preventDefault(),e.stopPropagation())}},t.prototype._forceFocusInTrap=function(e){var t=document.activeElement;s.elementContains(this.refs.root,t)||(this.focus(),e.preventDefault(),e.stopPropagation())},t.prototype._forceClickInTrap=function(e){var t=e.target;t&&!s.elementContains(this.refs.root,t)&&(this.focus(),e.preventDefault(),e.stopPropagation())},t}(s.BaseComponent);i([s.autobind],l.prototype,"_onKeyboardHandler",null),t.FocusTrapZone=l},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(467))},function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;nd[e];)e++;else{if(void 0===p)throw new Error("Content was rendered in a server environment without providing a default responsive mode. Call setResponsiveMode to define what the responsive mode is.");e=p}return e},n}(u.BaseDecorator)}var i,a=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},s=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n0&&u(t)})}function s(){return setTimeout(function(){C.runState.flushTimer=0,a()},0)}function u(e,t){C.loadStyles?C.loadStyles(h(e).styleString,e):_?v(e,t):g(e)}function l(e){C.theme=e,d()}function c(e){void 0===e&&(e=3),3!==e&&2!==e||(p(C.registeredStyles),C.registeredStyles=[]),3!==e&&1!==e||(p(C.registeredThemableStyles),C.registeredThemableStyles=[])}function p(e){e.forEach(function(e){var t=e&&e.styleElement;t&&t.parentElement&&t.parentElement.removeChild(t)})}function d(){if(C.theme){for(var e=[],t=0,n=C.registeredThemableStyles;t0&&(c(1),u([].concat.apply([],e)))}}function f(e){return e&&(e=h(m(e)).styleString),e}function h(e){var t=C.theme,n=!1;return{styleString:(e||[]).map(function(e){var o=e.theme;if(o){n=!0;var r=t?t[o]:void 0,i=e.defaultValue||"inherit";return t&&!r&&console,r||i}return e.rawString}).join(""),themable:n}}function m(e){var t=[];if(e){for(var n=0,o=void 0;o=E.exec(e);){var r=o.index;r>n&&t.push({rawString:e.substring(n,r)}),t.push({theme:o[1],defaultValue:o[2]}),n=E.lastIndex}t.push({rawString:e.substring(n)})}return t}function g(e){var t=document.getElementsByTagName("head")[0],n=document.createElement("style"),o=h(e),r=o.styleString,i=o.themable;n.type="text/css",n.appendChild(document.createTextNode(r)),C.perf.count++,t.appendChild(n);var a={styleElement:n,themableStyle:e};i?C.registeredThemableStyles.push(a):C.registeredStyles.push(a)}function v(e,t){var n=document.getElementsByTagName("head")[0],o=C.registeredStyles,r=C.lastStyleElement,i=r?r.styleSheet:void 0,a=i?i.cssText:"",s=o[o.length-1],u=h(e).styleString;(!r||a.length+u.length>x)&&(r=document.createElement("style"),r.type="text/css",t?(n.replaceChild(r,t.styleElement),t.styleElement=r):n.appendChild(r),t||(s={styleElement:r,themableStyle:e},o.push(s))),r.styleSheet.cssText+=f(u),Array.prototype.push.apply(s.themableStyle,e),C.lastStyleElement=r}function y(){var e=!1;if("undefined"!=typeof document){var t=document.createElement("style");t.type="text/css",e=!!t.styleSheet}return e}var b=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n1){for(var h=Array(f),m=0;m1){for(var v=Array(g),y=0;y-1&&r._virtual.children.splice(i,1)}n._virtual.parent=o||void 0,o&&(o._virtual||(o._virtual={children:[]}),o._virtual.children.push(n))}function r(e){var t;return e&&p(e)&&(t=e._virtual.parent),t}function i(e,t){return void 0===t&&(t=!0),e&&(t&&r(e)||e.parentNode&&e.parentNode)}function a(e,t,n){void 0===n&&(n=!0);var o=!1;if(e&&t)if(n)for(o=!1;t;){var r=i(t);if(r===e){o=!0;break}t=r}else e.contains&&(o=e.contains(t));return o}function s(e){d=e}function u(e){return d?void 0:e&&e.ownerDocument&&e.ownerDocument.defaultView?e.ownerDocument.defaultView:window}function l(e){return d?void 0:e&&e.ownerDocument?e.ownerDocument:document}function c(e){var t;return e&&(e===window?t={left:0,top:0,width:window.innerWidth,height:window.innerHeight,right:window.innerWidth,bottom:window.innerHeight}:e.getBoundingClientRect&&(t=e.getBoundingClientRect())),t}function p(e){return e&&!!e._virtual}Object.defineProperty(t,"__esModule",{value:!0}),t.setVirtualParent=o,t.getVirtualParent=r,t.getParent=i,t.elementContains=a;var d=!1;t.setSSR=s,t.getWindow=u,t.getDocument=l,t.getRect=c},function(e,t,n){"use strict";var o=n(7),r={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=r,o.loadStyles([{rawString:'.ms-Button{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;border-width:0;text-decoration:none;text-align:center;cursor:pointer;display:inline-block;padding:0 16px}.ms-Button::-moz-focus-inner{border:0}.ms-Button{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-Button:focus:after{content:\'\';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid '},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Button{color:#1AEBFF;border-color:#1AEBFF}}@media screen and (-ms-high-contrast:black-on-white){.ms-Button{color:#37006E;border-color:#37006E}}.ms-Button-icon{margin:0 4px;width:16px;vertical-align:top;display:inline-block}.ms-Button-label{margin:0 4px;vertical-align:top;display:inline-block}.ms-Button--hero{background-color:transparent;border:0;height:auto}.ms-Button--hero .ms-Button-icon{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";display:inline-block;padding-top:5px;font-size:20px;line-height:1}html[dir=ltr] .ms-Button--hero .ms-Button-icon{margin-right:8px}html[dir=rtl] .ms-Button--hero .ms-Button-icon{margin-left:8px}.ms-Button--hero .ms-Button-label{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";font-size:21px;font-weight:100;vertical-align:top}.ms-Button--hero:focus,.ms-Button--hero:hover{background-color:transparent}.ms-Button--hero:focus .ms-Button-icon,.ms-Button--hero:hover .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}.ms-Button--hero:focus .ms-Button-label,.ms-Button--hero:hover .ms-Button-label{color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}.ms-Button--hero:active .ms-Button-icon{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}.ms-Button--hero:active .ms-Button-label{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}.ms-Button--hero.is-disabled .ms-Button-icon,.ms-Button--hero:disabled .ms-Button-icon{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.ms-Button--hero.is-disabled .ms-Button-label,.ms-Button--hero:disabled .ms-Button-label{color:"},{theme:"neutralTertiary",defaultValue:"#a6a6a6"},{rawString:"}"}])},function(e,t,n){"use strict";function o(e){return"button"===e||"input"===e||"select"===e||"textarea"===e}function r(e,t,n){switch(e){case"onClick":case"onClickCapture":case"onDoubleClick":case"onDoubleClickCapture":case"onMouseDown":case"onMouseDownCapture":case"onMouseMove":case"onMouseMoveCapture":case"onMouseUp":case"onMouseUpCapture":return!(!n.disabled||!o(t));default:return!1}}var i=n(3),a=n(52),s=n(53),u=n(57),l=n(109),c=n(110),p=(n(1),{}),d=null,f=function(e,t){e&&(s.executeDispatchesInOrder(e,t),e.isPersistent()||e.constructor.release(e))},h=function(e){return f(e,!0)},m=function(e){return f(e,!1)},g=function(e){return"."+e._rootNodeID},v={injection:{injectEventPluginOrder:a.injectEventPluginOrder,injectEventPluginsByName:a.injectEventPluginsByName},putListener:function(e,t,n){"function"!=typeof n&&i("94",t,typeof n);var o=g(e);(p[t]||(p[t]={}))[o]=n;var r=a.registrationNameModules[t];r&&r.didPutListener&&r.didPutListener(e,t,n)},getListener:function(e,t){var n=p[t];if(r(t,e._currentElement.type,e._currentElement.props))return null;var o=g(e);return n&&n[o]},deleteListener:function(e,t){var n=a.registrationNameModules[t];n&&n.willDeleteListener&&n.willDeleteListener(e,t);var o=p[t];if(o){delete o[g(e)]}},deleteAllListeners:function(e){var t=g(e);for(var n in p)if(p.hasOwnProperty(n)&&p[n][t]){var o=a.registrationNameModules[n];o&&o.willDeleteListener&&o.willDeleteListener(e,n),delete p[n][t]}},extractEvents:function(e,t,n,o){for(var r,i=a.plugins,s=0;s1)for(var n=1;n]/;e.exports=r},function(e,t,n){"use strict";var o,r=n(8),i=n(51),a=/^[ \r\n\t\f]/,s=/<(!--|link|noscript|meta|script|style)[ \r\n\t\f\/>]/,u=n(59),l=u(function(e,t){if(e.namespaceURI!==i.svg||"innerHTML"in e)e.innerHTML=t;else{o=o||document.createElement("div"),o.innerHTML=""+t+"";for(var n=o.firstChild;n.firstChild;)e.appendChild(n.firstChild)}});if(r.canUseDOM){var c=document.createElement("div");c.innerHTML=" ",""===c.innerHTML&&(l=function(e,t){if(e.parentNode&&e.parentNode.replaceChild(e,e),a.test(t)||"<"===t[0]&&s.test(t)){e.innerHTML=String.fromCharCode(65279)+t;var n=e.firstChild;1===n.data.length?e.removeChild(n):n.deleteData(0,1)}else e.innerHTML=t}),c=null}e.exports=l},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var o=n(128),r=n(323),i=n(322),a=n(321),s=n(127);n(129);n.d(t,"createStore",function(){return o.a}),n.d(t,"combineReducers",function(){return r.a}),n.d(t,"bindActionCreators",function(){return i.a}),n.d(t,"applyMiddleware",function(){return a.a}),n.d(t,"compose",function(){return s.a})},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var o=n(297),r=n(118),i=n(298);n.d(t,"Provider",function(){return o.a}),n.d(t,"createProvider",function(){return o.b}),n.d(t,"connectAdvanced",function(){return r.a}),n.d(t,"connect",function(){return i.a})},function(e,t,n){"use strict";e.exports=n(247)},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var o=function(){function e(t){this._id=e._uniqueId++,this._parent=t,this._eventRecords=[]}return e.raise=function(t,n,o,r){var i;if(e._isElement(t)){if(document.createEvent){var a=document.createEvent("HTMLEvents");a.initEvent(n,r,!0),a.args=o,i=t.dispatchEvent(a)}else if(document.createEventObject){var s=document.createEventObject(o);t.fireEvent("on"+n,s)}}else for(;t&&!1!==i;){var u=t.__events__,l=u?u[n]:null;for(var c in l)if(l.hasOwnProperty(c))for(var p=l[c],d=0;!1!==i&&d-1)for(var a=n.split(/[ ,]+/),s=0;s=200&&e<300}};u.headers={common:{Accept:"application/json, text/plain, */*"}},r.forEach(["delete","get","head"],function(e){u.headers[e]={}}),r.forEach(["post","put","patch"],function(e){u.headers[e]=r.merge(s)}),e.exports=u}).call(t,n(34))},,function(e,t,n){"use strict";function o(e,t){return e===t?0!==e||0!==t||1/e==1/t:e!==e&&t!==t}function r(e,t){if(o(e,t))return!0;if("object"!=typeof e||null===e||"object"!=typeof t||null===t)return!1;var n=Object.keys(e),r=Object.keys(t);if(n.length!==r.length)return!1;for(var a=0;a-1||a("96",e),!l.plugins[n]){t.extractEvents||a("97",e),l.plugins[n]=t;var o=t.eventTypes;for(var i in o)r(o[i],t,i)||a("98",i,e)}}}function r(e,t,n){l.eventNameDispatchConfigs.hasOwnProperty(n)&&a("99",n),l.eventNameDispatchConfigs[n]=e;var o=e.phasedRegistrationNames;if(o){for(var r in o)if(o.hasOwnProperty(r)){var s=o[r];i(s,t,n)}return!0}return!!e.registrationName&&(i(e.registrationName,t,n),!0)}function i(e,t,n){l.registrationNameModules[e]&&a("100",e),l.registrationNameModules[e]=t,l.registrationNameDependencies[e]=t.eventTypes[n].dependencies}var a=n(3),s=(n(1),null),u={},l={plugins:[],eventNameDispatchConfigs:{},registrationNameModules:{},registrationNameDependencies:{},possibleRegistrationNames:null,injectEventPluginOrder:function(e){s&&a("101"),s=Array.prototype.slice.call(e),o()},injectEventPluginsByName:function(e){var t=!1;for(var n in e)if(e.hasOwnProperty(n)){var r=e[n];u.hasOwnProperty(n)&&u[n]===r||(u[n]&&a("102",n),u[n]=r,t=!0)}t&&o()},getPluginModuleForEvent:function(e){var t=e.dispatchConfig;if(t.registrationName)return l.registrationNameModules[t.registrationName]||null;if(void 0!==t.phasedRegistrationNames){var n=t.phasedRegistrationNames;for(var o in n)if(n.hasOwnProperty(o)){var r=l.registrationNameModules[n[o]];if(r)return r}}return null},_resetEventPlugins:function(){s=null;for(var e in u)u.hasOwnProperty(e)&&delete u[e];l.plugins.length=0;var t=l.eventNameDispatchConfigs;for(var n in t)t.hasOwnProperty(n)&&delete t[n];var o=l.registrationNameModules;for(var r in o)o.hasOwnProperty(r)&&delete o[r]}};e.exports=l},function(e,t,n){"use strict";function o(e){return"topMouseUp"===e||"topTouchEnd"===e||"topTouchCancel"===e}function r(e){return"topMouseMove"===e||"topTouchMove"===e}function i(e){return"topMouseDown"===e||"topTouchStart"===e}function a(e,t,n,o){var r=e.type||"unknown-event";e.currentTarget=v.getNodeFromInstance(o),t?m.invokeGuardedCallbackWithCatch(r,n,e):m.invokeGuardedCallback(r,n,e),e.currentTarget=null}function s(e,t){var n=e._dispatchListeners,o=e._dispatchInstances;if(Array.isArray(n))for(var r=0;r0&&o.length<20?n+" (keys: "+o.join(", ")+")":n}function i(e,t){var n=s.get(e);if(!n){return null}return n}var a=n(3),s=(n(14),n(29)),u=(n(11),n(12)),l=(n(1),n(2),{isMounted:function(e){var t=s.get(e);return!!t&&!!t._renderedComponent},enqueueCallback:function(e,t,n){l.validateCallback(t,n);var r=i(e);if(!r)return null;r._pendingCallbacks?r._pendingCallbacks.push(t):r._pendingCallbacks=[t],o(r)},enqueueCallbackInternal:function(e,t){e._pendingCallbacks?e._pendingCallbacks.push(t):e._pendingCallbacks=[t],o(e)},enqueueForceUpdate:function(e){var t=i(e,"forceUpdate");t&&(t._pendingForceUpdate=!0,o(t))},enqueueReplaceState:function(e,t,n){var r=i(e,"replaceState");r&&(r._pendingStateQueue=[t],r._pendingReplaceState=!0,void 0!==n&&null!==n&&(l.validateCallback(n,"replaceState"),r._pendingCallbacks?r._pendingCallbacks.push(n):r._pendingCallbacks=[n]),o(r))},enqueueSetState:function(e,t){var n=i(e,"setState");if(n){(n._pendingStateQueue||(n._pendingStateQueue=[])).push(t),o(n)}},enqueueElementInternal:function(e,t,n){e._pendingElement=t,e._context=n,o(e)},validateCallback:function(e,t){e&&"function"!=typeof e&&a("122",t,r(e))}});e.exports=l},function(e,t,n){"use strict";var o=function(e){return"undefined"!=typeof MSApp&&MSApp.execUnsafeLocalFunction?function(t,n,o,r){MSApp.execUnsafeLocalFunction(function(){return e(t,n,o,r)})}:e};e.exports=o},function(e,t,n){"use strict";function o(e){var t,n=e.keyCode;return"charCode"in e?0===(t=e.charCode)&&13===n&&(t=13):t=n,t>=32||13===t?t:0}e.exports=o},function(e,t,n){"use strict";function o(e){var t=this,n=t.nativeEvent;if(n.getModifierState)return n.getModifierState(e);var o=i[e];return!!o&&!!n[o]}function r(e){return o}var i={Alt:"altKey",Control:"ctrlKey",Meta:"metaKey",Shift:"shiftKey"};e.exports=r},function(e,t,n){"use strict";function o(e){var t=e.target||e.srcElement||window;return t.correspondingUseElement&&(t=t.correspondingUseElement),3===t.nodeType?t.parentNode:t}e.exports=o},function(e,t,n){"use strict";function o(e,t){if(!i.canUseDOM||t&&!("addEventListener"in document))return!1;var n="on"+e,o=n in document;if(!o){var a=document.createElement("div");a.setAttribute(n,"return;"),o="function"==typeof a[n]}return!o&&r&&"wheel"===e&&(o=document.implementation.hasFeature("Events.wheel","3.0")),o}var r,i=n(8);i.canUseDOM&&(r=document.implementation&&document.implementation.hasFeature&&!0!==document.implementation.hasFeature("","")),e.exports=o},function(e,t,n){"use strict";function o(e,t){var n=null===e||!1===e,o=null===t||!1===t;if(n||o)return n===o;var r=typeof e,i=typeof t;return"string"===r||"number"===r?"string"===i||"number"===i:"object"===i&&e.type===t.type&&e.key===t.key}e.exports=o},function(e,t,n){"use strict";var o=(n(4),n(10)),r=(n(2),o);e.exports=r},function(e,t,n){"use strict";function o(e){"undefined"!=typeof console&&console.error;try{throw new Error(e)}catch(e){}}t.a=o},function(e,t){var n;n=function(){return this}();try{n=n||Function("return this")()||(0,eval)("this")}catch(e){"object"==typeof window&&(n=window)}e.exports=n},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var o=n(15),r=function(){function e(){}return e.capitalize=function(e){return e.charAt(0).toUpperCase()+e.slice(1)},e.formatString=function(){for(var e=[],t=0;t=a&&(!t||s)?(l=n,c&&(o.clearTimeout(c),c=null),r=e.apply(o._parent,i)):null===c&&u&&(c=o.setTimeout(p,f)),r};return function(){for(var e=[],t=0;t=a&&(h=!0),c=n);var m=n-c,g=a-m,v=n-p,y=!1;return null!==l&&(v>=l&&d?y=!0:g=Math.min(g,l-v)),m>=a||y||h?(d&&(o.clearTimeout(d),d=null),p=n,r=e.apply(o._parent,i)):null!==d&&t||!u||(d=o.setTimeout(f,g)),r};return function(){for(var e=[],t=0;t1?t[1]:""}return this.__className},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_disposables",{get:function(){return this.__disposables||(this.__disposables=[]),this.__disposables},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_async",{get:function(){return this.__async||(this.__async=new u.Async(this),this._disposables.push(this.__async)),this.__async},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_events",{get:function(){return this.__events||(this.__events=new l.EventGroup(this),this._disposables.push(this.__events)),this.__events},enumerable:!0,configurable:!0}),t.prototype._resolveRef=function(e){var t=this;return this.__resolves||(this.__resolves={}),this.__resolves[e]||(this.__resolves[e]=function(n){return t[e]=n}),this.__resolves[e]},t.prototype._updateComponentRef=function(e,t){void 0===t&&(t={}),this._shouldUpdateComponentRef&&(!e&&t.componentRef||e&&e.componentRef!==t.componentRef)&&(e&&e.componentRef&&e.componentRef(null),t.componentRef&&t.componentRef(this))},t.prototype._warnDeprecations=function(e){c.warnDeprecations(this.className,this.props,e)},t.prototype._warnMutuallyExclusive=function(e){c.warnMutuallyExclusive(this.className,this.props,e)},t}(s.Component);t.BaseComponent=p,p.onError=function(e){throw e},t.nullRender=i},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});!function(e){e[e.a=65]="a",e[e.backspace=8]="backspace",e[e.comma=188]="comma",e[e.del=46]="del",e[e.down=40]="down",e[e.end=35]="end",e[e.enter=13]="enter",e[e.escape=27]="escape",e[e.home=36]="home",e[e.left=37]="left",e[e.pageDown=34]="pageDown",e[e.pageUp=33]="pageUp",e[e.right=39]="right",e[e.semicolon=186]="semicolon",e[e.space=32]="space",e[e.tab=9]="tab",e[e.up=38]="up"}(t.KeyCodes||(t.KeyCodes={}))},function(e,t,n){"use strict";function o(){var e=u.getDocument();e&&e.body&&!c&&e.body.classList.add(l.default.msFabricScrollDisabled),c++}function r(){if(c>0){var e=u.getDocument();e&&e.body&&1===c&&e.body.classList.remove(l.default.msFabricScrollDisabled),c--}}function i(){if(void 0===s){var e=document.createElement("div");e.style.setProperty("width","100px"),e.style.setProperty("height","100px"),e.style.setProperty("overflow","scroll"),e.style.setProperty("position","absolute"),e.style.setProperty("top","-9999px"),document.body.appendChild(e),s=e.offsetWidth-e.clientWidth,document.body.removeChild(e)}return s}function a(e){for(var n=e;n&&n!==document.body;){if("true"===n.getAttribute(t.DATA_IS_SCROLLABLE_ATTRIBUTE))return n;n=n.parentElement}for(n=e;n&&n!==document.body;){if("false"!==n.getAttribute(t.DATA_IS_SCROLLABLE_ATTRIBUTE)){var o=getComputedStyle(n),r=o?o.getPropertyValue("overflow-y"):"";if(r&&("scroll"===r||"auto"===r))return n}n=n.parentElement}return n&&n!==document.body||(n=window),n}Object.defineProperty(t,"__esModule",{value:!0});var s,u=n(25),l=n(167),c=0;t.DATA_IS_SCROLLABLE_ATTRIBUTE="data-is-scrollable",t.disableBodyScroll=o,t.enableBodyScroll=r,t.getScrollbarWidth=i,t.findScrollableParent=a},function(e,t,n){"use strict";function o(e,t,n){for(var o in n)if(t&&o in t){var r=e+" property '"+o+"' was used but has been deprecated.",i=n[o];i&&(r+=" Use '"+i+"' instead."),s(r)}}function r(e,t,n){for(var o in n)t&&o in t&&n[o]in t&&s(e+" property '"+o+"' is mutually exclusive with '"+n[o]+"'. Use one or the other.")}function i(e){console&&console.warn}function a(e){s=void 0===e?i:e}Object.defineProperty(t,"__esModule",{value:!0});var s=i;t.warnDeprecations=o,t.warnMutuallyExclusive=r,t.warn=i,t.setWarningCallback=a},function(e,t,n){"use strict";var o=n(9),r=n(176),i=n(179),a=n(185),s=n(183),u=n(81),l="undefined"!=typeof window&&window.btoa&&window.btoa.bind(window)||n(178);e.exports=function(e){return new Promise(function(t,c){var p=e.data,d=e.headers;o.isFormData(p)&&delete d["Content-Type"];var f=new XMLHttpRequest,h="onreadystatechange",m=!1;if("undefined"==typeof window||!window.XDomainRequest||"withCredentials"in f||s(e.url)||(f=new window.XDomainRequest,h="onload",m=!0,f.onprogress=function(){},f.ontimeout=function(){}),e.auth){var g=e.auth.username||"",v=e.auth.password||"";d.Authorization="Basic "+l(g+":"+v)}if(f.open(e.method.toUpperCase(),i(e.url,e.params,e.paramsSerializer),!0),f.timeout=e.timeout,f[h]=function(){if(f&&(4===f.readyState||m)&&(0!==f.status||f.responseURL&&0===f.responseURL.indexOf("file:"))){var n="getAllResponseHeaders"in f?a(f.getAllResponseHeaders()):null,o=e.responseType&&"text"!==e.responseType?f.response:f.responseText,i={data:o,status:1223===f.status?204:f.status,statusText:1223===f.status?"No Content":f.statusText,headers:n,config:e,request:f};r(t,c,i),f=null}},f.onerror=function(){c(u("Network Error",e)),f=null},f.ontimeout=function(){c(u("timeout of "+e.timeout+"ms exceeded",e,"ECONNABORTED")),f=null},o.isStandardBrowserEnv()){var y=n(181),b=(e.withCredentials||s(e.url))&&e.xsrfCookieName?y.read(e.xsrfCookieName):void 0;b&&(d[e.xsrfHeaderName]=b)}if("setRequestHeader"in f&&o.forEach(d,function(e,t){void 0===p&&"content-type"===t.toLowerCase()?delete d[t]:f.setRequestHeader(t,e)}),e.withCredentials&&(f.withCredentials=!0),e.responseType)try{f.responseType=e.responseType}catch(e){if("json"!==f.responseType)throw e}"function"==typeof e.onDownloadProgress&&f.addEventListener("progress",e.onDownloadProgress),"function"==typeof e.onUploadProgress&&f.upload&&f.upload.addEventListener("progress",e.onUploadProgress),e.cancelToken&&e.cancelToken.promise.then(function(e){f&&(f.abort(),c(e),f=null)}),void 0===p&&(p=null),f.send(p)})}},function(e,t,n){"use strict";function o(e){this.message=e}o.prototype.toString=function(){return"Cancel"+(this.message?": "+this.message:"")},o.prototype.__CANCEL__=!0,e.exports=o},function(e,t,n){"use strict";e.exports=function(e){return!(!e||!e.__CANCEL__)}},function(e,t,n){"use strict";var o=n(175);e.exports=function(e,t,n,r){var i=new Error(e);return o(i,t,n,r)}},function(e,t,n){"use strict";e.exports=function(e,t){return function(){for(var n=new Array(arguments.length),o=0;o.":"function"==typeof t?" Instead of passing a class like Foo, pass React.createElement(Foo) or .":null!=t&&void 0!==t.props?" This may be caused by unintentionally loading two independent copies of React.":"");var a,s=g.createElement(F,{child:t});if(e){var u=C.get(e);a=u._processChildContext(u._context)}else a=T;var c=d(n);if(c){var p=c._currentElement,h=p.props.child;if(O(h,t)){var m=c._renderedComponent.getPublicInstance(),v=o&&function(){o.call(m)};return j._updateRootComponent(c,s,a,n,v),m}j.unmountComponentAtNode(n)}var y=r(n),b=y&&!!i(y),_=l(n),w=b&&!c&&!_,E=j._renderNewRootComponent(s,n,w,a)._renderedComponent.getPublicInstance();return o&&o.call(E),E},render:function(e,t,n){return j._renderSubtreeIntoContainer(null,e,t,n)},unmountComponentAtNode:function(e){c(e)||f("40");var t=d(e);if(!t){l(e),1===e.nodeType&&e.hasAttribute(D);return!1}return delete A[t._instance.rootID],P.batchedUpdates(u,t,e,!1),!0},_mountImageIntoNode:function(e,t,n,i,a){if(c(t)||f("41"),i){var s=r(t);if(E.canReuseMarkup(e,s))return void y.precacheNode(n,s);var u=s.getAttribute(E.CHECKSUM_ATTR_NAME);s.removeAttribute(E.CHECKSUM_ATTR_NAME);var l=s.outerHTML;s.setAttribute(E.CHECKSUM_ATTR_NAME,u);var p=e,d=o(p,l),m=" (client) "+p.substring(d-20,d+20)+"\n (server) "+l.substring(d-20,d+20);t.nodeType===R&&f("42",m)}if(t.nodeType===R&&f("43"),a.useCreateElement){for(;t.lastChild;)t.removeChild(t.lastChild);h.insertTreeBefore(t,e,null)}else I(t,e),y.precacheNode(n,t.firstChild)}};e.exports=j},function(e,t,n){"use strict";var o=n(3),r=n(23),i=(n(1),{HOST:0,COMPOSITE:1,EMPTY:2,getType:function(e){return null===e||!1===e?i.EMPTY:r.isValidElement(e)?"function"==typeof e.type?i.COMPOSITE:i.HOST:void o("26",e)}});e.exports=i},function(e,t,n){"use strict";var o={currentScrollLeft:0,currentScrollTop:0,refreshScrollValues:function(e){o.currentScrollLeft=e.x,o.currentScrollTop=e.y}};e.exports=o},function(e,t,n){"use strict";function o(e,t){return null==t&&r("30"),null==e?t:Array.isArray(e)?Array.isArray(t)?(e.push.apply(e,t),e):(e.push(t),e):Array.isArray(t)?[e].concat(t):[e,t]}var r=n(3);n(1);e.exports=o},function(e,t,n){"use strict";function o(e,t,n){Array.isArray(e)?e.forEach(t,n):e&&t.call(n,e)}e.exports=o},function(e,t,n){"use strict";function o(e){for(var t;(t=e._renderedNodeType)===r.COMPOSITE;)e=e._renderedComponent;return t===r.HOST?e._renderedComponent:t===r.EMPTY?null:void 0}var r=n(107);e.exports=o},function(e,t,n){"use strict";function o(){return!i&&r.canUseDOM&&(i="textContent"in document.documentElement?"textContent":"innerText"),i}var r=n(8),i=null;e.exports=o},function(e,t,n){"use strict";function o(e){var t=e.type,n=e.nodeName;return n&&"input"===n.toLowerCase()&&("checkbox"===t||"radio"===t)}function r(e){return e._wrapperState.valueTracker}function i(e,t){e._wrapperState.valueTracker=t}function a(e){e._wrapperState.valueTracker=null}function s(e){var t;return e&&(t=o(e)?""+e.checked:e.value),t}var u=n(5),l={_getTrackerFromNode:function(e){return r(u.getInstanceFromNode(e))},track:function(e){if(!r(e)){var t=u.getNodeFromInstance(e),n=o(t)?"checked":"value",s=Object.getOwnPropertyDescriptor(t.constructor.prototype,n),l=""+t[n];t.hasOwnProperty(n)||"function"!=typeof s.get||"function"!=typeof s.set||(Object.defineProperty(t,n,{enumerable:s.enumerable,configurable:!0,get:function(){return s.get.call(this)},set:function(e){l=""+e,s.set.call(this,e)}}),i(e,{getValue:function(){return l},setValue:function(e){l=""+e},stopTracking:function(){a(e),delete t[n]}}))}},updateValueIfChanged:function(e){if(!e)return!1;var t=r(e);if(!t)return l.track(e),!0;var n=t.getValue(),o=s(u.getNodeFromInstance(e));return o!==n&&(t.setValue(o),!0)},stopTracking:function(e){var t=r(e);t&&t.stopTracking()}};e.exports=l},function(e,t,n){"use strict";function o(e){if(e){var t=e.getName();if(t)return" Check the render method of `"+t+"`."}return""}function r(e){return"function"==typeof e&&void 0!==e.prototype&&"function"==typeof e.prototype.mountComponent&&"function"==typeof e.prototype.receiveComponent}function i(e,t){var n;if(null===e||!1===e)n=l.create(i);else if("object"==typeof e){var s=e,u=s.type;if("function"!=typeof u&&"string"!=typeof u){var d="";d+=o(s._owner),a("130",null==u?u:typeof u,d)}"string"==typeof s.type?n=c.createInternalComponent(s):r(s.type)?(n=new s.type(s),n.getHostNode||(n.getHostNode=n.getNativeNode)):n=new p(s)}else"string"==typeof e||"number"==typeof e?n=c.createInstanceForText(e):a("131",typeof e);return n._mountIndex=0,n._mountImage=null,n}var a=n(3),s=n(4),u=n(246),l=n(102),c=n(104),p=(n(316),n(1),n(2),function(e){this.construct(e)});s(p.prototype,u,{_instantiateReactComponent:i}),e.exports=i},function(e,t,n){"use strict";function o(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return"input"===t?!!r[e.type]:"textarea"===t}var r={color:!0,date:!0,datetime:!0,"datetime-local":!0,email:!0,month:!0,number:!0,password:!0,range:!0,search:!0,tel:!0,text:!0,time:!0,url:!0,week:!0};e.exports=o},function(e,t,n){"use strict";var o=n(8),r=n(38),i=n(39),a=function(e,t){if(t){var n=e.firstChild;if(n&&n===e.lastChild&&3===n.nodeType)return void(n.nodeValue=t)}e.textContent=t};o.canUseDOM&&("textContent"in document.documentElement||(a=function(e,t){if(3===e.nodeType)return void(e.nodeValue=t);i(e,r(t))})),e.exports=a},function(e,t,n){"use strict";function o(e,t){return e&&"object"==typeof e&&null!=e.key?l.escape(e.key):t.toString(36)}function r(e,t,n,i){var d=typeof e;if("undefined"!==d&&"boolean"!==d||(e=null),null===e||"string"===d||"number"===d||"object"===d&&e.$$typeof===s)return n(i,e,""===t?c+o(e,0):t),1;var f,h,m=0,g=""===t?c:t+p;if(Array.isArray(e))for(var v=0;v=0||Object.prototype.hasOwnProperty.call(e,o)&&(n[o]=e[o]);return n}function s(){}function u(e,t){var n={run:function(o){try{var r=e(t.getState(),o);(r!==n.props||n.error)&&(n.shouldComponentUpdate=!0,n.props=r,n.error=null)}catch(e){n.shouldComponentUpdate=!0,n.error=e}}};return n}function l(e){var t,l,c=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},d=c.getDisplayName,_=void 0===d?function(e){return"ConnectAdvanced("+e+")"}:d,w=c.methodName,C=void 0===w?"connectAdvanced":w,E=c.renderCountProp,x=void 0===E?void 0:E,S=c.shouldHandleStateChanges,P=void 0===S||S,T=c.storeKey,k=void 0===T?"store":T,I=c.withRef,O=void 0!==I&&I,M=a(c,["getDisplayName","methodName","renderCountProp","shouldHandleStateChanges","storeKey","withRef"]),D=k+"Subscription",N=y++,R=(t={},t[k]=g.a,t[D]=g.b,t),B=(l={},l[D]=g.b,l);return function(t){f()("function"==typeof t,"You must pass a component to the function returned by connect. Instead received "+JSON.stringify(t));var a=t.displayName||t.name||"Component",l=_(a),c=v({},M,{getDisplayName:_,methodName:C,renderCountProp:x,shouldHandleStateChanges:P,storeKey:k,withRef:O,displayName:l,wrappedComponentName:a,WrappedComponent:t}),d=function(a){function p(e,t){o(this,p);var n=r(this,a.call(this,e,t));return n.version=N,n.state={},n.renderCount=0,n.store=e[k]||t[k],n.propsMode=Boolean(e[k]),n.setWrappedInstance=n.setWrappedInstance.bind(n),f()(n.store,'Could not find "'+k+'" in either the context or props of "'+l+'". Either wrap the root component in a , or explicitly pass "'+k+'" as a prop to "'+l+'".'),n.initSelector(),n.initSubscription(),n}return i(p,a),p.prototype.getChildContext=function(){var e,t=this.propsMode?null:this.subscription;return e={},e[D]=t||this.context[D],e},p.prototype.componentDidMount=function(){P&&(this.subscription.trySubscribe(),this.selector.run(this.props),this.selector.shouldComponentUpdate&&this.forceUpdate())},p.prototype.componentWillReceiveProps=function(e){this.selector.run(e)},p.prototype.shouldComponentUpdate=function(){return this.selector.shouldComponentUpdate},p.prototype.componentWillUnmount=function(){this.subscription&&this.subscription.tryUnsubscribe(),this.subscription=null,this.notifyNestedSubs=s,this.store=null,this.selector.run=s,this.selector.shouldComponentUpdate=!1},p.prototype.getWrappedInstance=function(){return f()(O,"To access the wrapped instance, you need to specify { withRef: true } in the options argument of the "+C+"() call."),this.wrappedInstance},p.prototype.setWrappedInstance=function(e){this.wrappedInstance=e},p.prototype.initSelector=function(){var t=e(this.store.dispatch,c);this.selector=u(t,this.store),this.selector.run(this.props)},p.prototype.initSubscription=function(){if(P){var e=(this.propsMode?this.props:this.context)[D];this.subscription=new m.a(this.store,e,this.onStateChange.bind(this)),this.notifyNestedSubs=this.subscription.notifyNestedSubs.bind(this.subscription)}},p.prototype.onStateChange=function(){this.selector.run(this.props),this.selector.shouldComponentUpdate?(this.componentDidUpdate=this.notifyNestedSubsOnComponentDidUpdate,this.setState(b)):this.notifyNestedSubs()},p.prototype.notifyNestedSubsOnComponentDidUpdate=function(){this.componentDidUpdate=void 0,this.notifyNestedSubs()},p.prototype.isSubscribed=function(){return Boolean(this.subscription)&&this.subscription.isSubscribed()},p.prototype.addExtraProps=function(e){if(!(O||x||this.propsMode&&this.subscription))return e;var t=v({},e);return O&&(t.ref=this.setWrappedInstance),x&&(t[x]=this.renderCount++),this.propsMode&&this.subscription&&(t[D]=this.subscription),t},p.prototype.render=function(){var e=this.selector;if(e.shouldComponentUpdate=!1,e.error)throw e.error;return n.i(h.createElement)(t,this.addExtraProps(e.props))},p}(h.Component);return d.WrappedComponent=t,d.displayName=l,d.childContextTypes=B,d.contextTypes=R,d.propTypes=R,p()(d,t)}}t.a=l;var c=n(306),p=n.n(c),d=n(17),f=n.n(d),h=n(0),m=(n.n(h),n(304)),g=n(120),v=Object.assign||function(e){for(var t=1;tnew Date)return r.data}}return null},e.prototype.set=function(e,t,n){var r=this.addKeyPrefix(e),i=!1;if(this.isSupportedStorage&&void 0!==t){var a=new Date,s=typeof n!==o.constants.TYPE_OF_UNDEFINED?a.setMinutes(a.getMinutes()+n):864e13,u={data:t,expiryTime:s};this.CacheObject.setItem(r,JSON.stringify(u)),i=!0}return i},e.prototype.addKeyPrefix=function(e){return this._keyPrefix+window.location.href.replace(/:\/\/|\/|\./g,"_")+"_"+e},Object.defineProperty(e.prototype,"CacheObject",{get:function(){return window.localStorage},enumerable:!0,configurable:!0}),e.prototype.checkIfStorageIsSupported=function(){var e=this.CacheObject;if(e&&JSON&&typeof JSON.parse===o.constants.TYPE_OF_FUNCTION&&typeof JSON.stringify===o.constants.TYPE_OF_FUNCTION)try{var t=this._keyPrefix+"testingCache";return e.setItem(t,"1"),e.removeItem(t),!0}catch(e){}return!1},e}();t.AppCache=new r},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var o=n(211),r=n(0),i=n(15);t.WorkingOnIt=function(){return r.createElement("div",{className:"working-on-it-wrapper"},r.createElement(o.Spinner,{type:o.SpinnerType.large,label:i.constants.WORKING_ON_IT_TEXT}))}},function(e,t,n){"use strict";function o(e){return e}function r(e,t,n){function r(e,t){var n=y.hasOwnProperty(t)?y[t]:null;C.hasOwnProperty(t)&&s("OVERRIDE_BASE"===n,"ReactClassInterface: You are attempting to override `%s` from your class specification. Ensure that your method names do not overlap with React methods.",t),e&&s("DEFINE_MANY"===n||"DEFINE_MANY_MERGED"===n,"ReactClassInterface: You are attempting to define `%s` on your component more than once. This conflict may be due to a mixin.",t)}function l(e,n){if(n){s("function"!=typeof n,"ReactClass: You're attempting to use a component class or function as a mixin. Instead, just use a regular object."),s(!t(n),"ReactClass: You're attempting to use a component as a mixin. Instead, just use a regular object.");var o=e.prototype,i=o.__reactAutoBindPairs;n.hasOwnProperty(u)&&b.mixins(e,n.mixins);for(var a in n)if(n.hasOwnProperty(a)&&a!==u){var l=n[a],c=o.hasOwnProperty(a);if(r(c,a),b.hasOwnProperty(a))b[a](e,l);else{var p=y.hasOwnProperty(a),h="function"==typeof l,m=h&&!p&&!c&&!1!==n.autobind;if(m)i.push(a,l),o[a]=l;else if(c){var g=y[a];s(p&&("DEFINE_MANY_MERGED"===g||"DEFINE_MANY"===g),"ReactClass: Unexpected spec policy %s for key %s when mixing in component specs.",g,a),"DEFINE_MANY_MERGED"===g?o[a]=d(o[a],l):"DEFINE_MANY"===g&&(o[a]=f(o[a],l))}else o[a]=l}}}else;}function c(e,t){if(t)for(var n in t){var o=t[n];if(t.hasOwnProperty(n)){var r=n in b;s(!r,'ReactClass: You are attempting to define a reserved property, `%s`, that shouldn\'t be on the "statics" key. Define it as an instance property instead; it will still be accessible on the constructor.',n);var i=n in e;s(!i,"ReactClass: You are attempting to define `%s` on your component more than once. This conflict may be due to a mixin.",n),e[n]=o}}}function p(e,t){s(e&&t&&"object"==typeof e&&"object"==typeof t,"mergeIntoWithNoDuplicateKeys(): Cannot merge non-objects.");for(var n in t)t.hasOwnProperty(n)&&(s(void 0===e[n],"mergeIntoWithNoDuplicateKeys(): Tried to merge two objects with the same key: `%s`. This conflict may be due to a mixin; in particular, this may be caused by two getInitialState() or getDefaultProps() methods returning objects with clashing keys.",n),e[n]=t[n]);return e}function d(e,t){return function(){var n=e.apply(this,arguments),o=t.apply(this,arguments);if(null==n)return o;if(null==o)return n;var r={};return p(r,n),p(r,o),r}}function f(e,t){return function(){e.apply(this,arguments),t.apply(this,arguments)}}function h(e,t){var n=t.bind(e);return n}function m(e){for(var t=e.__reactAutoBindPairs,n=0;n0&&this._computeScrollVelocity(e.touches[0].clientY)},e.prototype._computeScrollVelocity=function(e){var t=this._scrollRect.top,n=t+this._scrollRect.height-100;this._scrollVelocity=en?Math.min(15,(e-n)/100*15):0,this._scrollVelocity?this._startScroll():this._stopScroll()},e.prototype._startScroll=function(){this._timeoutId||this._incrementScroll()},e.prototype._incrementScroll=function(){this._scrollableParent.scrollTop+=Math.round(this._scrollVelocity),this._timeoutId=setTimeout(this._incrementScroll,16)},e.prototype._stopScroll=function(){this._timeoutId&&(clearTimeout(this._timeoutId),delete this._timeoutId)},e}();t.AutoScroll=a},function(e,t,n){"use strict";var o=this&&this.__extends||function(){var e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])};return function(t,n){function o(){this.constructor=t}e(t,n),t.prototype=null===n?Object.create(n):(o.prototype=n.prototype,new o)}}();Object.defineProperty(t,"__esModule",{value:!0});var r=n(0),i=n(74),a=n(44),s=function(e){function t(t,n){var o=e.call(this,t)||this;return o.state=o._getInjectedProps(t,n),o}return o(t,e),t.prototype.getChildContext=function(){return this.state},t.prototype.componentWillReceiveProps=function(e,t){this.setState(this._getInjectedProps(e,t))},t.prototype.render=function(){return r.Children.only(this.props.children)},t.prototype._getInjectedProps=function(e,t){var n=e.settings,o=void 0===n?{}:n,r=t.injectedProps,i=void 0===r?{}:r;return{injectedProps:a.assign({},i,o)}},t}(i.BaseComponent);s.contextTypes={injectedProps:r.PropTypes.object},s.childContextTypes=s.contextTypes,t.Customizer=s},function(e,t,n){"use strict";var o=this&&this.__extends||function(){var e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])};return function(t,n){function o(){this.constructor=t}e(t,n),t.prototype=null===n?Object.create(n):(o.prototype=n.prototype,new o)}}();Object.defineProperty(t,"__esModule",{value:!0});var r=n(0),i=function(e){function t(t){var n=e.call(this,t)||this;return n.state={isRendered:!1},n}return o(t,e),t.prototype.componentDidMount=function(){var e=this,t=this.props.delay;this._timeoutId=setTimeout(function(){e.setState({isRendered:!0})},t)},t.prototype.componentWillUnmount=function(){clearTimeout(this._timeoutId)},t.prototype.render=function(){return this.state.isRendered?r.Children.only(this.props.children):null},t}(r.Component);i.defaultProps={delay:0},t.DelayedRender=i},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var o=function(){function e(e,t,n,o){void 0===e&&(e=0),void 0===t&&(t=0),void 0===n&&(n=0),void 0===o&&(o=0),this.top=n,this.bottom=o,this.left=e,this.right=t}return Object.defineProperty(e.prototype,"width",{get:function(){return this.right-this.left},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"height",{get:function(){return this.bottom-this.top},enumerable:!0,configurable:!0}),e.prototype.equals=function(e){return parseFloat(this.top.toFixed(4))===parseFloat(e.top.toFixed(4))&&parseFloat(this.bottom.toFixed(4))===parseFloat(e.bottom.toFixed(4))&&parseFloat(this.left.toFixed(4))===parseFloat(e.left.toFixed(4))&&parseFloat(this.right.toFixed(4))===parseFloat(e.right.toFixed(4))},e}();t.Rectangle=o},function(e,t,n){"use strict";function o(e,t){for(var n=-1,o=0;e&&o=0||e.getAttribute&&("true"===n||"button"===e.getAttribute("role")))}function c(e){return e&&!!e.getAttribute(m)}function p(e){var t=d.getDocument(e).activeElement;return!(!t||!d.elementContains(e,t))}Object.defineProperty(t,"__esModule",{value:!0});var d=n(25),f="data-is-focusable",h="data-is-visible",m="data-focuszone-id";t.getFirstFocusable=o,t.getLastFocusable=r,t.focusFirstChild=i,t.getPreviousElement=a,t.getNextElement=s,t.isElementVisible=u,t.isElementTabbable=l,t.isElementFocusZone=c,t.doesElementContainFocus=p},function(e,t,n){"use strict";function o(e,t,n){void 0===n&&(n=i);var o=[];for(var r in t)!function(r){"function"!=typeof t[r]||void 0!==e[r]||n&&-1!==n.indexOf(r)||(o.push(r),e[r]=function(){t[r].apply(t,arguments)})}(r);return o}function r(e,t){t.forEach(function(t){return delete e[t]})}Object.defineProperty(t,"__esModule",{value:!0});var i=["setState","render","componentWillMount","componentDidMount","componentWillReceiveProps","shouldComponentUpdate","componentWillUpdate","componentDidUpdate","componentWillUnmount"];t.hoistMethods=o,t.unhoistMethods=r},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}Object.defineProperty(t,"__esModule",{value:!0}),o(n(73)),o(n(149)),o(n(74)),o(n(150)),o(n(151)),o(n(43)),o(n(75)),o(n(152)),o(n(153)),o(n(154)),o(n(155)),o(n(156)),o(n(25)),o(n(157)),o(n(158)),o(n(160)),o(n(161)),o(n(44)),o(n(163)),o(n(164)),o(n(165)),o(n(166)),o(n(76)),o(n(168)),o(n(77)),o(n(162))},function(e,t,n){"use strict";function o(e,t){var n="",o=e.split(" ");return 2===o.length?(n+=o[0].charAt(0).toUpperCase(),n+=o[1].charAt(0).toUpperCase()):3===o.length?(n+=o[0].charAt(0).toUpperCase(),n+=o[2].charAt(0).toUpperCase()):0!==o.length&&(n+=o[0].charAt(0).toUpperCase()),t&&n.length>1?n.charAt(1)+n.charAt(0):n}function r(e){return e=e.replace(a,""),e=e.replace(s," "),e=e.trim()}function i(e,t){return null==e?"":(e=r(e),u.test(e)?"":o(e,t))}Object.defineProperty(t,"__esModule",{value:!0});var a=/\([^)]*\)|[\0-\u001F\!-\/:-@\[-`\{-\u00BF\u0250-\u036F\uD800-\uFFFF]/g,s=/\s+/g,u=/[\u0600-\u06FF\u0750-\u077F\u08A0-\u08FF\u1100-\u11FF\u3130-\u318F\uA960-\uA97F\uAC00-\uD7AF\uD7B0-\uD7FF\u3040-\u309F\u30A0-\u30FF\u3400-\u4DBF\u4E00-\u9FFF\uF900-\uFAFF]|[\uD840-\uD869][\uDC00-\uDED6]/;t.getInitials=i},function(e,t,n){"use strict";function o(e,t){return Math.sqrt(Math.pow(e.x-t.x,2)+Math.pow(e.y-t.y,2))}Object.defineProperty(t,"__esModule",{value:!0}),t.getDistanceBetweenPoints=o},function(e,t,n){"use strict";function o(e){return e?"object"==typeof e?e:(a[e]||(a[e]={}),a[e]):i}function r(e){var t;return function(){for(var n=[],r=0;r=0)},{},e)}Object.defineProperty(t,"__esModule",{value:!0});var r=n(44);t.baseElementEvents=["onCopy","onCut","onPaste","onCompositionEnd","onCompositionStart","onCompositionUpdate","onFocus","onFocusCapture","onBlur","onBlurCapture","onChange","onInput","onSubmit","onLoad","onError","onKeyDown","onKeyDownCapture","onKeyPress","onKeyUp","onAbort","onCanPlay","onCanPlayThrough","onDurationChange","onEmptied","onEncrypted","onEnded","onLoadedData","onLoadedMetadata","onLoadStart","onPause","onPlay","onPlaying","onProgress","onRateChange","onSeeked","onSeeking","onStalled","onSuspend","onTimeUpdate","onVolumeChange","onWaiting","onClick","onClickCapture","onContextMenu","onDoubleClick","onDrag","onDragEnd","onDragEnter","onDragExit","onDragLeave","onDragOver","onDragStart","onDrop","onMouseDown","onMouseDownCapture","onMouseEnter","onMouseLeave","onMouseMove","onMouseOut","onMouseOver","onMouseUp","onMouseUpCapture","onSelect","onTouchCancel","onTouchEnd","onTouchMove","onTouchStart","onScroll","onWheel"],t.baseElementProperties=["defaultChecked","defaultValue","accept","acceptCharset","accessKey","action","allowFullScreen","allowTransparency","alt","async","autoComplete","autoFocus","autoPlay","capture","cellPadding","cellSpacing","charSet","challenge","checked","children","classID","className","cols","colSpan","content","contentEditable","contextMenu","controls","coords","crossOrigin","data","dateTime","default","defer","dir","download","draggable","encType","form","formAction","formEncType","formMethod","formNoValidate","formTarget","frameBorder","headers","height","hidden","high","hrefLang","htmlFor","httpEquiv","icon","id","inputMode","integrity","is","keyParams","keyType","kind","lang","list","loop","low","manifest","marginHeight","marginWidth","max","maxLength","media","mediaGroup","method","min","minLength","multiple","muted","name","noValidate","open","optimum","pattern","placeholder","poster","preload","radioGroup","readOnly","rel","required","role","rows","rowSpan","sandbox","scope","scoped","scrolling","seamless","selected","shape","size","sizes","span","spellCheck","src","srcDoc","srcLang","srcSet","start","step","style","summary","tabIndex","title","type","useMap","value","width","wmode","wrap"],t.htmlElementProperties=t.baseElementProperties.concat(t.baseElementEvents),t.anchorProperties=t.htmlElementProperties.concat(["href","target"]),t.buttonProperties=t.htmlElementProperties.concat(["disabled"]),t.divProperties=t.htmlElementProperties.concat(["align","noWrap"]),t.inputProperties=t.buttonProperties,t.textAreaProperties=t.buttonProperties,t.imageProperties=t.divProperties,t.getNativeProps=o},function(e,t,n){"use strict";function o(e){return a+e}function r(e){a=e}function i(){return"en-us"}Object.defineProperty(t,"__esModule",{value:!0});var a="";t.getResourceUrl=o,t.setBaseUrl=r,t.getLanguage=i},function(e,t,n){"use strict";function o(){var e=a;if(void 0===e){var t=u.getDocument();t&&t.documentElement&&(e="rtl"===t.documentElement.getAttribute("dir"))}return e}function r(e){var t=u.getDocument();t&&t.documentElement&&t.documentElement.setAttribute("dir",e?"rtl":"ltr"),a=e}function i(e){return o()&&(e===s.KeyCodes.left?e=s.KeyCodes.right:e===s.KeyCodes.right&&(e=s.KeyCodes.left)),e}Object.defineProperty(t,"__esModule",{value:!0});var a,s=n(75),u=n(25);t.getRTL=o,t.setRTL=r,t.getRTLSafeKeyCode=i},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var o=n(7),r={msFabricScrollDisabled:"msFabricScrollDisabled_4129cea2"};t.default=r,o.loadStyles([{rawString:".msFabricScrollDisabled_4129cea2{overflow:hidden!important}"}])},function(e,t,n){"use strict";function o(e){function t(e){var t=a[e.replace(r,"")];return null!==t&&void 0!==t||(t=""),t}for(var n=[],o=1;o>8-s%1*8)){if((n=r.charCodeAt(s+=.75))>255)throw new o;t=t<<8|n}return a}var i="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=";o.prototype=new Error,o.prototype.code=5,o.prototype.name="InvalidCharacterError",e.exports=r},function(e,t,n){"use strict";function o(e){return encodeURIComponent(e).replace(/%40/gi,"@").replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}var r=n(9);e.exports=function(e,t,n){if(!t)return e;var i;if(n)i=n(t);else if(r.isURLSearchParams(t))i=t.toString();else{var a=[];r.forEach(t,function(e,t){null!==e&&void 0!==e&&(r.isArray(e)&&(t+="[]"),r.isArray(e)||(e=[e]),r.forEach(e,function(e){r.isDate(e)?e=e.toISOString():r.isObject(e)&&(e=JSON.stringify(e)),a.push(o(t)+"="+o(e))}))}),i=a.join("&")}return i&&(e+=(-1===e.indexOf("?")?"?":"&")+i),e}},function(e,t,n){"use strict";e.exports=function(e,t){return e.replace(/\/+$/,"")+"/"+t.replace(/^\/+/,"")}},function(e,t,n){"use strict";var o=n(9);e.exports=o.isStandardBrowserEnv()?function(){return{write:function(e,t,n,r,i,a){var s=[];s.push(e+"="+encodeURIComponent(t)),o.isNumber(n)&&s.push("expires="+new Date(n).toGMTString()),o.isString(r)&&s.push("path="+r),o.isString(i)&&s.push("domain="+i),!0===a&&s.push("secure"),document.cookie=s.join("; ")},read:function(e){var t=document.cookie.match(new RegExp("(^|;\\s*)("+e+")=([^;]*)"));return t?decodeURIComponent(t[3]):null},remove:function(e){this.write(e,"",Date.now()-864e5)}}}():function(){return{write:function(){},read:function(){return null},remove:function(){}}}()},function(e,t,n){"use strict";e.exports=function(e){return/^([a-z][a-z\d\+\-\.]*:)?\/\//i.test(e)}},function(e,t,n){"use strict";var o=n(9);e.exports=o.isStandardBrowserEnv()?function(){function e(e){var t=e;return n&&(r.setAttribute("href",t),t=r.href),r.setAttribute("href",t),{href:r.href,protocol:r.protocol?r.protocol.replace(/:$/,""):"",host:r.host,search:r.search?r.search.replace(/^\?/,""):"",hash:r.hash?r.hash.replace(/^#/,""):"",hostname:r.hostname,port:r.port,pathname:"/"===r.pathname.charAt(0)?r.pathname:"/"+r.pathname}}var t,n=/(msie|trident)/i.test(navigator.userAgent),r=document.createElement("a");return t=e(window.location.href),function(n){var r=o.isString(n)?e(n):n;return r.protocol===t.protocol&&r.host===t.host}}():function(){return function(){return!0}}()},function(e,t,n){"use strict";var o=n(9);e.exports=function(e,t){o.forEach(e,function(n,o){o!==t&&o.toUpperCase()===t.toUpperCase()&&(e[t]=n,delete e[o])})}},function(e,t,n){"use strict";var o=n(9);e.exports=function(e){var t,n,r,i={};return e?(o.forEach(e.split("\n"),function(e){r=e.indexOf(":"),t=o.trim(e.substr(0,r)).toLowerCase(),n=o.trim(e.substr(r+1)),t&&(i[t]=i[t]?i[t]+", "+n:n)}),i):i}},function(e,t,n){"use strict";e.exports=function(e){return function(t){return e.apply(null,t)}}},function(e,t,n){"use strict";function o(e){return e.replace(r,function(e,t){return t.toUpperCase()})}var r=/-(.)/g;e.exports=o},function(e,t,n){"use strict";function o(e){return r(e.replace(i,"ms-"))}var r=n(187),i=/^-ms-/;e.exports=o},function(e,t,n){"use strict";function o(e,t){return!(!e||!t)&&(e===t||!r(e)&&(r(t)?o(e,t.parentNode):"contains"in e?e.contains(t):!!e.compareDocumentPosition&&!!(16&e.compareDocumentPosition(t))))}var r=n(197);e.exports=o},function(e,t,n){"use strict";function o(e){var t=e.length;if((Array.isArray(e)||"object"!=typeof e&&"function"!=typeof e)&&a(!1),"number"!=typeof t&&a(!1),0===t||t-1 in e||a(!1),"function"==typeof e.callee&&a(!1),e.hasOwnProperty)try{return Array.prototype.slice.call(e)}catch(e){}for(var n=Array(t),o=0;o":"<"+e+">",s[e]=!a.firstChild),s[e]?d[e]:null}var r=n(8),i=n(1),a=r.canUseDOM?document.createElement("div"):null,s={},u=[1,'"],l=[1,"","
"],c=[3,"","
"],p=[1,'',""],d={"*":[1,"?
","
"],area:[1,"",""],col:[2,"","
"],legend:[1,"
","
"],param:[1,"",""],tr:[2,"","
"],optgroup:u,option:u,caption:l,colgroup:l,tbody:l,tfoot:l,thead:l,td:c,th:c};["circle","clipPath","defs","ellipse","g","image","line","linearGradient","mask","path","pattern","polygon","polyline","radialGradient","rect","stop","text","tspan"].forEach(function(e){d[e]=p,s[e]=!0}),e.exports=o},function(e,t,n){"use strict";function o(e){return e.Window&&e instanceof e.Window?{x:e.pageXOffset||e.document.documentElement.scrollLeft,y:e.pageYOffset||e.document.documentElement.scrollTop}:{x:e.scrollLeft,y:e.scrollTop}}e.exports=o},function(e,t,n){"use strict";function o(e){return e.replace(r,"-$1").toLowerCase()}var r=/([A-Z])/g;e.exports=o},function(e,t,n){"use strict";function o(e){return r(e).replace(i,"-ms-")}var r=n(194),i=/^ms-/;e.exports=o},function(e,t,n){"use strict";function o(e){var t=e?e.ownerDocument||e:document,n=t.defaultView||window;return!(!e||!("function"==typeof n.Node?e instanceof n.Node:"object"==typeof e&&"number"==typeof e.nodeType&&"string"==typeof e.nodeName))}e.exports=o},function(e,t,n){"use strict";function o(e){return r(e)&&3==e.nodeType}var r=n(196);e.exports=o},function(e,t,n){"use strict";function o(e){var t={};return function(n){return t.hasOwnProperty(n)||(t[n]=e.call(this,n)),t[n]}}e.exports=o},,,function(e,t,n){"use strict";function o(e){return null==e?void 0===e?u:s:l&&l in Object(e)?n.i(i.a)(e):n.i(a.a)(e)}var r=n(86),i=n(204),a=n(205),s="[object Null]",u="[object Undefined]",l=r.a?r.a.toStringTag:void 0;t.a=o},function(e,t,n){"use strict";(function(e){var n="object"==typeof e&&e&&e.Object===Object&&e;t.a=n}).call(t,n(67))},function(e,t,n){"use strict";var o=n(206),r=n.i(o.a)(Object.getPrototypeOf,Object);t.a=r},function(e,t,n){"use strict";function o(e){var t=a.call(e,u),n=e[u];try{e[u]=void 0;var o=!0}catch(e){}var r=s.call(e);return o&&(t?e[u]=n:delete e[u]),r}var r=n(86),i=Object.prototype,a=i.hasOwnProperty,s=i.toString,u=r.a?r.a.toStringTag:void 0;t.a=o},function(e,t,n){"use strict";function o(e){return i.call(e)}var r=Object.prototype,i=r.toString;t.a=o},function(e,t,n){"use strict";function o(e,t){return function(n){return e(t(n))}}t.a=o},function(e,t,n){"use strict";var o=n(202),r="object"==typeof self&&self&&self.Object===Object&&self,i=o.a||r||Function("return this")();t.a=i},function(e,t,n){"use strict";function o(e){return null!=e&&"object"==typeof e}t.a=o},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(342))},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(227))},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(230))},function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n=t.top&&e.left>=t.left&&e.bottom<=t.bottom&&e.right<=t.right}function i(e,t){return e.top=t.tope.bottom||-1===e.bottom?t.bottom:e.bottom,e.right=t.right>e.right||-1===e.right?t.right:e.right,e.width=e.right-e.left+1,e.height=e.bottom-e.top+1,e}var a=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},s=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;ne){if(t){for(var u=e-s,l=0;l=d.top&&c<=d.bottom)return;var f=id.bottom;f||h&&(i=this._scrollElement.scrollTop+(c-d.bottom))}this._scrollElement.scrollTop=i;break}i+=this._getPageHeight(s,a,this._surfaceRect)}},t.prototype.componentDidMount=function(){this._updatePages(),this._measureVersion++,this._scrollElement=l.findScrollableParent(this.refs.root),this._events.on(window,"resize",this._onAsyncResize),this._events.on(this.refs.root,"focus",this._onFocus,!0),this._scrollElement&&(this._events.on(this._scrollElement,"scroll",this._onScroll),this._events.on(this._scrollElement,"scroll",this._onAsyncScroll))},t.prototype.componentWillReceiveProps=function(e){e.items===this.props.items&&e.renderCount===this.props.renderCount&&e.startIndex===this.props.startIndex||(this._measureVersion++,this._updatePages(e))},t.prototype.shouldComponentUpdate=function(e,t){var n=this.props,o=(n.renderedWindowsAhead,n.renderedWindowsBehind,this.state.pages),r=t.pages,i=t.measureVersion,a=!1;if(this._measureVersion===i&&e.renderedWindowsAhead,e.renderedWindowsBehind,e.items===this.props.items&&o.length===r.length)for(var s=0;sa||n>s)&&this._onAsyncIdle()},t.prototype._onAsyncResize=function(){this.forceUpdate()},t.prototype._updatePages=function(e){var t=this,n=e||this.props,o=n.items,r=n.startIndex,i=n.renderCount;i=this._getRenderCount(e),this._requiredRect||this._updateRenderRects(e);var a=this._buildPages(o,r,i),s=this.state.pages;this.setState(a,function(){t._updatePageMeasurements(s,a.pages)?(t._materializedRect=null,t._hasCompletedFirstRender?t._onAsyncScroll():(t._hasCompletedFirstRender=!0,t._updatePages())):t._onAsyncIdle()})},t.prototype._updatePageMeasurements=function(e,t){for(var n={},o=!1,r=this._getRenderCount(),i=0;i-1,v=m>=f._allowedRect.top&&s<=f._allowedRect.bottom,y=m>=f._requiredRect.top&&s<=f._requiredRect.bottom,b=!d&&(y||v&&g),_=c>=n&&c0&&a[0].items&&a[0].items.length.ms-MessageBar-dismissal{right:0;top:0;position:absolute!important}.ms-MessageBar-actions,.ms-MessageBar-actionsOneline{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-flex:0;-ms-flex:0 0 auto;flex:0 0 auto;-webkit-box-orient:horizontal;-webkit-box-direction:reverse;-ms-flex-direction:row-reverse;flex-direction:row-reverse;-webkit-box-align:center;-ms-flex-align:center;align-items:center}.ms-MessageBar-actionsOneline{position:relative}.ms-MessageBar-dismissal{min-width:0}.ms-MessageBar-dismissal::-moz-focus-inner{border:0}.ms-MessageBar-dismissal{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-MessageBar-dismissal:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .ms-MessageBar-dismissalOneline .ms-MessageBar-dismissal{margin-right:-8px}html[dir=rtl] .ms-MessageBar-dismissalOneline .ms-MessageBar-dismissal{margin-left:-8px}.ms-MessageBar+.ms-MessageBar{margin-bottom:6px}html[dir=ltr] .ms-MessageBar-innerTextPadding{padding-right:24px}html[dir=rtl] .ms-MessageBar-innerTextPadding{padding-left:24px}html[dir=ltr] .ms-MessageBar-innerTextPadding .ms-MessageBar-innerText>span,html[dir=ltr] .ms-MessageBar-innerTextPadding span{padding-right:4px}html[dir=rtl] .ms-MessageBar-innerTextPadding .ms-MessageBar-innerText>span,html[dir=rtl] .ms-MessageBar-innerTextPadding span{padding-left:4px}.ms-MessageBar-multiline>.ms-MessageBar-content>.ms-MessageBar-actionables{-webkit-box-orient:vertical;-webkit-box-direction:normal;-ms-flex-direction:column;flex-direction:column}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-icon{-webkit-box-align:center;-ms-flex-align:center;-ms-grid-row-align:center;align-items:center}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text{-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center;-webkit-box-align:center;-ms-flex-align:center;-ms-grid-row-align:center;align-items:center}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text .ms-MessageBar-innerText,.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text .ms-MessageBar-innerTextPadding{max-height:1.3em;line-height:1.3em;overflow-x:hidden;text-overflow:ellipsis;white-space:nowrap}.ms-MessageBar-singleline .ms-MessageBar-content>.ms-MessageBar-actionables{-webkit-box-orient:horizontal;-webkit-box-direction:normal;-ms-flex-direction:row;flex-direction:row}.ms-MessageBar .ms-Icon--Cancel{font-size:14px}"}])},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(222)),o(n(93))},function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,n,a):r(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6);n(226);var u=function(e){function t(t){var n=e.call(this,t)||this;return n.props.onChanged&&(n.props.onChange=n.props.onChanged),n.state={value:t.value||"",hasFocus:!1,id:s.getId("SearchBox")},n}return o(t,e),t.prototype.componentWillReceiveProps=function(e){void 0!==e.value&&this.setState({value:e.value})},t.prototype.render=function(){var e=this.props,t=e.labelText,n=e.className,o=this.state,i=o.value,u=o.hasFocus,l=o.id;return a.createElement("div",r({ref:this._resolveRef("_rootElement"),className:s.css("ms-SearchBox",n,{"is-active":u,"can-clear":i.length>0})},{onFocusCapture:this._onFocusCapture}),a.createElement("i",{className:"ms-SearchBox-icon ms-Icon ms-Icon--Search"}),a.createElement("input",{id:l,className:"ms-SearchBox-field",placeholder:t,onChange:this._onInputChange,onKeyDown:this._onKeyDown,value:i,ref:this._resolveRef("_inputElement")}),a.createElement("div",{className:"ms-SearchBox-clearButton",onClick:this._onClearClick},a.createElement("i",{className:"ms-Icon ms-Icon--Clear"})))},t.prototype.focus=function(){this._inputElement&&this._inputElement.focus()},t.prototype._onClearClick=function(e){this.setState({value:""}),this._callOnChange(""),e.stopPropagation(),e.preventDefault(),this._inputElement.focus()},t.prototype._onFocusCapture=function(e){this.setState({hasFocus:!0}),this._events.on(s.getDocument().body,"focus",this._handleDocumentFocus,!0)},t.prototype._onKeyDown=function(e){switch(e.which){case s.KeyCodes.escape:this._onClearClick(e);break;case s.KeyCodes.enter:this.props.onSearch&&this.state.value.length>0&&this.props.onSearch(this.state.value);break;default:return}e.preventDefault(),e.stopPropagation()},t.prototype._onInputChange=function(e){this.setState({value:this._inputElement.value}),this._callOnChange(this._inputElement.value)},t.prototype._handleDocumentFocus=function(e){s.elementContains(this._rootElement,e.target)||(this._events.off(s.getDocument().body,"focus"),this.setState({hasFocus:!1}))},t.prototype._callOnChange=function(e){var t=this.props.onChange;t&&t(e)},t}(s.BaseComponent);u.defaultProps={labelText:"Search"},i([s.autobind],u.prototype,"_onClearClick",null),i([s.autobind],u.prototype,"_onFocusCapture",null),i([s.autobind],u.prototype,"_onKeyDown",null),i([s.autobind],u.prototype,"_onInputChange",null),t.SearchBox=u},function(e,t,n){"use strict";var o=n(7),r={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=r,o.loadStyles([{rawString:'.ms-SearchBox{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;box-sizing:border-box;margin:0;padding:0;box-shadow:none;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";position:relative;margin-bottom:10px;border:1px solid "},{theme:"themeTertiary",defaultValue:"#71afe5"},{rawString:"}.ms-SearchBox.is-active{border-color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}html[dir=ltr] .ms-SearchBox.is-active .ms-SearchBox-field{padding-left:8px}html[dir=rtl] .ms-SearchBox.is-active .ms-SearchBox-field{padding-right:8px}.ms-SearchBox.is-active .ms-SearchBox-icon{display:none}.ms-SearchBox.is-disabled{border-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-SearchBox.is-disabled .ms-SearchBox-icon{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.ms-SearchBox.is-disabled .ms-SearchBox-field{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";pointer-events:none;cursor:default}.ms-SearchBox.can-clear .ms-SearchBox-clearButton{display:block}.ms-SearchBox:hover .ms-SearchBox-field{border-color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}.ms-SearchBox:hover .ms-SearchBox-label{color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-SearchBox:hover .ms-SearchBox-label .ms-SearchBox-icon{color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}input.ms-SearchBox-field{position:relative;box-sizing:border-box;margin:0;padding:0;box-shadow:none;border:none;outline:transparent 1px solid;font-weight:inherit;font-family:inherit;font-size:inherit;color:"},{theme:"black",defaultValue:"#000000"},{rawString:";height:34px;padding:6px 38px 7px 31px;width:100%;background-color:transparent;-webkit-transition:padding-left 167ms;transition:padding-left 167ms}html[dir=rtl] input.ms-SearchBox-field{padding:6px 31px 7px 38px}html[dir=ltr] input.ms-SearchBox-field:focus{padding-right:32px}html[dir=rtl] input.ms-SearchBox-field:focus{padding-left:32px}input.ms-SearchBox-field::-ms-clear{display:none}.ms-SearchBox-clearButton{display:none;border:none;cursor:pointer;position:absolute;top:0;width:40px;height:36px;line-height:36px;vertical-align:top;color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";text-align:center;font-size:16px}html[dir=ltr] .ms-SearchBox-clearButton{right:0}html[dir=rtl] .ms-SearchBox-clearButton{left:0}.ms-SearchBox-icon{font-size:17px;color:"},{theme:"neutralSecondaryAlt",defaultValue:"#767676"},{rawString:";position:absolute;top:0;height:36px;line-height:36px;vertical-align:top;font-size:16px;width:16px;color:#0078d7}html[dir=ltr] .ms-SearchBox-icon{left:8px}html[dir=rtl] .ms-SearchBox-icon{right:8px}html[dir=ltr] .ms-SearchBox-icon{margin-right:6px}html[dir=rtl] .ms-SearchBox-icon{margin-left:6px}"}])},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(225))},function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=n(0),i=n(6),a=n(94);n(229);var s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return o(t,e),t.prototype.render=function(){var e=this.props,t=e.type,n=e.size,o=e.label,s=e.className;return r.createElement("div",{className:i.css("ms-Spinner",s)},r.createElement("div",{className:i.css("ms-Spinner-circle",{"ms-Spinner--xSmall":n===a.SpinnerSize.xSmall},{"ms-Spinner--small":n===a.SpinnerSize.small},{"ms-Spinner--medium":n===a.SpinnerSize.medium},{"ms-Spinner--large":n===a.SpinnerSize.large},{"ms-Spinner--normal":t===a.SpinnerType.normal},{"ms-Spinner--large":t===a.SpinnerType.large})}),o&&r.createElement("div",{className:"ms-Spinner-label"},o))},t}(r.Component);s.defaultProps={size:a.SpinnerSize.medium},t.Spinner=s},function(e,t,n){"use strict";var o=n(7),r={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=r,o.loadStyles([{rawString:"@-webkit-keyframes ms-Spinner-spin{0%{-webkit-transform:rotate(0);transform:rotate(0)}100%{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}@keyframes ms-Spinner-spin{0%{-webkit-transform:rotate(0);transform:rotate(0)}100%{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}.ms-Spinner>.ms-Spinner-circle{margin:auto;box-sizing:border-box;border-radius:50%;width:100%;height:100%;border:1.5px solid "},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";border-top-color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";-webkit-animation:ms-Spinner-spin 1.3s infinite cubic-bezier(.53,.21,.29,.67);animation:ms-Spinner-spin 1.3s infinite cubic-bezier(.53,.21,.29,.67)}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--xSmall{width:12px;height:12px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--small{width:16px;height:16px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--medium,.ms-Spinner>.ms-Spinner-circle.ms-Spinner--normal{width:20px;height:20px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--large{width:28px;height:28px}.ms-Spinner>.ms-Spinner-label{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";margin-top:10px;text-align:center}@media screen and (-ms-high-contrast:active){.ms-Spinner>.ms-Spinner-circle{border-top-style:none}}"}])},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(228)),o(n(94))},function(e,t,n){"use strict";function o(e,t,n,o,r){}e.exports=o},function(e,t,n){"use strict";var o=n(10),r=n(1),i=n(96);e.exports=function(){function e(e,t,n,o,a,s){s!==i&&r(!1,"Calling PropTypes validators directly is not supported by the `prop-types` package. Use PropTypes.checkPropTypes() to call them. Read more at http://fb.me/use-check-prop-types")}function t(){return e}e.isRequired=e;var n={array:e,bool:e,func:e,number:e,object:e,string:e,symbol:e,any:e,arrayOf:t,element:e,instanceOf:t,node:e,objectOf:t,oneOf:t,oneOfType:t,shape:t,exact:t};return n.checkPropTypes=o,n.PropTypes=n,n}},function(e,t,n){"use strict";var o=n(10),r=n(1),i=n(2),a=n(4),s=n(96),u=n(231);e.exports=function(e,t){function n(e){var t=e&&(P&&e[P]||e[T]);if("function"==typeof t)return t}function l(e,t){return e===t?0!==e||1/e==1/t:e!==e&&t!==t}function c(e){this.message=e,this.stack=""}function p(e){function n(n,o,i,a,u,l,p){if(a=a||k,l=l||i,p!==s)if(t)r(!1,"Calling PropTypes validators directly is not supported by the `prop-types` package. Use `PropTypes.checkPropTypes()` to call them. Read more at http://fb.me/use-check-prop-types");else;return null==o[i]?n?new c(null===o[i]?"The "+u+" `"+l+"` is marked as required in `"+a+"`, but its value is `null`.":"The "+u+" `"+l+"` is marked as required in `"+a+"`, but its value is `undefined`."):null:e(o,i,a,u,l)}var o=n.bind(null,!1);return o.isRequired=n.bind(null,!0),o}function d(e){function t(t,n,o,r,i,a){var s=t[n];if(C(s)!==e)return new c("Invalid "+r+" `"+i+"` of type `"+E(s)+"` supplied to `"+o+"`, expected `"+e+"`.");return null}return p(t)}function f(e){function t(t,n,o,r,i){if("function"!=typeof e)return new c("Property `"+i+"` of component `"+o+"` has invalid PropType notation inside arrayOf.");var a=t[n];if(!Array.isArray(a)){return new c("Invalid "+r+" `"+i+"` of type `"+C(a)+"` supplied to `"+o+"`, expected an array.")}for(var u=0;u8&&_<=11),E=32,x=String.fromCharCode(E),S={beforeInput:{phasedRegistrationNames:{bubbled:"onBeforeInput",captured:"onBeforeInputCapture"},dependencies:["topCompositionEnd","topKeyPress","topTextInput","topPaste"]},compositionEnd:{phasedRegistrationNames:{bubbled:"onCompositionEnd",captured:"onCompositionEndCapture"},dependencies:["topBlur","topCompositionEnd","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]},compositionStart:{phasedRegistrationNames:{bubbled:"onCompositionStart",captured:"onCompositionStartCapture"},dependencies:["topBlur","topCompositionStart","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]},compositionUpdate:{phasedRegistrationNames:{bubbled:"onCompositionUpdate",captured:"onCompositionUpdateCapture"},dependencies:["topBlur","topCompositionUpdate","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]}},P=!1,T=null,k={eventTypes:S,extractEvents:function(e,t,n,o){return[u(e,t,n,o),p(e,t,n,o)]}};e.exports=k},function(e,t,n){"use strict";var o=n(97),r=n(8),i=(n(11),n(188),n(288)),a=n(195),s=n(198),u=(n(2),s(function(e){return a(e)})),l=!1,c="cssFloat";if(r.canUseDOM){var p=document.createElement("div").style;try{p.font=""}catch(e){l=!0}void 0===document.documentElement.style.cssFloat&&(c="styleFloat")}var d={createMarkupForStyles:function(e,t){var n="";for(var o in e)if(e.hasOwnProperty(o)){var r=0===o.indexOf("--"),a=e[o];null!=a&&(n+=u(o)+":",n+=i(o,a,t,r)+";")}return n||null},setValueForStyles:function(e,t,n){var r=e.style;for(var a in t)if(t.hasOwnProperty(a)){var s=0===a.indexOf("--"),u=i(a,t[a],n,s);if("float"!==a&&"cssFloat"!==a||(a=c),s)r.setProperty(a,u);else if(u)r[a]=u;else{var p=l&&o.shorthandPropertyExpansions[a];if(p)for(var d in p)r[d]="";else r[a]=""}}}};e.exports=d},function(e,t,n){"use strict";function o(e,t,n){var o=P.getPooled(M.change,e,t,n);return o.type="change",C.accumulateTwoPhaseDispatches(o),o}function r(e){var t=e.nodeName&&e.nodeName.toLowerCase();return"select"===t||"input"===t&&"file"===e.type}function i(e){var t=o(N,e,k(e));S.batchedUpdates(a,t)}function a(e){w.enqueueEvents(e),w.processEventQueue(!1)}function s(e,t){D=e,N=t,D.attachEvent("onchange",i)}function u(){D&&(D.detachEvent("onchange",i),D=null,N=null)}function l(e,t){var n=T.updateValueIfChanged(e),o=!0===t.simulated&&A._allowSimulatedPassThrough;if(n||o)return e}function c(e,t){if("topChange"===e)return t}function p(e,t,n){"topFocus"===e?(u(),s(t,n)):"topBlur"===e&&u()}function d(e,t){D=e,N=t,D.attachEvent("onpropertychange",h)}function f(){D&&(D.detachEvent("onpropertychange",h),D=null,N=null)}function h(e){"value"===e.propertyName&&l(N,e)&&i(e)}function m(e,t,n){"topFocus"===e?(f(),d(t,n)):"topBlur"===e&&f()}function g(e,t,n){if("topSelectionChange"===e||"topKeyUp"===e||"topKeyDown"===e)return l(N,n)}function v(e){var t=e.nodeName;return t&&"input"===t.toLowerCase()&&("checkbox"===e.type||"radio"===e.type)}function y(e,t,n){if("topClick"===e)return l(t,n)}function b(e,t,n){if("topInput"===e||"topChange"===e)return l(t,n)}function _(e,t){if(null!=e){var n=e._wrapperState||t._wrapperState;if(n&&n.controlled&&"number"===t.type){var o=""+t.value;t.getAttribute("value")!==o&&t.setAttribute("value",o)}}}var w=n(27),C=n(28),E=n(8),x=n(5),S=n(12),P=n(13),T=n(113),k=n(62),I=n(63),O=n(115),M={change:{phasedRegistrationNames:{bubbled:"onChange",captured:"onChangeCapture"},dependencies:["topBlur","topChange","topClick","topFocus","topInput","topKeyDown","topKeyUp","topSelectionChange"]}},D=null,N=null,R=!1;E.canUseDOM&&(R=I("change")&&(!document.documentMode||document.documentMode>8));var B=!1;E.canUseDOM&&(B=I("input")&&(!document.documentMode||document.documentMode>9));var A={eventTypes:M,_allowSimulatedPassThrough:!0,_isInputEventSupported:B,extractEvents:function(e,t,n,i){var a,s,u=t?x.getNodeFromInstance(t):window;if(r(u)?R?a=c:s=p:O(u)?B?a=b:(a=g,s=m):v(u)&&(a=y),a){var l=a(e,t,n);if(l){return o(l,n,i)}}s&&s(e,u,t),"topBlur"===e&&_(t,u)}};e.exports=A},function(e,t,n){"use strict";var o=n(3),r=n(20),i=n(8),a=n(191),s=n(10),u=(n(1),{dangerouslyReplaceNodeWithMarkup:function(e,t){if(i.canUseDOM||o("56"),t||o("57"),"HTML"===e.nodeName&&o("58"),"string"==typeof t){var n=a(t,s)[0];e.parentNode.replaceChild(n,e)}else r.replaceChildWithTree(e,t)}});e.exports=u},function(e,t,n){"use strict";var o=["ResponderEventPlugin","SimpleEventPlugin","TapEventPlugin","EnterLeaveEventPlugin","ChangeEventPlugin","SelectEventPlugin","BeforeInputEventPlugin"];e.exports=o},function(e,t,n){"use strict";var o=n(28),r=n(5),i=n(36),a={mouseEnter:{registrationName:"onMouseEnter",dependencies:["topMouseOut","topMouseOver"]},mouseLeave:{registrationName:"onMouseLeave",dependencies:["topMouseOut","topMouseOver"]}},s={eventTypes:a,extractEvents:function(e,t,n,s){if("topMouseOver"===e&&(n.relatedTarget||n.fromElement))return null;if("topMouseOut"!==e&&"topMouseOver"!==e)return null;var u;if(s.window===s)u=s;else{var l=s.ownerDocument;u=l?l.defaultView||l.parentWindow:window}var c,p;if("topMouseOut"===e){c=t;var d=n.relatedTarget||n.toElement;p=d?r.getClosestInstanceFromNode(d):null}else c=null,p=t;if(c===p)return null;var f=null==c?u:r.getNodeFromInstance(c),h=null==p?u:r.getNodeFromInstance(p),m=i.getPooled(a.mouseLeave,c,n,s);m.type="mouseleave",m.target=f,m.relatedTarget=h;var g=i.getPooled(a.mouseEnter,p,n,s);return g.type="mouseenter",g.target=h,g.relatedTarget=f,o.accumulateEnterLeaveDispatches(m,g,c,p),[m,g]}};e.exports=s},function(e,t,n){"use strict";function o(e){this._root=e,this._startText=this.getText(),this._fallbackText=null}var r=n(4),i=n(16),a=n(112);r(o.prototype,{destructor:function(){this._root=null,this._startText=null,this._fallbackText=null},getText:function(){return"value"in this._root?this._root.value:this._root[a()]},getData:function(){if(this._fallbackText)return this._fallbackText;var e,t,n=this._startText,o=n.length,r=this.getText(),i=r.length;for(e=0;e1?1-t:void 0;return this._fallbackText=r.slice(e,s),this._fallbackText}}),i.addPoolingTo(o),e.exports=o},function(e,t,n){"use strict";var o=n(21),r=o.injection.MUST_USE_PROPERTY,i=o.injection.HAS_BOOLEAN_VALUE,a=o.injection.HAS_NUMERIC_VALUE,s=o.injection.HAS_POSITIVE_NUMERIC_VALUE,u=o.injection.HAS_OVERLOADED_BOOLEAN_VALUE,l={isCustomAttribute:RegExp.prototype.test.bind(new RegExp("^(data|aria)-["+o.ATTRIBUTE_NAME_CHAR+"]*$")),Properties:{accept:0,acceptCharset:0,accessKey:0,action:0,allowFullScreen:i,allowTransparency:0,alt:0,as:0,async:i,autoComplete:0,autoPlay:i,capture:i,cellPadding:0,cellSpacing:0,charSet:0,challenge:0,checked:r|i,cite:0,classID:0,className:0,cols:s,colSpan:0,content:0,contentEditable:0,contextMenu:0,controls:i,controlsList:0,coords:0,crossOrigin:0,data:0,dateTime:0,default:i,defer:i,dir:0,disabled:i,download:u,draggable:0,encType:0,form:0,formAction:0,formEncType:0,formMethod:0,formNoValidate:i,formTarget:0,frameBorder:0,headers:0,height:0,hidden:i,high:0,href:0,hrefLang:0,htmlFor:0,httpEquiv:0,icon:0,id:0,inputMode:0,integrity:0,is:0,keyParams:0,keyType:0,kind:0,label:0,lang:0,list:0,loop:i,low:0,manifest:0,marginHeight:0,marginWidth:0,max:0,maxLength:0,media:0,mediaGroup:0,method:0,min:0,minLength:0,multiple:r|i,muted:r|i,name:0,nonce:0,noValidate:i,open:i,optimum:0,pattern:0,placeholder:0,playsInline:i,poster:0,preload:0,profile:0,radioGroup:0,readOnly:i,referrerPolicy:0,rel:0,required:i,reversed:i,role:0,rows:s,rowSpan:a,sandbox:0,scope:0,scoped:i,scrolling:0,seamless:i,selected:r|i,shape:0,size:s,sizes:0,span:s,spellCheck:0,src:0,srcDoc:0,srcLang:0,srcSet:0,start:a,step:0,style:0,summary:0,tabIndex:0,target:0,title:0,type:0,useMap:0,value:0,width:0,wmode:0,wrap:0,about:0,datatype:0,inlist:0,prefix:0,property:0,resource:0,typeof:0,vocab:0,autoCapitalize:0,autoCorrect:0,autoSave:0,color:0,itemProp:0,itemScope:i,itemType:0,itemID:0,itemRef:0,results:0,security:0,unselectable:0},DOMAttributeNames:{acceptCharset:"accept-charset",className:"class",htmlFor:"for",httpEquiv:"http-equiv"},DOMPropertyNames:{},DOMMutationMethods:{value:function(e,t){if(null==t)return e.removeAttribute("value");"number"!==e.type||!1===e.hasAttribute("value")?e.setAttribute("value",""+t):e.validity&&!e.validity.badInput&&e.ownerDocument.activeElement!==e&&e.setAttribute("value",""+t)}}};e.exports=l},function(e,t,n){"use strict";(function(t){function o(e,t,n,o){var r=void 0===e[n];null!=t&&r&&(e[n]=i(t,!0))}var r=n(22),i=n(114),a=(n(54),n(64)),s=n(117);n(2);void 0!==t&&n.i({NODE_ENV:"production"});var u={instantiateChildren:function(e,t,n,r){if(null==e)return null;var i={};return s(e,o,i),i},updateChildren:function(e,t,n,o,s,u,l,c,p){if(t||e){var d,f;for(d in t)if(t.hasOwnProperty(d)){f=e&&e[d];var h=f&&f._currentElement,m=t[d];if(null!=f&&a(h,m))r.receiveComponent(f,m,s,c),t[d]=f;else{f&&(o[d]=r.getHostNode(f),r.unmountComponent(f,!1));var g=i(m,!0);t[d]=g;var v=r.mountComponent(g,s,u,l,c,p);n.push(v)}}for(d in e)!e.hasOwnProperty(d)||t&&t.hasOwnProperty(d)||(f=e[d],o[d]=r.getHostNode(f),r.unmountComponent(f,!1))}},unmountChildren:function(e,t){for(var n in e)if(e.hasOwnProperty(n)){var o=e[n];r.unmountComponent(o,t)}}};e.exports=u}).call(t,n(34))},function(e,t,n){"use strict";var o=n(50),r=n(252),i={processChildrenUpdates:r.dangerouslyProcessChildrenUpdates,replaceNodeWithMarkup:o.dangerouslyReplaceNodeWithMarkup};e.exports=i},function(e,t,n){"use strict";function o(e){}function r(e){return!(!e.prototype||!e.prototype.isReactComponent)}function i(e){return!(!e.prototype||!e.prototype.isPureReactComponent)}var a=n(3),s=n(4),u=n(23),l=n(56),c=n(14),p=n(57),d=n(29),f=(n(11),n(107)),h=n(22),m=n(33),g=(n(1),n(47)),v=n(64),y=(n(2),{ImpureClass:0,PureClass:1,StatelessFunctional:2});o.prototype.render=function(){var e=d.get(this)._currentElement.type,t=e(this.props,this.context,this.updater);return t};var b=1,_={construct:function(e){this._currentElement=e,this._rootNodeID=0,this._compositeType=null,this._instance=null,this._hostParent=null,this._hostContainerInfo=null,this._updateBatchNumber=null,this._pendingElement=null,this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1,this._renderedNodeType=null,this._renderedComponent=null,this._context=null,this._mountOrder=0,this._topLevelWrapper=null,this._pendingCallbacks=null,this._calledComponentWillUnmount=!1},mountComponent:function(e,t,n,s){this._context=s,this._mountOrder=b++,this._hostParent=t,this._hostContainerInfo=n;var l,c=this._currentElement.props,p=this._processContext(s),f=this._currentElement.type,h=e.getUpdateQueue(),g=r(f),v=this._constructComponent(g,c,p,h);g||null!=v&&null!=v.render?i(f)?this._compositeType=y.PureClass:this._compositeType=y.ImpureClass:(l=v,null===v||!1===v||u.isValidElement(v)||a("105",f.displayName||f.name||"Component"),v=new o(f),this._compositeType=y.StatelessFunctional);v.props=c,v.context=p,v.refs=m,v.updater=h,this._instance=v,d.set(v,this);var _=v.state;void 0===_&&(v.state=_=null),("object"!=typeof _||Array.isArray(_))&&a("106",this.getName()||"ReactCompositeComponent"),this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1;var w;return w=v.unstable_handleError?this.performInitialMountWithErrorHandling(l,t,n,e,s):this.performInitialMount(l,t,n,e,s),v.componentDidMount&&e.getReactMountReady().enqueue(v.componentDidMount,v),w},_constructComponent:function(e,t,n,o){return this._constructComponentWithoutOwner(e,t,n,o)},_constructComponentWithoutOwner:function(e,t,n,o){var r=this._currentElement.type;return e?new r(t,n,o):r(t,n,o)},performInitialMountWithErrorHandling:function(e,t,n,o,r){var i,a=o.checkpoint();try{i=this.performInitialMount(e,t,n,o,r)}catch(s){o.rollback(a),this._instance.unstable_handleError(s),this._pendingStateQueue&&(this._instance.state=this._processPendingState(this._instance.props,this._instance.context)),a=o.checkpoint(),this._renderedComponent.unmountComponent(!0),o.rollback(a),i=this.performInitialMount(e,t,n,o,r)}return i},performInitialMount:function(e,t,n,o,r){var i=this._instance,a=0;i.componentWillMount&&(i.componentWillMount(),this._pendingStateQueue&&(i.state=this._processPendingState(i.props,i.context))),void 0===e&&(e=this._renderValidatedComponent());var s=f.getType(e);this._renderedNodeType=s;var u=this._instantiateReactComponent(e,s!==f.EMPTY);this._renderedComponent=u;var l=h.mountComponent(u,o,t,n,this._processChildContext(r),a);return l},getHostNode:function(){return h.getHostNode(this._renderedComponent)},unmountComponent:function(e){if(this._renderedComponent){var t=this._instance;if(t.componentWillUnmount&&!t._calledComponentWillUnmount)if(t._calledComponentWillUnmount=!0,e){var n=this.getName()+".componentWillUnmount()";p.invokeGuardedCallback(n,t.componentWillUnmount.bind(t))}else t.componentWillUnmount();this._renderedComponent&&(h.unmountComponent(this._renderedComponent,e),this._renderedNodeType=null,this._renderedComponent=null,this._instance=null),this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1,this._pendingCallbacks=null,this._pendingElement=null,this._context=null,this._rootNodeID=0,this._topLevelWrapper=null,d.remove(t)}},_maskContext:function(e){var t=this._currentElement.type,n=t.contextTypes;if(!n)return m;var o={};for(var r in n)o[r]=e[r];return o},_processContext:function(e){var t=this._maskContext(e);return t},_processChildContext:function(e){var t,n=this._currentElement.type,o=this._instance;if(o.getChildContext&&(t=o.getChildContext()),t){"object"!=typeof n.childContextTypes&&a("107",this.getName()||"ReactCompositeComponent");for(var r in t)r in n.childContextTypes||a("108",this.getName()||"ReactCompositeComponent",r);return s({},e,t)}return e},_checkContextTypes:function(e,t,n){},receiveComponent:function(e,t,n){var o=this._currentElement,r=this._context;this._pendingElement=null,this.updateComponent(t,o,e,r,n)},performUpdateIfNecessary:function(e){null!=this._pendingElement?h.receiveComponent(this,this._pendingElement,e,this._context):null!==this._pendingStateQueue||this._pendingForceUpdate?this.updateComponent(e,this._currentElement,this._currentElement,this._context,this._context):this._updateBatchNumber=null},updateComponent:function(e,t,n,o,r){var i=this._instance;null==i&&a("136",this.getName()||"ReactCompositeComponent");var s,u=!1;this._context===r?s=i.context:(s=this._processContext(r),u=!0);var l=t.props,c=n.props;t!==n&&(u=!0),u&&i.componentWillReceiveProps&&i.componentWillReceiveProps(c,s);var p=this._processPendingState(c,s),d=!0;this._pendingForceUpdate||(i.shouldComponentUpdate?d=i.shouldComponentUpdate(c,p,s):this._compositeType===y.PureClass&&(d=!g(l,c)||!g(i.state,p))),this._updateBatchNumber=null,d?(this._pendingForceUpdate=!1,this._performComponentUpdate(n,c,p,s,e,r)):(this._currentElement=n,this._context=r,i.props=c,i.state=p,i.context=s)},_processPendingState:function(e,t){var n=this._instance,o=this._pendingStateQueue,r=this._pendingReplaceState;if(this._pendingReplaceState=!1,this._pendingStateQueue=null,!o)return n.state;if(r&&1===o.length)return o[0];for(var i=s({},r?o[0]:n.state),a=r?1:0;a=0||null!=t.is}function m(e){var t=e.type;f(t),this._currentElement=e,this._tag=t.toLowerCase(),this._namespaceURI=null,this._renderedChildren=null,this._previousStyle=null,this._previousStyleCopy=null,this._hostNode=null,this._hostParent=null,this._rootNodeID=0,this._domID=0,this._hostContainerInfo=null,this._wrapperState=null,this._topLevelWrapper=null,this._flags=0}var g=n(3),v=n(4),y=n(235),b=n(237),_=n(20),w=n(51),C=n(21),E=n(99),x=n(27),S=n(52),P=n(35),T=n(100),k=n(5),I=n(253),O=n(254),M=n(101),D=n(257),N=(n(11),n(266)),R=n(271),B=(n(10),n(38)),A=(n(1),n(63),n(47),n(113)),L=(n(65),n(2),T),F=x.deleteListener,j=k.getNodeFromInstance,U=P.listenTo,V=S.registrationNameModules,W={string:!0,number:!0},H="__html",K={children:null,dangerouslySetInnerHTML:null,suppressContentEditableWarning:null},q=11,z={topAbort:"abort",topCanPlay:"canplay",topCanPlayThrough:"canplaythrough",topDurationChange:"durationchange",topEmptied:"emptied",topEncrypted:"encrypted",topEnded:"ended",topError:"error",topLoadedData:"loadeddata",topLoadedMetadata:"loadedmetadata",topLoadStart:"loadstart",topPause:"pause",topPlay:"play",topPlaying:"playing",topProgress:"progress",topRateChange:"ratechange",topSeeked:"seeked",topSeeking:"seeking",topStalled:"stalled",topSuspend:"suspend",topTimeUpdate:"timeupdate",topVolumeChange:"volumechange",topWaiting:"waiting"},G={area:!0,base:!0,br:!0,col:!0,embed:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0},Y={listing:!0,pre:!0,textarea:!0},X=v({menuitem:!0},G),Z=/^[a-zA-Z][a-zA-Z:_\.\-\d]*$/,Q={},$={}.hasOwnProperty,J=1;m.displayName="ReactDOMComponent",m.Mixin={mountComponent:function(e,t,n,o){this._rootNodeID=J++,this._domID=n._idCounter++,this._hostParent=t,this._hostContainerInfo=n;var i=this._currentElement.props;switch(this._tag){case"audio":case"form":case"iframe":case"img":case"link":case"object":case"source":case"video":this._wrapperState={listeners:null},e.getReactMountReady().enqueue(p,this);break;case"input":I.mountWrapper(this,i,t),i=I.getHostProps(this,i),e.getReactMountReady().enqueue(c,this),e.getReactMountReady().enqueue(p,this);break;case"option":O.mountWrapper(this,i,t),i=O.getHostProps(this,i);break;case"select":M.mountWrapper(this,i,t),i=M.getHostProps(this,i),e.getReactMountReady().enqueue(p,this);break;case"textarea":D.mountWrapper(this,i,t),i=D.getHostProps(this,i),e.getReactMountReady().enqueue(c,this),e.getReactMountReady().enqueue(p,this)}r(this,i);var a,d;null!=t?(a=t._namespaceURI,d=t._tag):n._tag&&(a=n._namespaceURI,d=n._tag),(null==a||a===w.svg&&"foreignobject"===d)&&(a=w.html),a===w.html&&("svg"===this._tag?a=w.svg:"math"===this._tag&&(a=w.mathml)),this._namespaceURI=a;var f;if(e.useCreateElement){var h,m=n._ownerDocument;if(a===w.html)if("script"===this._tag){var g=m.createElement("div"),v=this._currentElement.type;g.innerHTML="<"+v+">",h=g.removeChild(g.firstChild)}else h=i.is?m.createElement(this._currentElement.type,i.is):m.createElement(this._currentElement.type);else h=m.createElementNS(a,this._currentElement.type);k.precacheNode(this,h),this._flags|=L.hasCachedChildNodes,this._hostParent||E.setAttributeForRoot(h),this._updateDOMProperties(null,i,e);var b=_(h);this._createInitialChildren(e,i,o,b),f=b}else{var C=this._createOpenTagMarkupAndPutListeners(e,i),x=this._createContentMarkup(e,i,o);f=!x&&G[this._tag]?C+"/>":C+">"+x+""}switch(this._tag){case"input":e.getReactMountReady().enqueue(s,this),i.autoFocus&&e.getReactMountReady().enqueue(y.focusDOMComponent,this);break;case"textarea":e.getReactMountReady().enqueue(u,this),i.autoFocus&&e.getReactMountReady().enqueue(y.focusDOMComponent,this);break;case"select":case"button":i.autoFocus&&e.getReactMountReady().enqueue(y.focusDOMComponent,this);break;case"option":e.getReactMountReady().enqueue(l,this)}return f},_createOpenTagMarkupAndPutListeners:function(e,t){var n="<"+this._currentElement.type;for(var o in t)if(t.hasOwnProperty(o)){var r=t[o];if(null!=r)if(V.hasOwnProperty(o))r&&i(this,o,r,e);else{"style"===o&&(r&&(r=this._previousStyleCopy=v({},t.style)),r=b.createMarkupForStyles(r,this));var a=null;null!=this._tag&&h(this._tag,t)?K.hasOwnProperty(o)||(a=E.createMarkupForCustomAttribute(o,r)):a=E.createMarkupForProperty(o,r),a&&(n+=" "+a)}}return e.renderToStaticMarkup?n:(this._hostParent||(n+=" "+E.createMarkupForRoot()),n+=" "+E.createMarkupForID(this._domID))},_createContentMarkup:function(e,t,n){var o="",r=t.dangerouslySetInnerHTML;if(null!=r)null!=r.__html&&(o=r.__html);else{var i=W[typeof t.children]?t.children:null,a=null!=i?null:t.children;if(null!=i)o=B(i);else if(null!=a){var s=this.mountChildren(a,e,n);o=s.join("")}}return Y[this._tag]&&"\n"===o.charAt(0)?"\n"+o:o},_createInitialChildren:function(e,t,n,o){var r=t.dangerouslySetInnerHTML;if(null!=r)null!=r.__html&&_.queueHTML(o,r.__html);else{var i=W[typeof t.children]?t.children:null,a=null!=i?null:t.children;if(null!=i)""!==i&&_.queueText(o,i);else if(null!=a)for(var s=this.mountChildren(a,e,n),u=0;ut.end?(n=t.end,o=t.start):(n=t.start,o=t.end),r.moveToElementText(e),r.moveStart("character",n),r.setEndPoint("EndToStart",r),r.moveEnd("character",o-n),r.select()}function s(e,t){if(window.getSelection){var n=window.getSelection(),o=e[c()].length,r=Math.min(t.start,o),i=void 0===t.end?r:Math.min(t.end,o);if(!n.extend&&r>i){var a=i;i=r,r=a}var s=l(e,r),u=l(e,i);if(s&&u){var p=document.createRange();p.setStart(s.node,s.offset),n.removeAllRanges(),r>i?(n.addRange(p),n.extend(u.node,u.offset)):(p.setEnd(u.node,u.offset),n.addRange(p))}}}var u=n(8),l=n(293),c=n(112),p=u.canUseDOM&&"selection"in document&&!("getSelection"in window),d={getOffsets:p?r:i,setOffsets:p?a:s};e.exports=d},function(e,t,n){"use strict";var o=n(3),r=n(4),i=n(50),a=n(20),s=n(5),u=n(38),l=(n(1),n(65),function(e){this._currentElement=e,this._stringText=""+e,this._hostNode=null,this._hostParent=null,this._domID=0,this._mountIndex=0,this._closingComment=null,this._commentNodes=null});r(l.prototype,{mountComponent:function(e,t,n,o){var r=n._idCounter++,i=" react-text: "+r+" ";if(this._domID=r,this._hostParent=t,e.useCreateElement){var l=n._ownerDocument,c=l.createComment(i),p=l.createComment(" /react-text "),d=a(l.createDocumentFragment());return a.queueChild(d,a(c)),this._stringText&&a.queueChild(d,a(l.createTextNode(this._stringText))),a.queueChild(d,a(p)),s.precacheNode(this,c),this._closingComment=p,d}var f=u(this._stringText);return e.renderToStaticMarkup?f:"\x3c!--"+i+"--\x3e"+f+"\x3c!-- /react-text --\x3e"},receiveComponent:function(e,t){if(e!==this._currentElement){this._currentElement=e;var n=""+e;if(n!==this._stringText){this._stringText=n;var o=this.getHostNode();i.replaceDelimitedText(o[0],o[1],n)}}},getHostNode:function(){var e=this._commentNodes;if(e)return e;if(!this._closingComment)for(var t=s.getNodeFromInstance(this),n=t.nextSibling;;){if(null==n&&o("67",this._domID),8===n.nodeType&&" /react-text "===n.nodeValue){this._closingComment=n;break}n=n.nextSibling}return e=[this._hostNode,this._closingComment],this._commentNodes=e,e},unmountComponent:function(){this._closingComment=null,this._commentNodes=null,s.uncacheNode(this)}}),e.exports=l},function(e,t,n){"use strict";function o(){this._rootNodeID&&c.updateWrapper(this)}function r(e){var t=this._currentElement.props,n=s.executeOnChange(t,e);return l.asap(o,this),n}var i=n(3),a=n(4),s=n(55),u=n(5),l=n(12),c=(n(1),n(2),{getHostProps:function(e,t){return null!=t.dangerouslySetInnerHTML&&i("91"),a({},t,{value:void 0,defaultValue:void 0,children:""+e._wrapperState.initialValue,onChange:e._wrapperState.onChange})},mountWrapper:function(e,t){var n=s.getValue(t),o=n;if(null==n){var a=t.defaultValue,u=t.children;null!=u&&(null!=a&&i("92"),Array.isArray(u)&&(u.length<=1||i("93"),u=u[0]),a=""+u),null==a&&(a=""),o=a}e._wrapperState={initialValue:""+o,listeners:null,onChange:r.bind(e)}},updateWrapper:function(e){var t=e._currentElement.props,n=u.getNodeFromInstance(e),o=s.getValue(t);if(null!=o){var r=""+o;r!==n.value&&(n.value=r),null==t.defaultValue&&(n.defaultValue=r)}null!=t.defaultValue&&(n.defaultValue=t.defaultValue)},postMountWrapper:function(e){var t=u.getNodeFromInstance(e),n=t.textContent;n===e._wrapperState.initialValue&&(t.value=n)}});e.exports=c},function(e,t,n){"use strict";function o(e,t){"_hostNode"in e||u("33"),"_hostNode"in t||u("33");for(var n=0,o=e;o;o=o._hostParent)n++;for(var r=0,i=t;i;i=i._hostParent)r++;for(;n-r>0;)e=e._hostParent,n--;for(;r-n>0;)t=t._hostParent,r--;for(var a=n;a--;){if(e===t)return e;e=e._hostParent,t=t._hostParent}return null}function r(e,t){"_hostNode"in e||u("35"),"_hostNode"in t||u("35");for(;t;){if(t===e)return!0;t=t._hostParent}return!1}function i(e){return"_hostNode"in e||u("36"),e._hostParent}function a(e,t,n){for(var o=[];e;)o.push(e),e=e._hostParent;var r;for(r=o.length;r-- >0;)t(o[r],"captured",n);for(r=0;r0;)n(u[l],"captured",i)}var u=n(3);n(1);e.exports={isAncestor:r,getLowestCommonAncestor:o,getParentInstance:i,traverseTwoPhase:a,traverseEnterLeave:s}},function(e,t,n){"use strict";function o(){this.reinitializeTransaction()}var r=n(4),i=n(12),a=n(37),s=n(10),u={initialize:s,close:function(){d.isBatchingUpdates=!1}},l={initialize:s,close:i.flushBatchedUpdates.bind(i)},c=[l,u];r(o.prototype,a,{getTransactionWrappers:function(){return c}});var p=new o,d={isBatchingUpdates:!1,batchedUpdates:function(e,t,n,o,r,i){var a=d.isBatchingUpdates;return d.isBatchingUpdates=!0,a?e(t,n,o,r,i):p.perform(e,null,t,n,o,r,i)}};e.exports=d},function(e,t,n){"use strict";function o(){E||(E=!0,y.EventEmitter.injectReactEventListener(v),y.EventPluginHub.injectEventPluginOrder(s),y.EventPluginUtils.injectComponentTree(d),y.EventPluginUtils.injectTreeTraversal(h),y.EventPluginHub.injectEventPluginsByName({SimpleEventPlugin:C,EnterLeaveEventPlugin:u,ChangeEventPlugin:a,SelectEventPlugin:w,BeforeInputEventPlugin:i}),y.HostComponent.injectGenericComponentClass(p),y.HostComponent.injectTextComponentClass(m),y.DOMProperty.injectDOMPropertyConfig(r),y.DOMProperty.injectDOMPropertyConfig(l),y.DOMProperty.injectDOMPropertyConfig(_),y.EmptyComponent.injectEmptyComponentFactory(function(e){return new f(e)}),y.Updates.injectReconcileTransaction(b),y.Updates.injectBatchingStrategy(g),y.Component.injectEnvironment(c))}var r=n(234),i=n(236),a=n(238),s=n(240),u=n(241),l=n(243),c=n(245),p=n(248),d=n(5),f=n(250),h=n(258),m=n(256),g=n(259),v=n(263),y=n(264),b=n(269),_=n(274),w=n(275),C=n(276),E=!1;e.exports={inject:o}},function(e,t,n){"use strict";var o="function"==typeof Symbol&&Symbol.for&&Symbol.for("react.element")||60103;e.exports=o},function(e,t,n){"use strict";function o(e){r.enqueueEvents(e),r.processEventQueue(!1)}var r=n(27),i={handleTopLevel:function(e,t,n,i){o(r.extractEvents(e,t,n,i))}};e.exports=i},function(e,t,n){"use strict";function o(e){for(;e._hostParent;)e=e._hostParent;var t=p.getNodeFromInstance(e),n=t.parentNode;return p.getClosestInstanceFromNode(n)}function r(e,t){this.topLevelType=e,this.nativeEvent=t,this.ancestors=[]}function i(e){var t=f(e.nativeEvent),n=p.getClosestInstanceFromNode(t),r=n;do{e.ancestors.push(r),r=r&&o(r)}while(r);for(var i=0;i/,i=/^<\!\-\-/,a={CHECKSUM_ATTR_NAME:"data-react-checksum",addChecksumToMarkup:function(e){var t=o(e);return i.test(e)?e:e.replace(r," "+a.CHECKSUM_ATTR_NAME+'="'+t+'"$&')},canReuseMarkup:function(e,t){var n=t.getAttribute(a.CHECKSUM_ATTR_NAME);return n=n&&parseInt(n,10),o(e)===n}};e.exports=a},function(e,t,n){"use strict";function o(e,t,n){return{type:"INSERT_MARKUP",content:e,fromIndex:null,fromNode:null,toIndex:n,afterNode:t}}function r(e,t,n){return{type:"MOVE_EXISTING",content:null,fromIndex:e._mountIndex,fromNode:d.getHostNode(e),toIndex:n,afterNode:t}}function i(e,t){return{type:"REMOVE_NODE",content:null,fromIndex:e._mountIndex,fromNode:t,toIndex:null,afterNode:null}}function a(e){return{type:"SET_MARKUP",content:e,fromIndex:null,fromNode:null,toIndex:null,afterNode:null}}function s(e){return{type:"TEXT_CONTENT",content:e,fromIndex:null,fromNode:null,toIndex:null,afterNode:null}}function u(e,t){return t&&(e=e||[],e.push(t)),e}function l(e,t){p.processChildrenUpdates(e,t)}var c=n(3),p=n(56),d=(n(29),n(11),n(14),n(22)),f=n(244),h=(n(10),n(290)),m=(n(1),{Mixin:{_reconcilerInstantiateChildren:function(e,t,n){return f.instantiateChildren(e,t,n)},_reconcilerUpdateChildren:function(e,t,n,o,r,i){var a,s=0;return a=h(t,s),f.updateChildren(e,a,n,o,r,this,this._hostContainerInfo,i,s),a},mountChildren:function(e,t,n){var o=this._reconcilerInstantiateChildren(e,t,n);this._renderedChildren=o;var r=[],i=0;for(var a in o)if(o.hasOwnProperty(a)){var s=o[a],u=0,l=d.mountComponent(s,t,this,this._hostContainerInfo,n,u);s._mountIndex=i++,r.push(l)}return r},updateTextContent:function(e){var t=this._renderedChildren;f.unmountChildren(t,!1);for(var n in t)t.hasOwnProperty(n)&&c("118");l(this,[s(e)])},updateMarkup:function(e){var t=this._renderedChildren;f.unmountChildren(t,!1);for(var n in t)t.hasOwnProperty(n)&&c("118");l(this,[a(e)])},updateChildren:function(e,t,n){this._updateChildren(e,t,n)},_updateChildren:function(e,t,n){var o=this._renderedChildren,r={},i=[],a=this._reconcilerUpdateChildren(o,e,i,r,t,n);if(a||o){var s,c=null,p=0,f=0,h=0,m=null;for(s in a)if(a.hasOwnProperty(s)){var g=o&&o[s],v=a[s];g===v?(c=u(c,this.moveChild(g,m,p,f)),f=Math.max(g._mountIndex,f),g._mountIndex=p):(g&&(f=Math.max(g._mountIndex,f)),c=u(c,this._mountChildAtIndex(v,i[h],m,p,t,n)),h++),p++,m=d.getHostNode(v)}for(s in r)r.hasOwnProperty(s)&&(c=u(c,this._unmountChild(o[s],r[s])));c&&l(this,c),this._renderedChildren=a}},unmountChildren:function(e){var t=this._renderedChildren;f.unmountChildren(t,e),this._renderedChildren=null},moveChild:function(e,t,n,o){if(e._mountIndex=t)return{node:n,offset:t-i};i=a}n=o(r(n))}}e.exports=i},function(e,t,n){"use strict";function o(e,t){var n={};return n[e.toLowerCase()]=t.toLowerCase(),n["Webkit"+e]="webkit"+t,n["Moz"+e]="moz"+t,n["ms"+e]="MS"+t,n["O"+e]="o"+t.toLowerCase(),n}function r(e){if(s[e])return s[e];if(!a[e])return e;var t=a[e];for(var n in t)if(t.hasOwnProperty(n)&&n in u)return s[e]=t[n];return""}var i=n(8),a={animationend:o("Animation","AnimationEnd"),animationiteration:o("Animation","AnimationIteration"),animationstart:o("Animation","AnimationStart"),transitionend:o("Transition","TransitionEnd")},s={},u={};i.canUseDOM&&(u=document.createElement("div").style,"AnimationEvent"in window||(delete a.animationend.animation,delete a.animationiteration.animation,delete a.animationstart.animation),"TransitionEvent"in window||delete a.transitionend.transition),e.exports=r},function(e,t,n){"use strict";function o(e){return'"'+r(e)+'"'}var r=n(38);e.exports=o},function(e,t,n){"use strict";var o=n(106);e.exports=o.renderSubtreeIntoContainer},function(e,t,n){"use strict";function o(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function r(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function i(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}function a(){var e,t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"store",n=arguments[1],a=n||t+"Subscription",u=function(e){function n(i,a){o(this,n);var s=r(this,e.call(this,i,a));return s[t]=i.store,s}return i(n,e),n.prototype.getChildContext=function(){var e;return e={},e[t]=this[t],e[a]=null,e},n.prototype.render=function(){return s.Children.only(this.props.children)},n}(s.Component);return u.propTypes={store:c.a.isRequired,children:l.a.element.isRequired},u.childContextTypes=(e={},e[t]=c.a.isRequired,e[a]=c.b,e),u}t.b=a;var s=n(0),u=(n.n(s),n(19)),l=n.n(u),c=n(120);n(66);t.a=a()},function(e,t,n){"use strict";function o(e,t){var n={};for(var o in e)t.indexOf(o)>=0||Object.prototype.hasOwnProperty.call(e,o)&&(n[o]=e[o]);return n}function r(e,t,n){for(var o=t.length-1;o>=0;o--){var r=t[o](e);if(r)return r}return function(t,o){throw new Error("Invalid value of type "+typeof e+" for "+n+" argument when connecting component "+o.wrappedComponentName+".")}}function i(e,t){return e===t}var a=n(118),s=n(305),u=n(299),l=n(300),c=n(301),p=n(302),d=Object.assign||function(e){for(var t=1;t0&&void 0!==arguments[0]?arguments[0]:{},t=e.connectHOC,n=void 0===t?a.a:t,f=e.mapStateToPropsFactories,h=void 0===f?l.a:f,m=e.mapDispatchToPropsFactories,g=void 0===m?u.a:m,v=e.mergePropsFactories,y=void 0===v?c.a:v,b=e.selectorFactory,_=void 0===b?p.a:b;return function(e,t,a){var u=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},l=u.pure,c=void 0===l||l,p=u.areStatesEqual,f=void 0===p?i:p,m=u.areOwnPropsEqual,v=void 0===m?s.a:m,b=u.areStatePropsEqual,w=void 0===b?s.a:b,C=u.areMergedPropsEqual,E=void 0===C?s.a:C,x=o(u,["pure","areStatesEqual","areOwnPropsEqual","areStatePropsEqual","areMergedPropsEqual"]),S=r(e,h,"mapStateToProps"),P=r(t,g,"mapDispatchToProps"),T=r(a,y,"mergeProps");return n(_,d({methodName:"connect",getDisplayName:function(e){return"Connect("+e+")"},shouldHandleStateChanges:Boolean(e),initMapStateToProps:S,initMapDispatchToProps:P,initMergeProps:T,pure:c,areStatesEqual:f,areOwnPropsEqual:v,areStatePropsEqual:w,areMergedPropsEqual:E},x))}}()},function(e,t,n){"use strict";function o(e){return"function"==typeof e?n.i(s.a)(e,"mapDispatchToProps"):void 0}function r(e){return e?void 0:n.i(s.b)(function(e){return{dispatch:e}})}function i(e){return e&&"object"==typeof e?n.i(s.b)(function(t){return n.i(a.bindActionCreators)(e,t)}):void 0}var a=n(40),s=n(119);t.a=[o,r,i]},function(e,t,n){"use strict";function o(e){return"function"==typeof e?n.i(i.a)(e,"mapStateToProps"):void 0}function r(e){return e?void 0:n.i(i.b)(function(){return{}})}var i=n(119);t.a=[o,r]},function(e,t,n){"use strict";function o(e,t,n){return s({},n,e,t)}function r(e){return function(t,n){var o=(n.displayName,n.pure),r=n.areMergedPropsEqual,i=!1,a=void 0;return function(t,n,s){var u=e(t,n,s);return i?o&&r(u,a)||(a=u):(i=!0,a=u),a}}}function i(e){return"function"==typeof e?r(e):void 0}function a(e){return e?void 0:function(){return o}}var s=(n(121),Object.assign||function(e){for(var t=1;t=0||Object.prototype.hasOwnProperty.call(e,o)&&(n[o]=e[o]);return n}function r(e,t,n,o){return function(r,i){return n(e(r,i),t(o,i),i)}}function i(e,t,n,o,r){function i(r,i){return h=r,m=i,g=e(h,m),v=t(o,m),y=n(g,v,m),f=!0,y}function a(){return g=e(h,m),t.dependsOnOwnProps&&(v=t(o,m)),y=n(g,v,m)}function s(){return e.dependsOnOwnProps&&(g=e(h,m)),t.dependsOnOwnProps&&(v=t(o,m)),y=n(g,v,m)}function u(){var t=e(h,m),o=!d(t,g);return g=t,o&&(y=n(g,v,m)),y}function l(e,t){var n=!p(t,m),o=!c(e,h);return h=e,m=t,n&&o?a():n?s():o?u():y}var c=r.areStatesEqual,p=r.areOwnPropsEqual,d=r.areStatePropsEqual,f=!1,h=void 0,m=void 0,g=void 0,v=void 0,y=void 0;return function(e,t){return f?l(e,t):i(e,t)}}function a(e,t){var n=t.initMapStateToProps,a=t.initMapDispatchToProps,s=t.initMergeProps,u=o(t,["initMapStateToProps","initMapDispatchToProps","initMergeProps"]),l=n(e,u),c=a(e,u),p=s(e,u);return(u.pure?i:r)(l,c,p,e,u)}t.a=a;n(303)},function(e,t,n){"use strict";n(66)},function(e,t,n){"use strict";function o(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function r(){var e=[],t=[];return{clear:function(){t=i,e=i},notify:function(){for(var n=e=t,o=0;o0&&void 0!==arguments[0]?arguments[0]:{},t=arguments[1];if(u)throw u;for(var r=!1,i={},a=0;a=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,n,a):r(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6),u=n(219);n(343);var l;!function(e){e[e.landscape=0]="landscape",e[e.portrait=1]="portrait"}(l=t.CoverStyle||(t.CoverStyle={})),t.CoverStyleMap=(p={},p[l.landscape]="ms-Image-image--landscape",p[l.portrait]="ms-Image-image--portrait",p),t.ImageFitMap=(d={},d[u.ImageFit.center]="ms-Image-image--center",d[u.ImageFit.contain]="ms-Image-image--contain",d[u.ImageFit.cover]="ms-Image-image--cover",d[u.ImageFit.none]="ms-Image-image--none",d);var c=function(e){function n(t){var n=e.call(this,t)||this;return n._coverStyle=l.portrait,n.state={loadState:u.ImageLoadState.notLoaded},n}return o(n,e),n.prototype.componentWillReceiveProps=function(e){e.src!==this.props.src?this.setState({loadState:u.ImageLoadState.notLoaded}):this.state.loadState===u.ImageLoadState.loaded&&this._computeCoverStyle(e)},n.prototype.componentDidUpdate=function(e,t){this._checkImageLoaded(),this.props.onLoadingStateChange&&t.loadState!==this.state.loadState&&this.props.onLoadingStateChange(this.state.loadState)},n.prototype.render=function(){var e=s.getNativeProps(this.props,s.imageProperties,["width","height"]),n=this.props,o=n.src,i=n.alt,l=n.width,c=n.height,p=n.shouldFadeIn,d=n.className,f=n.imageFit,h=n.role,m=n.maximizeFrame,g=this.state.loadState,v=this._coverStyle,y=g===u.ImageLoadState.loaded||g===u.ImageLoadState.notLoaded&&this.props.shouldStartVisible;return a.createElement("div",{className:s.css("ms-Image",d,{"ms-Image--maximizeFrame":m}),style:{width:l,height:c},ref:this._resolveRef("_frameElement")},a.createElement("img",r({},e,{onLoad:this._onImageLoaded,onError:this._onImageError,key:"fabricImage"+this.props.src||"",className:s.css("ms-Image-image",t.CoverStyleMap[v],void 0!==f&&t.ImageFitMap[f],{"is-fadeIn":p,"is-notLoaded":!y,"is-loaded":y,"ms-u-fadeIn400":y&&p,"is-error":g===u.ImageLoadState.error,"ms-Image-image--scaleWidth":void 0===f&&!!l&&!c,"ms-Image-image--scaleHeight":void 0===f&&!l&&!!c,"ms-Image-image--scaleWidthHeight":void 0===f&&!!l&&!!c}),ref:this._resolveRef("_imageElement"),src:o,alt:i,role:h})))},n.prototype._onImageLoaded=function(e){var t=this.props,n=t.src,o=t.onLoad;o&&o(e),this._computeCoverStyle(this.props),n&&this.setState({loadState:u.ImageLoadState.loaded})},n.prototype._checkImageLoaded=function(){var e=this.props.src;this.state.loadState===u.ImageLoadState.notLoaded&&((e&&this._imageElement.naturalWidth>0&&this._imageElement.naturalHeight>0||this._imageElement.complete&&n._svgRegex.test(e))&&(this._computeCoverStyle(this.props),this.setState({loadState:u.ImageLoadState.loaded})))},n.prototype._computeCoverStyle=function(e){var t=e.imageFit,n=e.width,o=e.height;if((t===u.ImageFit.cover||t===u.ImageFit.contain)&&this._imageElement){var r=void 0;r=n&&o?n/o:this._frameElement.clientWidth/this._frameElement.clientHeight;var i=this._imageElement.naturalWidth/this._imageElement.naturalHeight;this._coverStyle=i>r?l.landscape:l.portrait}},n.prototype._onImageError=function(e){this.props.onError&&this.props.onError(e),this.setState({loadState:u.ImageLoadState.error})},n}(s.BaseComponent);c.defaultProps={shouldFadeIn:!0},c._svgRegex=/\.svg$/i,i([s.autobind],c.prototype,"_onImageLoaded",null),i([s.autobind],c.prototype,"_onImageError",null),t.Image=c;var p,d},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(387))},,,,,,function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(369))},,function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,n,a):r(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(140),u=n(6),l={},c=["text","number","password","email","tel","url","search"],p=function(e){function t(t){var n=e.call(this,t)||this;return n._id=u.getId("FocusZone"),l[n._id]=n,n._focusAlignment={left:0,top:0},n}return o(t,e),t.prototype.componentDidMount=function(){for(var e=this.refs.root.ownerDocument.defaultView,t=u.getParent(this.refs.root);t&&t!==document.body&&1===t.nodeType;){if(u.isElementFocusZone(t)){this._isInnerZone=!0;break}t=u.getParent(t)}this._events.on(e,"keydown",this._onKeyDownCapture,!0),this._updateTabIndexes(),this.props.defaultActiveElement&&(this._activeElement=u.getDocument().querySelector(this.props.defaultActiveElement))},t.prototype.componentWillUnmount=function(){delete l[this._id]},t.prototype.render=function(){var e=this.props,t=e.rootProps,n=e.ariaLabelledBy,o=e.className;return a.createElement("div",r({},t,{className:u.css("ms-FocusZone",o),ref:"root","data-focuszone-id":this._id,"aria-labelledby":n,onKeyDown:this._onKeyDown,onFocus:this._onFocus},{onMouseDownCapture:this._onMouseDown}),this.props.children)},t.prototype.focus=function(){if(this._activeElement&&u.elementContains(this.refs.root,this._activeElement))return this._activeElement.focus(),!0;var e=this.refs.root.firstChild;return this.focusElement(u.getNextElement(this.refs.root,e,!0))},t.prototype.focusElement=function(e){var t=this.props.onBeforeFocus;return!(t&&!t(e))&&(!(!e||(this._activeElement&&(this._activeElement.tabIndex=-1),this._activeElement=e,!e))&&(this._focusAlignment||this._setFocusAlignment(e,!0,!0),this._activeElement.tabIndex=0,e.focus(),!0))},t.prototype._onFocus=function(e){var t=this.props.onActiveElementChanged;if(this._isImmediateDescendantOfZone(e.target))this._activeElement=e.target,this._setFocusAlignment(this._activeElement);else for(var n=e.target;n&&n!==this.refs.root;){if(u.isElementTabbable(n)&&this._isImmediateDescendantOfZone(n)){this._activeElement=n;break}n=u.getParent(n)}t&&t(this._activeElement,e)},t.prototype._onKeyDownCapture=function(e){e.which===u.KeyCodes.tab&&this._updateTabIndexes()},t.prototype._onMouseDown=function(e){if(!this.props.disabled){for(var t=e.target,n=[];t&&t!==this.refs.root;)n.push(t),t=u.getParent(t);for(;n.length&&(t=n.pop(),!u.isElementFocusZone(t));)t&&u.isElementTabbable(t)&&(t.tabIndex=0,this._setFocusAlignment(t,!0,!0))}},t.prototype._onKeyDown=function(e){var t=this.props,n=t.direction,o=t.disabled,r=t.isInnerZoneKeystroke;if(!o){if(r&&this._isImmediateDescendantOfZone(e.target)&&r(e)){var i=this._getFirstInnerZone();if(!i||!i.focus())return}else switch(e.which){case u.KeyCodes.left:if(n!==s.FocusZoneDirection.vertical&&this._moveFocusLeft())break;return;case u.KeyCodes.right:if(n!==s.FocusZoneDirection.vertical&&this._moveFocusRight())break;return;case u.KeyCodes.up:if(n!==s.FocusZoneDirection.horizontal&&this._moveFocusUp())break;return;case u.KeyCodes.down:if(n!==s.FocusZoneDirection.horizontal&&this._moveFocusDown())break;return;case u.KeyCodes.home:var a=this.refs.root.firstChild;if(this.focusElement(u.getNextElement(this.refs.root,a,!0)))break;return;case u.KeyCodes.end:var l=this.refs.root.lastChild;if(this.focusElement(u.getPreviousElement(this.refs.root,l,!0,!0,!0)))break;return;case u.KeyCodes.enter:if(this._tryInvokeClickForFocusable(e.target))break;return;default:return}e.preventDefault(),e.stopPropagation()}},t.prototype._tryInvokeClickForFocusable=function(e){do{if("BUTTON"===e.tagName||"A"===e.tagName)return!1;if(this._isImmediateDescendantOfZone(e)&&"true"===e.getAttribute("data-is-focusable")&&"true"!==e.getAttribute("data-disable-click-on-enter"))return u.EventGroup.raise(e,"click",null,!0),!0;e=u.getParent(e)}while(e!==this.refs.root);return!1},t.prototype._getFirstInnerZone=function(e){e=e||this._activeElement||this.refs.root;for(var t=e.firstElementChild;t;){if(u.isElementFocusZone(t))return l[t.getAttribute("data-focuszone-id")];var n=this._getFirstInnerZone(t);if(n)return n;t=t.nextElementSibling}return null},t.prototype._moveFocus=function(e,t,n){var o,r=this._activeElement,i=-1,a=!1,l=this.props.direction===s.FocusZoneDirection.bidirectional;if(!r)return!1;if(this._isElementInput(r)&&!this._shouldInputLoseFocus(r,e))return!1;var c=l?r.getBoundingClientRect():null;do{if(r=e?u.getNextElement(this.refs.root,r):u.getPreviousElement(this.refs.root,r),!l){o=r;break}if(r){var p=r.getBoundingClientRect(),d=t(c,p);if(d>-1&&(-1===i||d=0&&d<0)break}}while(r);if(o&&o!==this._activeElement)a=!0,this.focusElement(o);else if(this.props.isCircularNavigation)return e?this.focusElement(u.getNextElement(this.refs.root,this.refs.root.firstElementChild,!0)):this.focusElement(u.getPreviousElement(this.refs.root,this.refs.root.lastElementChild,!0,!0,!0));return a},t.prototype._moveFocusDown=function(){var e=-1,t=this._focusAlignment.left;return!!this._moveFocus(!0,function(n,o){var r=-1,i=Math.floor(o.top),a=Math.floor(n.bottom);return(-1===e&&i>=a||i===e)&&(e=i,r=t>=o.left&&t<=o.left+o.width?0:Math.abs(o.left+o.width/2-t)),r})&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusUp=function(){var e=-1,t=this._focusAlignment.left;return!!this._moveFocus(!1,function(n,o){var r=-1,i=Math.floor(o.bottom),a=Math.floor(o.top),s=Math.floor(n.top);return(-1===e&&i<=s||a===e)&&(e=a,r=t>=o.left&&t<=o.left+o.width?0:Math.abs(o.left+o.width/2-t)),r})&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusLeft=function(){var e=this,t=-1,n=this._focusAlignment.top;return!!this._moveFocus(u.getRTL(),function(o,r){var i=-1;return(-1===t&&r.right<=o.right&&(e.props.direction===s.FocusZoneDirection.horizontal||r.top===o.top)||r.top===t)&&(t=r.top,i=Math.abs(r.top+r.height/2-n)),i})&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusRight=function(){var e=this,t=-1,n=this._focusAlignment.top;return!!this._moveFocus(!u.getRTL(),function(o,r){var i=-1;return(-1===t&&r.left>=o.left&&(e.props.direction===s.FocusZoneDirection.horizontal||r.top===o.top)||r.top===t)&&(t=r.top,i=Math.abs(r.top+r.height/2-n)),i})&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._setFocusAlignment=function(e,t,n){if(this.props.direction===s.FocusZoneDirection.bidirectional&&(!this._focusAlignment||t||n)){var o=e.getBoundingClientRect(),r=o.left+o.width/2,i=o.top+o.height/2;this._focusAlignment||(this._focusAlignment={left:r,top:i}),t&&(this._focusAlignment.left=r),n&&(this._focusAlignment.top=i)}},t.prototype._isImmediateDescendantOfZone=function(e){for(var t=u.getParent(e);t&&t!==this.refs.root&&t!==document.body;){if(u.isElementFocusZone(t))return!1;t=u.getParent(t)}return!0},t.prototype._updateTabIndexes=function(e){e||(e=this.refs.root,this._activeElement&&!u.elementContains(e,this._activeElement)&&(this._activeElement=null));for(var t=e.children,n=0;t&&n-1){var n=e.selectionStart,o=e.selectionEnd,r=n!==o,i=e.value;if(r||n>0&&!t||n!==i.length&&t)return!1}return!0},t}(u.BaseComponent);p.defaultProps={isCircularNavigation:!1,direction:s.FocusZoneDirection.bidirectional},i([u.autobind],p.prototype,"_onFocus",null),i([u.autobind],p.prototype,"_onMouseDown",null),i([u.autobind],p.prototype,"_onKeyDown",null),t.FocusZone=p},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(341)),o(n(140))},function(e,t,n){"use strict";var o=n(7),r={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=r,o.loadStyles([{rawString:".ms-Image{overflow:hidden}.ms-Image--maximizeFrame{height:100%;width:100%}.ms-Image-image{display:block;opacity:0}.ms-Image-image.is-loaded{opacity:1}.ms-Image-image--center,.ms-Image-image--contain,.ms-Image-image--cover{position:relative;top:50%}html[dir=ltr] .ms-Image-image--center,html[dir=ltr] .ms-Image-image--contain,html[dir=ltr] .ms-Image-image--cover{left:50%}html[dir=rtl] .ms-Image-image--center,html[dir=rtl] .ms-Image-image--contain,html[dir=rtl] .ms-Image-image--cover{right:50%}html[dir=ltr] .ms-Image-image--center,html[dir=ltr] .ms-Image-image--contain,html[dir=ltr] .ms-Image-image--cover{-webkit-transform:translate(-50%,-50%);transform:translate(-50%,-50%)}html[dir=rtl] .ms-Image-image--center,html[dir=rtl] .ms-Image-image--contain,html[dir=rtl] .ms-Image-image--cover{-webkit-transform:translate(50%,-50%);transform:translate(50%,-50%)}.ms-Image-image--contain.ms-Image-image--landscape{width:100%;height:auto}.ms-Image-image--contain.ms-Image-image--portrait{height:100%;width:auto}.ms-Image-image--cover.ms-Image-image--landscape{height:100%;width:auto}.ms-Image-image--cover.ms-Image-image--portrait{width:100%;height:auto}.ms-Image-image--none{height:auto;width:auto}.ms-Image-image--scaleWidthHeight{height:100%;width:100%}.ms-Image-image--scaleWidth{height:auto;width:100%}.ms-Image-image--scaleHeight{height:100%;width:auto}"}])},,,,,,,,function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(382))},,,,,,,,,,function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(372))},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(374))},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(379))},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(385))},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(333))},function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,n,a):r(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},i=n(0),a=n(49),s=n(6),u=n(393),l=n(365);n(367);var c={top:0,left:0},p={opacity:0},d=function(e){function t(t){var n=e.call(this,t,{beakStyle:"beakWidth"})||this;return n._didSetInitialFocus=!1,n.state={positions:null,slideDirectionalClassName:null,calloutElementRect:null},n._positionAttempts=0,n}return o(t,e),t.prototype.componentDidUpdate=function(){this._setInitialFocus(),this._updatePosition()},t.prototype.componentWillMount=function(){var e=this.props.targetElement?this.props.targetElement:this.props.target;this._setTargetWindowAndElement(e)},t.prototype.componentWillUpdate=function(e){if(e.targetElement!==this.props.targetElement||e.target!==this.props.target){var t=e.targetElement?e.targetElement:e.target;this._maxHeight=void 0,this._setTargetWindowAndElement(t)}e.gapSpace===this.props.gapSpace&&this.props.beakWidth===e.beakWidth||(this._maxHeight=void 0)},t.prototype.componentDidMount=function(){this._onComponentDidMount()},t.prototype.render=function(){if(!this._targetWindow)return null;var e=this.props,t=e.className,n=e.target,o=e.targetElement,r=e.isBeakVisible,a=e.beakStyle,u=e.children,d=e.beakWidth,f=this.state.positions,h=d;"ms-Callout-smallbeak"===a&&(h=16);var m={top:f&&f.beakPosition?f.beakPosition.top:c.top,left:f&&f.beakPosition?f.beakPosition.left:c.left,height:h,width:h},g=f&&f.directionalClassName?"ms-u-"+f.directionalClassName:"",v=this._getMaxHeight(),y=r&&(!!o||!!n);return i.createElement("div",{ref:this._resolveRef("_hostElement"),className:"ms-Callout-container"},i.createElement("div",{className:s.css("ms-Callout",t,g),style:f?f.calloutPosition:p,ref:this._resolveRef("_calloutElement")},y&&i.createElement("div",{className:"ms-Callout-beak",style:m}),y&&i.createElement("div",{className:"ms-Callout-beakCurtain"}),i.createElement(l.Popup,{className:"ms-Callout-main",onDismiss:this.dismiss,shouldRestoreFocus:!0,style:{maxHeight:v}},u)))},t.prototype.dismiss=function(e){var t=this.props.onDismiss;t&&t(e)},t.prototype._dismissOnScroll=function(e){this.state.positions&&this._dismissOnLostFocus(e)},t.prototype._dismissOnLostFocus=function(e){var t=e.target,n=this._hostElement&&!s.elementContains(this._hostElement,t);(!this._target&&n||e.target!==this._targetWindow&&n&&(this._target.stopPropagation||!this._target||t!==this._target&&!s.elementContains(this._target,t)))&&this.dismiss(e)},t.prototype._setInitialFocus=function(){this.props.setInitialFocus&&!this._didSetInitialFocus&&this.state.positions&&(this._didSetInitialFocus=!0,s.focusFirstChild(this._calloutElement))},t.prototype._onComponentDidMount=function(){var e=this;this._async.setTimeout(function(){e._events.on(e._targetWindow,"scroll",e._dismissOnScroll,!0),e._events.on(e._targetWindow,"resize",e.dismiss,!0),e._events.on(e._targetWindow,"focus",e._dismissOnLostFocus,!0),e._events.on(e._targetWindow,"click",e._dismissOnLostFocus,!0)},0),this.props.onLayerMounted&&this.props.onLayerMounted(),this._updatePosition()},t.prototype._updatePosition=function(){var e=this.state.positions,t=this._hostElement,n=this._calloutElement;if(t&&n){var o=void 0;o=s.assign(o,this.props),o.bounds=this._getBounds(),this.props.targetElement?o.targetElement=this._target:o.target=this._target;var r=u.getRelativePositions(o,t,n);!e&&r||e&&r&&!this._arePositionsEqual(e,r)&&this._positionAttempts<5?(this._positionAttempts++,this.setState({positions:r})):(this._positionAttempts=0,this.props.onPositioned&&this.props.onPositioned())}},t.prototype._getBounds=function(){if(!this._bounds){var e=this.props.bounds;e||(e={top:8,left:8,right:this._targetWindow.innerWidth-8,bottom:this._targetWindow.innerHeight-8,width:this._targetWindow.innerWidth-16,height:this._targetWindow.innerHeight-16}),this._bounds=e}return this._bounds},t.prototype._getMaxHeight=function(){if(!this._maxHeight)if(this.props.directionalHintFixed&&this._target){var e=this.props.isBeakVisible?this.props.beakWidth:0,t=this.props.gapSpace?this.props.gapSpace:0;this._maxHeight=u.getMaxHeight(this._target,this.props.directionalHint,e+t,this._getBounds())}else this._maxHeight=this._getBounds().height-2;return this._maxHeight},t.prototype._arePositionsEqual=function(e,t){return e.calloutPosition.top.toFixed(2)===t.calloutPosition.top.toFixed(2)&&(e.calloutPosition.left.toFixed(2)===t.calloutPosition.left.toFixed(2)&&(e.beakPosition.top.toFixed(2)===t.beakPosition.top.toFixed(2)&&e.beakPosition.top.toFixed(2)===t.beakPosition.top.toFixed(2)))},t.prototype._setTargetWindowAndElement=function(e){if(e)if("string"==typeof e){var t=s.getDocument();this._target=t?t.querySelector(e):null,this._targetWindow=s.getWindow()}else if(e.stopPropagation)this._target=e,this._targetWindow=s.getWindow(e.toElement);else{var n=e;this._target=e,this._targetWindow=s.getWindow(n)}else this._targetWindow=s.getWindow()},t}(s.BaseComponent);d.defaultProps={isBeakVisible:!0,beakWidth:16,gapSpace:16,directionalHint:a.DirectionalHint.bottomAutoEdge},r([s.autobind],d.prototype,"dismiss",null),r([s.autobind],d.prototype,"_setInitialFocus",null),r([s.autobind],d.prototype,"_onComponentDidMount",null),t.CalloutContent=d},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(366)),o(n(49))},function(e,t,n){"use strict";function o(e){var t=r(e);return!(!t||!t.length)}function r(e){return e.subMenuProps?e.subMenuProps.items:e.items}var i=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},a=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,n,a):r(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},u=n(0),l=n(330),c=n(49),p=n(209),d=n(6),f=n(339),h=n(363);n(371);var m;!function(e){e[e.vertical=0]="vertical",e[e.horizontal=1]="horizontal"}(m||(m={}));var g;!function(e){e[e.auto=0]="auto",e[e.left=1]="left",e[e.center=2]="center",e[e.right=3]="right"}(g||(g={}));var v;!function(e){e[e.top=0]="top",e[e.center=1]="center",e[e.bottom=2]="bottom"}(v||(v={})),t.hasSubmenuItems=o,t.getSubmenuItems=r;var y=function(e){function t(t){var n=e.call(this,t)||this;return n.state={contextualMenuItems:null,subMenuId:d.getId("ContextualMenu")},n._isFocusingPreviousElement=!1,n._enterTimerId=0,n}return i(t,e),t.prototype.dismiss=function(e,t){var n=this.props.onDismiss;n&&n(e,t)},t.prototype.componentWillUpdate=function(e){if(e.targetElement!==this.props.targetElement||e.target!==this.props.target){var t=e.targetElement?e.targetElement:e.target;this._setTargetWindowAndElement(t)}},t.prototype.componentWillMount=function(){var e=this.props.targetElement?this.props.targetElement:this.props.target;this._setTargetWindowAndElement(e),this._previousActiveElement=this._targetWindow?this._targetWindow.document.activeElement:null},t.prototype.componentDidMount=function(){this._events.on(this._targetWindow,"resize",this.dismiss)},t.prototype.componentWillUnmount=function(){var e=this;this._isFocusingPreviousElement&&this._previousActiveElement&&setTimeout(function(){return e._previousActiveElement.focus()},0),this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this,n=this.props,o=n.className,r=n.items,i=n.isBeakVisible,s=n.labelElementId,l=n.targetElement,c=n.id,h=n.targetPoint,m=n.useTargetPoint,g=n.beakWidth,v=n.directionalHint,y=n.gapSpace,b=n.coverTarget,_=n.ariaLabel,w=n.doNotLayer,C=n.arrowDirection,E=n.target,x=n.bounds,S=n.directionalHintFixed,P=n.shouldFocusOnMount,T=this.state.submenuProps,k=!(!r||!r.some(function(e){return!!e.icon||!!e.iconProps})),I=!(!r||!r.some(function(e){return!!e.canCheck}));return r&&r.length>0?u.createElement(f.Callout,{target:E,targetElement:l,targetPoint:h,useTargetPoint:m,isBeakVisible:i,beakWidth:g,directionalHint:v,gapSpace:y,coverTarget:b,doNotLayer:w,className:"ms-ContextualMenu-Callout",setInitialFocus:P,onDismiss:this.props.onDismiss,bounds:x,directionalHintFixed:S},u.createElement("div",{ref:function(t){return e._host=t},id:c,className:d.css("ms-ContextualMenu-container",o)},r&&r.length?u.createElement(p.FocusZone,{className:"ms-ContextualMenu is-open",direction:C,ariaLabelledBy:s,ref:function(t){return e._focusZone=t},rootProps:{role:"menu"}},u.createElement("ul",{className:"ms-ContextualMenu-list is-open",onKeyDown:this._onKeyDown,"aria-label":_},r.map(function(t,n){return e._renderMenuItem(t,n,I,k)}))):null,T?u.createElement(t,a({},T)):null)):null},t.prototype._renderMenuItem=function(e,t,n,o){var r=[];switch("-"===e.name&&(e.itemType=l.ContextualMenuItemType.Divider),e.itemType){case l.ContextualMenuItemType.Divider:r.push(this._renderSeparator(t,e.className));break;case l.ContextualMenuItemType.Header:r.push(this._renderSeparator(t));var i=this._renderHeaderMenuItem(e,t,n,o);r.push(this._renderListItem(i,e.key||t,e.className,e.title));break;default:var a=this._renderNormalItem(e,t,n,o);r.push(this._renderListItem(a,e.key||t,e.className,e.title))}return r},t.prototype._renderListItem=function(e,t,n,o){return u.createElement("li",{role:"menuitem",title:o,key:t,className:d.css("ms-ContextualMenu-item",n)},e)},t.prototype._renderSeparator=function(e,t){return e>0?u.createElement("li",{role:"separator",key:"separator-"+e,className:d.css("ms-ContextualMenu-divider",t)}):null},t.prototype._renderNormalItem=function(e,t,n,o){return e.onRender?[e.onRender(e)]:e.href?this._renderAnchorMenuItem(e,t,n,o):this._renderButtonItem(e,t,n,o)},t.prototype._renderHeaderMenuItem=function(e,t,n,o){return u.createElement("div",{className:"ms-ContextualMenu-header"},this._renderMenuItemChildren(e,t,n,o))},t.prototype._renderAnchorMenuItem=function(e,t,n,o){return u.createElement("div",null,u.createElement("a",a({},d.getNativeProps(e,d.anchorProperties),{href:e.href,className:d.css("ms-ContextualMenu-link",e.isDisabled||e.disabled?"is-disabled":""),role:"menuitem",onClick:this._onAnchorClick.bind(this,e)}),o?this._renderIcon(e):null,u.createElement("span",{className:"ms-ContextualMenu-linkText"}," ",e.name," ")))},t.prototype._renderButtonItem=function(e,t,n,r){var i=this,a=this.state,s=a.expandedMenuItemKey,l=a.subMenuId,c="";e.ariaLabel?c=e.ariaLabel:e.name&&(c=e.name);var p={className:d.css("ms-ContextualMenu-link",{"is-expanded":s===e.key}),onClick:this._onItemClick.bind(this,e),onKeyDown:o(e)?this._onItemKeyDown.bind(this,e):null,onMouseEnter:this._onItemMouseEnter.bind(this,e),onMouseLeave:this._onMouseLeave,onMouseDown:function(t){return i._onItemMouseDown(e,t)},disabled:e.isDisabled||e.disabled,role:"menuitem",href:e.href,title:e.title,"aria-label":c,"aria-haspopup":!!o(e)||null,"aria-owns":e.key===s?l:null};return u.createElement("button",d.assign({},d.getNativeProps(e,d.buttonProperties),p),this._renderMenuItemChildren(e,t,n,r))},t.prototype._renderMenuItemChildren=function(e,t,n,r){var i=e.isChecked||e.checked;return u.createElement("div",{className:"ms-ContextualMenu-linkContent"},n?u.createElement(h.Icon,{iconName:i?"CheckMark":"CustomIcon",className:"ms-ContextualMenu-icon",onClick:this._onItemClick.bind(this,e)}):null,r?this._renderIcon(e):null,u.createElement("span",{className:"ms-ContextualMenu-itemText"},e.name),o(e)?u.createElement(h.Icon,a({iconName:d.getRTL()?"ChevronLeft":"ChevronRight"},e.submenuIconProps,{className:d.css("ms-ContextualMenu-submenuIcon",e.submenuIconProps?e.submenuIconProps.className:"")})):null)},t.prototype._renderIcon=function(e){var t=e.iconProps?e.iconProps:{iconName:"CustomIcon",className:e.icon?"ms-Icon--"+e.icon:""},n="None"===t.iconName?"":"ms-ContextualMenu-iconColor",o=d.css("ms-ContextualMenu-icon",n,t.className);return u.createElement(h.Icon,a({},t,{className:o}))},t.prototype._onKeyDown=function(e){var t=d.getRTL()?d.KeyCodes.right:d.KeyCodes.left;(e.which===d.KeyCodes.escape||e.which===d.KeyCodes.tab||e.which===t&&this.props.isSubMenu&&this.props.arrowDirection===p.FocusZoneDirection.vertical)&&(this._isFocusingPreviousElement=!0,e.preventDefault(),e.stopPropagation(),this.dismiss(e))},t.prototype._onItemMouseEnter=function(e,t){var n=this,r=t.currentTarget;e.key!==this.state.expandedMenuItemKey&&(o(e)?this._enterTimerId=this._async.setTimeout(function(){return n._onItemSubMenuExpand(e,r)},500):this._enterTimerId=this._async.setTimeout(function(){return n._onSubMenuDismiss(t)},500))},t.prototype._onMouseLeave=function(e){this._async.clearTimeout(this._enterTimerId)},t.prototype._onItemMouseDown=function(e,t){e.onMouseDown&&e.onMouseDown(e,t)},t.prototype._onItemClick=function(e,t){var n=r(e);n&&n.length?e.key===this.state.expandedMenuItemKey?this._onSubMenuDismiss(t):this._onItemSubMenuExpand(e,t.currentTarget):this._executeItemClick(e,t),t.stopPropagation(),t.preventDefault()},t.prototype._onAnchorClick=function(e,t){this._executeItemClick(e,t),t.stopPropagation()},t.prototype._executeItemClick=function(e,t){e.onClick&&e.onClick(t,e),this.dismiss(t,!0)},t.prototype._onItemKeyDown=function(e,t){var n=d.getRTL()?d.KeyCodes.left:d.KeyCodes.right;t.which===n&&(this._onItemSubMenuExpand(e,t.currentTarget),t.preventDefault())},t.prototype._onItemSubMenuExpand=function(e,t){if(this.state.expandedMenuItemKey!==e.key){this.state.submenuProps&&this._onSubMenuDismiss();var n={items:r(e),target:t,onDismiss:this._onSubMenuDismiss,isSubMenu:!0,id:this.state.subMenuId,shouldFocusOnMount:!0,directionalHint:d.getRTL()?c.DirectionalHint.leftTopEdge:c.DirectionalHint.rightTopEdge,className:this.props.className,gapSpace:0};e.subMenuProps&&d.assign(n,e.subMenuProps),this.setState({expandedMenuItemKey:e.key,submenuProps:n})}},t.prototype._onSubMenuDismiss=function(e,t){t?this.dismiss(e,t):this.setState({dismissedMenuItemKey:this.state.expandedMenuItemKey,expandedMenuItemKey:null,submenuProps:null})},t.prototype._setTargetWindowAndElement=function(e){if(e)if("string"==typeof e){var t=d.getDocument();this._target=t?t.querySelector(e):null,this._targetWindow=d.getWindow()}else if(e.stopPropagation)this._target=e,this._targetWindow=d.getWindow(e.toElement);else{var n=e;this._target=e,this._targetWindow=d.getWindow(n)}else this._targetWindow=d.getWindow()},t}(d.BaseComponent);y.defaultProps={items:[],shouldFocusOnMount:!0,isBeakVisible:!1,gapSpace:0,directionalHint:c.DirectionalHint.bottomAutoEdge,beakWidth:16,arrowDirection:p.FocusZoneDirection.vertical},s([d.autobind],y.prototype,"dismiss",null),s([d.autobind],y.prototype,"_onKeyDown",null),s([d.autobind],y.prototype,"_onMouseLeave",null),s([d.autobind],y.prototype,"_onSubMenuDismiss",null),t.ContextualMenu=y},function(e,t,n){"use strict";var o=n(7),r={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=r,o.loadStyles([{rawString:".ms-ContextualMenu{background-color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:';min-width:180px}.ms-ContextualMenu-list{list-style-type:none;margin:0;padding:0;line-height:0}.ms-ContextualMenu-item{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";height:36px;position:relative;box-sizing:border-box}.ms-ContextualMenu-link{font:inherit;color:inherit;background:0 0;border:none;width:100%;height:36px;line-height:36px;display:block;cursor:pointer;padding:0 6px}.ms-ContextualMenu-link::-moz-focus-inner{border:0}.ms-ContextualMenu-link{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-ContextualMenu-link:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .ms-ContextualMenu-link{text-align:left}html[dir=rtl] .ms-ContextualMenu-link{text-align:right}.ms-ContextualMenu-link:hover:not([disabled]){background:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-ContextualMenu-link.is-disabled,.ms-ContextualMenu-link[disabled]{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:";cursor:default;pointer-events:none}.ms-ContextualMenu-link.is-disabled .ms-ContextualMenu-icon,.ms-ContextualMenu-link[disabled] .ms-ContextualMenu-icon{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.is-focusVisible .ms-ContextualMenu-link:focus{background:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-ContextualMenu-link.is-expanded,.ms-ContextualMenu-link.is-expanded:hover{background:"},{theme:"neutralQuaternaryAlt",defaultValue:"#dadada"},{rawString:";color:"},{theme:"black",defaultValue:"#000000"},{rawString:';font-weight:600}.ms-ContextualMenu-header{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:12px;font-weight:400;font-weight:600;color:'},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";background:0 0;border:none;height:36px;line-height:36px;cursor:default;padding:0 6px;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.ms-ContextualMenu-header::-moz-focus-inner{border:0}.ms-ContextualMenu-header{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-ContextualMenu-header:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .ms-ContextualMenu-header{text-align:left}html[dir=rtl] .ms-ContextualMenu-header{text-align:right}a.ms-ContextualMenu-link{padding:0 6px;text-rendering:auto;color:inherit;letter-spacing:normal;word-spacing:normal;text-transform:none;text-indent:0;text-shadow:none;box-sizing:border-box}.ms-ContextualMenu-linkContent{white-space:nowrap;height:inherit;display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-align:center;-ms-flex-align:center;align-items:center;max-width:100%}.ms-ContextualMenu-divider{display:block;height:1px;background-color:"},{theme:"neutralLight",defaultValue:"#eaeaea"},{rawString:";position:relative}.ms-ContextualMenu-icon{display:inline-block;min-height:1px;max-height:36px;width:14px;margin:0 4px;vertical-align:middle;-ms-flex-negative:0;flex-shrink:0}.ms-ContextualMenu-iconColor{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}.ms-ContextualMenu-itemText{margin:0 4px;vertical-align:middle;display:inline-block;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;text-overflow:ellipsis;overflow:hidden;white-space:nowrap}.ms-ContextualMenu-linkText{margin:0 4px;display:inline-block;vertical-align:top;white-space:nowrap}.ms-ContextualMenu-submenuIcon{height:36px;line-height:36px;text-align:center;font-size:10px;display:inline-block;vertical-align:middle;-ms-flex-negative:0;flex-shrink:0}"}])},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(370)),o(n(330))},function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n-1&&(this.setState({isFocusVisible:!0}),u=!0)},t}(i.Component);t.Fabric=l},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(373))},function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,n,a):r(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6),u=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._isInFocusStack=!1,t._isInClickStack=!1,t}return o(t,e),t.prototype.componentWillMount=function(){var e=this.props,n=e.isClickableOutsideFocusTrap,o=void 0!==n&&n,r=e.forceFocusInsideTrap;(void 0===r||r)&&(this._isInFocusStack=!0,t._focusStack.push(this)),o||(this._isInClickStack=!0,t._clickStack.push(this))},t.prototype.componentDidMount=function(){var e=this.props,t=e.elementToFocusOnDismiss,n=e.isClickableOutsideFocusTrap,o=void 0!==n&&n,r=e.forceFocusInsideTrap,i=void 0===r||r;this._previouslyFocusedElement=t||document.activeElement,this.focus(),i&&this._events.on(window,"focus",this._forceFocusInTrap,!0),o||this._events.on(window,"click",this._forceClickInTrap,!0)},t.prototype.componentWillUnmount=function(){var e=this,n=this.props.ignoreExternalFocusing;if(this._events.dispose(),this._isInFocusStack||this._isInClickStack){var o=function(t){return e!==t};this._isInFocusStack&&(t._focusStack=t._focusStack.filter(o)),this._isInClickStack&&(t._clickStack=t._clickStack.filter(o))}!n&&this._previouslyFocusedElement&&this._previouslyFocusedElement.focus()},t.prototype.render=function(){var e=this.props,t=e.className,n=e.ariaLabelledBy,o=s.getNativeProps(this.props,s.divProperties);return a.createElement("div",r({},o,{className:t,ref:"root","aria-labelledby":n,onKeyDown:this._onKeyboardHandler}),this.props.children)},t.prototype.focus=function(){var e,t=this.props.firstFocusableSelector,n=this.refs.root;(e=t?n.querySelector("."+t):s.getNextElement(n,n.firstChild,!0,!1,!1,!0))&&e.focus()},t.prototype._onKeyboardHandler=function(e){if(e.which===s.KeyCodes.tab){var t=this.refs.root,n=s.getFirstFocusable(t,t.firstChild,!0),o=s.getLastFocusable(t,t.lastChild,!0);e.shiftKey&&n===e.target?(o.focus(),e.preventDefault(),e.stopPropagation()):e.shiftKey||o!==e.target||(n.focus(),e.preventDefault(),e.stopPropagation())}},t.prototype._forceFocusInTrap=function(e){if(t._focusStack.length&&this===t._focusStack[t._focusStack.length-1]){var n=document.activeElement;s.elementContains(this.refs.root,n)||(this.focus(),e.preventDefault(),e.stopPropagation())}},t.prototype._forceClickInTrap=function(e){if(t._clickStack.length&&this===t._clickStack[t._clickStack.length-1]){var n=e.target;n&&!s.elementContains(this.refs.root,n)&&(this.focus(),e.preventDefault(),e.stopPropagation())}},t}(s.BaseComponent);u._focusStack=[],u._clickStack=[],i([s.autobind],u.prototype,"_onKeyboardHandler",null),t.FocusTrapZone=u},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(375))},function(e,t,n){"use strict";var o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,n,a):r(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6),u=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return o(t,e),t.prototype.componentWillMount=function(){this._originalFocusedElement=s.getDocument().activeElement},t.prototype.componentDidMount=function(){this._events.on(this.refs.root,"focus",this._onFocus,!0),this._events.on(this.refs.root,"blur",this._onBlur,!0),s.doesElementContainFocus(this.refs.root)&&(this._containsFocus=!0)},t.prototype.componentWillUnmount=function(){this.props.shouldRestoreFocus&&this._originalFocusedElement&&this._containsFocus&&this._originalFocusedElement!==window&&this._originalFocusedElement&&this._originalFocusedElement.focus()},t.prototype.render=function(){var e=this.props,t=e.role,n=e.className,o=e.ariaLabelledBy,i=e.ariaDescribedBy;return a.createElement("div",r({ref:"root"},s.getNativeProps(this.props,s.divProperties),{className:n,role:t,"aria-labelledby":o,"aria-describedby":i,onKeyDown:this._onKeyDown}),this.props.children)},t.prototype._onKeyDown=function(e){switch(e.which){case s.KeyCodes.escape:this.props.onDismiss&&(this.props.onDismiss(),e.preventDefault(),e.stopPropagation())}},t.prototype._onFocus=function(){this._containsFocus=!0},t.prototype._onBlur=function(){this._containsFocus=!1},t}(s.BaseComponent);u.defaultProps={shouldRestoreFocus:!0},i([s.autobind],u.prototype,"_onKeyDown",null),t.Popup=u},,,,function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=n(6),i=function(e){function t(){var t=e.call(this)||this;return t._updateComposedComponentRef=t._updateComposedComponentRef.bind(t),t}return o(t,e),t.prototype._updateComposedComponentRef=function(e){this._composedComponentInstance=e,e?this._hoisted=r.hoistMethods(this,e):this._hoisted&&r.unhoistMethods(this,this._hoisted)},t}(r.BaseComponent);t.BaseDecorator=i},function(e,t,n){"use strict";function o(e){p=e}function r(e){return function(t){function n(){var e=t.call(this)||this;return e._updateComposedComponentRef=e._updateComposedComponentRef.bind(e),e.state={responsiveMode:e._getResponsiveMode()},e}return a(n,t),n.prototype.componentDidMount=function(){var e=this;this._events.on(window,"resize",function(){var t=e._getResponsiveMode();t!==e.state.responsiveMode&&e.setState({responsiveMode:t})})},n.prototype.componentWillUnmount=function(){this._events.dispose()},n.prototype.render=function(){var t=this.state.responsiveMode;return u.createElement(e,s({ref:this._updateComposedComponentRef,responsiveMode:t},this.props))},n.prototype._getResponsiveMode=function(){var e=i.small,t=c.getWindow();if(void 0!==t)for(;t.innerWidth>d[e];)e++;else{if(void 0===p)throw new Error("Content was rendered in a server environment without providing a default responsive mode. Call setResponsiveMode to define what the responsive mode is.");e=p}return e},n}(l.BaseDecorator)}var i,a=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},s=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n0?r:o.height}function n(e,t){var n;if(t.preventDefault){var o=t;n=new s.Rectangle(o.clientX,o.clientX,o.clientY,o.clientY)}else n=r(t);if(!b(n,e))for(var a=_(n,e),u=0,l=a;u100?s=100:s<0&&(s=0),s}function y(e,t){return!(e.width>t.width||e.height>t.height)}function b(e,t){return!(e.topt.bottom)&&(!(e.leftt.right)))}function _(e,t){var n=new Array;return e.topt.bottom&&n.push(i.bottom),e.leftt.right&&n.push(i.right),n}function w(e,t,n){var o,r;switch(t){case i.top:o={x:e.left,y:e.top},r={x:e.right,y:e.top};break;case i.left:o={x:e.left,y:e.top},r={x:e.left,y:e.bottom};break;case i.right:o={x:e.right,y:e.top},r={x:e.right,y:e.bottom};break;case i.bottom:o={x:e.left,y:e.bottom},r={x:e.right,y:e.bottom};break;default:o={x:0,y:0},r={x:0,y:0}}return E(o,r,n)}function C(e,t,n){switch(t){case i.top:case i.bottom:return 0!==e.width?(n.x-e.left)/e.width*100:100;case i.left:case i.right:return 0!==e.height?(n.y-e.top)/e.height*100:100}}function E(e,t,n){return{x:e.x+(t.x-e.x)*n/100,y:e.y+(t.y-e.y)*n/100}}function x(e,t){return new s.Rectangle(t.x,t.x+e.width,t.y,t.y+e.height)}function S(e,t,n){switch(n){case i.top:return x(e,{x:e.left,y:t});case i.bottom:return x(e,{x:e.left,y:t-e.height});case i.left:return x(e,{x:t,y:e.top});case i.right:return x(e,{x:t-e.width,y:e.top})}return new s.Rectangle}function P(e,t,n){var o=t.x-e.left,r=t.y-e.top;return x(e,{x:n.x-o,y:n.y-r})}function T(e,t,n){var o=0,r=0;switch(n){case i.top:r=-1*t;break;case i.left:o=-1*t;break;case i.right:o=t;break;case i.bottom:r=t}return x(e,{x:e.left+o,y:e.top+r})}function k(e,t,n,o,r,i,a){return void 0===a&&(a=0),T(P(e,w(e,t,n),w(o,r,i)),a,r)}function I(e,t,n){switch(t){case i.top:case i.bottom:var o=void 0;return o=n.x>e.right?e.right:n.xe.bottom?e.bottom:n.y-1))return l;a.splice(a.indexOf(u),1),u=a.indexOf(h)>-1?h:a.slice(-1)[0],l.calloutEdge=d[u],l.targetEdge=u,l.calloutRectangle=k(l.calloutRectangle,l.calloutEdge,l.alignPercent,t,l.targetEdge,n,r)}return e}e._getMaxHeightFromTargetRectangle=t,e._getTargetRect=n,e._getTargetRectDEPRECATED=o,e._getRectangleFromHTMLElement=r,e._positionCalloutWithinBounds=u,e._getBestRectangleFitWithinBounds=l,e._positionBeak=f,e._finalizeBeakPosition=h,e._getRectangleFromIRect=m,e._finalizeCalloutPosition=g,e._recalculateMatchingPercents=v,e._canRectangleFitWithinBounds=y,e._isRectangleWithinBounds=b,e._getOutOfBoundsEdges=_,e._getPointOnEdgeFromPercent=w,e._getPercentOfEdgeFromPoint=C,e._calculatePointPercentAlongLine=E,e._moveTopLeftOfRectangleToPoint=x,e._alignEdgeToCoordinate=S,e._movePointOnRectangleToPoint=P,e._moveRectangleInDirection=T,e._moveRectangleToAnchorRectangle=k,e._getClosestPointOnEdgeToPoint=I,e._calculateActualBeakWidthInPixels=O,e._getBorderSize=M,e._getPositionData=D,e._flipRectangleToFit=N}(f=t.positioningFunctions||(t.positioningFunctions={}));var h,m,g,v},,,,,,,,,,function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SpSiteContentConstants={ERROR_MESSAGE_GET_ALL_SITE_CONTENT:"An error occurred getting all site content.",ERROR_MESSAGE_REINDEX_LIST:"An error occurred sending the list reindex request.",ERROR_MESSAGE_RESOLVER_GETTING_LISTS:"Getting the lists and libraries",ERROR_MESSAGE_RESOLVER_SETTING_VISIBILITY:"Setting the Visibility of the list",ERROR_MESSAGE_RESOLVER_SETTING_ATTACHMENTS:"Setting the attachments",ERROR_MESSAGE_RESOLVER_SETTING_NO_CRAWL:"Setting no crawl",ERROR_MESSAGE_RESOLVER_DELETING_LIST:"Deleting the list",ERROR_MESSAGE_SET_LIST_ATTACHMENTS_ENABLE:"An error occurred setting the attachments.",ERROR_MESSAGE_SET_LIST_NO_CRAWL:"An error occurred setting list crawl.",ERROR_MESSAGE_SET_LIST_VISIBILITY:"An error occurred setting the list visibility.",changeEvent:"spSiteContentStorechange",getContentErrorMessage:"Failed to get web lists",itemImageHeight:25,itemImageWidth:25,noOpenInNewTab:"List and libraries links will open in the current tab.",openInNewTab:"List and libraries links will open in a new tab.",permissionsPageUrlClose:"%7D",permissionsPageUrlMiddle:"%7D,list&List=%7B",permissionsPageUrlOpen:"/_layouts/user.aspx?obj=%7B",selectFields:["RootFolder","Title","Id","Hidden","ItemCount","Created","ImageUrl","LastItemModifiedDate","Description","EffectiveBasePermissions","ParentWebUrl","DefaultNewFormUrl","EnableAttachments","BaseTemplate","BaseType","NoCrawl"],settingsRelativeUrl:"/_layouts/listedit.aspx?List=",showingAllItemsMessage:"Showing all lists and libraries.",showingHiddenItemsMessage:"Showing only hidden lists and libraries."},t.ActionsId={HANDLE_ASYNC_ERROR:"HANDLE_ASYNC_ERROR",SET_FAVOURITE:"SET_FAVOURITE",SET_MESSAGE_DATA:"SET_MESSAGE_DATA",SET_OPEN_IN_NEW_TAB:"SET_OPEN_IN_NEW_TAB",SET_SHOW_ALL:"SET_SHOW_ALL",SET_SITE_CONTENT:"SET_SITE_CONTENT",SET_SITE_CONTENT_AND_MESSAGE:"SET_SITE_CONTENT_AND_MESSAGE",SET_TEXT_FILTER:"SET_TEXT_FILTER",SET_WORKING_ON_IT:"SET_WORKING_ON_IT"}},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var o=n(0),r=n(142);t.FavouriteButton=function(e){var t=e.isFavourite?"Unpin favourite":"Pin as favourites",n=e.isFavourite?"FavoriteStarFill":"FavoriteStar";return o.createElement(r.IconButton,{icon:n,title:t,onClick:e.onClick})}},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var o=n(136),r=function(){function e(e){this._favouriteArray=null,this._favouriteCacheKey=e}return Object.defineProperty(e.prototype,"Favourites",{get:function(){return null===this._favouriteArray&&(this._favouriteArray=o.AppCache.get(this._favouriteCacheKey)||[]),this._favouriteArray},enumerable:!0,configurable:!0}),e.prototype.addToFavourites=function(e){-1===this.Favourites.indexOf(e)&&(this.Favourites.push(e),o.AppCache.set(this._favouriteCacheKey,this.Favourites))},e.prototype.removeFromFavourites=function(e){var t=this.Favourites.indexOf(e);t>=-1&&(this.Favourites.splice(t,1),o.AppCache.set(this._favouriteCacheKey,this.Favourites))},e}();t.FavouritesBase=r},,,,,,,,,,,,,,,,,,,,,function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(431))},,,,,function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(332)),o(n(219))},,,,,,,,,,,,,,,,,,,,,,,,,function(e,t,n){"use strict";var o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n*{-webkit-box-flex:0;-ms-flex:0 0 auto;flex:0 0 auto}.ms-Dialog-content{position:relative;width:100%}.ms-Dialog-content .ms-Button.ms-Button--compound{margin-bottom:20px}.ms-Dialog-content .ms-Button.ms-Button--compound:last-child{margin-bottom:0}.ms-Dialog-subText{margin:0 0 20px 0;padding-top:8px;font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:12px;font-weight:400;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";font-weight:300;line-height:1.5}.ms-Dialog-actions{position:relative;width:100%;min-height:24px;line-height:24px;margin:20px 0 0;font-size:0}.ms-Dialog-actions .ms-Button{line-height:normal}.ms-Dialog-actionsRight{font-size:0}html[dir=ltr] .ms-Dialog-actionsRight{text-align:right}html[dir=rtl] .ms-Dialog-actionsRight{text-align:left}html[dir=ltr] .ms-Dialog-actionsRight{margin-right:-4px}html[dir=rtl] .ms-Dialog-actionsRight{margin-left:-4px}.ms-Dialog-actionsRight .ms-Dialog-action{margin:0 4px}.ms-Dialog.ms-Dialog--close:not(.ms-Dialog--lgHeader) .ms-Dialog-button.ms-Dialog-button--close{display:block}.ms-Dialog.ms-Dialog--multiline .ms-Dialog-title{font-size:28px}.ms-Dialog.ms-Dialog--multiline .ms-Dialog-inner{padding:0 20px 20px}.ms-Dialog.ms-Dialog--lgHeader .ms-Dialog-header{background-color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:'}.ms-Dialog.ms-Dialog--lgHeader .ms-Dialog-title{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:28px;font-weight:100;color:'},{theme:"white",defaultValue:"#ffffff"},{rawString:";padding:26px 28px 28px;margin-bottom:8px}.ms-Dialog.ms-Dialog--lgHeader .ms-Dialog-subText{font-size:14px}@media (min-width:480px){.ms-Dialog-main{width:auto;min-width:288px;max-width:340px}}"}])},function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=n(0);n(459);var i=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return o(t,e),t.prototype.render=function(){return r.createElement("div",{className:"ms-Dialog-actions"},r.createElement("div",{className:"ms-Dialog-actionsRight"},this._renderChildrenAsActions()))},t.prototype._renderChildrenAsActions=function(){return r.Children.map(this.props.children,function(e){return r.createElement("span",{className:"ms-Dialog-action"},e)})},t}(r.Component);t.DialogFooter=i},function(e,t,n){"use strict";function o(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}o(n(503)),o(n(460)),o(n(458))},,,,,function(e,t,n){"use strict";var o=this&&this.__extends||function(){var e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])};return function(t,n){function o(){this.constructor=t}e(t,n),t.prototype=null===n?Object.create(n):(o.prototype=n.prototype,new o)}}();Object.defineProperty(t,"__esModule",{value:!0});var r=n(32),i=n(0),a=n(41),s=n(40),u=n(456),l=n(147),c=n(146),p=n(137),d=n(490),f=n(491),h=function(e){function t(){var t=e.call(this)||this;return t.onMessageClose=t.onMessageClose.bind(t),t}return o(t,e),t.prototype.render=function(){return this.props.isWorkingOnIt?i.createElement(p.WorkingOnIt,null):i.createElement("div",{className:"action-container sp-siteContent"},i.createElement(c.default,{onCloseMessageClick:this.onMessageClose,message:this.props.messageData.message,messageType:this.props.messageData.type,showMessage:this.props.messageData.showMessage}),i.createElement(l.default,{setFilterText:this.props.actions.setFilter,filterStr:this.props.filterText,parentOverrideClass:"ms-Grid-col ms-u-sm6 ms-u-md6 ms-u-lg6"},i.createElement("div",{className:"ms-Grid-row"},i.createElement(d.SpSiteContentCheckBox,{checkLabel:"Show All",isChecked:this.props.showAll,onCheckBoxChange:this.props.actions.setShowAll}),i.createElement(d.SpSiteContentCheckBox,{checkLabel:"Open in new tab",isChecked:this.props.openInNewTab,onCheckBoxChange:this.props.actions.setOpenInNewWindow}))),i.createElement(f.SpSiteContentList,{items:this.props.siteLists,linkTarget:this.props.openInNewTab?"_blank":"_self",filterString:this.props.filterText,showAll:this.props.showAll,setFavourite:this.props.actions.setFavourite}))},t.prototype.componentDidMount=function(){this.props.actions.getAllSiteContent()},t.prototype.onMessageClose=function(){this.props.actions.setMessageData({message:"",showMessage:!1,type:r.MessageBarType.info})},t}(i.Component),m=function(e,t){return{filterText:e.spSiteContent.filterText,isWorkingOnIt:e.spSiteContent.isWorkingOnIt,messageData:e.spSiteContent.messageData,openInNewTab:e.spSiteContent.openInNewTab,showAll:e.spSiteContent.showAll,siteLists:e.spSiteContent.siteLists}},g=function(e){return{actions:s.bindActionCreators(u.default,e)}};t.default=a.connect(m,g)(h)},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var o=n(40),r=n(320),i=n(495);t.configureStore=function(e){return o.createStore(i.rootReducer,e,o.applyMiddleware(r.default))}},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var o=n(70),r=n(498),i=n(0),a=n(15);t.DialogConfirm=function(e){var t=function(){typeof e.onCancel!==a.constants.TYPE_OF_UNDEFINED&&e.onCancel()};return i.createElement(r.Dialog,{isOpen:!0,type:r.DialogType.normal,title:e.dialogTitle,subText:e.dialogText,isBlocking:!0},i.createElement(r.DialogFooter,null,i.createElement(o.Button,{buttonType:o.ButtonType.primary,onClick:e.onOk},e.okBtnText||a.constants.BUTTON_TEX_OK),i.createElement(o.Button,{onClick:t},e.cancelBtnText||a.constants.BUTTON_TEX_CANCEL)))}},,,,,,,,,,,,,,,,,,,function(e,t,n){"use strict";var o=this&&this.__extends||function(){var e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])};return function(t,n){function o(){this.constructor=t}e(t,n),t.prototype=null===n?Object.create(n):(o.prototype=n.prototype,new o)}}();Object.defineProperty(t,"__esModule",{value:!0});var r=n(457),i=n(145),a=n(403),s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return o(t,e),t.prototype.getLists=function(){var e=this;return new Promise(function(t,n){var o=SP.ClientContext.get_current(),i=o.get_web(),s=i.get_lists();o.load(i),o.load(s,"Include("+a.SpSiteContentConstants.selectFields.join(",")+")");var u=function(e,n){for(var o=[],i=s.getEnumerator();i.moveNext();){var u=i.get_current(),l=u.get_id().toString(),c=u.get_parentWebUrl();"/"===c&&(c=location.origin);var p=c+"/_layouts/15/ReindexListDialog.aspx?List={"+l+"}",d=c+a.SpSiteContentConstants.permissionsPageUrlOpen+l+a.SpSiteContentConstants.permissionsPageUrlMiddle+l+a.SpSiteContentConstants.permissionsPageUrlClose,f={baseTemplate:u.get_baseTemplate(),baseType:u.get_baseType(),created:u.get_created(),description:u.get_description(),enableAttachments:u.get_enableAttachments(),hidden:u.get_hidden(),id:l,imageUrl:u.get_imageUrl(),isFavourite:r.Favourites.Favourites.indexOf(l)>=0,itemCount:u.get_itemCount(),lastModified:u.get_lastItemModifiedDate(),listUrl:u.get_rootFolder().get_serverRelativeUrl(),newFormUrl:u.get_defaultNewFormUrl(),noCrawl:u.get_noCrawl(),permissionsPageUrl:d,reIndexUrl:p,settingsUrl:c+a.SpSiteContentConstants.settingsRelativeUrl+l,title:u.get_title(),userCanAddItems:u.get_effectiveBasePermissions().has(SP.PermissionKind.addListItems),userCanManageList:u.get_effectiveBasePermissions().has(SP.PermissionKind.manageLists)};o=o.concat(f)}o.sort(function(e,t){return e.title.localeCompare(t.title)}),t(o)};o.executeQueryAsync(u,e.getErrorResolver(n,a.SpSiteContentConstants.ERROR_MESSAGE_RESOLVER_GETTING_LISTS))})},t.prototype.setListVisibility=function(e){var t=this;return new Promise(function(n,o){var r=SP.ClientContext.get_current(),i=r.get_web(),s=i.get_lists().getById(e.id);s.set_hidden(!e.hidden),s.update(),i.update(),r.load(s),r.load(i);var u=function(e,t){n(!0)};r.executeQueryAsync(u,t.getErrorResolver(o,a.SpSiteContentConstants.ERROR_MESSAGE_RESOLVER_SETTING_VISIBILITY))})},t.prototype.setAttachments=function(e){var t=this;return new Promise(function(n,o){var r=SP.ClientContext.get_current(),i=r.get_web(),s=i.get_lists().getById(e.id);s.set_enableAttachments(!e.enableAttachments),s.update(),i.update(),r.load(s),r.load(i);var u=function(e,t){n(!0)};r.executeQueryAsync(u,t.getErrorResolver(o,a.SpSiteContentConstants.ERROR_MESSAGE_RESOLVER_SETTING_ATTACHMENTS))})},t.prototype.setNoCrawl=function(e){var t=this;return new Promise(function(n,o){var r=SP.ClientContext.get_current(),i=r.get_web(),s=i.get_lists().getById(e.id);s.set_noCrawl(!e.noCrawl),s.update(),i.update(),r.load(s),r.load(i);var u=function(e,t){n(!0)};r.executeQueryAsync(u,t.getErrorResolver(o,a.SpSiteContentConstants.ERROR_MESSAGE_RESOLVER_SETTING_NO_CRAWL))})},t.prototype.recycleList=function(e){var t=this;return new Promise(function(n,o){var r=SP.ClientContext.get_current();r.get_web().get_lists().getById(e.id).recycle();var i=function(e,t){n(!0)};r.executeQueryAsync(i,t.getErrorResolver(o,a.SpSiteContentConstants.ERROR_MESSAGE_RESOLVER_DELETING_LIST))})},t.prototype.reIndex=function(e){return new Promise(function(t,n){SP.SOD.execute("sp.ui.dialog.js","SP.UI.ModalDialog.showModalDialog",{dialogReturnValueCallback:function(e){t(e)},title:"Reindex List",url:e.reIndexUrl})})},t}(i.default);t.default=s},function(e,t,n){"use strict";var o=this&&this.__extends||function(){var e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])};return function(t,n){function o(){this.constructor=t}e(t,n),t.prototype=null===n?Object.create(n):(o.prototype=n.prototype,new o)}}();Object.defineProperty(t,"__esModule",{value:!0});var r=n(0),i=n(42),a=n(41),s=n(134),u=n(135),l=n(68),c=n(466),p=n(467),d=function(e){function t(){return e.call(this,"spPropBaseDiv")||this}return o(t,e),t.prototype.show=function(){var e=this,t=this;l.default.ensureSPObject().then(function(){var n=p.configureStore({});i.render(r.createElement(a.Provider,{store:n},r.createElement(u.default,{onCloseClick:t.remove.bind(e),modalDialogTitle:"Lists and Libraries",modalWidth:"700px"},r.createElement(c.default,null))),document.getElementById(t.baseDivId))})},t}(s.AppBase);window.SpSiteContentObj=new d,window.SpSiteContentObj.show()},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var o=n(426),r=n(0),i=n(404),a=n(403),s=n(492);t.SpSiteContentItem=function(e){var t=function(t){e.setFavourite(e.item)};return r.createElement("div",{className:"ms-ListBasicExample-itemCell"},r.createElement(o.Image,{src:e.item.imageUrl,width:a.SpSiteContentConstants.itemImageWidth,height:a.SpSiteContentConstants.itemImageHeight,className:"ms-ListBasicExample-itemImage"+(e.item.hidden?" hidden-spList":"")}),r.createElement("div",{className:"ms-ListBasicExample-itemContent"},r.createElement("a",{title:e.item.description,alt:e.item.title,href:e.item.listUrl,className:"ms-ListBasicExample-itemName ms-font-l ms-fontColor-themePrimary ms-fontWeight-semibold",target:e.linkTarget},e.item.title),r.createElement("div",{className:"ms-ListBasicExample-itemIndex"},"Items: "+e.item.itemCount+" "),r.createElement("div",{className:"ms-ListBasicExample-itemIndex"},"Modified: "+e.item.lastModified.toLocaleDateString()+" "+e.item.lastModified.toLocaleTimeString())),r.createElement("div",{className:"ms-ListItem-actions"},r.createElement(i.FavouriteButton,{isFavourite:e.item.isFavourite,onClick:t}),r.createElement(s.default,{item:e.item,linkTarget:e.linkTarget})))}},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var o=n(497),r=n(0);t.SpSiteContentCheckBox=function(e){var t=function(t){var n=t.target.checked;e.onCheckBoxChange(n)};return r.createElement("div",{className:"ms-Grid-col ms-u-sm6 ms-u-md6 ms-u-lg6"},r.createElement(o.Checkbox,{label:e.checkLabel,defaultChecked:e.isChecked,onChange:t}))}},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var o=n(139),r=n(0),i=n(489);t.SpSiteContentList=function(e){var t=e.filterString.toLowerCase(),n=e.items.filter(function(n,o){return(""===t||n.title.toLowerCase().indexOf(t)>=0)&&(n.isFavourite||e.showAll||n.hidden)});n.sort(function(e,t){return e.isFavourite===t.isFavourite?e.title.toUpperCase()0}},function(e){var t=i.default.formatString("{0} attachments?",e.enableAttachments?"Disable":"Enable"),n=i.default.formatString("Are you sure you {0} want to allow users to attach files to items in the {1} list?",e.enableAttachments?"don't":"",e.title),o=i.default.formatString("{0} attachments",e.enableAttachments?"Disable":"Enable");return{dialogData:{dialogTitle:t,dialogText:n},key:"SetAttachments",iconProps:{iconName:"Attach"},name:o,title:o,optionType:a.MenuOptionType.Action,actionName:"setListAttachments",visibleIf:function(e){return e.userCanManageList&&0===e.baseType}}},function(e){var t=i.default.formatString("{0} items in search?",e.noCrawl?"Show":"Hide"),n=i.default.formatString("Are you sure you want {0} items from the {1} list in search result pages?",e.noCrawl?"show":"hide",e.title),o=i.default.formatString("{0} items in search",e.noCrawl?"Show":"Hide");return{dialogData:{dialogTitle:t,dialogText:n},key:"SetCrawl",iconProps:{iconName:"StackIndicator"},name:o,title:o,optionType:a.MenuOptionType.Action,actionName:"setListNoCrawl",visibleIf:function(e){return e.userCanManageList}}}]}},function(e){return{dialogData:{dialogTitle:"Delete List?",dialogText:i.default.formatString("Are you sure you want to send the {0} List to the recicly bin?",e.title)},key:"Delete",iconProps:{iconName:"Delete",style:{color:"red"}},name:"Delete",title:"Delete",optionType:a.MenuOptionType.Action,actionName:"recycleList",visibleIf:function(e){return e.userCanManageList}}}]}return e.prototype.getMenuOptions=function(e,t,n){return this.parseAndFilterOptions(this._options,e,t,n)},e.prototype.parseAndFilterOptions=function(e,t,n,r){var i=this,s=[];return e.forEach(function(e){var u;if(u="function"==typeof e?e(n):e,!u.visibleIf||u.visibleIf(n)){switch(u.optionType){case a.MenuOptionType.Link:u=o({},u,{siteContent:n,linkTarget:t});break;case a.MenuOptionType.Action:u=o({},u,{onClick:r,siteContent:n});break;case a.MenuOptionType.Custom:u=o({},u,{siteContent:n});break;default:u=u}if(void 0!==u.subMenuProps){var l={items:i.parseAndFilterOptions(u.subMenuProps.items,t,n,r)};u=o({},u,{subMenuProps:l})}s.push(u)}}),s},e.prototype._renderCharmMenuItem=function(e){var t=e.getOptionLink(e.siteContent),n="ms-Icon ms-Icon--"+e.iconProps.iconName+" ms-ContextualMenu-icon ms-ContextualMenu-iconColor";return r.createElement("a",{target:e.linkTarget,href:t,title:e.title,className:"ms-ContextualMenu-link",key:e.key},r.createElement("div",{className:"ms-ContextualMenu-linkContent"},r.createElement("i",{className:n}),r.createElement("span",{className:"ms-ContextualMenu-itemText"},e.name)))},e.prototype._onReIndexClick=function(e,t){SP.SOD.execute("sp.ui.dialog.js","SP.UI.ModalDialog.showModalDialog",{dialogReturnValueCallback:function(){},title:"Reindex List",url:t.siteContent.reIndexUrl})},e}();t.spSiteContentMenuHelper=new s},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var o=n(40),r=n(496);t.rootReducer=o.combineReducers({spSiteContent:r.spSiteContentReducer})},function(e,t,n){"use strict";var o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,n,a):r(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6);n(501);var u=function(e){function t(t){var n=e.call(this,t)||this;return n._id=s.getId("checkbox-"),n.state={isFocused:!1,isChecked:t.defaultChecked||!1},n}return o(t,e),t.prototype.render=function(){var e=this.props,t=e.checked,n=e.className,o=e.defaultChecked,i=e.disabled,u=e.inputProps,l=e.label,c=e.name,p=this.state.isFocused,d=void 0===t?this.state.isChecked:t;return a.createElement("div",{className:s.css("ms-Checkbox",n,{"is-inFocus":p})},a.createElement("input",r({},u,void 0!==t&&{checked:t},void 0!==o&&{defaultChecked:o},{disabled:i,ref:this._resolveRef("_checkBox"),id:this._id,name:c||this._id,className:"ms-Checkbox-input",type:"checkbox",onChange:this._onChange,onFocus:this._onFocus,onBlur:this._onBlur,"aria-checked":d})),this.props.children,a.createElement("label",{htmlFor:this._id,className:s.css("ms-Checkbox-label",{"is-checked":d,"is-disabled":i})},l&&a.createElement("span",{className:"ms-Label"},l)))},Object.defineProperty(t.prototype,"checked",{get:function(){return!!this._checkBox&&this._checkBox.checked},enumerable:!0,configurable:!0}),t.prototype.focus=function(){this._checkBox&&this._checkBox.focus()},t.prototype._onFocus=function(e){var t=this.props.inputProps;t&&t.onFocus&&t.onFocus(e),this.setState({isFocused:!0})},t.prototype._onBlur=function(e){var t=this.props.inputProps;t&&t.onBlur&&t.onBlur(e),this.setState({isFocused:!1})},t.prototype._onChange=function(e){var t=this.props.onChange,n=e.target.checked;t&&t(e,n),void 0===this.props.checked&&this.setState({isChecked:n})},t}(s.BaseComponent);u.defaultProps={},i([s.autobind],u.prototype,"_onFocus",null),i([s.autobind],u.prototype,"_onBlur",null),i([s.autobind],u.prototype,"_onChange",null),t.Checkbox=u},function(e,t,n){"use strict";var o=n(7),r={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=r,o.loadStyles([{rawString:".ms-Checkbox{box-sizing:border-box;color:"},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:';font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;font-size:14px;font-weight:400;min-height:36px;position:relative}.ms-Checkbox .ms-Label{font-size:14px;padding:0 0 0 26px;display:inline-block}html[dir=rtl] .ms-Checkbox .ms-Label{padding:0 26px 0 0}.ms-Checkbox-input{position:absolute;opacity:0;top:8px}.ms-Checkbox-label::before{content:\'\';display:inline-block;border:1px solid '},{theme:"neutralTertiary",defaultValue:"#a6a6a6"},{rawString:';width:20px;height:20px;font-weight:400;position:absolute;box-sizing:border-box;-webkit-transition-property:background,border,border-color;transition-property:background,border,border-color;-webkit-transition-duration:.2s;transition-duration:.2s;-webkit-transition-timing-function:cubic-bezier(.4,0,.23,1);transition-timing-function:cubic-bezier(.4,0,.23,1)}.ms-Checkbox-label::after{content:"\\E73E";font-family:FabricMDL2Icons;display:none;position:absolute;font-weight:900;background-color:transparent;font-size:13px;top:0;color:'},{theme:"white",defaultValue:"#ffffff"},{rawString:";line-height:20px;width:20px;text-align:center}.ms-Checkbox-label{display:inline-block;cursor:pointer;margin-top:8px;position:relative;vertical-align:top;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;min-width:20px;min-height:20px;line-height:20px}.ms-Checkbox-label:hover::before{border-color:"},{theme:"neutralSecondaryAlt",defaultValue:"#767676"},{rawString:"}.ms-Checkbox-label:hover .ms-Label{color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-Checkbox-label:focus::before{border-color:"},{theme:"neutralSecondaryAlt",defaultValue:"#767676"},{rawString:"}.ms-Checkbox-label:focus.is-disabled::before{border-color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.ms-Checkbox-label:focus.is-checked::before{border-color:"},{theme:"themeDarkAlt",defaultValue:"#106ebe"},{rawString:"}.ms-Checkbox-label:active::before{border-color:"},{theme:"neutralSecondaryAlt",defaultValue:"#767676"},{rawString:"}.ms-Checkbox-label:active .ms-Label{color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-Checkbox-label.is-checked::before{border:10px solid "},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";background-color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}@media screen and (-ms-high-contrast:active),(-ms-high-contrast:black-on-white){.ms-Checkbox-label.is-checked::before{display:none}}.ms-Checkbox-label.is-checked::after{display:block}@media screen and (-ms-high-contrast:active),(-ms-high-contrast:black-on-white){.ms-Checkbox-label.is-checked::after{height:16px;width:16px;line-height:16px}}@media screen and (-ms-high-contrast:active){.ms-Checkbox-label.is-checked::after{border:2px solid "},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.ms-Checkbox-label.is-checked::after{border:2px solid "},{theme:"black",defaultValue:"#000000"},{rawString:"}}.ms-Checkbox-label.is-checked:focus::before,.ms-Checkbox-label.is-checked:hover::before{border-color:"},{theme:"themeDarkAlt",defaultValue:"#106ebe"},{rawString:"}.ms-Checkbox-label.is-disabled{cursor:default}.ms-Checkbox-label.is-disabled:focus::before,.ms-Checkbox-label.is-disabled:hover::before{border-color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.ms-Checkbox-label.is-disabled::before{background-color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:";border-color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:";color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Checkbox-label.is-disabled::after{border:2px solid #0f0}}@media screen and (-ms-high-contrast:black-on-white){.ms-Checkbox-label.is-disabled::after{border:2px solid #600000}}@media screen and (-ms-high-contrast:active){.ms-Checkbox-label.is-disabled::after{color:#0f0}}@media screen and (-ms-high-contrast:black-on-white){.ms-Checkbox-label.is-disabled::after{color:#600000}}.ms-Checkbox-label.is-disabled .ms-Label{color:"},{theme:"neutralTertiary",defaultValue:"#a6a6a6"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Checkbox-label.is-disabled .ms-Label{color:#0f0}}@media screen and (-ms-high-contrast:black-on-white){.ms-Checkbox-label.is-disabled .ms-Label{color:#600000}}.ms-Checkbox-label.is-inFocus::before{border-color:"},{theme:"neutralSecondaryAlt",defaultValue:"#767676"},{rawString:"}.ms-Checkbox-label.is-inFocus.is-disabled::before{border-color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.ms-Checkbox-label.is-inFocus.is-checked::before{border-color:"},{theme:"themeDarkAlt",defaultValue:"#106ebe"},{rawString:"}.is-focusVisible .ms-Checkbox.is-inFocus::before{content:'';position:absolute;top:0;bottom:0;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .is-focusVisible .ms-Checkbox.is-inFocus::before{right:0}html[dir=rtl] .is-focusVisible .ms-Checkbox.is-inFocus::before{left:0}html[dir=ltr] .is-focusVisible .ms-Checkbox.is-inFocus::before{left:-8px}html[dir=rtl] .is-focusVisible .ms-Checkbox.is-inFocus::before{right:-8px}@media screen and (-ms-high-contrast:active){.is-focusVisible .ms-Checkbox.is-inFocus::before{border:1px solid "},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.is-focusVisible .ms-Checkbox.is-inFocus::before{border:1px solid "},{theme:"black",defaultValue:"#000000"},{rawString:"}}"}])},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(500))},function(e,t,n){"use strict";var o=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,o=arguments.length;n=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,n,a):r(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6),u=n(376),l=n(458),c=n(364),p=n(351),d=n(70),f=n(460),h=n(333),m=n(392);n(459);var g=function(e){function t(t){var n=e.call(this,t)||this;return n._onDialogRef=n._onDialogRef.bind(n),n.state={id:s.getId("Dialog"),isOpen:t.isOpen,isAnimatingOpen:t.isOpen,isAnimatingClose:!1},n}return o(t,e),t.prototype.componentWillReceiveProps=function(e){e.isOpen&&!this.state.isOpen&&this.setState({isOpen:!0,isAnimatingOpen:!0,isAnimatingClose:!1}),!e.isOpen&&this.state.isOpen&&this.setState({isAnimatingOpen:!1,isAnimatingClose:!0})},t.prototype.render=function(){var e=this.props,t=e.closeButtonAriaLabel,n=e.elementToFocusOnDismiss,o=e.firstFocusableSelector,i=e.forceFocusInsideTrap,f=e.ignoreExternalFocusing,g=e.isBlocking,v=e.isClickableOutsideFocusTrap,y=e.isDarkOverlay,b=e.onDismiss,_=e.onLayerDidMount,w=e.onLayerMounted,C=e.responsiveMode,E=e.subText,x=e.title,S=e.type,P=this.state,T=P.id,k=P.isOpen,I=P.isAnimatingOpen,O=P.isAnimatingClose;if(!k)return null;var M,D=s.css("ms-Dialog",this.props.className,{"ms-Dialog--lgHeader":S===l.DialogType.largeHeader,"ms-Dialog--close":S===l.DialogType.close,"is-open":k,"is-animatingOpen":I,"is-animatingClose":O}),N=this._groupChildren();return E&&(M=a.createElement("p",{className:"ms-Dialog-subText",id:T+"-subText"},E)),C>=m.ResponsiveMode.small?a.createElement(p.Layer,{onLayerDidMount:w||_},a.createElement(h.Popup,{role:g?"alertdialog":"dialog",ariaLabelledBy:x&&T+"-title",ariaDescribedBy:E&&T+"-subText",onDismiss:b},a.createElement("div",{className:D,ref:this._onDialogRef},a.createElement(c.Overlay,{isDarkThemed:y,onClick:g?null:b}),a.createElement(u.FocusTrapZone,{className:s.css("ms-Dialog-main",this.props.containerClassName),elementToFocusOnDismiss:n,isClickableOutsideFocusTrap:v||!g,ignoreExternalFocusing:f,forceFocusInsideTrap:i,firstFocusableSelector:o},a.createElement("div",{className:"ms-Dialog-header"},a.createElement("p",{className:"ms-Dialog-title",id:T+"-title"},x),a.createElement("div",{className:"ms-Dialog-topButton"},this.props.topButtonsProps.map(function(e){return a.createElement(d.Button,r({},e))}),a.createElement(d.Button,{className:"ms-Dialog-button ms-Dialog-button--close",buttonType:d.ButtonType.icon,icon:"Cancel",ariaLabel:t,onClick:b}))),a.createElement("div",{className:"ms-Dialog-inner"},a.createElement("div",{className:s.css("ms-Dialog-content",this.props.contentClassName)},M,N.contents),N.footers))))):void 0},t.prototype._groupChildren=function(){var e={footers:[],contents:[]};return a.Children.map(this.props.children,function(t){"object"==typeof t&&null!==t&&t.type===f.DialogFooter?e.footers.push(t):e.contents.push(t)}),e},t.prototype._onDialogRef=function(e){e?this._events.on(e,"animationend",this._onAnimationEnd):this._events.off()},t.prototype._onAnimationEnd=function(e){e.animationName.indexOf("fadeIn")>-1&&this.setState({isOpen:!0,isAnimatingOpen:!1}),e.animationName.indexOf("fadeOut")>-1&&(this.setState({isOpen:!1,isAnimatingClose:!1}),this.props.onDismissed&&this.props.onDismissed())},t}(s.BaseComponent);g.defaultProps={isOpen:!1,type:l.DialogType.normal,isDarkOverlay:!0,isBlocking:!1,className:"",containerClassName:"",contentClassName:"",topButtonsProps:[]},g=i([m.withResponsiveMode],g),t.Dialog=g}]); //# sourceMappingURL=spSiteContent.js.map \ No newline at end of file diff --git a/dist/actions/spFeatures/spFeatures.js b/dist/actions/spFeatures/spFeatures.js index b6c6b19..30eb76c 100644 --- a/dist/actions/spFeatures/spFeatures.js +++ b/dist/actions/spFeatures/spFeatures.js @@ -1,11 +1,2 @@ -!function(e){function t(r){if(n[r])return n[r].exports;var o=n[r]={i:r,l:!1,exports:{}};return e[r].call(o.exports,o,o.exports,t),o.l=!0,o.exports}var n={};return t.m=e,t.c=n,t.i=function(e){return e},t.d=function(e,n,r){t.o(e,n)||Object.defineProperty(e,n,{configurable:!1,enumerable:!0,get:r})},t.n=function(e){var n=e&&e.__esModule?function(){return e.default}:function(){return e};return t.d(n,"a",n),n},t.o=function(e,t){return Object.prototype.hasOwnProperty.call(e,t)},t.p="",t(t.s=479)}([function(e,t,n){"use strict";e.exports=n(22)},function(e,t,n){"use strict";function r(e,t,n,r,i,a,s,u){if(o(t),!e){var c;if(void 0===t)c=new Error("Minified exception occurred; use the non-minified dev environment for the full error message and additional helpful warnings.");else{var l=[n,r,i,a,s,u],p=0;c=new Error(t.replace(/%s/g,function(){return l[p++]})),c.name="Invariant Violation"}throw c.framesToPop=1,c}}var o=function(e){};e.exports=r},function(e,t,n){"use strict";var r=n(10),o=r;e.exports=o},function(e,t,n){"use strict";function r(e){for(var t=arguments.length-1,n="Minified React error #"+e+"; visit http://facebook.github.io/react/docs/error-decoder.html?invariant="+e,r=0;rn&&t.push({rawString:e.substring(n,o)}),t.push({theme:r[1],defaultValue:r[2]}),n=g.lastIndex}t.push({rawString:e.substring(n)})}return t}function l(e,t){var n=document.getElementsByTagName("head")[0],r=document.createElement("style");r.type="text/css",r.appendChild(document.createTextNode(u(e))),t?(n.replaceChild(r,t.styleElement),t.styleElement=r):n.appendChild(r),t||m.registeredStyles.push({styleElement:r,themableStyle:e})}function p(e,t){var n=document.getElementsByTagName("head")[0],r=m.lastStyleElement,o=m.registeredStyles,i=r?r.styleSheet:void 0,a=i?i.cssText:"",c=o[o.length-1],l=u(e);(!r||a.length+l.length>v)&&(r=document.createElement("style"),r.type="text/css",t?(n.replaceChild(r,t.styleElement),t.styleElement=r):n.appendChild(r),t||(c={styleElement:r,themableStyle:e},o.push(c))),r.styleSheet.cssText+=s(l),Array.prototype.push.apply(c.themableStyle,e),m.lastStyleElement=r}function d(){var e=!1;if("undefined"!=typeof document){var t=document.createElement("style");t.type="text/css",e=!!t.styleSheet}return e}var f,h="undefined"==typeof window?e:window,m=h.__themeState__=h.__themeState__||{theme:void 0,lastStyleElement:void 0,registeredStyles:[]},g=/[\'\"]\[theme:\s*(\w+)\s*(?:\,\s*default:\s*([\\"\']?[\.\,\(\)\#\-\s\w]*[\.\,\(\)\#\-\w][\"\']?))?\s*\][\'\"]/g,v=1e4;t.loadStyles=n,t.configureLoadStyles=r,t.loadTheme=i,t.detokenize=s,t.splitStyles=c}).call(t,n(66))},function(e,t,n){"use strict";var r=!("undefined"==typeof window||!window.document||!window.document.createElement),o={canUseDOM:r,canUseWorkers:"undefined"!=typeof Worker,canUseEventListeners:r&&!(!window.addEventListener&&!window.attachEvent),canUseViewport:r&&!!window.screen,isInWorker:!r};e.exports=o},function(e,t,n){"use strict";function r(e){return"[object Array]"===C.call(e)}function o(e){return"[object ArrayBuffer]"===C.call(e)}function i(e){return"undefined"!=typeof FormData&&e instanceof FormData}function a(e){var t;return t="undefined"!=typeof ArrayBuffer&&ArrayBuffer.isView?ArrayBuffer.isView(e):e&&e.buffer&&e.buffer instanceof ArrayBuffer}function s(e){return"string"==typeof e}function u(e){return"number"==typeof e}function c(e){return"undefined"==typeof e}function l(e){return null!==e&&"object"==typeof e}function p(e){return"[object Date]"===C.call(e)}function d(e){return"[object File]"===C.call(e)}function f(e){return"[object Blob]"===C.call(e)}function h(e){return"[object Function]"===C.call(e)}function m(e){return l(e)&&h(e.pipe)}function g(e){return"undefined"!=typeof URLSearchParams&&e instanceof URLSearchParams}function v(e){return e.replace(/^\s*/,"").replace(/\s*$/,"")}function y(){return"undefined"!=typeof window&&"undefined"!=typeof document&&"function"==typeof document.createElement}function _(e,t){if(null!==e&&"undefined"!=typeof e)if("object"==typeof e||r(e)||(e=[e]),r(e))for(var n=0,o=e.length;n1){for(var g=Array(m),v=0;v1){for(var _=Array(y),b=0;b-1&&o._virtual.children.splice(i,1)}n._virtual.parent=r||void 0,r&&(r._virtual||(r._virtual={children:[]}),r._virtual.children.push(n))}function o(e){var t;return e&&p(e)&&(t=e._virtual.parent),t}function i(e,t){return void 0===t&&(t=!0),e&&(t&&o(e)||e.parentNode&&e.parentNode)}function a(e,t,n){void 0===n&&(n=!0);var r=!1;if(e&&t)if(n)for(r=!1;t;){var o=i(t);if(o===e){r=!0;break}t=o}else e.contains&&(r=e.contains(t));return r}function s(e){d=e}function u(e){return d?void 0:e&&e.ownerDocument&&e.ownerDocument.defaultView?e.ownerDocument.defaultView:window}function c(e){return d?void 0:e&&e.ownerDocument?e.ownerDocument:document}function l(e){var t;return e&&(e===window?t={left:0,top:0,width:window.innerWidth,height:window.innerHeight,right:window.innerWidth,bottom:window.innerHeight}:e.getBoundingClientRect&&(t=e.getBoundingClientRect())),t}function p(e){return e&&!!e._virtual}t.setVirtualParent=r,t.getVirtualParent=o,t.getParent=i,t.elementContains=a;var d=!1;t.setSSR=s,t.getWindow=u,t.getDocument=c,t.getRect=l},function(e,t){function n(){throw new Error("setTimeout has not been defined")}function r(){throw new Error("clearTimeout has not been defined")}function o(e){if(l===setTimeout)return setTimeout(e,0);if((l===n||!l)&&setTimeout)return l=setTimeout,setTimeout(e,0);try{return l(e,0)}catch(t){try{return l.call(null,e,0)}catch(t){return l.call(this,e,0)}}}function i(e){if(p===clearTimeout)return clearTimeout(e);if((p===r||!p)&&clearTimeout)return p=clearTimeout,clearTimeout(e);try{return p(e)}catch(t){try{return p.call(null,e)}catch(t){return p.call(this,e)}}}function a(){m&&f&&(m=!1,f.length?h=f.concat(h):g=-1,h.length&&s())}function s(){if(!m){var e=o(a);m=!0;for(var t=h.length;t;){for(f=h,h=[];++g1)for(var n=1;n]/;e.exports=o},function(e,t,n){"use strict";var r,o=n(8),i=n(48),a=/^[ \r\n\t\f]/,s=/<(!--|link|noscript|meta|script|style)[ \r\n\t\f\/>]/,u=n(56),c=u(function(e,t){if(e.namespaceURI!==i.svg||"innerHTML"in e)e.innerHTML=t;else{r=r||document.createElement("div"),r.innerHTML=""+t+"";for(var n=r.firstChild;n.firstChild;)e.appendChild(n.firstChild)}});if(o.canUseDOM){var l=document.createElement("div");l.innerHTML=" ",""===l.innerHTML&&(c=function(e,t){if(e.parentNode&&e.parentNode.replaceChild(e,e),a.test(t)||"<"===t[0]&&s.test(t)){e.innerHTML=String.fromCharCode(65279)+t;var n=e.firstChild;1===n.data.length?e.removeChild(n):n.deleteData(0,1)}else e.innerHTML=t}),l=null}e.exports=c},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(124),o=n(306),i=n(305),a=n(304),s=n(123);n(125);n.d(t,"createStore",function(){return r.a}),n.d(t,"combineReducers",function(){return o.a}),n.d(t,"bindActionCreators",function(){return i.a}),n.d(t,"applyMiddleware",function(){return a.a}),n.d(t,"compose",function(){return s.a})},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(283),o=n(113),i=n(284);n.d(t,"Provider",function(){return r.a}),n.d(t,"connectAdvanced",function(){return o.a}),n.d(t,"connect",function(){return i.a})},function(e,t,n){"use strict";e.exports=n(232)},function(e,t,n){"use strict";var r=function(){function e(t){this._id=e._uniqueId++,this._parent=t,this._eventRecords=[]}return e.raise=function(t,n,r,o){var i;if(e._isElement(t)){if(document.createEvent){var a=document.createEvent("HTMLEvents");a.initEvent(n,o,!0),a.args=r,i=t.dispatchEvent(a)}else if(document.createEventObject){var s=document.createEventObject(r);t.fireEvent("on"+n,s)}}else for(;t&&i!==!1;){var u=t.__events__,c=u?u[n]:null;for(var l in c)if(c.hasOwnProperty(l))for(var p=c[l],d=0;i!==!1&&d-1)for(var a=n.split(/[ ,]+/),s=0;s=200&&e<300}};c.headers={common:{Accept:"application/json, text/plain, */*"}},i.forEach(["delete","get","head"],function(e){c.headers[e]={}}),i.forEach(["post","put","patch"],function(e){c.headers[e]=i.merge(u)}),e.exports=c}).call(t,n(33))},function(e,t,n){"use strict";function r(e,t){return e===t?0!==e||0!==t||1/e===1/t:e!==e&&t!==t}function o(e,t){if(r(e,t))return!0;if("object"!=typeof e||null===e||"object"!=typeof t||null===t)return!1;var n=Object.keys(e),o=Object.keys(t);if(n.length!==o.length)return!1;for(var a=0;a-1?void 0:a("96",e),!c.plugins[n]){t.extractEvents?void 0:a("97",e),c.plugins[n]=t;var r=t.eventTypes;for(var i in r)o(r[i],t,i)?void 0:a("98",i,e)}}}function o(e,t,n){c.eventNameDispatchConfigs.hasOwnProperty(n)?a("99",n):void 0,c.eventNameDispatchConfigs[n]=e;var r=e.phasedRegistrationNames;if(r){for(var o in r)if(r.hasOwnProperty(o)){var s=r[o];i(s,t,n)}return!0}return!!e.registrationName&&(i(e.registrationName,t,n),!0)}function i(e,t,n){c.registrationNameModules[e]?a("100",e):void 0,c.registrationNameModules[e]=t,c.registrationNameDependencies[e]=t.eventTypes[n].dependencies}var a=n(3),s=(n(1),null),u={},c={plugins:[],eventNameDispatchConfigs:{},registrationNameModules:{},registrationNameDependencies:{},possibleRegistrationNames:null,injectEventPluginOrder:function(e){s?a("101"):void 0,s=Array.prototype.slice.call(e),r()},injectEventPluginsByName:function(e){var t=!1;for(var n in e)if(e.hasOwnProperty(n)){var o=e[n];u.hasOwnProperty(n)&&u[n]===o||(u[n]?a("102",n):void 0,u[n]=o,t=!0)}t&&r()},getPluginModuleForEvent:function(e){var t=e.dispatchConfig;if(t.registrationName)return c.registrationNameModules[t.registrationName]||null;if(void 0!==t.phasedRegistrationNames){var n=t.phasedRegistrationNames;for(var r in n)if(n.hasOwnProperty(r)){var o=c.registrationNameModules[n[r]];if(o)return o}}return null},_resetEventPlugins:function(){s=null;for(var e in u)u.hasOwnProperty(e)&&delete u[e];c.plugins.length=0;var t=c.eventNameDispatchConfigs;for(var n in t)t.hasOwnProperty(n)&&delete t[n];var r=c.registrationNameModules;for(var o in r)r.hasOwnProperty(o)&&delete r[o]}};e.exports=c},function(e,t,n){"use strict";function r(e){return"topMouseUp"===e||"topTouchEnd"===e||"topTouchCancel"===e}function o(e){return"topMouseMove"===e||"topTouchMove"===e}function i(e){return"topMouseDown"===e||"topTouchStart"===e}function a(e,t,n,r){var o=e.type||"unknown-event";e.currentTarget=v.getNodeFromInstance(r),t?m.invokeGuardedCallbackWithCatch(o,n,e):m.invokeGuardedCallback(o,n,e),e.currentTarget=null}function s(e,t){var n=e._dispatchListeners,r=e._dispatchInstances;if(Array.isArray(n))for(var o=0;o0&&r.length<20?n+" (keys: "+r.join(", ")+")":n}function i(e,t){var n=s.get(e);if(!n){return null}return n}var a=n(3),s=(n(14),n(29)),u=(n(11),n(12)),c=(n(1),n(2),{isMounted:function(e){var t=s.get(e);return!!t&&!!t._renderedComponent},enqueueCallback:function(e,t,n){c.validateCallback(t,n);var o=i(e);return o?(o._pendingCallbacks?o._pendingCallbacks.push(t):o._pendingCallbacks=[t],void r(o)):null},enqueueCallbackInternal:function(e,t){e._pendingCallbacks?e._pendingCallbacks.push(t):e._pendingCallbacks=[t],r(e)},enqueueForceUpdate:function(e){var t=i(e,"forceUpdate");t&&(t._pendingForceUpdate=!0,r(t))},enqueueReplaceState:function(e,t){var n=i(e,"replaceState");n&&(n._pendingStateQueue=[t],n._pendingReplaceState=!0,r(n))},enqueueSetState:function(e,t){var n=i(e,"setState");if(n){var o=n._pendingStateQueue||(n._pendingStateQueue=[]);o.push(t),r(n)}},enqueueElementInternal:function(e,t,n){e._pendingElement=t,e._context=n,r(e)},validateCallback:function(e,t){e&&"function"!=typeof e?a("122",t,o(e)):void 0}});e.exports=c},function(e,t,n){"use strict";var r=function(e){return"undefined"!=typeof MSApp&&MSApp.execUnsafeLocalFunction?function(t,n,r,o){MSApp.execUnsafeLocalFunction(function(){return e(t,n,r,o)})}:e};e.exports=r},function(e,t,n){"use strict";function r(e){var t,n=e.keyCode;return"charCode"in e?(t=e.charCode,0===t&&13===n&&(t=13)):t=n,t>=32||13===t?t:0}e.exports=r},function(e,t,n){"use strict";function r(e){var t=this,n=t.nativeEvent;if(n.getModifierState)return n.getModifierState(e);var r=i[e];return!!r&&!!n[r]}function o(e){return r}var i={Alt:"altKey",Control:"ctrlKey",Meta:"metaKey",Shift:"shiftKey"};e.exports=o},function(e,t,n){"use strict";function r(e){var t=e.target||e.srcElement||window;return t.correspondingUseElement&&(t=t.correspondingUseElement),3===t.nodeType?t.parentNode:t}e.exports=r},function(e,t,n){"use strict";function r(e,t){if(!i.canUseDOM||t&&!("addEventListener"in document))return!1;var n="on"+e,r=n in document;if(!r){var a=document.createElement("div");a.setAttribute(n,"return;"),r="function"==typeof a[n]}return!r&&o&&"wheel"===e&&(r=document.implementation.hasFeature("Events.wheel","3.0")),r}var o,i=n(8);i.canUseDOM&&(o=document.implementation&&document.implementation.hasFeature&&document.implementation.hasFeature("","")!==!0),e.exports=r},function(e,t,n){"use strict";function r(e,t){var n=null===e||e===!1,r=null===t||t===!1;if(n||r)return n===r;var o=typeof e,i=typeof t;return"string"===o||"number"===o?"string"===i||"number"===i:"object"===i&&e.type===t.type&&e.key===t.key}e.exports=r},function(e,t,n){"use strict";var r=(n(4),n(10)),o=(n(2),r);e.exports=o},function(e,t,n){"use strict";function r(e){"undefined"!=typeof console&&"function"==typeof console.error;try{throw new Error(e)}catch(e){}}t.a=r},function(e,t,n){"use strict";function r(e,t,n){this.props=e,this.context=t,this.refs=a,this.updater=n||i}var o=n(24),i=n(65),a=(n(121),n(25));n(1),n(2);r.prototype.isReactComponent={},r.prototype.setState=function(e,t){"object"!=typeof e&&"function"!=typeof e&&null!=e?o("85"):void 0,this.updater.enqueueSetState(this,e),t&&this.updater.enqueueCallback(this,t,"setState")},r.prototype.forceUpdate=function(e){this.updater.enqueueForceUpdate(this),e&&this.updater.enqueueCallback(this,e,"forceUpdate")};e.exports=r},function(e,t,n){"use strict";function r(e,t){}var o=(n(2),{isMounted:function(e){return!1},enqueueCallback:function(e,t){},enqueueForceUpdate:function(e){r(e,"forceUpdate")},enqueueReplaceState:function(e,t){r(e,"replaceState")},enqueueSetState:function(e,t){r(e,"setState")}});e.exports=o},function(e,t){var n;n=function(){return this}();try{n=n||Function("return this")()||(0,eval)("this")}catch(e){"object"==typeof window&&(n=window)}e.exports=n},function(e,t,n){"use strict";var r=n(17),o=function(){function e(){}return e.capitalize=function(e){return e.charAt(0).toUpperCase()+e.slice(1)},e.formatString=function(){for(var e=[],t=0;t=a&&(!t||s)?(c=n,l&&(r.clearTimeout(l),l=null),o=e.apply(r._parent,i)):null===l&&u&&(l=r.setTimeout(p,f)),o},d=function(){for(var e=[],t=0;t=a&&(h=!0),l=n);var m=n-l,g=a-m,v=n-p,y=!1;return null!==c&&(v>=c&&d?y=!0:g=Math.min(g,c-v)),m>=a||y||h?(d&&(r.clearTimeout(d),d=null),p=n,o=e.apply(r._parent,i)):null!==d&&t||!u||(d=r.setTimeout(f,g)),o},h=function(){for(var e=[],t=0;t.":"function"==typeof t?" Instead of passing a class like Foo, pass React.createElement(Foo) or .":null!=t&&void 0!==t.props?" This may be caused by unintentionally loading two independent copies of React.":"");var a,s=g.createElement(L,{child:t});if(e){var u=w.get(e);a=u._processChildContext(u._context)}else a=P;var l=d(n);if(l){var p=l._currentElement,h=p.props.child;if(O(h,t)){var m=l._renderedComponent.getPublicInstance(),v=r&&function(){r.call(m)};return U._updateRootComponent(l,s,a,n,v),m}U.unmountComponentAtNode(n)}var y=o(n),_=y&&!!i(y),b=c(n),E=_&&!l&&!b,C=U._renderNewRootComponent(s,n,E,a)._renderedComponent.getPublicInstance();return r&&r.call(C),C},render:function(e,t,n){return U._renderSubtreeIntoContainer(null,e,t,n)},unmountComponentAtNode:function(e){l(e)?void 0:f("40");var t=d(e);if(!t){c(e),1===e.nodeType&&e.hasAttribute(A);return!1}return delete D[t._instance.rootID],T.batchedUpdates(u,t,e,!1),!0},_mountImageIntoNode:function(e,t,n,i,a){if(l(t)?void 0:f("41"),i){var s=o(t);if(C.canReuseMarkup(e,s))return void y.precacheNode(n,s);var u=s.getAttribute(C.CHECKSUM_ATTR_NAME);s.removeAttribute(C.CHECKSUM_ATTR_NAME);var c=s.outerHTML;s.setAttribute(C.CHECKSUM_ATTR_NAME,u);var p=e,d=r(p,c),m=" (client) "+p.substring(d-20,d+20)+"\n (server) "+c.substring(d-20,d+20);t.nodeType===R?f("42",m):void 0}if(t.nodeType===R?f("43"):void 0,a.useCreateElement){for(;t.lastChild;)t.removeChild(t.lastChild);h.insertTreeBefore(t,e,null)}else k(t,e),y.precacheNode(n,t.firstChild)}};e.exports=U},function(e,t,n){"use strict";var r=n(3),o=n(22),i=(n(1),{HOST:0,COMPOSITE:1,EMPTY:2,getType:function(e){return null===e||e===!1?i.EMPTY:o.isValidElement(e)?"function"==typeof e.type?i.COMPOSITE:i.HOST:void r("26",e)}});e.exports=i},function(e,t,n){"use strict";var r={currentScrollLeft:0,currentScrollTop:0,refreshScrollValues:function(e){r.currentScrollLeft=e.x,r.currentScrollTop=e.y}};e.exports=r},function(e,t,n){"use strict";function r(e,t){return null==t?o("30"):void 0,null==e?t:Array.isArray(e)?Array.isArray(t)?(e.push.apply(e,t),e):(e.push(t),e):Array.isArray(t)?[e].concat(t):[e,t]}var o=n(3);n(1);e.exports=r},function(e,t,n){"use strict";function r(e,t,n){Array.isArray(e)?e.forEach(t,n):e&&t.call(n,e)}e.exports=r},function(e,t,n){"use strict";function r(e){for(var t;(t=e._renderedNodeType)===o.COMPOSITE;)e=e._renderedComponent;return t===o.HOST?e._renderedComponent:t===o.EMPTY?null:void 0}var o=n(103);e.exports=r},function(e,t,n){"use strict";function r(){return!i&&o.canUseDOM&&(i="textContent"in document.documentElement?"textContent":"innerText"),i}var o=n(8),i=null;e.exports=r},function(e,t,n){"use strict";function r(e){if(e){var t=e.getName();if(t)return" Check the render method of `"+t+"`."}return""}function o(e){return"function"==typeof e&&"undefined"!=typeof e.prototype&&"function"==typeof e.prototype.mountComponent&&"function"==typeof e.prototype.receiveComponent}function i(e,t){var n;if(null===e||e===!1)n=c.create(i);else if("object"==typeof e){var s=e,u=s.type;if("function"!=typeof u&&"string"!=typeof u){var d="";d+=r(s._owner),a("130",null==u?u:typeof u,d)}"string"==typeof s.type?n=l.createInternalComponent(s):o(s.type)?(n=new s.type(s),n.getHostNode||(n.getHostNode=n.getNativeNode)):n=new p(s)}else"string"==typeof e||"number"==typeof e?n=l.createInstanceForText(e):a("131",typeof e);return n._mountIndex=0,n._mountImage=null,n}var a=n(3),s=n(4),u=n(231),c=n(98),l=n(100),p=(n(278),n(1),n(2),function(e){this.construct(e)});s(p.prototype,u,{_instantiateReactComponent:i}),e.exports=i},function(e,t,n){"use strict";function r(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return"input"===t?!!o[e.type]:"textarea"===t}var o={color:!0,date:!0,datetime:!0,"datetime-local":!0,email:!0,month:!0,number:!0,password:!0,range:!0,search:!0,tel:!0,text:!0,time:!0,url:!0,week:!0};e.exports=r},function(e,t,n){"use strict";var r=n(8),o=n(37),i=n(38),a=function(e,t){if(t){var n=e.firstChild;if(n&&n===e.lastChild&&3===n.nodeType)return void(n.nodeValue=t)}e.textContent=t};r.canUseDOM&&("textContent"in document.documentElement||(a=function(e,t){return 3===e.nodeType?void(e.nodeValue=t):void i(e,o(t))})),e.exports=a},function(e,t,n){"use strict";function r(e,t){return e&&"object"==typeof e&&null!=e.key?c.escape(e.key):t.toString(36)}function o(e,t,n,i){var d=typeof e;if("undefined"!==d&&"boolean"!==d||(e=null),null===e||"string"===d||"number"===d||"object"===d&&e.$$typeof===s)return n(i,e,""===t?l+r(e,0):t),1;var f,h,m=0,g=""===t?l:t+p;if(Array.isArray(e))for(var v=0;v=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function s(e){var t,s,u=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},l=u.getDisplayName,v=void 0===l?function(e){return"ConnectAdvanced("+e+")"}:l,y=u.methodName,_=void 0===y?"connectAdvanced":y,b=u.renderCountProp,E=void 0===b?void 0:b,w=u.shouldHandleStateChanges,C=void 0===w||w,S=u.storeKey,x=void 0===S?"store":S,T=u.withRef,P=void 0!==T&&T,I=a(u,["getDisplayName","methodName","renderCountProp","shouldHandleStateChanges","storeKey","withRef"]),k=x+"Subscription",O=g++,M=(t={},t[x]=h.a,t[k]=d.PropTypes.instanceOf(f.a),t),A=(s={},s[k]=d.PropTypes.instanceOf(f.a),s);return function(t){p()("function"==typeof t,"You must pass a component to the function returned by connect. Instead received "+t);var a=t.displayName||t.name||"Component",s=v(a),u=m({},I,{getDisplayName:v,methodName:_,renderCountProp:E,shouldHandleStateChanges:C,storeKey:x,withRef:P,displayName:s,wrappedComponentName:a,WrappedComponent:t}),l=function(a){function c(e,t){r(this,c);var n=o(this,a.call(this,e,t));return n.version=O,n.state={},n.renderCount=0,n.store=n.props[x]||n.context[x],n.parentSub=e[k]||t[k],n.setWrappedInstance=n.setWrappedInstance.bind(n),p()(n.store,'Could not find "'+x+'" in either the context or '+('props of "'+s+'". ')+"Either wrap the root component in a , "+('or explicitly pass "'+x+'" as a prop to "'+s+'".')),n.getState=n.store.getState.bind(n.store),n.initSelector(),n.initSubscription(),n}return i(c,a),c.prototype.getChildContext=function(){var e;return e={},e[k]=this.subscription||this.parentSub,e},c.prototype.componentDidMount=function(){C&&(this.subscription.trySubscribe(),this.selector.run(this.props),this.selector.shouldComponentUpdate&&this.forceUpdate())},c.prototype.componentWillReceiveProps=function(e){this.selector.run(e)},c.prototype.shouldComponentUpdate=function(){return this.selector.shouldComponentUpdate},c.prototype.componentWillUnmount=function(){this.subscription&&this.subscription.tryUnsubscribe(),this.subscription=null,this.store=null,this.parentSub=null,this.selector.run=function(){}},c.prototype.getWrappedInstance=function(){return p()(P,"To access the wrapped instance, you need to specify "+("{ withRef: true } in the options argument of the "+_+"() call.")),this.wrappedInstance},c.prototype.setWrappedInstance=function(e){this.wrappedInstance=e},c.prototype.initSelector=function(){var t=this.store.dispatch,n=this.getState,r=e(t,u),o=this.selector={shouldComponentUpdate:!0,props:r(n(),this.props),run:function(e){try{var t=r(n(),e);(o.error||t!==o.props)&&(o.shouldComponentUpdate=!0,o.props=t,o.error=null)}catch(e){o.shouldComponentUpdate=!0,o.error=e}}}},c.prototype.initSubscription=function(){var e=this;C&&!function(){var t=e.subscription=new f.a(e.store,e.parentSub),n={};t.onStateChange=function(){this.selector.run(this.props),this.selector.shouldComponentUpdate?(this.componentDidUpdate=function(){this.componentDidUpdate=void 0,t.notifyNestedSubs()},this.setState(n)):t.notifyNestedSubs()}.bind(e)}()},c.prototype.isSubscribed=function(){return Boolean(this.subscription)&&this.subscription.isSubscribed()},c.prototype.addExtraProps=function(e){if(!P&&!E)return e;var t=m({},e);return P&&(t.ref=this.setWrappedInstance),E&&(t[E]=this.renderCount++),t},c.prototype.render=function(){var e=this.selector;if(e.shouldComponentUpdate=!1,e.error)throw e.error;return n.i(d.createElement)(t,this.addExtraProps(e.props))},c}(d.Component);return l.WrappedComponent=t,l.displayName=s,l.childContextTypes=A,l.contextTypes=M,l.propTypes=M,c()(l,t)}}var u=n(133),c=n.n(u),l=n(16),p=n.n(l),d=n(0),f=(n.n(d),n(115)),h=n(116);t.a=s;var m=Object.assign||function(e){for(var t=1;tn?this._scrollVelocity=Math.min(u,u*((e.clientY-n)/s)):this._scrollVelocity=0,this._scrollVelocity?this._startScroll():this._stopScroll()},e.prototype._startScroll=function(){this._timeoutId||this._incrementScroll()},e.prototype._incrementScroll=function(){this._scrollableParent.scrollTop+=Math.round(this._scrollVelocity),this._timeoutId=setTimeout(this._incrementScroll,a)},e.prototype._stopScroll=function(){this._timeoutId&&(clearTimeout(this._timeoutId),delete this._timeoutId)},e}();t.AutoScroll=c},function(e,t,n){"use strict";function r(e,t,n){for(var r=0,i=n.length;r1?t[1]:""},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_disposables",{get:function(){return this.__disposables||(this.__disposables=[]),this.__disposables},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_async",{get:function(){return this.__async||(this.__async=new u.Async(this),this._disposables.push(this.__async)),this.__async},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_events",{get:function(){return this.__events||(this.__events=new c.EventGroup(this),this._disposables.push(this.__events)),this.__events},enumerable:!0,configurable:!0}),t.prototype._resolveRef=function(e){var t=this;return this.__resolves||(this.__resolves={}),this.__resolves[e]||(this.__resolves[e]=function(n){return t[e]=n}),this.__resolves[e]},t}(s.Component);t.BaseComponent=l,l.onError=function(e){throw e}},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(0),i=function(e){function t(t){var n=e.call(this,t)||this;return n.state={isRendered:!1},n}return r(t,e),t.prototype.componentDidMount=function(){var e=this,t=this.props.delay;this._timeoutId=setTimeout(function(){e.setState({isRendered:!0})},t)},t.prototype.componentWillUnmount=function(){clearTimeout(this._timeoutId)},t.prototype.render=function(){return this.state.isRendered?o.Children.only(this.props.children):null},t}(o.Component);i.defaultProps={delay:0},t.DelayedRender=i},function(e,t,n){"use strict";var r=function(){function e(e,t,n,r){void 0===e&&(e=0),void 0===t&&(t=0),void 0===n&&(n=0),void 0===r&&(r=0),this.top=n,this.bottom=r,this.left=e,this.right=t}return Object.defineProperty(e.prototype,"width",{get:function(){return this.right-this.left},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"height",{get:function(){return this.bottom-this.top},enumerable:!0,configurable:!0}),e.prototype.equals=function(e){return parseFloat(this.top.toFixed(4))===parseFloat(e.top.toFixed(4))&&parseFloat(this.bottom.toFixed(4))===parseFloat(e.bottom.toFixed(4))&&parseFloat(this.left.toFixed(4))===parseFloat(e.left.toFixed(4))&&parseFloat(this.right.toFixed(4))===parseFloat(e.right.toFixed(4))},e}();t.Rectangle=r},function(e,t,n){"use strict";function r(e,t){for(var n=-1,r=0;e&&r=0||e.getAttribute&&"true"===n||"button"===e.getAttribute("role"))}function l(e){return e&&!!e.getAttribute(m)}function p(e){var t=d.getDocument(e).activeElement;return!(!t||!d.elementContains(e,t))}var d=n(32),f="data-is-focusable",h="data-is-visible",m="data-focuszone-id";t.getFirstFocusable=r,t.getLastFocusable=o,t.focusFirstChild=i,t.getPreviousElement=a,t.getNextElement=s,t.isElementVisible=u,t.isElementTabbable=c,t.isElementFocusZone=l,t.doesElementContainFocus=p},function(e,t,n){"use strict";function r(e,t,n){void 0===n&&(n=i);var r=[],o=function(o){"function"!=typeof t[o]||void 0!==e[o]||n&&n.indexOf(o)!==-1||(r.push(o),e[o]=function(){t[o].apply(t,arguments)})};for(var a in t)o(a);return r}function o(e,t){t.forEach(function(t){return delete e[t]})}var i=["setState","render","componentWillMount","componentDidMount","componentWillReceiveProps","shouldComponentUpdate","componentWillUpdate","componentDidUpdate","componentWillUnmount"];t.hoistMethods=r,t.unhoistMethods=o},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(72)),r(n(141)),r(n(142)),r(n(143)),r(n(42)),r(n(73)),r(n(144)),r(n(145)),r(n(146)),r(n(147)),r(n(32)),r(n(148)),r(n(149)),r(n(151)),r(n(74)),r(n(152)),r(n(153)),r(n(154)),r(n(75)),r(n(155))},function(e,t,n){"use strict";function r(e,t){var n=Math.sqrt(Math.pow(e.x-t.x,2)+Math.pow(e.y-t.y,2));return n}t.getDistanceBetweenPoints=r},function(e,t,n){"use strict";function r(e,t,n){return o.filteredAssign(function(e){return(!n||n.indexOf(e)<0)&&(0===e.indexOf("data-")||0===e.indexOf("aria-")||t.indexOf(e)>=0)},{},e)}var o=n(74);t.baseElementEvents=["onCopy","onCut","onPaste","onCompositionEnd","onCompositionStart","onCompositionUpdate","onFocus","onFocusCapture","onBlur","onBlurCapture","onChange","onInput","onSubmit","onLoad","onError","onKeyDown","onKeyDownCapture","onKeyPress","onKeyUp","onAbort","onCanPlay","onCanPlayThrough","onDurationChange","onEmptied","onEncrypted","onEnded","onLoadedData","onLoadedMetadata","onLoadStart","onPause","onPlay","onPlaying","onProgress","onRateChange","onSeeked","onSeeking","onStalled","onSuspend","onTimeUpdate","onVolumeChange","onWaiting","onClick","onClickCapture","onContextMenu","onDoubleClick","onDrag","onDragEnd","onDragEnter","onDragExit","onDragLeave","onDragOver","onDragStart","onDrop","onMouseDown","onMouseDownCapture","onMouseEnter","onMouseLeave","onMouseMove","onMouseOut","onMouseOver","onMouseUp","onMouseUpCapture","onSelect","onTouchCancel","onTouchEnd","onTouchMove","onTouchStart","onScroll","onWheel"],t.baseElementProperties=["defaultChecked","defaultValue","accept","acceptCharset","accessKey","action","allowFullScreen","allowTransparency","alt","async","autoComplete","autoFocus","autoPlay","capture","cellPadding","cellSpacing","charSet","challenge","checked","children","classID","className","cols","colSpan","content","contentEditable","contextMenu","controls","coords","crossOrigin","data","dateTime","default","defer","dir","download","draggable","encType","form","formAction","formEncType","formMethod","formNoValidate","formTarget","frameBorder","headers","height","hidden","high","hrefLang","htmlFor","httpEquiv","icon","id","inputMode","integrity","is","keyParams","keyType","kind","label","lang","list","loop","low","manifest","marginHeight","marginWidth","max","maxLength","media","mediaGroup","method","min","minLength","multiple","muted","name","noValidate","open","optimum","pattern","placeholder","poster","preload","radioGroup","readOnly","rel","required","role","rows","rowSpan","sandbox","scope","scoped","scrolling","seamless","selected","shape","size","sizes","span","spellCheck","src","srcDoc","srcLang","srcSet","start","step","style","summary","tabIndex","title","type","useMap","value","width","wmode","wrap"],t.htmlElementProperties=t.baseElementProperties.concat(t.baseElementEvents),t.anchorProperties=t.htmlElementProperties.concat(["href","target"]),t.buttonProperties=t.htmlElementProperties.concat(["disabled"]),t.divProperties=t.htmlElementProperties.concat(["align","noWrap"]),t.inputProperties=t.buttonProperties,t.textAreaProperties=t.buttonProperties,t.imageProperties=t.divProperties,t.getNativeProps=r},function(e,t,n){"use strict";function r(e){return a+e}function o(e){a=e}function i(){return"en-us"}var a="";t.getResourceUrl=r,t.setBaseUrl=o,t.getLanguage=i},function(e,t,n){"use strict";function r(){if(void 0===a){var e=u.getDocument();if(!e)throw new Error("getRTL was called in a server environment without setRTL being called first. Call setRTL to set the correct direction first.");a="rtl"===document.documentElement.getAttribute("dir")}return a}function o(e){var t=u.getDocument();t&&t.documentElement.setAttribute("dir",e?"rtl":"ltr"),a=e}function i(e){return r()&&(e===s.KeyCodes.left?e=s.KeyCodes.right:e===s.KeyCodes.right&&(e=s.KeyCodes.left)),e}var a,s=n(73),u=n(32);t.getRTL=r,t.setRTL=o,t.getRTLSafeKeyCode=i},function(e,t,n){"use strict";function r(e){function t(e){var t=a[e.replace(o,"")];return null!==t&&void 0!==t||(t=""),t}for(var n=[],r=1;r>8-s%1*8)){if(n=o.charCodeAt(s+=.75),n>255)throw new r;t=t<<8|n}return a}var i="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=";r.prototype=new Error,r.prototype.code=5,r.prototype.name="InvalidCharacterError",e.exports=o},function(e,t,n){"use strict";function r(e){return encodeURIComponent(e).replace(/%40/gi,"@").replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}var o=n(9);e.exports=function(e,t,n){if(!t)return e;var i;if(n)i=n(t);else if(o.isURLSearchParams(t))i=t.toString();else{var a=[];o.forEach(t,function(e,t){null!==e&&"undefined"!=typeof e&&(o.isArray(e)&&(t+="[]"),o.isArray(e)||(e=[e]),o.forEach(e,function(e){o.isDate(e)?e=e.toISOString():o.isObject(e)&&(e=JSON.stringify(e)),a.push(r(t)+"="+r(e))}))}),i=a.join("&")}return i&&(e+=(e.indexOf("?")===-1?"?":"&")+i),e}},function(e,t,n){"use strict";e.exports=function(e,t){return e.replace(/\/+$/,"")+"/"+t.replace(/^\/+/,"")}},function(e,t,n){"use strict";var r=n(9);e.exports=r.isStandardBrowserEnv()?function(){return{write:function(e,t,n,o,i,a){var s=[];s.push(e+"="+encodeURIComponent(t)),r.isNumber(n)&&s.push("expires="+new Date(n).toGMTString()),r.isString(o)&&s.push("path="+o),r.isString(i)&&s.push("domain="+i),a===!0&&s.push("secure"),document.cookie=s.join("; ")},read:function(e){var t=document.cookie.match(new RegExp("(^|;\\s*)("+e+")=([^;]*)"));return t?decodeURIComponent(t[3]):null},remove:function(e){this.write(e,"",Date.now()-864e5)}}}():function(){return{write:function(){},read:function(){return null},remove:function(){}}}()},function(e,t,n){"use strict";e.exports=function(e){return/^([a-z][a-z\d\+\-\.]*:)?\/\//i.test(e)}},function(e,t,n){"use strict";var r=n(9);e.exports=r.isStandardBrowserEnv()?function(){function e(e){var t=e;return n&&(o.setAttribute("href",t),t=o.href),o.setAttribute("href",t),{href:o.href,protocol:o.protocol?o.protocol.replace(/:$/,""):"",host:o.host,search:o.search?o.search.replace(/^\?/,""):"",hash:o.hash?o.hash.replace(/^#/,""):"",hostname:o.hostname,port:o.port,pathname:"/"===o.pathname.charAt(0)?o.pathname:"/"+o.pathname}}var t,n=/(msie|trident)/i.test(navigator.userAgent),o=document.createElement("a");return t=e(window.location.href),function(n){var o=r.isString(n)?e(n):n;return o.protocol===t.protocol&&o.host===t.host}}():function(){return function(){return!0}}()},function(e,t,n){"use strict";var r=n(9);e.exports=function(e,t){r.forEach(e,function(n,r){r!==t&&r.toUpperCase()===t.toUpperCase()&&(e[t]=n,delete e[r])})}},function(e,t,n){"use strict";var r=n(9);e.exports=function(e){var t,n,o,i={};return e?(r.forEach(e.split("\n"),function(e){o=e.indexOf(":"),t=r.trim(e.substr(0,o)).toLowerCase(),n=r.trim(e.substr(o+1)),t&&(i[t]=i[t]?i[t]+", "+n:n)}),i):i}},function(e,t,n){"use strict";e.exports=function(e){return function(t){return e.apply(null,t)}}},function(e,t,n){"use strict";function r(e){return e.replace(o,function(e,t){return t.toUpperCase()})}var o=/-(.)/g;e.exports=r},function(e,t,n){"use strict";function r(e){return o(e.replace(i,"ms-"))}var o=n(174),i=/^-ms-/;e.exports=r},function(e,t,n){"use strict";function r(e,t){return!(!e||!t)&&(e===t||!o(e)&&(o(t)?r(e,t.parentNode):"contains"in e?e.contains(t):!!e.compareDocumentPosition&&!!(16&e.compareDocumentPosition(t))))}var o=n(184);e.exports=r},function(e,t,n){"use strict";function r(e){var t=e.length;if(Array.isArray(e)||"object"!=typeof e&&"function"!=typeof e?a(!1):void 0,"number"!=typeof t?a(!1):void 0,0===t||t-1 in e?void 0:a(!1),"function"==typeof e.callee?a(!1):void 0,e.hasOwnProperty)try{return Array.prototype.slice.call(e)}catch(e){}for(var n=Array(t),r=0;r":a.innerHTML="<"+e+">",s[e]=!a.firstChild),s[e]?d[e]:null}var o=n(8),i=n(1),a=o.canUseDOM?document.createElement("div"):null,s={},u=[1,'"],c=[1,"","
"],l=[3,"","
"],p=[1,'',""],d={"*":[1,"?
","
"],area:[1,"",""],col:[2,"","
"],legend:[1,"
","
"],param:[1,"",""],tr:[2,"","
"],optgroup:u,option:u,caption:c,colgroup:c,tbody:c,tfoot:c,thead:c,td:l,th:l},f=["circle","clipPath","defs","ellipse","g","image","line","linearGradient","mask","path","pattern","polygon","polyline","radialGradient","rect","stop","text","tspan"];f.forEach(function(e){d[e]=p,s[e]=!0}),e.exports=r},function(e,t,n){"use strict";function r(e){return e===window?{x:window.pageXOffset||document.documentElement.scrollLeft,y:window.pageYOffset||document.documentElement.scrollTop}:{x:e.scrollLeft,y:e.scrollTop}}e.exports=r},function(e,t,n){"use strict";function r(e){return e.replace(o,"-$1").toLowerCase()}var o=/([A-Z])/g;e.exports=r},function(e,t,n){"use strict";function r(e){return o(e).replace(i,"-ms-")}var o=n(181),i=/^ms-/;e.exports=r},function(e,t,n){"use strict";function r(e){return!(!e||!("function"==typeof Node?e instanceof Node:"object"==typeof e&&"number"==typeof e.nodeType&&"string"==typeof e.nodeName))}e.exports=r},function(e,t,n){"use strict";function r(e){return o(e)&&3==e.nodeType}var o=n(183);e.exports=r},function(e,t,n){"use strict";function r(e){var t={};return function(n){return t.hasOwnProperty(n)||(t[n]=e.call(this,n)),t[n]}}e.exports=r},,,function(e,t,n){"use strict";function r(e){return null==e?void 0===e?u:s:c&&c in Object(e)?n.i(i.a)(e):n.i(a.a)(e)}var o=n(84),i=n(191),a=n(192),s="[object Null]",u="[object Undefined]",c=o.a?o.a.toStringTag:void 0;t.a=r},function(e,t,n){"use strict";(function(e){var n="object"==typeof e&&e&&e.Object===Object&&e;t.a=n}).call(t,n(66))},function(e,t,n){"use strict";var r=n(193),o=n.i(r.a)(Object.getPrototypeOf,Object);t.a=o},function(e,t,n){"use strict";function r(e){var t=a.call(e,u),n=e[u];try{e[u]=void 0;var r=!0}catch(e){}var o=s.call(e);return r&&(t?e[u]=n:delete e[u]),o}var o=n(84),i=Object.prototype,a=i.hasOwnProperty,s=i.toString,u=o.a?o.a.toStringTag:void 0;t.a=r},function(e,t,n){"use strict";function r(e){return i.call(e)}var o=Object.prototype,i=o.toString;t.a=r},function(e,t,n){"use strict";function r(e,t){return function(n){return e(t(n))}}t.a=r},function(e,t,n){"use strict";var r=n(189),o="object"==typeof self&&self&&self.Object===Object&&self,i=r.a||o||Function("return this")();t.a=i},function(e,t,n){"use strict";function r(e){return null!=e&&"object"==typeof e}t.a=r},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(326))},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(209))},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(215))},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(218))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=t.top&&e.left>=t.left&&e.bottom<=t.bottom&&e.right<=t.right}function i(e,t){return e.top=t.tope.bottom||e.bottom===-1?t.bottom:e.bottom,e.right=t.right>e.right||e.right===-1?t.right:e.right,e.width=e.right-e.left+1,e.height=e.bottom-e.top+1,e}var a=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},s=n(0),u=n(6),c=16,l=100,p=500,d=200,f=10,h=30,m=2,g=2,v={top:-1,bottom:-1,left:-1,right:-1,width:0,height:0},y=function(e){return e.getBoundingClientRect()},_=y,b=y,E=function(e){function t(t){var n=e.call(this,t)||this;return n.state={pages:[]},n._estimatedPageHeight=0,n._totalEstimates=0,n._requiredWindowsAhead=0,n._requiredWindowsBehind=0,n._measureVersion=0,n._onAsyncScroll=n._async.debounce(n._onAsyncScroll,l,{leading:!1,maxWait:p}),n._onAsyncIdle=n._async.debounce(n._onAsyncIdle,d,{leading:!1}),n._onAsyncResize=n._async.debounce(n._onAsyncResize,c,{leading:!1}),n._cachedPageHeights={},n._estimatedPageHeight=0,n._focusedIndex=-1,n._scrollingToIndex=-1,n}return a(t,e),t.prototype.scrollToIndex=function(e,t){for(var n=this.props.startIndex,r=this._getRenderCount(),o=n+r,i=0,a=1,s=n;se;if(u){if(t){for(var c=e-s,l=0;l=f.top&&p<=f.bottom;if(h)return;var m=if.bottom;m||g&&(i=this._scrollElement.scrollTop+(p-f.bottom))}this._scrollElement.scrollTop=i;break}i+=this._getPageHeight(s,a,this._surfaceRect)}},t.prototype.componentDidMount=function(){this._updatePages(),this._measureVersion++,this._scrollElement=u.findScrollableParent(this.refs.root),this._events.on(window,"resize",this._onAsyncResize),this._events.on(this.refs.root,"focus",this._onFocus,!0),this._scrollElement&&(this._events.on(this._scrollElement,"scroll",this._onScroll),this._events.on(this._scrollElement,"scroll",this._onAsyncScroll))},t.prototype.componentWillReceiveProps=function(e){e.items===this.props.items&&e.renderCount===this.props.renderCount&&e.startIndex===this.props.startIndex||(this._measureVersion++,this._updatePages(e))},t.prototype.shouldComponentUpdate=function(e,t){var n=this.props,r=n.renderedWindowsAhead,o=n.renderedWindowsBehind,i=this.state.pages,a=t.pages,s=t.measureVersion,u=!1;if(this._measureVersion===s&&e.renderedWindowsAhead===r,e.renderedWindowsBehind===o,e.items===this.props.items&&i.length===a.length)for(var c=0;ca||n>s)&&this._onAsyncIdle()},t.prototype._onAsyncResize=function(){this.forceUpdate()},t.prototype._updatePages=function(e){var t=this,n=e||this.props,r=n.items,o=n.startIndex,i=n.renderCount;i=this._getRenderCount(e),this._requiredRect||this._updateRenderRects(e);var a=this._buildPages(r,o,i),s=this.state.pages;this.setState(a,function(){var e=t._updatePageMeasurements(s,a.pages);e?(t._materializedRect=null,t._hasCompletedFirstRender?t._onAsyncScroll():(t._hasCompletedFirstRender=!0,t._updatePages())):t._onAsyncIdle()})},t.prototype._updatePageMeasurements=function(e,t){for(var n={},r=!1,o=this._getRenderCount(),i=0;i-1,v=m>=h._allowedRect.top&&s<=h._allowedRect.bottom,y=m>=h._requiredRect.top&&s<=h._requiredRect.bottom,_=!d&&(y||v&&g),b=l>=n&&l0&&a[0].items&&a[0].items.length.ms-MessageBar-dismissal{right:0;top:0;position:absolute!important}.ms-MessageBar-actions,.ms-MessageBar-actionsOneline{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-flex:0;-ms-flex:0 0 auto;flex:0 0 auto;-webkit-box-orient:horizontal;-webkit-box-direction:reverse;-ms-flex-direction:row-reverse;flex-direction:row-reverse;-webkit-box-align:center;-ms-flex-align:center;align-items:center}.ms-MessageBar-actionsOneline{position:relative}.ms-MessageBar-dismissal{min-width:0}.ms-MessageBar-dismissal::-moz-focus-inner{border:0}.ms-MessageBar-dismissal{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-MessageBar-dismissal:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .ms-MessageBar-dismissalOneline .ms-MessageBar-dismissal{margin-right:-8px}html[dir=rtl] .ms-MessageBar-dismissalOneline .ms-MessageBar-dismissal{margin-left:-8px}.ms-MessageBar+.ms-MessageBar{margin-bottom:6px}html[dir=ltr] .ms-MessageBar-innerTextPadding{padding-right:24px}html[dir=rtl] .ms-MessageBar-innerTextPadding{padding-left:24px}html[dir=ltr] .ms-MessageBar-innerTextPadding .ms-MessageBar-innerText>span,html[dir=ltr] .ms-MessageBar-innerTextPadding span{padding-right:4px}html[dir=rtl] .ms-MessageBar-innerTextPadding .ms-MessageBar-innerText>span,html[dir=rtl] .ms-MessageBar-innerTextPadding span{padding-left:4px}.ms-MessageBar-multiline>.ms-MessageBar-content>.ms-MessageBar-actionables{-webkit-box-orient:vertical;-webkit-box-direction:normal;-ms-flex-direction:column;flex-direction:column}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-icon{-webkit-box-align:center;-ms-flex-align:center;-ms-grid-row-align:center;align-items:center}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text{-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center;-webkit-box-align:center;-ms-flex-align:center;-ms-grid-row-align:center;align-items:center}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text .ms-MessageBar-innerText,.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text .ms-MessageBar-innerTextPadding{max-height:1.3em;line-height:1.3em;overflow-x:hidden;text-overflow:ellipsis;white-space:nowrap}.ms-MessageBar-singleline .ms-MessageBar-content>.ms-MessageBar-actionables{-webkit-box-orient:horizontal;-webkit-box-direction:normal;-ms-flex-direction:row;flex-direction:row}.ms-MessageBar .ms-Icon--Cancel{font-size:14px}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(210)),r(n(91))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6);n(214);var u=function(e){function t(t){var n=e.call(this,t)||this;return n.props.onChanged&&(n.props.onChange=n.props.onChanged),n.state={value:t.value||"",hasFocus:!1,id:s.getId("SearchBox")},n}return r(t,e),t.prototype.componentWillReceiveProps=function(e){void 0!==e.value&&this.setState({value:e.value})},t.prototype.render=function(){var e=this.props,t=e.labelText,n=e.className,r=this.state,i=r.value,u=r.hasFocus,c=r.id;return a.createElement("div",o({ref:this._resolveRef("_rootElement"),className:s.css("ms-SearchBox",n,{"is-active":u,"can-clear":i.length>0})},{onFocusCapture:this._onFocusCapture}),a.createElement("i",{className:"ms-SearchBox-icon ms-Icon ms-Icon--Search"}),a.createElement("input",{id:c,className:"ms-SearchBox-field",placeholder:t,onChange:this._onInputChange,onKeyDown:this._onKeyDown,value:i,ref:this._resolveRef("_inputElement")}),a.createElement("div",{className:"ms-SearchBox-clearButton",onClick:this._onClearClick},a.createElement("i",{className:"ms-Icon ms-Icon--Clear"})))},t.prototype.focus=function(){this._inputElement&&this._inputElement.focus()},t.prototype._onClearClick=function(e){this.setState({value:""}),this._callOnChange(""),e.stopPropagation(),e.preventDefault(),this._inputElement.focus()},t.prototype._onFocusCapture=function(e){this.setState({hasFocus:!0}),this._events.on(s.getDocument().body,"focus",this._handleDocumentFocus,!0); -},t.prototype._onKeyDown=function(e){switch(e.which){case s.KeyCodes.escape:this._onClearClick(e);break;case s.KeyCodes.enter:this.props.onSearch&&this.state.value.length>0&&this.props.onSearch(this.state.value);break;default:return}e.preventDefault(),e.stopPropagation()},t.prototype._onInputChange=function(e){this.setState({value:this._inputElement.value}),this._callOnChange(this._inputElement.value)},t.prototype._handleDocumentFocus=function(e){s.elementContains(this._rootElement,e.target)||(this._events.off(s.getDocument().body,"focus"),this.setState({hasFocus:!1}))},t.prototype._callOnChange=function(e){var t=this.props.onChange;t&&t(e)},t}(s.BaseComponent);u.defaultProps={labelText:"Search"},i([s.autobind],u.prototype,"_onClearClick",null),i([s.autobind],u.prototype,"_onFocusCapture",null),i([s.autobind],u.prototype,"_onKeyDown",null),i([s.autobind],u.prototype,"_onInputChange",null),t.SearchBox=u},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:'.ms-SearchBox{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;box-sizing:border-box;margin:0;padding:0;box-shadow:none;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";position:relative;margin-bottom:10px;border:1px solid "},{theme:"themeTertiary",defaultValue:"#71afe5"},{rawString:"}.ms-SearchBox.is-active{border-color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}html[dir=ltr] .ms-SearchBox.is-active .ms-SearchBox-field{padding-left:8px}html[dir=rtl] .ms-SearchBox.is-active .ms-SearchBox-field{padding-right:8px}.ms-SearchBox.is-active .ms-SearchBox-icon{display:none}.ms-SearchBox.is-disabled{border-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-SearchBox.is-disabled .ms-SearchBox-icon{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.ms-SearchBox.is-disabled .ms-SearchBox-field{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";pointer-events:none;cursor:default}.ms-SearchBox.can-clear .ms-SearchBox-clearButton{display:block}.ms-SearchBox:hover .ms-SearchBox-field{border-color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}.ms-SearchBox:hover .ms-SearchBox-label{color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-SearchBox:hover .ms-SearchBox-label .ms-SearchBox-icon{color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}input.ms-SearchBox-field{position:relative;box-sizing:border-box;margin:0;padding:0;box-shadow:none;border:none;outline:transparent 1px solid;font-weight:inherit;font-family:inherit;font-size:inherit;color:"},{theme:"black",defaultValue:"#000000"},{rawString:";height:34px;padding:6px 38px 7px 31px;width:100%;background-color:transparent;-webkit-transition:padding-left 167ms;transition:padding-left 167ms}html[dir=rtl] input.ms-SearchBox-field{padding:6px 31px 7px 38px}html[dir=ltr] input.ms-SearchBox-field:focus{padding-right:32px}html[dir=rtl] input.ms-SearchBox-field:focus{padding-left:32px}input.ms-SearchBox-field::-ms-clear{display:none}.ms-SearchBox-clearButton{display:none;border:none;cursor:pointer;position:absolute;top:0;width:40px;height:36px;line-height:36px;vertical-align:top;color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";text-align:center;font-size:16px}html[dir=ltr] .ms-SearchBox-clearButton{right:0}html[dir=rtl] .ms-SearchBox-clearButton{left:0}.ms-SearchBox-icon{font-size:17px;color:"},{theme:"neutralSecondaryAlt",defaultValue:"#767676"},{rawString:";position:absolute;top:0;height:36px;line-height:36px;vertical-align:top;font-size:16px;width:16px;color:#0078d7}html[dir=ltr] .ms-SearchBox-icon{left:8px}html[dir=rtl] .ms-SearchBox-icon{right:8px}html[dir=ltr] .ms-SearchBox-icon{margin-right:6px}html[dir=rtl] .ms-SearchBox-icon{margin-left:6px}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(213))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(0),i=n(6),a=n(92);n(217);var s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return r(t,e),t.prototype.render=function(){var e=this.props,t=e.type,n=e.size,r=e.label,s=e.className;return o.createElement("div",{className:i.css("ms-Spinner",s)},o.createElement("div",{className:i.css("ms-Spinner-circle",{"ms-Spinner--xSmall":n===a.SpinnerSize.xSmall},{"ms-Spinner--small":n===a.SpinnerSize.small},{"ms-Spinner--medium":n===a.SpinnerSize.medium},{"ms-Spinner--large":n===a.SpinnerSize.large},{"ms-Spinner--normal":t===a.SpinnerType.normal},{"ms-Spinner--large":t===a.SpinnerType.large})}),r&&o.createElement("div",{className:"ms-Spinner-label"},r))},t}(o.Component);s.defaultProps={size:a.SpinnerSize.medium},t.Spinner=s},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:"@-webkit-keyframes ms-Spinner-spin{0%{-webkit-transform:rotate(0);transform:rotate(0)}100%{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}@keyframes ms-Spinner-spin{0%{-webkit-transform:rotate(0);transform:rotate(0)}100%{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}.ms-Spinner>.ms-Spinner-circle{margin:auto;box-sizing:border-box;border-radius:50%;width:100%;height:100%;border:1.5px solid "},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";border-top-color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";-webkit-animation:ms-Spinner-spin 1.3s infinite cubic-bezier(.53,.21,.29,.67);animation:ms-Spinner-spin 1.3s infinite cubic-bezier(.53,.21,.29,.67)}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--xSmall{width:12px;height:12px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--small{width:16px;height:16px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--medium,.ms-Spinner>.ms-Spinner-circle.ms-Spinner--normal{width:20px;height:20px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--large{width:28px;height:28px}.ms-Spinner>.ms-Spinner-label{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";margin-top:10px;text-align:center}@media screen and (-ms-high-contrast:active){.ms-Spinner>.ms-Spinner-circle{border-top-style:none}}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(216)),r(n(92))},function(e,t,n){"use strict";var r={Properties:{"aria-current":0,"aria-details":0,"aria-disabled":0,"aria-hidden":0,"aria-invalid":0,"aria-keyshortcuts":0,"aria-label":0,"aria-roledescription":0,"aria-autocomplete":0,"aria-checked":0,"aria-expanded":0,"aria-haspopup":0,"aria-level":0,"aria-modal":0,"aria-multiline":0,"aria-multiselectable":0,"aria-orientation":0,"aria-placeholder":0,"aria-pressed":0,"aria-readonly":0,"aria-required":0,"aria-selected":0,"aria-sort":0,"aria-valuemax":0,"aria-valuemin":0,"aria-valuenow":0,"aria-valuetext":0,"aria-atomic":0,"aria-busy":0,"aria-live":0,"aria-relevant":0,"aria-dropeffect":0,"aria-grabbed":0,"aria-activedescendant":0,"aria-colcount":0,"aria-colindex":0,"aria-colspan":0,"aria-controls":0,"aria-describedby":0,"aria-errormessage":0,"aria-flowto":0,"aria-labelledby":0,"aria-owns":0,"aria-posinset":0,"aria-rowcount":0,"aria-rowindex":0,"aria-rowspan":0,"aria-setsize":0},DOMAttributeNames:{},DOMPropertyNames:{}};e.exports=r},function(e,t,n){"use strict";var r=n(5),o=n(82),i={focusDOMComponent:function(){o(r.getNodeFromInstance(this))}};e.exports=i},function(e,t,n){"use strict";function r(){var e=window.opera;return"object"==typeof e&&"function"==typeof e.version&&parseInt(e.version(),10)<=12}function o(e){return(e.ctrlKey||e.altKey||e.metaKey)&&!(e.ctrlKey&&e.altKey)}function i(e){switch(e){case"topCompositionStart":return T.compositionStart;case"topCompositionEnd":return T.compositionEnd;case"topCompositionUpdate":return T.compositionUpdate}}function a(e,t){return"topKeyDown"===e&&t.keyCode===_}function s(e,t){switch(e){case"topKeyUp":return y.indexOf(t.keyCode)!==-1;case"topKeyDown":return t.keyCode!==_;case"topKeyPress":case"topMouseDown":case"topBlur":return!0;default:return!1}}function u(e){var t=e.detail;return"object"==typeof t&&"data"in t?t.data:null}function c(e,t,n,r){var o,c;if(b?o=i(e):I?s(e,n)&&(o=T.compositionEnd):a(e,n)&&(o=T.compositionStart),!o)return null;C&&(I||o!==T.compositionStart?o===T.compositionEnd&&I&&(c=I.getData()):I=m.getPooled(r));var l=g.getPooled(o,t,n,r);if(c)l.data=c;else{var p=u(n);null!==p&&(l.data=p)}return f.accumulateTwoPhaseDispatches(l),l}function l(e,t){switch(e){case"topCompositionEnd":return u(t);case"topKeyPress":var n=t.which;return n!==S?null:(P=!0,x);case"topTextInput":var r=t.data;return r===x&&P?null:r;default:return null}}function p(e,t){if(I){if("topCompositionEnd"===e||!b&&s(e,t)){var n=I.getData();return m.release(I),I=null,n}return null}switch(e){case"topPaste":return null;case"topKeyPress":return t.which&&!o(t)?String.fromCharCode(t.which):null;case"topCompositionEnd":return C?null:t.data;default:return null}}function d(e,t,n,r){var o;if(o=w?l(e,n):p(e,n),!o)return null;var i=v.getPooled(T.beforeInput,t,n,r);return i.data=o,f.accumulateTwoPhaseDispatches(i),i}var f=n(28),h=n(8),m=n(227),g=n(264),v=n(267),y=[9,13,27,32],_=229,b=h.canUseDOM&&"CompositionEvent"in window,E=null;h.canUseDOM&&"documentMode"in document&&(E=document.documentMode);var w=h.canUseDOM&&"TextEvent"in window&&!E&&!r(),C=h.canUseDOM&&(!b||E&&E>8&&E<=11),S=32,x=String.fromCharCode(S),T={beforeInput:{phasedRegistrationNames:{bubbled:"onBeforeInput",captured:"onBeforeInputCapture"},dependencies:["topCompositionEnd","topKeyPress","topTextInput","topPaste"]},compositionEnd:{phasedRegistrationNames:{bubbled:"onCompositionEnd",captured:"onCompositionEndCapture"},dependencies:["topBlur","topCompositionEnd","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]},compositionStart:{phasedRegistrationNames:{bubbled:"onCompositionStart",captured:"onCompositionStartCapture"},dependencies:["topBlur","topCompositionStart","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]},compositionUpdate:{phasedRegistrationNames:{bubbled:"onCompositionUpdate",captured:"onCompositionUpdateCapture"},dependencies:["topBlur","topCompositionUpdate","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]}},P=!1,I=null,k={eventTypes:T,extractEvents:function(e,t,n,r){return[c(e,t,n,r),d(e,t,n,r)]}};e.exports=k},function(e,t,n){"use strict";var r=n(93),o=n(8),i=(n(11),n(175),n(273)),a=n(182),s=n(185),u=(n(2),s(function(e){return a(e)})),c=!1,l="cssFloat";if(o.canUseDOM){var p=document.createElement("div").style;try{p.font=""}catch(e){c=!0}void 0===document.documentElement.style.cssFloat&&(l="styleFloat")}var d={createMarkupForStyles:function(e,t){var n="";for(var r in e)if(e.hasOwnProperty(r)){var o=e[r];null!=o&&(n+=u(r)+":",n+=i(r,o,t)+";")}return n||null},setValueForStyles:function(e,t,n){var o=e.style;for(var a in t)if(t.hasOwnProperty(a)){var s=i(a,t[a],n);if("float"!==a&&"cssFloat"!==a||(a=l),s)o[a]=s;else{var u=c&&r.shorthandPropertyExpansions[a];if(u)for(var p in u)o[p]="";else o[a]=""}}}};e.exports=d},function(e,t,n){"use strict";function r(e){var t=e.nodeName&&e.nodeName.toLowerCase();return"select"===t||"input"===t&&"file"===e.type}function o(e){var t=C.getPooled(P.change,k,e,S(e));_.accumulateTwoPhaseDispatches(t),w.batchedUpdates(i,t)}function i(e){y.enqueueEvents(e),y.processEventQueue(!1)}function a(e,t){I=e,k=t,I.attachEvent("onchange",o)}function s(){I&&(I.detachEvent("onchange",o),I=null,k=null)}function u(e,t){if("topChange"===e)return t}function c(e,t,n){"topFocus"===e?(s(),a(t,n)):"topBlur"===e&&s()}function l(e,t){I=e,k=t,O=e.value,M=Object.getOwnPropertyDescriptor(e.constructor.prototype,"value"),Object.defineProperty(I,"value",R),I.attachEvent?I.attachEvent("onpropertychange",d):I.addEventListener("propertychange",d,!1)}function p(){I&&(delete I.value,I.detachEvent?I.detachEvent("onpropertychange",d):I.removeEventListener("propertychange",d,!1),I=null,k=null,O=null,M=null)}function d(e){if("value"===e.propertyName){var t=e.srcElement.value;t!==O&&(O=t,o(e))}}function f(e,t){if("topInput"===e)return t}function h(e,t,n){"topFocus"===e?(p(),l(t,n)):"topBlur"===e&&p()}function m(e,t){if(("topSelectionChange"===e||"topKeyUp"===e||"topKeyDown"===e)&&I&&I.value!==O)return O=I.value,k}function g(e){return e.nodeName&&"input"===e.nodeName.toLowerCase()&&("checkbox"===e.type||"radio"===e.type)}function v(e,t){if("topClick"===e)return t}var y=n(27),_=n(28),b=n(8),E=n(5),w=n(12),C=n(13),S=n(59),x=n(60),T=n(110),P={change:{phasedRegistrationNames:{bubbled:"onChange",captured:"onChangeCapture"},dependencies:["topBlur","topChange","topClick","topFocus","topInput","topKeyDown","topKeyUp","topSelectionChange"]}},I=null,k=null,O=null,M=null,A=!1;b.canUseDOM&&(A=x("change")&&(!document.documentMode||document.documentMode>8));var B=!1;b.canUseDOM&&(B=x("input")&&(!document.documentMode||document.documentMode>11));var R={get:function(){return M.get.call(this)},set:function(e){O=""+e,M.set.call(this,e)}},N={eventTypes:P,extractEvents:function(e,t,n,o){var i,a,s=t?E.getNodeFromInstance(t):window;if(r(s)?A?i=u:a=c:T(s)?B?i=f:(i=m,a=h):g(s)&&(i=v),i){var l=i(e,t);if(l){var p=C.getPooled(P.change,l,n,o);return p.type="change",_.accumulateTwoPhaseDispatches(p),p}}a&&a(e,s,t)}};e.exports=N},function(e,t,n){"use strict";var r=n(3),o=n(19),i=n(8),a=n(178),s=n(10),u=(n(1),{dangerouslyReplaceNodeWithMarkup:function(e,t){if(i.canUseDOM?void 0:r("56"),t?void 0:r("57"),"HTML"===e.nodeName?r("58"):void 0,"string"==typeof t){var n=a(t,s)[0];e.parentNode.replaceChild(n,e)}else o.replaceChildWithTree(e,t)}});e.exports=u},function(e,t,n){"use strict";var r=["ResponderEventPlugin","SimpleEventPlugin","TapEventPlugin","EnterLeaveEventPlugin","ChangeEventPlugin","SelectEventPlugin","BeforeInputEventPlugin"];e.exports=r},function(e,t,n){"use strict";var r=n(28),o=n(5),i=n(35),a={mouseEnter:{registrationName:"onMouseEnter",dependencies:["topMouseOut","topMouseOver"]},mouseLeave:{registrationName:"onMouseLeave",dependencies:["topMouseOut","topMouseOver"]}},s={eventTypes:a,extractEvents:function(e,t,n,s){if("topMouseOver"===e&&(n.relatedTarget||n.fromElement))return null;if("topMouseOut"!==e&&"topMouseOver"!==e)return null;var u;if(s.window===s)u=s;else{var c=s.ownerDocument;u=c?c.defaultView||c.parentWindow:window}var l,p;if("topMouseOut"===e){l=t;var d=n.relatedTarget||n.toElement;p=d?o.getClosestInstanceFromNode(d):null}else l=null,p=t;if(l===p)return null;var f=null==l?u:o.getNodeFromInstance(l),h=null==p?u:o.getNodeFromInstance(p),m=i.getPooled(a.mouseLeave,l,n,s);m.type="mouseleave",m.target=f,m.relatedTarget=h;var g=i.getPooled(a.mouseEnter,p,n,s);return g.type="mouseenter",g.target=h,g.relatedTarget=f,r.accumulateEnterLeaveDispatches(m,g,l,p),[m,g]}};e.exports=s},function(e,t,n){"use strict";function r(e){this._root=e,this._startText=this.getText(),this._fallbackText=null}var o=n(4),i=n(15),a=n(108);o(r.prototype,{destructor:function(){this._root=null,this._startText=null,this._fallbackText=null},getText:function(){return"value"in this._root?this._root.value:this._root[a()]},getData:function(){if(this._fallbackText)return this._fallbackText;var e,t,n=this._startText,r=n.length,o=this.getText(),i=o.length;for(e=0;e1?1-t:void 0;return this._fallbackText=o.slice(e,s),this._fallbackText}}),i.addPoolingTo(r),e.exports=r},function(e,t,n){"use strict";var r=n(20),o=r.injection.MUST_USE_PROPERTY,i=r.injection.HAS_BOOLEAN_VALUE,a=r.injection.HAS_NUMERIC_VALUE,s=r.injection.HAS_POSITIVE_NUMERIC_VALUE,u=r.injection.HAS_OVERLOADED_BOOLEAN_VALUE,c={isCustomAttribute:RegExp.prototype.test.bind(new RegExp("^(data|aria)-["+r.ATTRIBUTE_NAME_CHAR+"]*$")),Properties:{accept:0,acceptCharset:0,accessKey:0,action:0,allowFullScreen:i,allowTransparency:0,alt:0,as:0,async:i,autoComplete:0,autoPlay:i,capture:i,cellPadding:0,cellSpacing:0,charSet:0,challenge:0,checked:o|i,cite:0,classID:0,className:0,cols:s,colSpan:0,content:0,contentEditable:0,contextMenu:0,controls:i,coords:0,crossOrigin:0,data:0,dateTime:0,default:i,defer:i,dir:0,disabled:i,download:u,draggable:0,encType:0,form:0,formAction:0,formEncType:0,formMethod:0,formNoValidate:i,formTarget:0,frameBorder:0,headers:0,height:0,hidden:i,high:0,href:0,hrefLang:0,htmlFor:0,httpEquiv:0,icon:0,id:0,inputMode:0,integrity:0,is:0,keyParams:0,keyType:0,kind:0,label:0,lang:0,list:0,loop:i,low:0,manifest:0,marginHeight:0,marginWidth:0,max:0,maxLength:0,media:0,mediaGroup:0,method:0,min:0,minLength:0,multiple:o|i,muted:o|i,name:0,nonce:0,noValidate:i,open:i,optimum:0,pattern:0,placeholder:0,playsInline:i,poster:0,preload:0,profile:0,radioGroup:0,readOnly:i,referrerPolicy:0,rel:0,required:i,reversed:i,role:0,rows:s,rowSpan:a,sandbox:0,scope:0,scoped:i,scrolling:0,seamless:i,selected:o|i,shape:0,size:s,sizes:0,span:s,spellCheck:0,src:0,srcDoc:0,srcLang:0,srcSet:0,start:a,step:0,style:0,summary:0,tabIndex:0,target:0,title:0,type:0,useMap:0,value:0,width:0,wmode:0,wrap:0,about:0,datatype:0,inlist:0,prefix:0,property:0,resource:0,typeof:0,vocab:0,autoCapitalize:0,autoCorrect:0,autoSave:0,color:0,itemProp:0,itemScope:i,itemType:0,itemID:0,itemRef:0,results:0,security:0,unselectable:0},DOMAttributeNames:{acceptCharset:"accept-charset",className:"class",htmlFor:"for",httpEquiv:"http-equiv"},DOMPropertyNames:{}};e.exports=c},function(e,t,n){"use strict";(function(t){function r(e,t,n,r){var o=void 0===e[n];null!=t&&o&&(e[n]=i(t,!0))}var o=n(21),i=n(109),a=(n(51),n(61)),s=n(112);n(2);"undefined"!=typeof t&&n.i({NODE_ENV:"production"}),1;var u={instantiateChildren:function(e,t,n,o){if(null==e)return null;var i={};return s(e,r,i),i},updateChildren:function(e,t,n,r,s,u,c,l,p){if(t||e){var d,f;for(d in t)if(t.hasOwnProperty(d)){f=e&&e[d];var h=f&&f._currentElement,m=t[d];if(null!=f&&a(h,m))o.receiveComponent(f,m,s,l),t[d]=f;else{f&&(r[d]=o.getHostNode(f),o.unmountComponent(f,!1));var g=i(m,!0);t[d]=g;var v=o.mountComponent(g,s,u,c,l,p);n.push(v)}}for(d in e)!e.hasOwnProperty(d)||t&&t.hasOwnProperty(d)||(f=e[d],r[d]=o.getHostNode(f),o.unmountComponent(f,!1))}},unmountChildren:function(e,t){for(var n in e)if(e.hasOwnProperty(n)){var r=e[n];o.unmountComponent(r,t)}}};e.exports=u}).call(t,n(33))},function(e,t,n){"use strict";var r=n(47),o=n(237),i={processChildrenUpdates:o.dangerouslyProcessChildrenUpdates,replaceNodeWithMarkup:r.dangerouslyReplaceNodeWithMarkup};e.exports=i},function(e,t,n){"use strict";function r(e){}function o(e,t){}function i(e){return!(!e.prototype||!e.prototype.isReactComponent)}function a(e){return!(!e.prototype||!e.prototype.isPureReactComponent)}var s=n(3),u=n(4),c=n(22),l=n(53),p=n(14),d=n(54),f=n(29),h=(n(11),n(103)),m=n(21),g=n(25),v=(n(1),n(44)),y=n(61),_=(n(2),{ImpureClass:0,PureClass:1,StatelessFunctional:2});r.prototype.render=function(){var e=f.get(this)._currentElement.type,t=e(this.props,this.context,this.updater);return o(e,t),t};var b=1,E={construct:function(e){this._currentElement=e,this._rootNodeID=0,this._compositeType=null,this._instance=null,this._hostParent=null,this._hostContainerInfo=null,this._updateBatchNumber=null,this._pendingElement=null,this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1,this._renderedNodeType=null,this._renderedComponent=null,this._context=null,this._mountOrder=0,this._topLevelWrapper=null,this._pendingCallbacks=null,this._calledComponentWillUnmount=!1},mountComponent:function(e,t,n,u){this._context=u,this._mountOrder=b++,this._hostParent=t,this._hostContainerInfo=n;var l,p=this._currentElement.props,d=this._processContext(u),h=this._currentElement.type,m=e.getUpdateQueue(),v=i(h),y=this._constructComponent(v,p,d,m);v||null!=y&&null!=y.render?a(h)?this._compositeType=_.PureClass:this._compositeType=_.ImpureClass:(l=y,o(h,l),null===y||y===!1||c.isValidElement(y)?void 0:s("105",h.displayName||h.name||"Component"),y=new r(h),this._compositeType=_.StatelessFunctional);y.props=p,y.context=d,y.refs=g,y.updater=m,this._instance=y,f.set(y,this);var E=y.state;void 0===E&&(y.state=E=null),"object"!=typeof E||Array.isArray(E)?s("106",this.getName()||"ReactCompositeComponent"):void 0,this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1;var w;return w=y.unstable_handleError?this.performInitialMountWithErrorHandling(l,t,n,e,u):this.performInitialMount(l,t,n,e,u),y.componentDidMount&&e.getReactMountReady().enqueue(y.componentDidMount,y),w},_constructComponent:function(e,t,n,r){return this._constructComponentWithoutOwner(e,t,n,r)},_constructComponentWithoutOwner:function(e,t,n,r){var o=this._currentElement.type;return e?new o(t,n,r):o(t,n,r)},performInitialMountWithErrorHandling:function(e,t,n,r,o){var i,a=r.checkpoint();try{i=this.performInitialMount(e,t,n,r,o)}catch(s){r.rollback(a),this._instance.unstable_handleError(s),this._pendingStateQueue&&(this._instance.state=this._processPendingState(this._instance.props,this._instance.context)),a=r.checkpoint(),this._renderedComponent.unmountComponent(!0),r.rollback(a),i=this.performInitialMount(e,t,n,r,o)}return i},performInitialMount:function(e,t,n,r,o){var i=this._instance,a=0;i.componentWillMount&&(i.componentWillMount(),this._pendingStateQueue&&(i.state=this._processPendingState(i.props,i.context))),void 0===e&&(e=this._renderValidatedComponent());var s=h.getType(e);this._renderedNodeType=s;var u=this._instantiateReactComponent(e,s!==h.EMPTY);this._renderedComponent=u;var c=m.mountComponent(u,r,t,n,this._processChildContext(o),a);return c},getHostNode:function(){return m.getHostNode(this._renderedComponent)},unmountComponent:function(e){if(this._renderedComponent){var t=this._instance;if(t.componentWillUnmount&&!t._calledComponentWillUnmount)if(t._calledComponentWillUnmount=!0,e){var n=this.getName()+".componentWillUnmount()";d.invokeGuardedCallback(n,t.componentWillUnmount.bind(t))}else t.componentWillUnmount();this._renderedComponent&&(m.unmountComponent(this._renderedComponent,e),this._renderedNodeType=null,this._renderedComponent=null,this._instance=null),this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1,this._pendingCallbacks=null,this._pendingElement=null,this._context=null,this._rootNodeID=0,this._topLevelWrapper=null,f.remove(t)}},_maskContext:function(e){var t=this._currentElement.type,n=t.contextTypes;if(!n)return g;var r={};for(var o in n)r[o]=e[o];return r},_processContext:function(e){var t=this._maskContext(e);return t},_processChildContext:function(e){var t,n=this._currentElement.type,r=this._instance;if(r.getChildContext&&(t=r.getChildContext()),t){"object"!=typeof n.childContextTypes?s("107",this.getName()||"ReactCompositeComponent"):void 0;for(var o in t)o in n.childContextTypes?void 0:s("108",this.getName()||"ReactCompositeComponent",o);return u({},e,t)}return e},_checkContextTypes:function(e,t,n){},receiveComponent:function(e,t,n){var r=this._currentElement,o=this._context;this._pendingElement=null,this.updateComponent(t,r,e,o,n)},performUpdateIfNecessary:function(e){null!=this._pendingElement?m.receiveComponent(this,this._pendingElement,e,this._context):null!==this._pendingStateQueue||this._pendingForceUpdate?this.updateComponent(e,this._currentElement,this._currentElement,this._context,this._context):this._updateBatchNumber=null},updateComponent:function(e,t,n,r,o){var i=this._instance;null==i?s("136",this.getName()||"ReactCompositeComponent"):void 0;var a,u=!1;this._context===o?a=i.context:(a=this._processContext(o),u=!0);var c=t.props,l=n.props;t!==n&&(u=!0),u&&i.componentWillReceiveProps&&i.componentWillReceiveProps(l,a);var p=this._processPendingState(l,a),d=!0;this._pendingForceUpdate||(i.shouldComponentUpdate?d=i.shouldComponentUpdate(l,p,a):this._compositeType===_.PureClass&&(d=!v(c,l)||!v(i.state,p))),this._updateBatchNumber=null,d?(this._pendingForceUpdate=!1,this._performComponentUpdate(n,l,p,a,e,o)):(this._currentElement=n,this._context=o,i.props=l,i.state=p,i.context=a)},_processPendingState:function(e,t){var n=this._instance,r=this._pendingStateQueue,o=this._pendingReplaceState;if(this._pendingReplaceState=!1,this._pendingStateQueue=null,!r)return n.state;if(o&&1===r.length)return r[0];for(var i=u({},o?r[0]:n.state),a=o?1:0;a=0||null!=t.is}function h(e){var t=e.type;d(t),this._currentElement=e,this._tag=t.toLowerCase(),this._namespaceURI=null,this._renderedChildren=null,this._previousStyle=null,this._previousStyleCopy=null,this._hostNode=null,this._hostParent=null,this._rootNodeID=0,this._domID=0,this._hostContainerInfo=null,this._wrapperState=null,this._topLevelWrapper=null,this._flags=0}var m=n(3),g=n(4),v=n(220),y=n(222),_=n(19),b=n(48),E=n(20),w=n(95),C=n(27),S=n(49),x=n(34),T=n(96),P=n(5),I=n(238),k=n(239),O=n(97),M=n(242),A=(n(11),n(251)),B=n(256),R=(n(10),n(37)),N=(n(1),n(60),n(44),n(62),n(2),T),D=C.deleteListener,F=P.getNodeFromInstance,L=x.listenTo,U=S.registrationNameModules,j={string:!0,number:!0},V="style",W="__html",H={children:null,dangerouslySetInnerHTML:null,suppressContentEditableWarning:null},q=11,z={topAbort:"abort",topCanPlay:"canplay",topCanPlayThrough:"canplaythrough",topDurationChange:"durationchange",topEmptied:"emptied",topEncrypted:"encrypted",topEnded:"ended",topError:"error",topLoadedData:"loadeddata",topLoadedMetadata:"loadedmetadata",topLoadStart:"loadstart",topPause:"pause",topPlay:"play",topPlaying:"playing",topProgress:"progress",topRateChange:"ratechange",topSeeked:"seeked",topSeeking:"seeking",topStalled:"stalled",topSuspend:"suspend",topTimeUpdate:"timeupdate",topVolumeChange:"volumechange",topWaiting:"waiting"},K={area:!0,base:!0,br:!0,col:!0,embed:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0},G={listing:!0,pre:!0,textarea:!0},Y=g({menuitem:!0},K),X=/^[a-zA-Z][a-zA-Z:_\.\-\d]*$/,Z={},Q={}.hasOwnProperty,$=1;h.displayName="ReactDOMComponent",h.Mixin={mountComponent:function(e,t,n,r){this._rootNodeID=$++,this._domID=n._idCounter++,this._hostParent=t,this._hostContainerInfo=n;var i=this._currentElement.props;switch(this._tag){case"audio":case"form":case"iframe":case"img":case"link":case"object":case"source":case"video":this._wrapperState={listeners:null},e.getReactMountReady().enqueue(l,this);break;case"input":I.mountWrapper(this,i,t),i=I.getHostProps(this,i),e.getReactMountReady().enqueue(l,this);break;case"option":k.mountWrapper(this,i,t),i=k.getHostProps(this,i);break;case"select":O.mountWrapper(this,i,t),i=O.getHostProps(this,i),e.getReactMountReady().enqueue(l,this);break;case"textarea":M.mountWrapper(this,i,t),i=M.getHostProps(this,i),e.getReactMountReady().enqueue(l,this)}o(this,i);var a,p;null!=t?(a=t._namespaceURI,p=t._tag):n._tag&&(a=n._namespaceURI,p=n._tag),(null==a||a===b.svg&&"foreignobject"===p)&&(a=b.html),a===b.html&&("svg"===this._tag?a=b.svg:"math"===this._tag&&(a=b.mathml)),this._namespaceURI=a;var d;if(e.useCreateElement){var f,h=n._ownerDocument;if(a===b.html)if("script"===this._tag){var m=h.createElement("div"),g=this._currentElement.type;m.innerHTML="<"+g+">",f=m.removeChild(m.firstChild)}else f=i.is?h.createElement(this._currentElement.type,i.is):h.createElement(this._currentElement.type);else f=h.createElementNS(a,this._currentElement.type); -P.precacheNode(this,f),this._flags|=N.hasCachedChildNodes,this._hostParent||w.setAttributeForRoot(f),this._updateDOMProperties(null,i,e);var y=_(f);this._createInitialChildren(e,i,r,y),d=y}else{var E=this._createOpenTagMarkupAndPutListeners(e,i),C=this._createContentMarkup(e,i,r);d=!C&&K[this._tag]?E+"/>":E+">"+C+""}switch(this._tag){case"input":e.getReactMountReady().enqueue(s,this),i.autoFocus&&e.getReactMountReady().enqueue(v.focusDOMComponent,this);break;case"textarea":e.getReactMountReady().enqueue(u,this),i.autoFocus&&e.getReactMountReady().enqueue(v.focusDOMComponent,this);break;case"select":i.autoFocus&&e.getReactMountReady().enqueue(v.focusDOMComponent,this);break;case"button":i.autoFocus&&e.getReactMountReady().enqueue(v.focusDOMComponent,this);break;case"option":e.getReactMountReady().enqueue(c,this)}return d},_createOpenTagMarkupAndPutListeners:function(e,t){var n="<"+this._currentElement.type;for(var r in t)if(t.hasOwnProperty(r)){var o=t[r];if(null!=o)if(U.hasOwnProperty(r))o&&i(this,r,o,e);else{r===V&&(o&&(o=this._previousStyleCopy=g({},t.style)),o=y.createMarkupForStyles(o,this));var a=null;null!=this._tag&&f(this._tag,t)?H.hasOwnProperty(r)||(a=w.createMarkupForCustomAttribute(r,o)):a=w.createMarkupForProperty(r,o),a&&(n+=" "+a)}}return e.renderToStaticMarkup?n:(this._hostParent||(n+=" "+w.createMarkupForRoot()),n+=" "+w.createMarkupForID(this._domID))},_createContentMarkup:function(e,t,n){var r="",o=t.dangerouslySetInnerHTML;if(null!=o)null!=o.__html&&(r=o.__html);else{var i=j[typeof t.children]?t.children:null,a=null!=i?null:t.children;if(null!=i)r=R(i);else if(null!=a){var s=this.mountChildren(a,e,n);r=s.join("")}}return G[this._tag]&&"\n"===r.charAt(0)?"\n"+r:r},_createInitialChildren:function(e,t,n,r){var o=t.dangerouslySetInnerHTML;if(null!=o)null!=o.__html&&_.queueHTML(r,o.__html);else{var i=j[typeof t.children]?t.children:null,a=null!=i?null:t.children;if(null!=i)""!==i&&_.queueText(r,i);else if(null!=a)for(var s=this.mountChildren(a,e,n),u=0;u"},receiveComponent:function(){},getHostNode:function(){return i.getNodeFromInstance(this)},unmountComponent:function(){i.uncacheNode(this)}}),e.exports=a},function(e,t,n){"use strict";var r={useCreateElement:!0,useFiber:!1};e.exports=r},function(e,t,n){"use strict";var r=n(47),o=n(5),i={dangerouslyProcessChildrenUpdates:function(e,t){var n=o.getNodeFromInstance(e);r.processUpdates(n,t)}};e.exports=i},function(e,t,n){"use strict";function r(){this._rootNodeID&&p.updateWrapper(this)}function o(e){var t=this._currentElement.props,n=u.executeOnChange(t,e);l.asap(r,this);var o=t.name;if("radio"===t.type&&null!=o){for(var a=c.getNodeFromInstance(this),s=a;s.parentNode;)s=s.parentNode;for(var p=s.querySelectorAll("input[name="+JSON.stringify(""+o)+'][type="radio"]'),d=0;dt.end?(n=t.end,r=t.start):(n=t.start,r=t.end),o.moveToElementText(e),o.moveStart("character",n),o.setEndPoint("EndToStart",o),o.moveEnd("character",r-n),o.select()}function s(e,t){if(window.getSelection){var n=window.getSelection(),r=e[l()].length,o=Math.min(t.start,r),i=void 0===t.end?o:Math.min(t.end,r);if(!n.extend&&o>i){var a=i;i=o,o=a}var s=c(e,o),u=c(e,i);if(s&&u){var p=document.createRange();p.setStart(s.node,s.offset),n.removeAllRanges(),o>i?(n.addRange(p),n.extend(u.node,u.offset)):(p.setEnd(u.node,u.offset),n.addRange(p))}}}var u=n(8),c=n(279),l=n(108),p=u.canUseDOM&&"selection"in document&&!("getSelection"in window),d={getOffsets:p?o:i,setOffsets:p?a:s};e.exports=d},function(e,t,n){"use strict";var r=n(3),o=n(4),i=n(47),a=n(19),s=n(5),u=n(37),c=(n(1),n(62),function(e){this._currentElement=e,this._stringText=""+e,this._hostNode=null,this._hostParent=null,this._domID=0,this._mountIndex=0,this._closingComment=null,this._commentNodes=null});o(c.prototype,{mountComponent:function(e,t,n,r){var o=n._idCounter++,i=" react-text: "+o+" ",c=" /react-text ";if(this._domID=o,this._hostParent=t,e.useCreateElement){var l=n._ownerDocument,p=l.createComment(i),d=l.createComment(c),f=a(l.createDocumentFragment());return a.queueChild(f,a(p)),this._stringText&&a.queueChild(f,a(l.createTextNode(this._stringText))),a.queueChild(f,a(d)),s.precacheNode(this,p),this._closingComment=d,f}var h=u(this._stringText);return e.renderToStaticMarkup?h:""+h+""},receiveComponent:function(e,t){if(e!==this._currentElement){this._currentElement=e;var n=""+e;if(n!==this._stringText){this._stringText=n;var r=this.getHostNode();i.replaceDelimitedText(r[0],r[1],n)}}},getHostNode:function(){var e=this._commentNodes;if(e)return e;if(!this._closingComment)for(var t=s.getNodeFromInstance(this),n=t.nextSibling;;){if(null==n?r("67",this._domID):void 0,8===n.nodeType&&" /react-text "===n.nodeValue){this._closingComment=n;break}n=n.nextSibling}return e=[this._hostNode,this._closingComment],this._commentNodes=e,e},unmountComponent:function(){this._closingComment=null,this._commentNodes=null,s.uncacheNode(this)}}),e.exports=c},function(e,t,n){"use strict";function r(){this._rootNodeID&&l.updateWrapper(this)}function o(e){var t=this._currentElement.props,n=s.executeOnChange(t,e);return c.asap(r,this),n}var i=n(3),a=n(4),s=n(52),u=n(5),c=n(12),l=(n(1),n(2),{getHostProps:function(e,t){null!=t.dangerouslySetInnerHTML?i("91"):void 0;var n=a({},t,{value:void 0,defaultValue:void 0,children:""+e._wrapperState.initialValue,onChange:e._wrapperState.onChange});return n},mountWrapper:function(e,t){var n=s.getValue(t),r=n;if(null==n){var a=t.defaultValue,u=t.children;null!=u&&(null!=a?i("92"):void 0,Array.isArray(u)&&(u.length<=1?void 0:i("93"),u=u[0]),a=""+u),null==a&&(a=""),r=a}e._wrapperState={initialValue:""+r,listeners:null,onChange:o.bind(e)}},updateWrapper:function(e){var t=e._currentElement.props,n=u.getNodeFromInstance(e),r=s.getValue(t);if(null!=r){var o=""+r;o!==n.value&&(n.value=o),null==t.defaultValue&&(n.defaultValue=o)}null!=t.defaultValue&&(n.defaultValue=t.defaultValue)},postMountWrapper:function(e){var t=u.getNodeFromInstance(e),n=t.textContent;n===e._wrapperState.initialValue&&(t.value=n)}});e.exports=l},function(e,t,n){"use strict";function r(e,t){"_hostNode"in e?void 0:u("33"),"_hostNode"in t?void 0:u("33");for(var n=0,r=e;r;r=r._hostParent)n++;for(var o=0,i=t;i;i=i._hostParent)o++;for(;n-o>0;)e=e._hostParent,n--;for(;o-n>0;)t=t._hostParent,o--;for(var a=n;a--;){if(e===t)return e;e=e._hostParent,t=t._hostParent}return null}function o(e,t){"_hostNode"in e?void 0:u("35"),"_hostNode"in t?void 0:u("35");for(;t;){if(t===e)return!0;t=t._hostParent}return!1}function i(e){return"_hostNode"in e?void 0:u("36"),e._hostParent}function a(e,t,n){for(var r=[];e;)r.push(e),e=e._hostParent;var o;for(o=r.length;o-- >0;)t(r[o],"captured",n);for(o=0;o0;)n(u[c],"captured",i)}var u=n(3);n(1);e.exports={isAncestor:o,getLowestCommonAncestor:r,getParentInstance:i,traverseTwoPhase:a,traverseEnterLeave:s}},function(e,t,n){"use strict";function r(){this.reinitializeTransaction()}var o=n(4),i=n(12),a=n(36),s=n(10),u={initialize:s,close:function(){d.isBatchingUpdates=!1}},c={initialize:s,close:i.flushBatchedUpdates.bind(i)},l=[c,u];o(r.prototype,a,{getTransactionWrappers:function(){return l}});var p=new r,d={isBatchingUpdates:!1,batchedUpdates:function(e,t,n,r,o,i){var a=d.isBatchingUpdates;return d.isBatchingUpdates=!0,a?e(t,n,r,o,i):p.perform(e,null,t,n,r,o,i)}};e.exports=d},function(e,t,n){"use strict";function r(){C||(C=!0,y.EventEmitter.injectReactEventListener(v),y.EventPluginHub.injectEventPluginOrder(s),y.EventPluginUtils.injectComponentTree(d),y.EventPluginUtils.injectTreeTraversal(h),y.EventPluginHub.injectEventPluginsByName({SimpleEventPlugin:w,EnterLeaveEventPlugin:u,ChangeEventPlugin:a,SelectEventPlugin:E,BeforeInputEventPlugin:i}),y.HostComponent.injectGenericComponentClass(p),y.HostComponent.injectTextComponentClass(m),y.DOMProperty.injectDOMPropertyConfig(o),y.DOMProperty.injectDOMPropertyConfig(c),y.DOMProperty.injectDOMPropertyConfig(b),y.EmptyComponent.injectEmptyComponentFactory(function(e){return new f(e)}),y.Updates.injectReconcileTransaction(_),y.Updates.injectBatchingStrategy(g),y.Component.injectEnvironment(l))}var o=n(219),i=n(221),a=n(223),s=n(225),u=n(226),c=n(228),l=n(230),p=n(233),d=n(5),f=n(235),h=n(243),m=n(241),g=n(244),v=n(248),y=n(249),_=n(254),b=n(259),E=n(260),w=n(261),C=!1;e.exports={inject:r}},function(e,t,n){"use strict";var r="function"==typeof Symbol&&Symbol.for&&Symbol.for("react.element")||60103;e.exports=r},function(e,t,n){"use strict";function r(e){o.enqueueEvents(e),o.processEventQueue(!1)}var o=n(27),i={handleTopLevel:function(e,t,n,i){var a=o.extractEvents(e,t,n,i);r(a)}};e.exports=i},function(e,t,n){"use strict";function r(e){for(;e._hostParent;)e=e._hostParent;var t=p.getNodeFromInstance(e),n=t.parentNode;return p.getClosestInstanceFromNode(n)}function o(e,t){this.topLevelType=e,this.nativeEvent=t,this.ancestors=[]}function i(e){var t=f(e.nativeEvent),n=p.getClosestInstanceFromNode(t),o=n;do e.ancestors.push(o),o=o&&r(o);while(o);for(var i=0;i/,i=/^<\!\-\-/,a={CHECKSUM_ATTR_NAME:"data-react-checksum",addChecksumToMarkup:function(e){var t=r(e);return i.test(e)?e:e.replace(o," "+a.CHECKSUM_ATTR_NAME+'="'+t+'"$&')},canReuseMarkup:function(e,t){var n=t.getAttribute(a.CHECKSUM_ATTR_NAME);n=n&&parseInt(n,10);var o=r(e);return o===n}};e.exports=a},function(e,t,n){"use strict";function r(e,t,n){return{type:"INSERT_MARKUP",content:e,fromIndex:null,fromNode:null,toIndex:n,afterNode:t}}function o(e,t,n){return{type:"MOVE_EXISTING",content:null,fromIndex:e._mountIndex,fromNode:d.getHostNode(e),toIndex:n,afterNode:t}}function i(e,t){return{type:"REMOVE_NODE",content:null,fromIndex:e._mountIndex,fromNode:t,toIndex:null,afterNode:null}}function a(e){return{type:"SET_MARKUP",content:e,fromIndex:null,fromNode:null,toIndex:null,afterNode:null}}function s(e){return{type:"TEXT_CONTENT",content:e,fromIndex:null,fromNode:null,toIndex:null,afterNode:null}}function u(e,t){return t&&(e=e||[],e.push(t)),e}function c(e,t){p.processChildrenUpdates(e,t)}var l=n(3),p=n(53),d=(n(29),n(11),n(14),n(21)),f=n(229),h=(n(10),n(275)),m=(n(1),{Mixin:{_reconcilerInstantiateChildren:function(e,t,n){return f.instantiateChildren(e,t,n)},_reconcilerUpdateChildren:function(e,t,n,r,o,i){var a,s=0;return a=h(t,s),f.updateChildren(e,a,n,r,o,this,this._hostContainerInfo,i,s),a},mountChildren:function(e,t,n){var r=this._reconcilerInstantiateChildren(e,t,n);this._renderedChildren=r;var o=[],i=0;for(var a in r)if(r.hasOwnProperty(a)){var s=r[a],u=0,c=d.mountComponent(s,t,this,this._hostContainerInfo,n,u);s._mountIndex=i++,o.push(c)}return o},updateTextContent:function(e){var t=this._renderedChildren;f.unmountChildren(t,!1);for(var n in t)t.hasOwnProperty(n)&&l("118");var r=[s(e)];c(this,r)},updateMarkup:function(e){var t=this._renderedChildren;f.unmountChildren(t,!1);for(var n in t)t.hasOwnProperty(n)&&l("118");var r=[a(e)];c(this,r)},updateChildren:function(e,t,n){this._updateChildren(e,t,n)},_updateChildren:function(e,t,n){var r=this._renderedChildren,o={},i=[],a=this._reconcilerUpdateChildren(r,e,i,o,t,n);if(a||r){var s,l=null,p=0,f=0,h=0,m=null;for(s in a)if(a.hasOwnProperty(s)){var g=r&&r[s],v=a[s];g===v?(l=u(l,this.moveChild(g,m,p,f)),f=Math.max(g._mountIndex,f),g._mountIndex=p):(g&&(f=Math.max(g._mountIndex,f)),l=u(l,this._mountChildAtIndex(v,i[h],m,p,t,n)),h++),p++,m=d.getHostNode(v)}for(s in o)o.hasOwnProperty(s)&&(l=u(l,this._unmountChild(r[s],o[s])));l&&c(this,l),this._renderedChildren=a}},unmountChildren:function(e){var t=this._renderedChildren;f.unmountChildren(t,e),this._renderedChildren=null},moveChild:function(e,t,n,r){if(e._mountIndex=t)return{node:n,offset:t-i};i=a}n=r(o(n))}}e.exports=i},function(e,t,n){"use strict";function r(e,t){var n={};return n[e.toLowerCase()]=t.toLowerCase(),n["Webkit"+e]="webkit"+t,n["Moz"+e]="moz"+t,n["ms"+e]="MS"+t,n["O"+e]="o"+t.toLowerCase(),n}function o(e){if(s[e])return s[e];if(!a[e])return e;var t=a[e];for(var n in t)if(t.hasOwnProperty(n)&&n in u)return s[e]=t[n];return""}var i=n(8),a={animationend:r("Animation","AnimationEnd"),animationiteration:r("Animation","AnimationIteration"),animationstart:r("Animation","AnimationStart"),transitionend:r("Transition","TransitionEnd")},s={},u={};i.canUseDOM&&(u=document.createElement("div").style,"AnimationEvent"in window||(delete a.animationend.animation,delete a.animationiteration.animation,delete a.animationstart.animation),"TransitionEvent"in window||delete a.transitionend.transition),e.exports=o},function(e,t,n){"use strict";function r(e){return'"'+o(e)+'"'}var o=n(37);e.exports=r},function(e,t,n){"use strict";var r=n(102);e.exports=r.renderSubtreeIntoContainer},function(e,t,n){"use strict";function r(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function o(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function i(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}var a=n(0),s=(n.n(a),n(115)),u=n(116);n(63);n.d(t,"a",function(){return c});var c=function(e){function t(n,i){r(this,t);var a=o(this,e.call(this,n,i));return a.store=n.store,a}return i(t,e),t.prototype.getChildContext=function(){return{store:this.store,storeSubscription:null}},t.prototype.render=function(){return a.Children.only(this.props.children)},t}(a.Component);c.propTypes={store:u.a.isRequired,children:a.PropTypes.element.isRequired},c.childContextTypes={store:u.a.isRequired,storeSubscription:a.PropTypes.instanceOf(s.a)},c.displayName="Provider"},function(e,t,n){"use strict";function r(e,t){var n={};for(var r in e)t.indexOf(r)>=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e,t,n){for(var r=t.length-1;r>=0;r--){var o=t[r](e);if(o)return o}return function(t,r){throw new Error("Invalid value of type "+typeof e+" for "+n+" argument when connecting component "+r.wrappedComponentName+".")}}function i(e,t){return e===t}function a(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=e.connectHOC,n=void 0===t?s.a:t,a=e.mapStateToPropsFactories,h=void 0===a?l.a:a,m=e.mapDispatchToPropsFactories,g=void 0===m?c.a:m,v=e.mergePropsFactories,y=void 0===v?p.a:v,_=e.selectorFactory,b=void 0===_?d.a:_;return function(e,t,a){var s=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},c=s.pure,l=void 0===c||c,p=s.areStatesEqual,d=void 0===p?i:p,m=s.areOwnPropsEqual,v=void 0===m?u.a:m,_=s.areStatePropsEqual,E=void 0===_?u.a:_,w=s.areMergedPropsEqual,C=void 0===w?u.a:w,S=r(s,["pure","areStatesEqual","areOwnPropsEqual","areStatePropsEqual","areMergedPropsEqual"]),x=o(e,h,"mapStateToProps"),T=o(t,g,"mapDispatchToProps"),P=o(a,y,"mergeProps");return n(b,f({methodName:"connect",getDisplayName:function(e){return"Connect("+e+")"},shouldHandleStateChanges:Boolean(e),initMapStateToProps:x,initMapDispatchToProps:T,initMergeProps:P,pure:l,areStatesEqual:d,areOwnPropsEqual:v,areStatePropsEqual:E,areMergedPropsEqual:C},S))}}var s=n(113),u=n(290),c=n(285),l=n(286),p=n(287),d=n(288),f=Object.assign||function(e){for(var t=1;t=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e,t,n,r){return function(o,i){return n(e(o,i),t(r,i),i)}}function i(e,t,n,r,o){function i(o,i){return h=o,m=i,g=e(h,m),v=t(r,m),y=n(g,v,m),f=!0,y}function a(){return g=e(h,m),t.dependsOnOwnProps&&(v=t(r,m)),y=n(g,v,m)}function s(){return e.dependsOnOwnProps&&(g=e(h,m)),t.dependsOnOwnProps&&(v=t(r,m)),y=n(g,v,m)}function u(){var t=e(h,m),r=!d(t,g);return g=t,r&&(y=n(g,v,m)),y}function c(e,t){var n=!p(t,m),r=!l(e,h);return h=e,m=t,n&&r?a():n?s():r?u():y}var l=o.areStatesEqual,p=o.areOwnPropsEqual,d=o.areStatePropsEqual,f=!1,h=void 0,m=void 0,g=void 0,v=void 0,y=void 0;return function(e,t){return f?c(e,t):i(e,t)}}function a(e,t){var n=t.initMapStateToProps,a=t.initMapDispatchToProps,s=t.initMergeProps,u=r(t,["initMapStateToProps","initMapDispatchToProps","initMergeProps"]),c=n(e,u),l=a(e,u),p=s(e,u),d=u.pure?i:o;return d(c,l,p,e,u)}n(289);t.a=a},function(e,t,n){"use strict";n(63)},function(e,t,n){"use strict";function r(e,t){if(e===t)return!0;var n=0,r=0;for(var i in e){if(o.call(e,i)&&e[i]!==t[i])return!1;n++}for(var a in t)o.call(t,a)&&r++;return n===r}t.a=r;var o=Object.prototype.hasOwnProperty},,function(e,t,n){"use strict";function r(e){var t=/[=:]/g,n={"=":"=0",":":"=2"},r=(""+e).replace(t,function(e){return n[e]});return"$"+r}function o(e){var t=/(=0|=2)/g,n={"=0":"=","=2":":"},r="."===e[0]&&"$"===e[1]?e.substring(2):e.substring(1);return(""+r).replace(t,function(e){return n[e]})}var i={escape:r,unescape:o};e.exports=i},function(e,t,n){"use strict";var r=n(24),o=(n(1),function(e){var t=this;if(t.instancePool.length){var n=t.instancePool.pop();return t.call(n,e),n}return new t(e)}),i=function(e,t){var n=this;if(n.instancePool.length){var r=n.instancePool.pop();return n.call(r,e,t),r}return new n(e,t)},a=function(e,t,n){var r=this;if(r.instancePool.length){var o=r.instancePool.pop();return r.call(o,e,t,n),o}return new r(e,t,n)},s=function(e,t,n,r){var o=this;if(o.instancePool.length){var i=o.instancePool.pop();return o.call(i,e,t,n,r),i}return new o(e,t,n,r)},u=function(e){var t=this;e instanceof t?void 0:r("25"),e.destructor(),t.instancePool.length>"),P={array:a("array"),bool:a("boolean"),func:a("function"),number:a("number"),object:a("object"),string:a("string"),symbol:a("symbol"),any:s(),arrayOf:u,element:c(),instanceOf:l,node:h(),objectOf:d,oneOf:p,oneOfType:f,shape:m};o.prototype=Error.prototype,e.exports=P},function(e,t,n){"use strict";var r="SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED";e.exports=r},function(e,t,n){"use strict";function r(e,t,n){this.props=e,this.context=t,this.refs=u,this.updater=n||s}function o(){}var i=n(4),a=n(64),s=n(65),u=n(25);o.prototype=a.prototype,r.prototype=new o,r.prototype.constructor=r,i(r.prototype,a.prototype),r.prototype.isPureReactComponent=!0,e.exports=r},function(e,t,n){"use strict";e.exports="15.4.2"},function(e,t,n){"use strict";function r(e){return i.isValidElement(e)?void 0:o("143"),e}var o=n(24),i=n(23);n(1);e.exports=r},function(e,t,n){"use strict";function r(e,t){return e&&"object"==typeof e&&null!=e.key?c.escape(e.key):t.toString(36)}function o(e,t,n,i){var d=typeof e;if("undefined"!==d&&"boolean"!==d||(e=null),null===e||"string"===d||"number"===d||"object"===d&&e.$$typeof===s)return n(i,e,""===t?l+r(e,0):t),1;var f,h,m=0,g=""===t?l:t+p;if(Array.isArray(e))for(var v=0;v=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6),u=n(207);n(327);var c;!function(e){e[e.landscape=0]="landscape",e[e.portrait=1]="portrait"}(c=t.CoverStyle||(t.CoverStyle={})),t.CoverStyleMap=(d={},d[c.landscape]="ms-Image-image--landscape",d[c.portrait]="ms-Image-image--portrait",d),t.ImageFitMap=(f={},f[u.ImageFit.center]="ms-Image-image--center",f[u.ImageFit.contain]="ms-Image-image--contain",f[u.ImageFit.cover]="ms-Image-image--cover",f[u.ImageFit.none]="ms-Image-image--none",f);var l="fabricImage",p=function(e){function n(t){var n=e.call(this,t)||this;return n.state={loadState:u.ImageLoadState.notLoaded},n}return r(n,e),n.prototype.componentWillReceiveProps=function(e){e.src!==this.props.src?this.setState({loadState:u.ImageLoadState.notLoaded}):this.state.loadState===u.ImageLoadState.loaded&&this._computeCoverStyle(e); -},n.prototype.componentDidUpdate=function(e,t){this._checkImageLoaded(),this.props.onLoadingStateChange&&t.loadState!==this.state.loadState&&this.props.onLoadingStateChange(this.state.loadState)},n.prototype.render=function(){var e=s.getNativeProps(this.props,s.imageProperties,["width","height"]),n=this.props,r=n.src,i=n.alt,c=n.width,p=n.height,d=n.shouldFadeIn,f=n.className,h=n.imageFit,m=n.role,g=n.maximizeFrame,v=this.state.loadState,y=this._coverStyle,_=v===u.ImageLoadState.loaded;return a.createElement("div",{className:s.css("ms-Image",f,{"ms-Image--maximizeFrame":g}),style:{width:c,height:p},ref:this._resolveRef("_frameElement")},a.createElement("img",o({},e,{onLoad:this._onImageLoaded,onError:this._onImageError,key:l+this.props.src||"",className:s.css("ms-Image-image",void 0!==y&&t.CoverStyleMap[y],void 0!==h&&t.ImageFitMap[h],{"is-fadeIn":d,"is-notLoaded":!_,"is-loaded":_,"ms-u-fadeIn400":_&&d,"is-error":v===u.ImageLoadState.error,"ms-Image-image--scaleWidth":void 0===h&&!!c&&!p,"ms-Image-image--scaleHeight":void 0===h&&!c&&!!p,"ms-Image-image--scaleWidthHeight":void 0===h&&!!c&&!!p}),ref:this._resolveRef("_imageElement"),src:r,alt:i,role:m})))},n.prototype._onImageLoaded=function(e){var t=this.props,n=t.src,r=t.onLoad;r&&r(e),this._computeCoverStyle(this.props),n&&this.setState({loadState:u.ImageLoadState.loaded})},n.prototype._checkImageLoaded=function(){var e=this.props.src,t=this.state.loadState;if(t===u.ImageLoadState.notLoaded){var r=e&&this._imageElement.naturalWidth>0&&this._imageElement.naturalHeight>0||this._imageElement.complete&&n._svgRegex.test(e);r&&(this._computeCoverStyle(this.props),this.setState({loadState:u.ImageLoadState.loaded}))}},n.prototype._computeCoverStyle=function(e){var t=e.imageFit,n=e.width,r=e.height;if((t===u.ImageFit.cover||t===u.ImageFit.contain)&&this._imageElement){var o=void 0;o=n&&r?n/r:this._frameElement.clientWidth/this._frameElement.clientHeight;var i=this._imageElement.naturalWidth/this._imageElement.naturalHeight;i>o?this._coverStyle=c.landscape:this._coverStyle=c.portrait}},n.prototype._onImageError=function(e){this.props.onError&&this.props.onError(e),this.setState({loadState:u.ImageLoadState.error})},n}(s.BaseComponent);p.defaultProps={shouldFadeIn:!0},p._svgRegex=/\.svg$/i,i([s.autobind],p.prototype,"_onImageLoaded",null),i([s.autobind],p.prototype,"_onImageError",null),t.Image=p;var d,f},,,,,,,,,function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(330))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(134),u=n(6),c="data-is-focusable",l="data-disable-click-on-enter",p="data-focuszone-id",d="tabindex",f={},h=["text","number","password","email","tel","url","search"],m=function(e){function t(t){var n=e.call(this,t)||this;return n._id=u.getId("FocusZone"),f[n._id]=n,n._focusAlignment={left:0,top:0},n}return r(t,e),t.prototype.componentDidMount=function(){for(var e=this.refs.root.ownerDocument.defaultView,t=u.getParent(this.refs.root);t&&t!==document.body&&1===t.nodeType;){if(u.isElementFocusZone(t)){this._isInnerZone=!0;break}t=u.getParent(t)}this._events.on(e,"keydown",this._onKeyDownCapture,!0),this._updateTabIndexes(),this.props.defaultActiveElement&&(this._activeElement=u.getDocument().querySelector(this.props.defaultActiveElement))},t.prototype.componentWillUnmount=function(){delete f[this._id]},t.prototype.render=function(){var e=this.props,t=e.rootProps,n=e.ariaLabelledBy,r=e.className;return a.createElement("div",o({},t,{className:u.css("ms-FocusZone",r),ref:"root","data-focuszone-id":this._id,"aria-labelledby":n,onKeyDown:this._onKeyDown,onFocus:this._onFocus},{onMouseDownCapture:this._onMouseDown}),this.props.children)},t.prototype.focus=function(){if(this._activeElement&&u.elementContains(this.refs.root,this._activeElement))return this._activeElement.focus(),!0;var e=this.refs.root.firstChild;return this.focusElement(u.getNextElement(this.refs.root,e,!0))},t.prototype.focusElement=function(e){var t=this.props.onBeforeFocus;return!(t&&!t(e))&&(!(!e||(this._activeElement&&(this._activeElement.tabIndex=-1),this._activeElement=e,!e))&&(this._focusAlignment||this._setFocusAlignment(e,!0,!0),this._activeElement.tabIndex=0,e.focus(),!0))},t.prototype._onFocus=function(e){var t=this.props.onActiveElementChanged;if(this._isImmediateDescendantOfZone(e.target))this._activeElement=e.target,this._setFocusAlignment(this._activeElement);else for(var n=e.target;n&&n!==this.refs.root;){if(u.isElementTabbable(n)&&this._isImmediateDescendantOfZone(n)){this._activeElement=n;break}n=u.getParent(n)}t&&t(this._activeElement,e)},t.prototype._onKeyDownCapture=function(e){e.which===u.KeyCodes.tab&&this._updateTabIndexes()},t.prototype._onMouseDown=function(e){var t=this.props.disabled;if(!t){for(var n=e.target,r=[];n&&n!==this.refs.root;)r.push(n),n=u.getParent(n);for(;r.length&&(n=r.pop(),!u.isElementFocusZone(n));)n&&u.isElementTabbable(n)&&(n.tabIndex=0,this._setFocusAlignment(n,!0,!0))}},t.prototype._onKeyDown=function(e){var t=this.props,n=t.direction,r=t.disabled,o=t.isInnerZoneKeystroke;if(!r){if(o&&this._isImmediateDescendantOfZone(e.target)&&o(e)){var i=this._getFirstInnerZone();if(!i||!i.focus())return}else switch(e.which){case u.KeyCodes.left:if(n!==s.FocusZoneDirection.vertical&&this._moveFocusLeft())break;return;case u.KeyCodes.right:if(n!==s.FocusZoneDirection.vertical&&this._moveFocusRight())break;return;case u.KeyCodes.up:if(n!==s.FocusZoneDirection.horizontal&&this._moveFocusUp())break;return;case u.KeyCodes.down:if(n!==s.FocusZoneDirection.horizontal&&this._moveFocusDown())break;return;case u.KeyCodes.home:var a=this.refs.root.firstChild;if(this.focusElement(u.getNextElement(this.refs.root,a,!0)))break;return;case u.KeyCodes.end:var c=this.refs.root.lastChild;if(this.focusElement(u.getPreviousElement(this.refs.root,c,!0,!0,!0)))break;return;case u.KeyCodes.enter:if(this._tryInvokeClickForFocusable(e.target))break;return;default:return}e.preventDefault(),e.stopPropagation()}},t.prototype._tryInvokeClickForFocusable=function(e){do{if("BUTTON"===e.tagName||"A"===e.tagName)return!1;if(this._isImmediateDescendantOfZone(e)&&"true"===e.getAttribute(c)&&"true"!==e.getAttribute(l))return u.EventGroup.raise(e,"click",null,!0),!0;e=u.getParent(e)}while(e!==this.refs.root);return!1},t.prototype._getFirstInnerZone=function(e){e=e||this._activeElement||this.refs.root;for(var t=e.firstElementChild;t;){if(u.isElementFocusZone(t))return f[t.getAttribute(p)];var n=this._getFirstInnerZone(t);if(n)return n;t=t.nextElementSibling}return null},t.prototype._moveFocus=function(e,t,n){var r,o=this._activeElement,i=-1,a=!1,c=this.props.direction===s.FocusZoneDirection.bidirectional;if(!o)return!1;if(this._isElementInput(o)&&!this._shouldInputLoseFocus(o,e))return!1;var l=c?o.getBoundingClientRect():null;do{if(o=e?u.getNextElement(this.refs.root,o):u.getPreviousElement(this.refs.root,o),!c){r=o;break}if(o){var p=o.getBoundingClientRect(),d=t(l,p);if(d>-1&&(i===-1||d=0&&d<0)break}}while(o);if(r&&r!==this._activeElement)a=!0,this.focusElement(r);else if(this.props.isCircularNavigation)return e?this.focusElement(u.getNextElement(this.refs.root,this.refs.root.firstElementChild,!0)):this.focusElement(u.getPreviousElement(this.refs.root,this.refs.root.lastElementChild,!0,!0,!0));return a},t.prototype._moveFocusDown=function(){var e=-1,t=this._focusAlignment.left;return!!this._moveFocus(!0,function(n,r){var o=-1,i=Math.floor(r.top),a=Math.floor(n.bottom);return(e===-1&&i>=a||i===e)&&(e=i,o=t>=r.left&&t<=r.left+r.width?0:Math.abs(r.left+r.width/2-t)),o})&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusUp=function(){var e=-1,t=this._focusAlignment.left;return!!this._moveFocus(!1,function(n,r){var o=-1,i=Math.floor(r.bottom),a=Math.floor(r.top),s=Math.floor(n.top);return(e===-1&&i<=s||a===e)&&(e=a,o=t>=r.left&&t<=r.left+r.width?0:Math.abs(r.left+r.width/2-t)),o})&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusLeft=function(){var e=this,t=-1,n=this._focusAlignment.top;return!!this._moveFocus(u.getRTL(),function(r,o){var i=-1;return(t===-1&&o.right<=r.right&&(e.props.direction===s.FocusZoneDirection.horizontal||o.top===r.top)||o.top===t)&&(t=o.top,i=Math.abs(o.top+o.height/2-n)),i})&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusRight=function(){var e=this,t=-1,n=this._focusAlignment.top;return!!this._moveFocus(!u.getRTL(),function(r,o){var i=-1;return(t===-1&&o.left>=r.left&&(e.props.direction===s.FocusZoneDirection.horizontal||o.top===r.top)||o.top===t)&&(t=o.top,i=Math.abs(o.top+o.height/2-n)),i})&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._setFocusAlignment=function(e,t,n){if(this.props.direction===s.FocusZoneDirection.bidirectional&&(!this._focusAlignment||t||n)){var r=e.getBoundingClientRect(),o=r.left+r.width/2,i=r.top+r.height/2;this._focusAlignment||(this._focusAlignment={left:o,top:i}),t&&(this._focusAlignment.left=o),n&&(this._focusAlignment.top=i)}},t.prototype._isImmediateDescendantOfZone=function(e){for(var t=u.getParent(e);t&&t!==this.refs.root&&t!==document.body;){if(u.isElementFocusZone(t))return!1;t=u.getParent(t)}return!0},t.prototype._updateTabIndexes=function(e){e||(e=this.refs.root,this._activeElement&&!u.elementContains(e,this._activeElement)&&(this._activeElement=null));for(var t=e.children,n=0;t&&n-1){var n=e.selectionStart,r=e.selectionEnd,o=n!==r,i=e.value;if(o||n>0&&!t||n!==i.length&&t)return!1}return!0},t}(u.BaseComponent);m.defaultProps={isCircularNavigation:!1,direction:s.FocusZoneDirection.bidirectional},i([u.autobind],m.prototype,"_onFocus",null),i([u.autobind],m.prototype,"_onMouseDown",null),i([u.autobind],m.prototype,"_onKeyDown",null),t.FocusZone=m},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(325)),r(n(134))},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:".ms-Image{overflow:hidden}.ms-Image--maximizeFrame{height:100%;width:100%}.ms-Image-image{display:block;opacity:0}.ms-Image-image.is-loaded{opacity:1}.ms-Image-image--center,.ms-Image-image--contain,.ms-Image-image--cover{position:relative;top:50%}html[dir=ltr] .ms-Image-image--center,html[dir=ltr] .ms-Image-image--contain,html[dir=ltr] .ms-Image-image--cover{left:50%}html[dir=rtl] .ms-Image-image--center,html[dir=rtl] .ms-Image-image--contain,html[dir=rtl] .ms-Image-image--cover{right:50%}html[dir=ltr] .ms-Image-image--center,html[dir=ltr] .ms-Image-image--contain,html[dir=ltr] .ms-Image-image--cover{-webkit-transform:translate(-50%,-50%);transform:translate(-50%,-50%)}html[dir=rtl] .ms-Image-image--center,html[dir=rtl] .ms-Image-image--contain,html[dir=rtl] .ms-Image-image--cover{-webkit-transform:translate(50%,-50%);transform:translate(50%,-50%)}.ms-Image-image--contain.ms-Image-image--landscape{width:100%;height:auto}.ms-Image-image--contain.ms-Image-image--portrait{height:100%;width:auto}.ms-Image-image--cover.ms-Image-image--landscape{height:100%;width:auto}.ms-Image-image--cover.ms-Image-image--portrait{width:100%;height:auto}.ms-Image-image--none{height:auto;width:auto}.ms-Image-image--scaleWidthHeight{height:100%;width:100%}.ms-Image-image--scaleWidth{height:auto;width:100%}.ms-Image-image--scaleHeight{height:100%;width:auto}"}])},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0}):e.items,u=function(t,n){return r.createElement(s.default,{item:t,key:n,onToggleClick:e.onToggleClick})};return r.createElement("div",{className:e.tablesClassName},r.createElement("div",{className:"ms-font-l ms-fontWeight-semibold"},e.listTitle),r.createElement(o.FocusZone,{direction:o.FocusZoneDirection.vertical},r.createElement(i.List,{items:n,onRenderCell:u})))};Object.defineProperty(t,"__esModule",{value:!0}),t.default=u},function(e,t,n){"use strict";var r=n(39),o=n(441);t.rootReducer=r.combineReducers({spFeatures:o.spFeaturesReducer})},function(e,t,n){"use strict";var r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},i=n(0),a=n(6),s=n(324),u=n(473),c=function(e){function t(t){var n=e.call(this)||this;return n.state={isChecked:!(!t.checked&&!t.defaultChecked)},n._id=t.id||a.getId("Toggle"),n}return r(t,e),Object.defineProperty(t.prototype,"checked",{get:function(){return this.state.isChecked},enumerable:!0,configurable:!0}),t.prototype.componentWillReceiveProps=function(e){void 0!==e.checked&&this.setState({isChecked:e.checked})},t.prototype.render=function(){var e=this,t=this.props,n=t.label,r=t.onText,o=t.offText,c=t.className,l=t.disabled,p=this.state.isChecked,d=p?r:o;return i.createElement("div",{className:a.css(u.default.root,"ms-Toggle",c,(f={"is-checked":p,"is-enabled":!l,"is-disabled":l},f[u.default.isChecked]=p,f[u.default.isEnabled]=!l,f[u.default.isDisabled]=l,f))},i.createElement("div",{className:a.css(u.default.innerContainer,"ms-Toggle-innerContainer")},n&&i.createElement(s.Label,{className:"ms-Toggle-label",htmlFor:this._id},n),i.createElement("div",{className:a.css(u.default.slider,"ms-Toggle-slider")},i.createElement("button",{ref:function(t){return e._toggleButton=t},id:this._id,name:this._id,className:a.css(u.default.button,"ms-Toggle-button"),disabled:l,"aria-pressed":p,onClick:this._onClick}),i.createElement("div",{className:a.css(u.default.background,"ms-Toggle-background")},i.createElement("div",{className:a.css(u.default.focus,"ms-Toggle-focus")}),i.createElement("div",{className:a.css(u.default.thumb,"ms-Toggle-thumb")})),d&&i.createElement(s.Label,{className:a.css(u.default.stateText,"ms-Toggle-stateText")},d))));var f},t.prototype.focus=function(){this._toggleButton&&this._toggleButton.focus()},t.prototype._onClick=function(){var e=this.props,t=e.checked,n=e.onChanged,r=this.state.isChecked;void 0===t&&this.setState({isChecked:!r}),n&&n(!r)},t}(i.Component);c.initialProps={label:"",onText:"On",offText:"Off"},o([a.autobind],c.prototype,"_onClick",null),t.Toggle=c},function(e,t,n){"use strict";var r=n(7),o={root:"root_2c76bd6f",isEnabled:"isEnabled_2b498c35",button:"button_a9119ca6",background:"background_d6ce45e2",thumb:"thumb_7623443f",slider:"slider_d189b96f",isChecked:"isChecked_8442dc02",isDisabled:"isDisabled_ffd4783c",innerContainer:"innerContainer_3ffa27f6",focus:"focus_d87846e1",stateText:"stateText_c8046cc9"};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:'.root_2c76bd6f{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;box-sizing:border-box;margin:0;padding:0;box-shadow:none;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";position:relative;display:block;margin-bottom:8px;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.isEnabled_2b498c35 .button_a9119ca6{cursor:pointer}.isEnabled_2b498c35 .background_d6ce45e2{border:1px solid "},{theme:"neutralSecondaryAlt",defaultValue:"#767676"},{rawString:"}@media screen and (-ms-high-contrast:active){.isEnabled_2b498c35 .thumb_7623443f{background-color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.isEnabled_2b498c35 .thumb_7623443f{background-color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}}.isEnabled_2b498c35 .slider_d189b96f:hover .background_d6ce45e2{border:1px solid "},{theme:"black",defaultValue:"#000000"},{rawString:"}.isEnabled_2b498c35 .slider_d189b96f:hover .thumb_7623443f{background:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.isEnabled_2b498c35.isChecked_8442dc02 .background_d6ce45e2{background:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";border:1px solid "},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}@media screen and (-ms-high-contrast:active){.isEnabled_2b498c35.isChecked_8442dc02 .background_d6ce45e2{background-color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.isEnabled_2b498c35.isChecked_8442dc02 .background_d6ce45e2{background-color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}}.isEnabled_2b498c35.isChecked_8442dc02 .thumb_7623443f{background:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}html[dir=ltr] .isEnabled_2b498c35.isChecked_8442dc02 .thumb_7623443f{left:28px}html[dir=rtl] .isEnabled_2b498c35.isChecked_8442dc02 .thumb_7623443f{right:28px}@media screen and (-ms-high-contrast:active){.isEnabled_2b498c35.isChecked_8442dc02 .thumb_7623443f{background-color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.isEnabled_2b498c35.isChecked_8442dc02 .thumb_7623443f{background-color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}.isEnabled_2b498c35.isChecked_8442dc02 .slider_d189b96f:hover .background_d6ce45e2{border:1px solid "},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";background:"},{ -theme:"themeSecondary",defaultValue:"#2b88d8"},{rawString:"}.isEnabled_2b498c35.isChecked_8442dc02 .slider_d189b96f:hover .thumb_7623443f{background:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}.isDisabled_ffd4783c .thumb_7623443f{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}@media screen and (-ms-high-contrast:active){.isDisabled_ffd4783c .thumb_7623443f{background-color:#0f0}}@media screen and (-ms-high-contrast:black-on-white){.isDisabled_ffd4783c .thumb_7623443f{background-color:#600000}}.isDisabled_ffd4783c .background_d6ce45e2{border:1px solid "},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}@media screen and (-ms-high-contrast:active){.isDisabled_ffd4783c .background_d6ce45e2{border-color:#0f0}}@media screen and (-ms-high-contrast:black-on-white){.isDisabled_ffd4783c .background_d6ce45e2{border-color:#600000}}.isDisabled_ffd4783c.isChecked_8442dc02 .background_d6ce45e2{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:";border:1px solid transparent}@media screen and (-ms-high-contrast:active){.isDisabled_ffd4783c.isChecked_8442dc02 .background_d6ce45e2{background-color:#0f0}}@media screen and (-ms-high-contrast:black-on-white){.isDisabled_ffd4783c.isChecked_8442dc02 .background_d6ce45e2{background-color:#600000}}.isDisabled_ffd4783c.isChecked_8442dc02 .thumb_7623443f{background:"},{theme:"neutralLight",defaultValue:"#eaeaea"},{rawString:"}html[dir=ltr] .isDisabled_ffd4783c.isChecked_8442dc02 .thumb_7623443f{left:28px}html[dir=rtl] .isDisabled_ffd4783c.isChecked_8442dc02 .thumb_7623443f{right:28px}@media screen and (-ms-high-contrast:active){.isDisabled_ffd4783c.isChecked_8442dc02 .thumb_7623443f{background-color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.isDisabled_ffd4783c.isChecked_8442dc02 .thumb_7623443f{background-color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}.innerContainer_3ffa27f6{display:inline-block}.ms-Fabric.is-focusVisible .root_2c76bd6f.isEnabled_2b498c35 .button_a9119ca6:focus+.background_d6ce45e2 .focus_d87846e1{border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}.button_a9119ca6{position:absolute;opacity:0;left:0;top:0;width:100%;height:100%;margin:0;padding:0}.slider_d189b96f{position:relative;min-height:20px}.background_d6ce45e2{display:inline-block;position:absolute;width:44px;height:20px;box-sizing:border-box;vertical-align:middle;border-radius:20px;cursor:pointer;-webkit-transition:all .1s ease;transition:all .1s ease;pointer-events:none}.thumb_7623443f{position:absolute;width:10px;height:10px;border-radius:10px;top:4px;background:"},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:";-webkit-transition:all .1s ease;transition:all .1s ease}html[dir=ltr] .thumb_7623443f{left:4px}html[dir=rtl] .thumb_7623443f{right:4px}.stateText_c8046cc9{display:inline-block;vertical-align:top;line-height:20px;padding:0}html[dir=ltr] .stateText_c8046cc9{margin-left:54px}html[dir=rtl] .stateText_c8046cc9{margin-right:54px}.focus_d87846e1{position:absolute;left:-3px;top:-3px;right:-3px;bottom:-3px;box-sizing:border-box;outline:transparent}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(472))},,,,,function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(0),i=n(41),a=n(40),s=n(130),u=n(131),c=n(67),l=n(429),p=n(337),d=n(430),f=function(e){function t(){return e.call(this,p.constants.COMPONENT_DIV_ID)||this}return r(t,e),t.prototype.show=function(){var e=this;c.default.ensureSPObject().then(function(){var t=d.configureStore({});i.render(o.createElement(a.Provider,{store:t},o.createElement(u.default,{onCloseClick:e.remove,modalDialogTitle:p.constants.MODAL_DIALOG_TITLE,modalWidth:p.constants.MODAL_DIALOG_WIDTH},o.createElement(l.default,null))),document.getElementById(e.baseDivId))})},t}(s.AppBase);window.SpFeaturesObj=new f,window.SpFeaturesObj.show()}]); +!function(e){function t(r){if(n[r])return n[r].exports;var o=n[r]={i:r,l:!1,exports:{}};return e[r].call(o.exports,o,o.exports,t),o.l=!0,o.exports}var n={};t.m=e,t.c=n,t.i=function(e){return e},t.d=function(e,n,r){t.o(e,n)||Object.defineProperty(e,n,{configurable:!1,enumerable:!0,get:r})},t.n=function(e){var n=e&&e.__esModule?function(){return e.default}:function(){return e};return t.d(n,"a",n),n},t.o=function(e,t){return Object.prototype.hasOwnProperty.call(e,t)},t.p="",t(t.s=473)}([function(e,t,n){"use strict";e.exports=n(23)},function(e,t,n){"use strict";function r(e,t,n,r,i,a,s,u){if(o(t),!e){var c;if(void 0===t)c=new Error("Minified exception occurred; use the non-minified dev environment for the full error message and additional helpful warnings.");else{var l=[n,r,i,a,s,u],p=0;c=new Error(t.replace(/%s/g,function(){return l[p++]})),c.name="Invariant Violation"}throw c.framesToPop=1,c}}var o=function(e){};e.exports=r},function(e,t,n){"use strict";var r=n(10),o=r;e.exports=o},function(e,t,n){"use strict";function r(e){for(var t=arguments.length-1,n="Minified React error #"+e+"; visit http://facebook.github.io/react/docs/error-decoder.html?invariant="+e,r=0;r0&&u(t)})}function s(){return setTimeout(function(){w.runState.flushTimer=0,a()},0)}function u(e,t){w.loadStyles?w.loadStyles(h(e).styleString,e):b?v(e,t):g(e)}function c(e){w.theme=e,d()}function l(e){void 0===e&&(e=3),3!==e&&2!==e||(p(w.registeredStyles),w.registeredStyles=[]),3!==e&&1!==e||(p(w.registeredThemableStyles),w.registeredThemableStyles=[])}function p(e){e.forEach(function(e){var t=e&&e.styleElement;t&&t.parentElement&&t.parentElement.removeChild(t)})}function d(){if(w.theme){for(var e=[],t=0,n=w.registeredThemableStyles;t0&&(l(1),u([].concat.apply([],e)))}}function f(e){return e&&(e=h(m(e)).styleString),e}function h(e){var t=w.theme,n=!1;return{styleString:(e||[]).map(function(e){var r=e.theme;if(r){n=!0;var o=t?t[r]:void 0,i=e.defaultValue||"inherit";return t&&!o&&console,o||i}return e.rawString}).join(""),themable:n}}function m(e){var t=[];if(e){for(var n=0,r=void 0;r=S.exec(e);){var o=r.index;o>n&&t.push({rawString:e.substring(n,o)}),t.push({theme:r[1],defaultValue:r[2]}),n=S.lastIndex}t.push({rawString:e.substring(n)})}return t}function g(e){var t=document.getElementsByTagName("head")[0],n=document.createElement("style"),r=h(e),o=r.styleString,i=r.themable;n.type="text/css",n.appendChild(document.createTextNode(o)),w.perf.count++,t.appendChild(n);var a={styleElement:n,themableStyle:e};i?w.registeredThemableStyles.push(a):w.registeredStyles.push(a)}function v(e,t){var n=document.getElementsByTagName("head")[0],r=w.registeredStyles,o=w.lastStyleElement,i=o?o.styleSheet:void 0,a=i?i.cssText:"",s=r[r.length-1],u=h(e).styleString;(!o||a.length+u.length>C)&&(o=document.createElement("style"),o.type="text/css",t?(n.replaceChild(o,t.styleElement),t.styleElement=o):n.appendChild(o),t||(s={styleElement:o,themableStyle:e},r.push(s))),o.styleSheet.cssText+=f(u),Array.prototype.push.apply(s.themableStyle,e),w.lastStyleElement=o}function y(){var e=!1;if("undefined"!=typeof document){var t=document.createElement("style");t.type="text/css",e=!!t.styleSheet}return e}var _=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n1){for(var h=Array(f),m=0;m1){for(var v=Array(g),y=0;y-1&&o._virtual.children.splice(i,1)}n._virtual.parent=r||void 0,r&&(r._virtual||(r._virtual={children:[]}),r._virtual.children.push(n))}function o(e){var t;return e&&p(e)&&(t=e._virtual.parent),t}function i(e,t){return void 0===t&&(t=!0),e&&(t&&o(e)||e.parentNode&&e.parentNode)}function a(e,t,n){void 0===n&&(n=!0);var r=!1;if(e&&t)if(n)for(r=!1;t;){var o=i(t);if(o===e){r=!0;break}t=o}else e.contains&&(r=e.contains(t));return r}function s(e){d=e}function u(e){return d?void 0:e&&e.ownerDocument&&e.ownerDocument.defaultView?e.ownerDocument.defaultView:window}function c(e){return d?void 0:e&&e.ownerDocument?e.ownerDocument:document}function l(e){var t;return e&&(e===window?t={left:0,top:0,width:window.innerWidth,height:window.innerHeight,right:window.innerWidth,bottom:window.innerHeight}:e.getBoundingClientRect&&(t=e.getBoundingClientRect())),t}function p(e){return e&&!!e._virtual}Object.defineProperty(t,"__esModule",{value:!0}),t.setVirtualParent=r,t.getVirtualParent=o,t.getParent=i,t.elementContains=a;var d=!1;t.setSSR=s,t.getWindow=u,t.getDocument=c,t.getRect=l},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:'.ms-Button{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;border-width:0;text-decoration:none;text-align:center;cursor:pointer;display:inline-block;padding:0 16px}.ms-Button::-moz-focus-inner{border:0}.ms-Button{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-Button:focus:after{content:\'\';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid '},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Button{color:#1AEBFF;border-color:#1AEBFF}}@media screen and (-ms-high-contrast:black-on-white){.ms-Button{color:#37006E;border-color:#37006E}}.ms-Button-icon{margin:0 4px;width:16px;vertical-align:top;display:inline-block}.ms-Button-label{margin:0 4px;vertical-align:top;display:inline-block}.ms-Button--hero{background-color:transparent;border:0;height:auto}.ms-Button--hero .ms-Button-icon{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";display:inline-block;padding-top:5px;font-size:20px;line-height:1}html[dir=ltr] .ms-Button--hero .ms-Button-icon{margin-right:8px}html[dir=rtl] .ms-Button--hero .ms-Button-icon{margin-left:8px}.ms-Button--hero .ms-Button-label{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";font-size:21px;font-weight:100;vertical-align:top}.ms-Button--hero:focus,.ms-Button--hero:hover{background-color:transparent}.ms-Button--hero:focus .ms-Button-icon,.ms-Button--hero:hover .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}.ms-Button--hero:focus .ms-Button-label,.ms-Button--hero:hover .ms-Button-label{color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}.ms-Button--hero:active .ms-Button-icon{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}.ms-Button--hero:active .ms-Button-label{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}.ms-Button--hero.is-disabled .ms-Button-icon,.ms-Button--hero:disabled .ms-Button-icon{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.ms-Button--hero.is-disabled .ms-Button-label,.ms-Button--hero:disabled .ms-Button-label{color:"},{theme:"neutralTertiary",defaultValue:"#a6a6a6"},{rawString:"}"}])},function(e,t,n){"use strict";function r(e){return"button"===e||"input"===e||"select"===e||"textarea"===e}function o(e,t,n){switch(e){case"onClick":case"onClickCapture":case"onDoubleClick":case"onDoubleClickCapture":case"onMouseDown":case"onMouseDownCapture":case"onMouseMove":case"onMouseMoveCapture":case"onMouseUp":case"onMouseUpCapture":return!(!n.disabled||!r(t));default:return!1}}var i=n(3),a=n(52),s=n(53),u=n(57),c=n(109),l=n(110),p=(n(1),{}),d=null,f=function(e,t){e&&(s.executeDispatchesInOrder(e,t),e.isPersistent()||e.constructor.release(e))},h=function(e){return f(e,!0)},m=function(e){return f(e,!1)},g=function(e){return"."+e._rootNodeID},v={injection:{injectEventPluginOrder:a.injectEventPluginOrder,injectEventPluginsByName:a.injectEventPluginsByName},putListener:function(e,t,n){"function"!=typeof n&&i("94",t,typeof n);var r=g(e);(p[t]||(p[t]={}))[r]=n;var o=a.registrationNameModules[t];o&&o.didPutListener&&o.didPutListener(e,t,n)},getListener:function(e,t){var n=p[t];if(o(t,e._currentElement.type,e._currentElement.props))return null;var r=g(e);return n&&n[r]},deleteListener:function(e,t){var n=a.registrationNameModules[t];n&&n.willDeleteListener&&n.willDeleteListener(e,t);var r=p[t];if(r){delete r[g(e)]}},deleteAllListeners:function(e){var t=g(e);for(var n in p)if(p.hasOwnProperty(n)&&p[n][t]){var r=a.registrationNameModules[n];r&&r.willDeleteListener&&r.willDeleteListener(e,n),delete p[n][t]}},extractEvents:function(e,t,n,r){for(var o,i=a.plugins,s=0;s1)for(var n=1;n]/;e.exports=o},function(e,t,n){"use strict";var r,o=n(8),i=n(51),a=/^[ \r\n\t\f]/,s=/<(!--|link|noscript|meta|script|style)[ \r\n\t\f\/>]/,u=n(59),c=u(function(e,t){if(e.namespaceURI!==i.svg||"innerHTML"in e)e.innerHTML=t;else{r=r||document.createElement("div"),r.innerHTML=""+t+"";for(var n=r.firstChild;n.firstChild;)e.appendChild(n.firstChild)}});if(o.canUseDOM){var l=document.createElement("div");l.innerHTML=" ",""===l.innerHTML&&(c=function(e,t){if(e.parentNode&&e.parentNode.replaceChild(e,e),a.test(t)||"<"===t[0]&&s.test(t)){e.innerHTML=String.fromCharCode(65279)+t;var n=e.firstChild;1===n.data.length?e.removeChild(n):n.deleteData(0,1)}else e.innerHTML=t}),l=null}e.exports=c},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(128),o=n(323),i=n(322),a=n(321),s=n(127);n(129);n.d(t,"createStore",function(){return r.a}),n.d(t,"combineReducers",function(){return o.a}),n.d(t,"bindActionCreators",function(){return i.a}),n.d(t,"applyMiddleware",function(){return a.a}),n.d(t,"compose",function(){return s.a})},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(297),o=n(118),i=n(298);n.d(t,"Provider",function(){return r.a}),n.d(t,"createProvider",function(){return r.b}),n.d(t,"connectAdvanced",function(){return o.a}),n.d(t,"connect",function(){return i.a})},function(e,t,n){"use strict";e.exports=n(247)},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(t){this._id=e._uniqueId++,this._parent=t,this._eventRecords=[]}return e.raise=function(t,n,r,o){var i;if(e._isElement(t)){if(document.createEvent){var a=document.createEvent("HTMLEvents");a.initEvent(n,o,!0),a.args=r,i=t.dispatchEvent(a)}else if(document.createEventObject){var s=document.createEventObject(r);t.fireEvent("on"+n,s)}}else for(;t&&!1!==i;){var u=t.__events__,c=u?u[n]:null;for(var l in c)if(c.hasOwnProperty(l))for(var p=c[l],d=0;!1!==i&&d-1)for(var a=n.split(/[ ,]+/),s=0;s=200&&e<300}};u.headers={common:{Accept:"application/json, text/plain, */*"}},o.forEach(["delete","get","head"],function(e){u.headers[e]={}}),o.forEach(["post","put","patch"],function(e){u.headers[e]=o.merge(s)}),e.exports=u}).call(t,n(34))},,function(e,t,n){"use strict";function r(e,t){return e===t?0!==e||0!==t||1/e==1/t:e!==e&&t!==t}function o(e,t){if(r(e,t))return!0;if("object"!=typeof e||null===e||"object"!=typeof t||null===t)return!1;var n=Object.keys(e),o=Object.keys(t);if(n.length!==o.length)return!1;for(var a=0;a-1||a("96",e),!c.plugins[n]){t.extractEvents||a("97",e),c.plugins[n]=t;var r=t.eventTypes;for(var i in r)o(r[i],t,i)||a("98",i,e)}}}function o(e,t,n){c.eventNameDispatchConfigs.hasOwnProperty(n)&&a("99",n),c.eventNameDispatchConfigs[n]=e;var r=e.phasedRegistrationNames;if(r){for(var o in r)if(r.hasOwnProperty(o)){var s=r[o];i(s,t,n)}return!0}return!!e.registrationName&&(i(e.registrationName,t,n),!0)}function i(e,t,n){c.registrationNameModules[e]&&a("100",e),c.registrationNameModules[e]=t,c.registrationNameDependencies[e]=t.eventTypes[n].dependencies}var a=n(3),s=(n(1),null),u={},c={plugins:[],eventNameDispatchConfigs:{},registrationNameModules:{},registrationNameDependencies:{},possibleRegistrationNames:null,injectEventPluginOrder:function(e){s&&a("101"),s=Array.prototype.slice.call(e),r()},injectEventPluginsByName:function(e){var t=!1;for(var n in e)if(e.hasOwnProperty(n)){var o=e[n];u.hasOwnProperty(n)&&u[n]===o||(u[n]&&a("102",n),u[n]=o,t=!0)}t&&r()},getPluginModuleForEvent:function(e){var t=e.dispatchConfig;if(t.registrationName)return c.registrationNameModules[t.registrationName]||null;if(void 0!==t.phasedRegistrationNames){var n=t.phasedRegistrationNames;for(var r in n)if(n.hasOwnProperty(r)){var o=c.registrationNameModules[n[r]];if(o)return o}}return null},_resetEventPlugins:function(){s=null;for(var e in u)u.hasOwnProperty(e)&&delete u[e];c.plugins.length=0;var t=c.eventNameDispatchConfigs;for(var n in t)t.hasOwnProperty(n)&&delete t[n];var r=c.registrationNameModules;for(var o in r)r.hasOwnProperty(o)&&delete r[o]}};e.exports=c},function(e,t,n){"use strict";function r(e){return"topMouseUp"===e||"topTouchEnd"===e||"topTouchCancel"===e}function o(e){return"topMouseMove"===e||"topTouchMove"===e}function i(e){return"topMouseDown"===e||"topTouchStart"===e}function a(e,t,n,r){var o=e.type||"unknown-event";e.currentTarget=v.getNodeFromInstance(r),t?m.invokeGuardedCallbackWithCatch(o,n,e):m.invokeGuardedCallback(o,n,e),e.currentTarget=null}function s(e,t){var n=e._dispatchListeners,r=e._dispatchInstances;if(Array.isArray(n))for(var o=0;o0&&r.length<20?n+" (keys: "+r.join(", ")+")":n}function i(e,t){var n=s.get(e);if(!n){return null}return n}var a=n(3),s=(n(14),n(29)),u=(n(11),n(12)),c=(n(1),n(2),{isMounted:function(e){var t=s.get(e);return!!t&&!!t._renderedComponent},enqueueCallback:function(e,t,n){c.validateCallback(t,n);var o=i(e);if(!o)return null;o._pendingCallbacks?o._pendingCallbacks.push(t):o._pendingCallbacks=[t],r(o)},enqueueCallbackInternal:function(e,t){e._pendingCallbacks?e._pendingCallbacks.push(t):e._pendingCallbacks=[t],r(e)},enqueueForceUpdate:function(e){var t=i(e,"forceUpdate");t&&(t._pendingForceUpdate=!0,r(t))},enqueueReplaceState:function(e,t,n){var o=i(e,"replaceState");o&&(o._pendingStateQueue=[t],o._pendingReplaceState=!0,void 0!==n&&null!==n&&(c.validateCallback(n,"replaceState"),o._pendingCallbacks?o._pendingCallbacks.push(n):o._pendingCallbacks=[n]),r(o))},enqueueSetState:function(e,t){var n=i(e,"setState");if(n){(n._pendingStateQueue||(n._pendingStateQueue=[])).push(t),r(n)}},enqueueElementInternal:function(e,t,n){e._pendingElement=t,e._context=n,r(e)},validateCallback:function(e,t){e&&"function"!=typeof e&&a("122",t,o(e))}});e.exports=c},function(e,t,n){"use strict";var r=function(e){return"undefined"!=typeof MSApp&&MSApp.execUnsafeLocalFunction?function(t,n,r,o){MSApp.execUnsafeLocalFunction(function(){return e(t,n,r,o)})}:e};e.exports=r},function(e,t,n){"use strict";function r(e){var t,n=e.keyCode;return"charCode"in e?0===(t=e.charCode)&&13===n&&(t=13):t=n,t>=32||13===t?t:0}e.exports=r},function(e,t,n){"use strict";function r(e){var t=this,n=t.nativeEvent;if(n.getModifierState)return n.getModifierState(e);var r=i[e];return!!r&&!!n[r]}function o(e){return r}var i={Alt:"altKey",Control:"ctrlKey",Meta:"metaKey",Shift:"shiftKey"};e.exports=o},function(e,t,n){"use strict";function r(e){var t=e.target||e.srcElement||window;return t.correspondingUseElement&&(t=t.correspondingUseElement),3===t.nodeType?t.parentNode:t}e.exports=r},function(e,t,n){"use strict";function r(e,t){if(!i.canUseDOM||t&&!("addEventListener"in document))return!1;var n="on"+e,r=n in document;if(!r){var a=document.createElement("div");a.setAttribute(n,"return;"),r="function"==typeof a[n]}return!r&&o&&"wheel"===e&&(r=document.implementation.hasFeature("Events.wheel","3.0")),r}var o,i=n(8);i.canUseDOM&&(o=document.implementation&&document.implementation.hasFeature&&!0!==document.implementation.hasFeature("","")),e.exports=r},function(e,t,n){"use strict";function r(e,t){var n=null===e||!1===e,r=null===t||!1===t;if(n||r)return n===r;var o=typeof e,i=typeof t;return"string"===o||"number"===o?"string"===i||"number"===i:"object"===i&&e.type===t.type&&e.key===t.key}e.exports=r},function(e,t,n){"use strict";var r=(n(4),n(10)),o=(n(2),r);e.exports=o},function(e,t,n){"use strict";function r(e){"undefined"!=typeof console&&console.error;try{throw new Error(e)}catch(e){}}t.a=r},function(e,t){var n;n=function(){return this}();try{n=n||Function("return this")()||(0,eval)("this")}catch(e){"object"==typeof window&&(n=window)}e.exports=n},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(15),o=function(){function e(){}return e.capitalize=function(e){return e.charAt(0).toUpperCase()+e.slice(1)},e.formatString=function(){for(var e=[],t=0;t=a&&(!t||s)?(c=n,l&&(r.clearTimeout(l),l=null),o=e.apply(r._parent,i)):null===l&&u&&(l=r.setTimeout(p,f)),o};return function(){for(var e=[],t=0;t=a&&(h=!0),l=n);var m=n-l,g=a-m,v=n-p,y=!1;return null!==c&&(v>=c&&d?y=!0:g=Math.min(g,c-v)),m>=a||y||h?(d&&(r.clearTimeout(d),d=null),p=n,o=e.apply(r._parent,i)):null!==d&&t||!u||(d=r.setTimeout(f,g)),o};return function(){for(var e=[],t=0;t1?t[1]:""}return this.__className},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_disposables",{get:function(){return this.__disposables||(this.__disposables=[]),this.__disposables},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_async",{get:function(){return this.__async||(this.__async=new u.Async(this),this._disposables.push(this.__async)),this.__async},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_events",{get:function(){return this.__events||(this.__events=new c.EventGroup(this),this._disposables.push(this.__events)),this.__events},enumerable:!0,configurable:!0}),t.prototype._resolveRef=function(e){var t=this;return this.__resolves||(this.__resolves={}),this.__resolves[e]||(this.__resolves[e]=function(n){return t[e]=n}),this.__resolves[e]},t.prototype._updateComponentRef=function(e,t){void 0===t&&(t={}),this._shouldUpdateComponentRef&&(!e&&t.componentRef||e&&e.componentRef!==t.componentRef)&&(e&&e.componentRef&&e.componentRef(null),t.componentRef&&t.componentRef(this))},t.prototype._warnDeprecations=function(e){l.warnDeprecations(this.className,this.props,e)},t.prototype._warnMutuallyExclusive=function(e){l.warnMutuallyExclusive(this.className,this.props,e)},t}(s.Component);t.BaseComponent=p,p.onError=function(e){throw e},t.nullRender=i},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});!function(e){e[e.a=65]="a",e[e.backspace=8]="backspace",e[e.comma=188]="comma",e[e.del=46]="del",e[e.down=40]="down",e[e.end=35]="end",e[e.enter=13]="enter",e[e.escape=27]="escape",e[e.home=36]="home",e[e.left=37]="left",e[e.pageDown=34]="pageDown",e[e.pageUp=33]="pageUp",e[e.right=39]="right",e[e.semicolon=186]="semicolon",e[e.space=32]="space",e[e.tab=9]="tab",e[e.up=38]="up"}(t.KeyCodes||(t.KeyCodes={}))},function(e,t,n){"use strict";function r(){var e=u.getDocument();e&&e.body&&!l&&e.body.classList.add(c.default.msFabricScrollDisabled),l++}function o(){if(l>0){var e=u.getDocument();e&&e.body&&1===l&&e.body.classList.remove(c.default.msFabricScrollDisabled),l--}}function i(){if(void 0===s){var e=document.createElement("div");e.style.setProperty("width","100px"),e.style.setProperty("height","100px"),e.style.setProperty("overflow","scroll"),e.style.setProperty("position","absolute"),e.style.setProperty("top","-9999px"),document.body.appendChild(e),s=e.offsetWidth-e.clientWidth,document.body.removeChild(e)}return s}function a(e){for(var n=e;n&&n!==document.body;){if("true"===n.getAttribute(t.DATA_IS_SCROLLABLE_ATTRIBUTE))return n;n=n.parentElement}for(n=e;n&&n!==document.body;){if("false"!==n.getAttribute(t.DATA_IS_SCROLLABLE_ATTRIBUTE)){var r=getComputedStyle(n),o=r?r.getPropertyValue("overflow-y"):"";if(o&&("scroll"===o||"auto"===o))return n}n=n.parentElement}return n&&n!==document.body||(n=window),n}Object.defineProperty(t,"__esModule",{value:!0});var s,u=n(25),c=n(167),l=0;t.DATA_IS_SCROLLABLE_ATTRIBUTE="data-is-scrollable",t.disableBodyScroll=r,t.enableBodyScroll=o,t.getScrollbarWidth=i,t.findScrollableParent=a},function(e,t,n){"use strict";function r(e,t,n){for(var r in n)if(t&&r in t){var o=e+" property '"+r+"' was used but has been deprecated.",i=n[r];i&&(o+=" Use '"+i+"' instead."),s(o)}}function o(e,t,n){for(var r in n)t&&r in t&&n[r]in t&&s(e+" property '"+r+"' is mutually exclusive with '"+n[r]+"'. Use one or the other.")}function i(e){console&&console.warn}function a(e){s=void 0===e?i:e}Object.defineProperty(t,"__esModule",{value:!0});var s=i;t.warnDeprecations=r,t.warnMutuallyExclusive=o,t.warn=i,t.setWarningCallback=a},function(e,t,n){"use strict";var r=n(9),o=n(176),i=n(179),a=n(185),s=n(183),u=n(81),c="undefined"!=typeof window&&window.btoa&&window.btoa.bind(window)||n(178);e.exports=function(e){return new Promise(function(t,l){var p=e.data,d=e.headers;r.isFormData(p)&&delete d["Content-Type"];var f=new XMLHttpRequest,h="onreadystatechange",m=!1;if("undefined"==typeof window||!window.XDomainRequest||"withCredentials"in f||s(e.url)||(f=new window.XDomainRequest,h="onload",m=!0,f.onprogress=function(){},f.ontimeout=function(){}),e.auth){var g=e.auth.username||"",v=e.auth.password||"";d.Authorization="Basic "+c(g+":"+v)}if(f.open(e.method.toUpperCase(),i(e.url,e.params,e.paramsSerializer),!0),f.timeout=e.timeout,f[h]=function(){if(f&&(4===f.readyState||m)&&(0!==f.status||f.responseURL&&0===f.responseURL.indexOf("file:"))){var n="getAllResponseHeaders"in f?a(f.getAllResponseHeaders()):null,r=e.responseType&&"text"!==e.responseType?f.response:f.responseText,i={data:r,status:1223===f.status?204:f.status,statusText:1223===f.status?"No Content":f.statusText,headers:n,config:e,request:f};o(t,l,i),f=null}},f.onerror=function(){l(u("Network Error",e)),f=null},f.ontimeout=function(){l(u("timeout of "+e.timeout+"ms exceeded",e,"ECONNABORTED")),f=null},r.isStandardBrowserEnv()){var y=n(181),_=(e.withCredentials||s(e.url))&&e.xsrfCookieName?y.read(e.xsrfCookieName):void 0;_&&(d[e.xsrfHeaderName]=_)}if("setRequestHeader"in f&&r.forEach(d,function(e,t){void 0===p&&"content-type"===t.toLowerCase()?delete d[t]:f.setRequestHeader(t,e)}),e.withCredentials&&(f.withCredentials=!0),e.responseType)try{f.responseType=e.responseType}catch(e){if("json"!==f.responseType)throw e}"function"==typeof e.onDownloadProgress&&f.addEventListener("progress",e.onDownloadProgress),"function"==typeof e.onUploadProgress&&f.upload&&f.upload.addEventListener("progress",e.onUploadProgress),e.cancelToken&&e.cancelToken.promise.then(function(e){f&&(f.abort(),l(e),f=null)}),void 0===p&&(p=null),f.send(p)})}},function(e,t,n){"use strict";function r(e){this.message=e}r.prototype.toString=function(){return"Cancel"+(this.message?": "+this.message:"")},r.prototype.__CANCEL__=!0,e.exports=r},function(e,t,n){"use strict";e.exports=function(e){return!(!e||!e.__CANCEL__)}},function(e,t,n){"use strict";var r=n(175);e.exports=function(e,t,n,o){var i=new Error(e);return r(i,t,n,o)}},function(e,t,n){"use strict";e.exports=function(e,t){return function(){for(var n=new Array(arguments.length),r=0;r.":"function"==typeof t?" Instead of passing a class like Foo, pass React.createElement(Foo) or .":null!=t&&void 0!==t.props?" This may be caused by unintentionally loading two independent copies of React.":"");var a,s=g.createElement(L,{child:t});if(e){var u=w.get(e);a=u._processChildContext(u._context)}else a=P;var l=d(n);if(l){var p=l._currentElement,h=p.props.child;if(O(h,t)){var m=l._renderedComponent.getPublicInstance(),v=r&&function(){r.call(m)};return U._updateRootComponent(l,s,a,n,v),m}U.unmountComponentAtNode(n)}var y=o(n),_=y&&!!i(y),b=c(n),E=_&&!l&&!b,S=U._renderNewRootComponent(s,n,E,a)._renderedComponent.getPublicInstance();return r&&r.call(S),S},render:function(e,t,n){return U._renderSubtreeIntoContainer(null,e,t,n)},unmountComponentAtNode:function(e){l(e)||f("40");var t=d(e);if(!t){c(e),1===e.nodeType&&e.hasAttribute(A);return!1}return delete D[t._instance.rootID],T.batchedUpdates(u,t,e,!1),!0},_mountImageIntoNode:function(e,t,n,i,a){if(l(t)||f("41"),i){var s=o(t);if(S.canReuseMarkup(e,s))return void y.precacheNode(n,s);var u=s.getAttribute(S.CHECKSUM_ATTR_NAME);s.removeAttribute(S.CHECKSUM_ATTR_NAME);var c=s.outerHTML;s.setAttribute(S.CHECKSUM_ATTR_NAME,u);var p=e,d=r(p,c),m=" (client) "+p.substring(d-20,d+20)+"\n (server) "+c.substring(d-20,d+20);t.nodeType===R&&f("42",m)}if(t.nodeType===R&&f("43"),a.useCreateElement){for(;t.lastChild;)t.removeChild(t.lastChild);h.insertTreeBefore(t,e,null)}else k(t,e),y.precacheNode(n,t.firstChild)}};e.exports=U},function(e,t,n){"use strict";var r=n(3),o=n(23),i=(n(1),{HOST:0,COMPOSITE:1,EMPTY:2,getType:function(e){return null===e||!1===e?i.EMPTY:o.isValidElement(e)?"function"==typeof e.type?i.COMPOSITE:i.HOST:void r("26",e)}});e.exports=i},function(e,t,n){"use strict";var r={currentScrollLeft:0,currentScrollTop:0,refreshScrollValues:function(e){r.currentScrollLeft=e.x,r.currentScrollTop=e.y}};e.exports=r},function(e,t,n){"use strict";function r(e,t){return null==t&&o("30"),null==e?t:Array.isArray(e)?Array.isArray(t)?(e.push.apply(e,t),e):(e.push(t),e):Array.isArray(t)?[e].concat(t):[e,t]}var o=n(3);n(1);e.exports=r},function(e,t,n){"use strict";function r(e,t,n){Array.isArray(e)?e.forEach(t,n):e&&t.call(n,e)}e.exports=r},function(e,t,n){"use strict";function r(e){for(var t;(t=e._renderedNodeType)===o.COMPOSITE;)e=e._renderedComponent;return t===o.HOST?e._renderedComponent:t===o.EMPTY?null:void 0}var o=n(107);e.exports=r},function(e,t,n){"use strict";function r(){return!i&&o.canUseDOM&&(i="textContent"in document.documentElement?"textContent":"innerText"),i}var o=n(8),i=null;e.exports=r},function(e,t,n){"use strict";function r(e){var t=e.type,n=e.nodeName;return n&&"input"===n.toLowerCase()&&("checkbox"===t||"radio"===t)}function o(e){return e._wrapperState.valueTracker}function i(e,t){e._wrapperState.valueTracker=t}function a(e){e._wrapperState.valueTracker=null}function s(e){var t;return e&&(t=r(e)?""+e.checked:e.value),t}var u=n(5),c={_getTrackerFromNode:function(e){return o(u.getInstanceFromNode(e))},track:function(e){if(!o(e)){var t=u.getNodeFromInstance(e),n=r(t)?"checked":"value",s=Object.getOwnPropertyDescriptor(t.constructor.prototype,n),c=""+t[n];t.hasOwnProperty(n)||"function"!=typeof s.get||"function"!=typeof s.set||(Object.defineProperty(t,n,{enumerable:s.enumerable,configurable:!0,get:function(){return s.get.call(this)},set:function(e){c=""+e,s.set.call(this,e)}}),i(e,{getValue:function(){return c},setValue:function(e){c=""+e},stopTracking:function(){a(e),delete t[n]}}))}},updateValueIfChanged:function(e){if(!e)return!1;var t=o(e);if(!t)return c.track(e),!0;var n=t.getValue(),r=s(u.getNodeFromInstance(e));return r!==n&&(t.setValue(r),!0)},stopTracking:function(e){var t=o(e);t&&t.stopTracking()}};e.exports=c},function(e,t,n){"use strict";function r(e){if(e){var t=e.getName();if(t)return" Check the render method of `"+t+"`."}return""}function o(e){return"function"==typeof e&&void 0!==e.prototype&&"function"==typeof e.prototype.mountComponent&&"function"==typeof e.prototype.receiveComponent}function i(e,t){var n;if(null===e||!1===e)n=c.create(i);else if("object"==typeof e){var s=e,u=s.type;if("function"!=typeof u&&"string"!=typeof u){var d="";d+=r(s._owner),a("130",null==u?u:typeof u,d)}"string"==typeof s.type?n=l.createInternalComponent(s):o(s.type)?(n=new s.type(s),n.getHostNode||(n.getHostNode=n.getNativeNode)):n=new p(s)}else"string"==typeof e||"number"==typeof e?n=l.createInstanceForText(e):a("131",typeof e);return n._mountIndex=0,n._mountImage=null,n}var a=n(3),s=n(4),u=n(246),c=n(102),l=n(104),p=(n(316),n(1),n(2),function(e){this.construct(e)});s(p.prototype,u,{_instantiateReactComponent:i}),e.exports=i},function(e,t,n){"use strict";function r(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return"input"===t?!!o[e.type]:"textarea"===t}var o={color:!0,date:!0,datetime:!0,"datetime-local":!0,email:!0,month:!0,number:!0,password:!0,range:!0,search:!0,tel:!0,text:!0,time:!0,url:!0,week:!0};e.exports=r},function(e,t,n){"use strict";var r=n(8),o=n(38),i=n(39),a=function(e,t){if(t){var n=e.firstChild;if(n&&n===e.lastChild&&3===n.nodeType)return void(n.nodeValue=t)}e.textContent=t};r.canUseDOM&&("textContent"in document.documentElement||(a=function(e,t){if(3===e.nodeType)return void(e.nodeValue=t);i(e,o(t))})),e.exports=a},function(e,t,n){"use strict";function r(e,t){return e&&"object"==typeof e&&null!=e.key?c.escape(e.key):t.toString(36)}function o(e,t,n,i){var d=typeof e;if("undefined"!==d&&"boolean"!==d||(e=null),null===e||"string"===d||"number"===d||"object"===d&&e.$$typeof===s)return n(i,e,""===t?l+r(e,0):t),1;var f,h,m=0,g=""===t?l:t+p;if(Array.isArray(e))for(var v=0;v=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function s(){}function u(e,t){var n={run:function(r){try{var o=e(t.getState(),r);(o!==n.props||n.error)&&(n.shouldComponentUpdate=!0,n.props=o,n.error=null)}catch(e){n.shouldComponentUpdate=!0,n.error=e}}};return n}function c(e){var t,c,l=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},d=l.getDisplayName,b=void 0===d?function(e){return"ConnectAdvanced("+e+")"}:d,E=l.methodName,w=void 0===E?"connectAdvanced":E,S=l.renderCountProp,C=void 0===S?void 0:S,x=l.shouldHandleStateChanges,T=void 0===x||x,P=l.storeKey,I=void 0===P?"store":P,k=l.withRef,O=void 0!==k&&k,M=a(l,["getDisplayName","methodName","renderCountProp","shouldHandleStateChanges","storeKey","withRef"]),A=I+"Subscription",N=y++,R=(t={},t[I]=g.a,t[A]=g.b,t),B=(c={},c[A]=g.b,c);return function(t){f()("function"==typeof t,"You must pass a component to the function returned by connect. Instead received "+JSON.stringify(t));var a=t.displayName||t.name||"Component",c=b(a),l=v({},M,{getDisplayName:b,methodName:w,renderCountProp:C,shouldHandleStateChanges:T,storeKey:I,withRef:O,displayName:c,wrappedComponentName:a,WrappedComponent:t}),d=function(a){function p(e,t){r(this,p);var n=o(this,a.call(this,e,t));return n.version=N,n.state={},n.renderCount=0,n.store=e[I]||t[I],n.propsMode=Boolean(e[I]),n.setWrappedInstance=n.setWrappedInstance.bind(n),f()(n.store,'Could not find "'+I+'" in either the context or props of "'+c+'". Either wrap the root component in a , or explicitly pass "'+I+'" as a prop to "'+c+'".'),n.initSelector(),n.initSubscription(),n}return i(p,a),p.prototype.getChildContext=function(){var e,t=this.propsMode?null:this.subscription;return e={},e[A]=t||this.context[A],e},p.prototype.componentDidMount=function(){T&&(this.subscription.trySubscribe(),this.selector.run(this.props),this.selector.shouldComponentUpdate&&this.forceUpdate())},p.prototype.componentWillReceiveProps=function(e){this.selector.run(e)},p.prototype.shouldComponentUpdate=function(){return this.selector.shouldComponentUpdate},p.prototype.componentWillUnmount=function(){this.subscription&&this.subscription.tryUnsubscribe(),this.subscription=null,this.notifyNestedSubs=s,this.store=null,this.selector.run=s,this.selector.shouldComponentUpdate=!1},p.prototype.getWrappedInstance=function(){return f()(O,"To access the wrapped instance, you need to specify { withRef: true } in the options argument of the "+w+"() call."),this.wrappedInstance},p.prototype.setWrappedInstance=function(e){this.wrappedInstance=e},p.prototype.initSelector=function(){var t=e(this.store.dispatch,l);this.selector=u(t,this.store),this.selector.run(this.props)},p.prototype.initSubscription=function(){if(T){var e=(this.propsMode?this.props:this.context)[A];this.subscription=new m.a(this.store,e,this.onStateChange.bind(this)),this.notifyNestedSubs=this.subscription.notifyNestedSubs.bind(this.subscription)}},p.prototype.onStateChange=function(){this.selector.run(this.props),this.selector.shouldComponentUpdate?(this.componentDidUpdate=this.notifyNestedSubsOnComponentDidUpdate,this.setState(_)):this.notifyNestedSubs()},p.prototype.notifyNestedSubsOnComponentDidUpdate=function(){this.componentDidUpdate=void 0,this.notifyNestedSubs()},p.prototype.isSubscribed=function(){return Boolean(this.subscription)&&this.subscription.isSubscribed()},p.prototype.addExtraProps=function(e){if(!(O||C||this.propsMode&&this.subscription))return e;var t=v({},e);return O&&(t.ref=this.setWrappedInstance),C&&(t[C]=this.renderCount++),this.propsMode&&this.subscription&&(t[A]=this.subscription),t},p.prototype.render=function(){var e=this.selector;if(e.shouldComponentUpdate=!1,e.error)throw e.error;return n.i(h.createElement)(t,this.addExtraProps(e.props))},p}(h.Component);return d.WrappedComponent=t,d.displayName=c,d.childContextTypes=B,d.contextTypes=R,d.propTypes=R,p()(d,t)}}t.a=c;var l=n(306),p=n.n(l),d=n(17),f=n.n(d),h=n(0),m=(n.n(h),n(304)),g=n(120),v=Object.assign||function(e){for(var t=1;tnew Date)return o.data}}return null},e.prototype.set=function(e,t,n){var o=this.addKeyPrefix(e),i=!1;if(this.isSupportedStorage&&void 0!==t){var a=new Date,s=typeof n!==r.constants.TYPE_OF_UNDEFINED?a.setMinutes(a.getMinutes()+n):864e13,u={data:t,expiryTime:s};this.CacheObject.setItem(o,JSON.stringify(u)),i=!0}return i},e.prototype.addKeyPrefix=function(e){return this._keyPrefix+window.location.href.replace(/:\/\/|\/|\./g,"_")+"_"+e},Object.defineProperty(e.prototype,"CacheObject",{get:function(){return window.localStorage},enumerable:!0,configurable:!0}),e.prototype.checkIfStorageIsSupported=function(){var e=this.CacheObject;if(e&&JSON&&typeof JSON.parse===r.constants.TYPE_OF_FUNCTION&&typeof JSON.stringify===r.constants.TYPE_OF_FUNCTION)try{var t=this._keyPrefix+"testingCache";return e.setItem(t,"1"),e.removeItem(t),!0}catch(e){}return!1},e}();t.AppCache=new o},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(211),o=n(0),i=n(15);t.WorkingOnIt=function(){return o.createElement("div",{className:"working-on-it-wrapper"},o.createElement(r.Spinner,{type:r.SpinnerType.large,label:i.constants.WORKING_ON_IT_TEXT}))}},function(e,t,n){"use strict";function r(e){return e}function o(e,t,n){function o(e,t){var n=y.hasOwnProperty(t)?y[t]:null;w.hasOwnProperty(t)&&s("OVERRIDE_BASE"===n,"ReactClassInterface: You are attempting to override `%s` from your class specification. Ensure that your method names do not overlap with React methods.",t),e&&s("DEFINE_MANY"===n||"DEFINE_MANY_MERGED"===n,"ReactClassInterface: You are attempting to define `%s` on your component more than once. This conflict may be due to a mixin.",t)}function c(e,n){if(n){s("function"!=typeof n,"ReactClass: You're attempting to use a component class or function as a mixin. Instead, just use a regular object."),s(!t(n),"ReactClass: You're attempting to use a component as a mixin. Instead, just use a regular object.");var r=e.prototype,i=r.__reactAutoBindPairs;n.hasOwnProperty(u)&&_.mixins(e,n.mixins);for(var a in n)if(n.hasOwnProperty(a)&&a!==u){var c=n[a],l=r.hasOwnProperty(a);if(o(l,a),_.hasOwnProperty(a))_[a](e,c);else{var p=y.hasOwnProperty(a),h="function"==typeof c,m=h&&!p&&!l&&!1!==n.autobind;if(m)i.push(a,c),r[a]=c;else if(l){var g=y[a];s(p&&("DEFINE_MANY_MERGED"===g||"DEFINE_MANY"===g),"ReactClass: Unexpected spec policy %s for key %s when mixing in component specs.",g,a),"DEFINE_MANY_MERGED"===g?r[a]=d(r[a],c):"DEFINE_MANY"===g&&(r[a]=f(r[a],c))}else r[a]=c}}}else;}function l(e,t){if(t)for(var n in t){var r=t[n];if(t.hasOwnProperty(n)){var o=n in _;s(!o,'ReactClass: You are attempting to define a reserved property, `%s`, that shouldn\'t be on the "statics" key. Define it as an instance property instead; it will still be accessible on the constructor.',n);var i=n in e;s(!i,"ReactClass: You are attempting to define `%s` on your component more than once. This conflict may be due to a mixin.",n),e[n]=r}}}function p(e,t){s(e&&t&&"object"==typeof e&&"object"==typeof t,"mergeIntoWithNoDuplicateKeys(): Cannot merge non-objects.");for(var n in t)t.hasOwnProperty(n)&&(s(void 0===e[n],"mergeIntoWithNoDuplicateKeys(): Tried to merge two objects with the same key: `%s`. This conflict may be due to a mixin; in particular, this may be caused by two getInitialState() or getDefaultProps() methods returning objects with clashing keys.",n),e[n]=t[n]);return e}function d(e,t){return function(){var n=e.apply(this,arguments),r=t.apply(this,arguments);if(null==n)return r;if(null==r)return n;var o={};return p(o,n),p(o,r),o}}function f(e,t){return function(){e.apply(this,arguments),t.apply(this,arguments)}}function h(e,t){var n=t.bind(e);return n}function m(e){for(var t=e.__reactAutoBindPairs,n=0;n0&&this._computeScrollVelocity(e.touches[0].clientY)},e.prototype._computeScrollVelocity=function(e){var t=this._scrollRect.top,n=t+this._scrollRect.height-100;this._scrollVelocity=en?Math.min(15,(e-n)/100*15):0,this._scrollVelocity?this._startScroll():this._stopScroll()},e.prototype._startScroll=function(){this._timeoutId||this._incrementScroll()},e.prototype._incrementScroll=function(){this._scrollableParent.scrollTop+=Math.round(this._scrollVelocity),this._timeoutId=setTimeout(this._incrementScroll,16)},e.prototype._stopScroll=function(){this._timeoutId&&(clearTimeout(this._timeoutId),delete this._timeoutId)},e}();t.AutoScroll=a},function(e,t,n){"use strict";var r=this&&this.__extends||function(){var e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])};return function(t,n){function r(){this.constructor=t}e(t,n),t.prototype=null===n?Object.create(n):(r.prototype=n.prototype,new r)}}();Object.defineProperty(t,"__esModule",{value:!0});var o=n(0),i=n(74),a=n(44),s=function(e){function t(t,n){var r=e.call(this,t)||this;return r.state=r._getInjectedProps(t,n),r}return r(t,e),t.prototype.getChildContext=function(){return this.state},t.prototype.componentWillReceiveProps=function(e,t){this.setState(this._getInjectedProps(e,t))},t.prototype.render=function(){return o.Children.only(this.props.children)},t.prototype._getInjectedProps=function(e,t){var n=e.settings,r=void 0===n?{}:n,o=t.injectedProps,i=void 0===o?{}:o;return{injectedProps:a.assign({},i,r)}},t}(i.BaseComponent);s.contextTypes={injectedProps:o.PropTypes.object},s.childContextTypes=s.contextTypes,t.Customizer=s},function(e,t,n){"use strict";var r=this&&this.__extends||function(){var e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])};return function(t,n){function r(){this.constructor=t}e(t,n),t.prototype=null===n?Object.create(n):(r.prototype=n.prototype,new r)}}();Object.defineProperty(t,"__esModule",{value:!0});var o=n(0),i=function(e){function t(t){var n=e.call(this,t)||this;return n.state={isRendered:!1},n}return r(t,e),t.prototype.componentDidMount=function(){var e=this,t=this.props.delay;this._timeoutId=setTimeout(function(){e.setState({isRendered:!0})},t)},t.prototype.componentWillUnmount=function(){clearTimeout(this._timeoutId)},t.prototype.render=function(){return this.state.isRendered?o.Children.only(this.props.children):null},t}(o.Component);i.defaultProps={delay:0},t.DelayedRender=i},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(e,t,n,r){void 0===e&&(e=0),void 0===t&&(t=0),void 0===n&&(n=0),void 0===r&&(r=0),this.top=n,this.bottom=r,this.left=e,this.right=t}return Object.defineProperty(e.prototype,"width",{get:function(){return this.right-this.left},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"height",{get:function(){return this.bottom-this.top},enumerable:!0,configurable:!0}),e.prototype.equals=function(e){return parseFloat(this.top.toFixed(4))===parseFloat(e.top.toFixed(4))&&parseFloat(this.bottom.toFixed(4))===parseFloat(e.bottom.toFixed(4))&&parseFloat(this.left.toFixed(4))===parseFloat(e.left.toFixed(4))&&parseFloat(this.right.toFixed(4))===parseFloat(e.right.toFixed(4))},e}();t.Rectangle=r},function(e,t,n){"use strict";function r(e,t){for(var n=-1,r=0;e&&r=0||e.getAttribute&&("true"===n||"button"===e.getAttribute("role")))}function l(e){return e&&!!e.getAttribute(m)}function p(e){var t=d.getDocument(e).activeElement;return!(!t||!d.elementContains(e,t))}Object.defineProperty(t,"__esModule",{value:!0});var d=n(25),f="data-is-focusable",h="data-is-visible",m="data-focuszone-id";t.getFirstFocusable=r,t.getLastFocusable=o,t.focusFirstChild=i,t.getPreviousElement=a,t.getNextElement=s,t.isElementVisible=u,t.isElementTabbable=c,t.isElementFocusZone=l,t.doesElementContainFocus=p},function(e,t,n){"use strict";function r(e,t,n){void 0===n&&(n=i);var r=[];for(var o in t)!function(o){"function"!=typeof t[o]||void 0!==e[o]||n&&-1!==n.indexOf(o)||(r.push(o),e[o]=function(){t[o].apply(t,arguments)})}(o);return r}function o(e,t){t.forEach(function(t){return delete e[t]})}Object.defineProperty(t,"__esModule",{value:!0});var i=["setState","render","componentWillMount","componentDidMount","componentWillReceiveProps","shouldComponentUpdate","componentWillUpdate","componentDidUpdate","componentWillUnmount"];t.hoistMethods=r,t.unhoistMethods=o},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}Object.defineProperty(t,"__esModule",{value:!0}),r(n(73)),r(n(149)),r(n(74)),r(n(150)),r(n(151)),r(n(43)),r(n(75)),r(n(152)),r(n(153)),r(n(154)),r(n(155)),r(n(156)),r(n(25)),r(n(157)),r(n(158)),r(n(160)),r(n(161)),r(n(44)),r(n(163)),r(n(164)),r(n(165)),r(n(166)),r(n(76)),r(n(168)),r(n(77)),r(n(162))},function(e,t,n){"use strict";function r(e,t){var n="",r=e.split(" ");return 2===r.length?(n+=r[0].charAt(0).toUpperCase(),n+=r[1].charAt(0).toUpperCase()):3===r.length?(n+=r[0].charAt(0).toUpperCase(),n+=r[2].charAt(0).toUpperCase()):0!==r.length&&(n+=r[0].charAt(0).toUpperCase()),t&&n.length>1?n.charAt(1)+n.charAt(0):n}function o(e){return e=e.replace(a,""),e=e.replace(s," "),e=e.trim()}function i(e,t){return null==e?"":(e=o(e),u.test(e)?"":r(e,t))}Object.defineProperty(t,"__esModule",{value:!0});var a=/\([^)]*\)|[\0-\u001F\!-\/:-@\[-`\{-\u00BF\u0250-\u036F\uD800-\uFFFF]/g,s=/\s+/g,u=/[\u0600-\u06FF\u0750-\u077F\u08A0-\u08FF\u1100-\u11FF\u3130-\u318F\uA960-\uA97F\uAC00-\uD7AF\uD7B0-\uD7FF\u3040-\u309F\u30A0-\u30FF\u3400-\u4DBF\u4E00-\u9FFF\uF900-\uFAFF]|[\uD840-\uD869][\uDC00-\uDED6]/;t.getInitials=i},function(e,t,n){"use strict";function r(e,t){return Math.sqrt(Math.pow(e.x-t.x,2)+Math.pow(e.y-t.y,2))}Object.defineProperty(t,"__esModule",{value:!0}),t.getDistanceBetweenPoints=r},function(e,t,n){"use strict";function r(e){return e?"object"==typeof e?e:(a[e]||(a[e]={}),a[e]):i}function o(e){var t;return function(){for(var n=[],o=0;o=0)},{},e)}Object.defineProperty(t,"__esModule",{value:!0});var o=n(44);t.baseElementEvents=["onCopy","onCut","onPaste","onCompositionEnd","onCompositionStart","onCompositionUpdate","onFocus","onFocusCapture","onBlur","onBlurCapture","onChange","onInput","onSubmit","onLoad","onError","onKeyDown","onKeyDownCapture","onKeyPress","onKeyUp","onAbort","onCanPlay","onCanPlayThrough","onDurationChange","onEmptied","onEncrypted","onEnded","onLoadedData","onLoadedMetadata","onLoadStart","onPause","onPlay","onPlaying","onProgress","onRateChange","onSeeked","onSeeking","onStalled","onSuspend","onTimeUpdate","onVolumeChange","onWaiting","onClick","onClickCapture","onContextMenu","onDoubleClick","onDrag","onDragEnd","onDragEnter","onDragExit","onDragLeave","onDragOver","onDragStart","onDrop","onMouseDown","onMouseDownCapture","onMouseEnter","onMouseLeave","onMouseMove","onMouseOut","onMouseOver","onMouseUp","onMouseUpCapture","onSelect","onTouchCancel","onTouchEnd","onTouchMove","onTouchStart","onScroll","onWheel"],t.baseElementProperties=["defaultChecked","defaultValue","accept","acceptCharset","accessKey","action","allowFullScreen","allowTransparency","alt","async","autoComplete","autoFocus","autoPlay","capture","cellPadding","cellSpacing","charSet","challenge","checked","children","classID","className","cols","colSpan","content","contentEditable","contextMenu","controls","coords","crossOrigin","data","dateTime","default","defer","dir","download","draggable","encType","form","formAction","formEncType","formMethod","formNoValidate","formTarget","frameBorder","headers","height","hidden","high","hrefLang","htmlFor","httpEquiv","icon","id","inputMode","integrity","is","keyParams","keyType","kind","lang","list","loop","low","manifest","marginHeight","marginWidth","max","maxLength","media","mediaGroup","method","min","minLength","multiple","muted","name","noValidate","open","optimum","pattern","placeholder","poster","preload","radioGroup","readOnly","rel","required","role","rows","rowSpan","sandbox","scope","scoped","scrolling","seamless","selected","shape","size","sizes","span","spellCheck","src","srcDoc","srcLang","srcSet","start","step","style","summary","tabIndex","title","type","useMap","value","width","wmode","wrap"],t.htmlElementProperties=t.baseElementProperties.concat(t.baseElementEvents),t.anchorProperties=t.htmlElementProperties.concat(["href","target"]),t.buttonProperties=t.htmlElementProperties.concat(["disabled"]),t.divProperties=t.htmlElementProperties.concat(["align","noWrap"]),t.inputProperties=t.buttonProperties,t.textAreaProperties=t.buttonProperties,t.imageProperties=t.divProperties,t.getNativeProps=r},function(e,t,n){"use strict";function r(e){return a+e}function o(e){a=e}function i(){return"en-us"}Object.defineProperty(t,"__esModule",{value:!0});var a="";t.getResourceUrl=r,t.setBaseUrl=o,t.getLanguage=i},function(e,t,n){"use strict";function r(){var e=a;if(void 0===e){var t=u.getDocument();t&&t.documentElement&&(e="rtl"===t.documentElement.getAttribute("dir"))}return e}function o(e){var t=u.getDocument();t&&t.documentElement&&t.documentElement.setAttribute("dir",e?"rtl":"ltr"),a=e}function i(e){return r()&&(e===s.KeyCodes.left?e=s.KeyCodes.right:e===s.KeyCodes.right&&(e=s.KeyCodes.left)),e}Object.defineProperty(t,"__esModule",{value:!0});var a,s=n(75),u=n(25);t.getRTL=r,t.setRTL=o,t.getRTLSafeKeyCode=i},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(7),o={msFabricScrollDisabled:"msFabricScrollDisabled_4129cea2"};t.default=o,r.loadStyles([{rawString:".msFabricScrollDisabled_4129cea2{overflow:hidden!important}"}])},function(e,t,n){"use strict";function r(e){function t(e){var t=a[e.replace(o,"")];return null!==t&&void 0!==t||(t=""),t}for(var n=[],r=1;r>8-s%1*8)){if((n=o.charCodeAt(s+=.75))>255)throw new r;t=t<<8|n}return a}var i="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=";r.prototype=new Error,r.prototype.code=5,r.prototype.name="InvalidCharacterError",e.exports=o},function(e,t,n){"use strict";function r(e){return encodeURIComponent(e).replace(/%40/gi,"@").replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}var o=n(9);e.exports=function(e,t,n){if(!t)return e;var i;if(n)i=n(t);else if(o.isURLSearchParams(t))i=t.toString();else{var a=[];o.forEach(t,function(e,t){null!==e&&void 0!==e&&(o.isArray(e)&&(t+="[]"),o.isArray(e)||(e=[e]),o.forEach(e,function(e){o.isDate(e)?e=e.toISOString():o.isObject(e)&&(e=JSON.stringify(e)),a.push(r(t)+"="+r(e))}))}),i=a.join("&")}return i&&(e+=(-1===e.indexOf("?")?"?":"&")+i),e}},function(e,t,n){"use strict";e.exports=function(e,t){return e.replace(/\/+$/,"")+"/"+t.replace(/^\/+/,"")}},function(e,t,n){"use strict";var r=n(9);e.exports=r.isStandardBrowserEnv()?function(){return{write:function(e,t,n,o,i,a){var s=[];s.push(e+"="+encodeURIComponent(t)),r.isNumber(n)&&s.push("expires="+new Date(n).toGMTString()),r.isString(o)&&s.push("path="+o),r.isString(i)&&s.push("domain="+i),!0===a&&s.push("secure"),document.cookie=s.join("; ")},read:function(e){var t=document.cookie.match(new RegExp("(^|;\\s*)("+e+")=([^;]*)"));return t?decodeURIComponent(t[3]):null},remove:function(e){this.write(e,"",Date.now()-864e5)}}}():function(){return{write:function(){},read:function(){return null},remove:function(){}}}()},function(e,t,n){"use strict";e.exports=function(e){return/^([a-z][a-z\d\+\-\.]*:)?\/\//i.test(e)}},function(e,t,n){"use strict";var r=n(9);e.exports=r.isStandardBrowserEnv()?function(){function e(e){var t=e;return n&&(o.setAttribute("href",t),t=o.href),o.setAttribute("href",t),{href:o.href,protocol:o.protocol?o.protocol.replace(/:$/,""):"",host:o.host,search:o.search?o.search.replace(/^\?/,""):"",hash:o.hash?o.hash.replace(/^#/,""):"",hostname:o.hostname,port:o.port,pathname:"/"===o.pathname.charAt(0)?o.pathname:"/"+o.pathname}}var t,n=/(msie|trident)/i.test(navigator.userAgent),o=document.createElement("a");return t=e(window.location.href),function(n){var o=r.isString(n)?e(n):n;return o.protocol===t.protocol&&o.host===t.host}}():function(){return function(){return!0}}()},function(e,t,n){"use strict";var r=n(9);e.exports=function(e,t){r.forEach(e,function(n,r){r!==t&&r.toUpperCase()===t.toUpperCase()&&(e[t]=n,delete e[r])})}},function(e,t,n){"use strict";var r=n(9);e.exports=function(e){var t,n,o,i={};return e?(r.forEach(e.split("\n"),function(e){o=e.indexOf(":"),t=r.trim(e.substr(0,o)).toLowerCase(),n=r.trim(e.substr(o+1)),t&&(i[t]=i[t]?i[t]+", "+n:n)}),i):i}},function(e,t,n){"use strict";e.exports=function(e){return function(t){return e.apply(null,t)}}},function(e,t,n){"use strict";function r(e){return e.replace(o,function(e,t){return t.toUpperCase()})}var o=/-(.)/g;e.exports=r},function(e,t,n){"use strict";function r(e){return o(e.replace(i,"ms-"))}var o=n(187),i=/^-ms-/;e.exports=r},function(e,t,n){"use strict";function r(e,t){return!(!e||!t)&&(e===t||!o(e)&&(o(t)?r(e,t.parentNode):"contains"in e?e.contains(t):!!e.compareDocumentPosition&&!!(16&e.compareDocumentPosition(t))))}var o=n(197);e.exports=r},function(e,t,n){"use strict";function r(e){var t=e.length;if((Array.isArray(e)||"object"!=typeof e&&"function"!=typeof e)&&a(!1),"number"!=typeof t&&a(!1),0===t||t-1 in e||a(!1),"function"==typeof e.callee&&a(!1),e.hasOwnProperty)try{return Array.prototype.slice.call(e)}catch(e){}for(var n=Array(t),r=0;r":"<"+e+">",s[e]=!a.firstChild),s[e]?d[e]:null}var o=n(8),i=n(1),a=o.canUseDOM?document.createElement("div"):null,s={},u=[1,'"],c=[1,"","
"],l=[3,"","
"],p=[1,'',""],d={"*":[1,"?
","
"],area:[1,"",""],col:[2,"","
"],legend:[1,"
","
"],param:[1,"",""],tr:[2,"","
"],optgroup:u,option:u,caption:c,colgroup:c,tbody:c,tfoot:c,thead:c,td:l,th:l};["circle","clipPath","defs","ellipse","g","image","line","linearGradient","mask","path","pattern","polygon","polyline","radialGradient","rect","stop","text","tspan"].forEach(function(e){d[e]=p,s[e]=!0}),e.exports=r},function(e,t,n){"use strict";function r(e){return e.Window&&e instanceof e.Window?{x:e.pageXOffset||e.document.documentElement.scrollLeft,y:e.pageYOffset||e.document.documentElement.scrollTop}:{x:e.scrollLeft,y:e.scrollTop}}e.exports=r},function(e,t,n){"use strict";function r(e){return e.replace(o,"-$1").toLowerCase()}var o=/([A-Z])/g;e.exports=r},function(e,t,n){"use strict";function r(e){return o(e).replace(i,"-ms-")}var o=n(194),i=/^ms-/;e.exports=r},function(e,t,n){"use strict";function r(e){var t=e?e.ownerDocument||e:document,n=t.defaultView||window;return!(!e||!("function"==typeof n.Node?e instanceof n.Node:"object"==typeof e&&"number"==typeof e.nodeType&&"string"==typeof e.nodeName))}e.exports=r},function(e,t,n){"use strict";function r(e){return o(e)&&3==e.nodeType}var o=n(196);e.exports=r},function(e,t,n){"use strict";function r(e){var t={};return function(n){return t.hasOwnProperty(n)||(t[n]=e.call(this,n)),t[n]}}e.exports=r},,,function(e,t,n){"use strict";function r(e){return null==e?void 0===e?u:s:c&&c in Object(e)?n.i(i.a)(e):n.i(a.a)(e)}var o=n(86),i=n(204),a=n(205),s="[object Null]",u="[object Undefined]",c=o.a?o.a.toStringTag:void 0;t.a=r},function(e,t,n){"use strict";(function(e){var n="object"==typeof e&&e&&e.Object===Object&&e;t.a=n}).call(t,n(67))},function(e,t,n){"use strict";var r=n(206),o=n.i(r.a)(Object.getPrototypeOf,Object);t.a=o},function(e,t,n){"use strict";function r(e){var t=a.call(e,u),n=e[u];try{e[u]=void 0;var r=!0}catch(e){}var o=s.call(e);return r&&(t?e[u]=n:delete e[u]),o}var o=n(86),i=Object.prototype,a=i.hasOwnProperty,s=i.toString,u=o.a?o.a.toStringTag:void 0;t.a=r},function(e,t,n){"use strict";function r(e){return i.call(e)}var o=Object.prototype,i=o.toString;t.a=r},function(e,t,n){"use strict";function r(e,t){return function(n){return e(t(n))}}t.a=r},function(e,t,n){"use strict";var r=n(202),o="object"==typeof self&&self&&self.Object===Object&&self,i=r.a||o||Function("return this")();t.a=i},function(e,t,n){"use strict";function r(e){return null!=e&&"object"==typeof e}t.a=r},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(342))},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(227))},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(230))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=t.top&&e.left>=t.left&&e.bottom<=t.bottom&&e.right<=t.right}function i(e,t){return e.top=t.tope.bottom||-1===e.bottom?t.bottom:e.bottom,e.right=t.right>e.right||-1===e.right?t.right:e.right,e.width=e.right-e.left+1,e.height=e.bottom-e.top+1,e}var a=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},s=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;ne){if(t){for(var u=e-s,c=0;c=d.top&&l<=d.bottom)return;var f=id.bottom;f||h&&(i=this._scrollElement.scrollTop+(l-d.bottom))}this._scrollElement.scrollTop=i;break}i+=this._getPageHeight(s,a,this._surfaceRect)}},t.prototype.componentDidMount=function(){this._updatePages(),this._measureVersion++,this._scrollElement=c.findScrollableParent(this.refs.root),this._events.on(window,"resize",this._onAsyncResize),this._events.on(this.refs.root,"focus",this._onFocus,!0),this._scrollElement&&(this._events.on(this._scrollElement,"scroll",this._onScroll),this._events.on(this._scrollElement,"scroll",this._onAsyncScroll))},t.prototype.componentWillReceiveProps=function(e){e.items===this.props.items&&e.renderCount===this.props.renderCount&&e.startIndex===this.props.startIndex||(this._measureVersion++,this._updatePages(e))},t.prototype.shouldComponentUpdate=function(e,t){var n=this.props,r=(n.renderedWindowsAhead,n.renderedWindowsBehind,this.state.pages),o=t.pages,i=t.measureVersion,a=!1;if(this._measureVersion===i&&e.renderedWindowsAhead,e.renderedWindowsBehind,e.items===this.props.items&&r.length===o.length)for(var s=0;sa||n>s)&&this._onAsyncIdle()},t.prototype._onAsyncResize=function(){this.forceUpdate()},t.prototype._updatePages=function(e){var t=this,n=e||this.props,r=n.items,o=n.startIndex,i=n.renderCount;i=this._getRenderCount(e),this._requiredRect||this._updateRenderRects(e);var a=this._buildPages(r,o,i),s=this.state.pages;this.setState(a,function(){t._updatePageMeasurements(s,a.pages)?(t._materializedRect=null,t._hasCompletedFirstRender?t._onAsyncScroll():(t._hasCompletedFirstRender=!0,t._updatePages())):t._onAsyncIdle()})},t.prototype._updatePageMeasurements=function(e,t){for(var n={},r=!1,o=this._getRenderCount(),i=0;i-1,v=m>=f._allowedRect.top&&s<=f._allowedRect.bottom,y=m>=f._requiredRect.top&&s<=f._requiredRect.bottom,_=!d&&(y||v&&g),b=l>=n&&l0&&a[0].items&&a[0].items.length.ms-MessageBar-dismissal{right:0;top:0;position:absolute!important}.ms-MessageBar-actions,.ms-MessageBar-actionsOneline{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-flex:0;-ms-flex:0 0 auto;flex:0 0 auto;-webkit-box-orient:horizontal;-webkit-box-direction:reverse;-ms-flex-direction:row-reverse;flex-direction:row-reverse;-webkit-box-align:center;-ms-flex-align:center;align-items:center}.ms-MessageBar-actionsOneline{position:relative}.ms-MessageBar-dismissal{min-width:0}.ms-MessageBar-dismissal::-moz-focus-inner{border:0}.ms-MessageBar-dismissal{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-MessageBar-dismissal:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .ms-MessageBar-dismissalOneline .ms-MessageBar-dismissal{margin-right:-8px}html[dir=rtl] .ms-MessageBar-dismissalOneline .ms-MessageBar-dismissal{margin-left:-8px}.ms-MessageBar+.ms-MessageBar{margin-bottom:6px}html[dir=ltr] .ms-MessageBar-innerTextPadding{padding-right:24px}html[dir=rtl] .ms-MessageBar-innerTextPadding{padding-left:24px}html[dir=ltr] .ms-MessageBar-innerTextPadding .ms-MessageBar-innerText>span,html[dir=ltr] .ms-MessageBar-innerTextPadding span{padding-right:4px}html[dir=rtl] .ms-MessageBar-innerTextPadding .ms-MessageBar-innerText>span,html[dir=rtl] .ms-MessageBar-innerTextPadding span{padding-left:4px}.ms-MessageBar-multiline>.ms-MessageBar-content>.ms-MessageBar-actionables{-webkit-box-orient:vertical;-webkit-box-direction:normal;-ms-flex-direction:column;flex-direction:column}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-icon{-webkit-box-align:center;-ms-flex-align:center;-ms-grid-row-align:center;align-items:center}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text{-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center;-webkit-box-align:center;-ms-flex-align:center;-ms-grid-row-align:center;align-items:center}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text .ms-MessageBar-innerText,.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text .ms-MessageBar-innerTextPadding{max-height:1.3em;line-height:1.3em;overflow-x:hidden;text-overflow:ellipsis;white-space:nowrap}.ms-MessageBar-singleline .ms-MessageBar-content>.ms-MessageBar-actionables{-webkit-box-orient:horizontal;-webkit-box-direction:normal;-ms-flex-direction:row;flex-direction:row}.ms-MessageBar .ms-Icon--Cancel{font-size:14px}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(222)),r(n(93))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6);n(226);var u=function(e){function t(t){var n=e.call(this,t)||this;return n.props.onChanged&&(n.props.onChange=n.props.onChanged),n.state={value:t.value||"",hasFocus:!1,id:s.getId("SearchBox")},n}return r(t,e),t.prototype.componentWillReceiveProps=function(e){void 0!==e.value&&this.setState({value:e.value})},t.prototype.render=function(){var e=this.props,t=e.labelText,n=e.className,r=this.state,i=r.value,u=r.hasFocus,c=r.id;return a.createElement("div",o({ref:this._resolveRef("_rootElement"),className:s.css("ms-SearchBox",n,{"is-active":u,"can-clear":i.length>0})},{onFocusCapture:this._onFocusCapture}),a.createElement("i",{className:"ms-SearchBox-icon ms-Icon ms-Icon--Search"}),a.createElement("input",{id:c,className:"ms-SearchBox-field",placeholder:t,onChange:this._onInputChange,onKeyDown:this._onKeyDown,value:i,ref:this._resolveRef("_inputElement")}),a.createElement("div",{className:"ms-SearchBox-clearButton",onClick:this._onClearClick},a.createElement("i",{className:"ms-Icon ms-Icon--Clear"})))},t.prototype.focus=function(){this._inputElement&&this._inputElement.focus()},t.prototype._onClearClick=function(e){this.setState({value:""}),this._callOnChange(""),e.stopPropagation(),e.preventDefault(),this._inputElement.focus()},t.prototype._onFocusCapture=function(e){this.setState({hasFocus:!0}),this._events.on(s.getDocument().body,"focus",this._handleDocumentFocus,!0)},t.prototype._onKeyDown=function(e){switch(e.which){case s.KeyCodes.escape:this._onClearClick(e);break;case s.KeyCodes.enter:this.props.onSearch&&this.state.value.length>0&&this.props.onSearch(this.state.value);break;default:return}e.preventDefault(),e.stopPropagation()},t.prototype._onInputChange=function(e){this.setState({value:this._inputElement.value}),this._callOnChange(this._inputElement.value)},t.prototype._handleDocumentFocus=function(e){s.elementContains(this._rootElement,e.target)||(this._events.off(s.getDocument().body,"focus"),this.setState({hasFocus:!1}))},t.prototype._callOnChange=function(e){var t=this.props.onChange;t&&t(e)},t}(s.BaseComponent);u.defaultProps={labelText:"Search"},i([s.autobind],u.prototype,"_onClearClick",null),i([s.autobind],u.prototype,"_onFocusCapture",null),i([s.autobind],u.prototype,"_onKeyDown",null),i([s.autobind],u.prototype,"_onInputChange",null),t.SearchBox=u},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:'.ms-SearchBox{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;box-sizing:border-box;margin:0;padding:0;box-shadow:none;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";position:relative;margin-bottom:10px;border:1px solid "},{theme:"themeTertiary",defaultValue:"#71afe5"},{rawString:"}.ms-SearchBox.is-active{border-color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}html[dir=ltr] .ms-SearchBox.is-active .ms-SearchBox-field{padding-left:8px}html[dir=rtl] .ms-SearchBox.is-active .ms-SearchBox-field{padding-right:8px}.ms-SearchBox.is-active .ms-SearchBox-icon{display:none}.ms-SearchBox.is-disabled{border-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-SearchBox.is-disabled .ms-SearchBox-icon{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.ms-SearchBox.is-disabled .ms-SearchBox-field{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";pointer-events:none;cursor:default}.ms-SearchBox.can-clear .ms-SearchBox-clearButton{display:block}.ms-SearchBox:hover .ms-SearchBox-field{border-color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}.ms-SearchBox:hover .ms-SearchBox-label{color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-SearchBox:hover .ms-SearchBox-label .ms-SearchBox-icon{color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}input.ms-SearchBox-field{position:relative;box-sizing:border-box;margin:0;padding:0;box-shadow:none;border:none;outline:transparent 1px solid;font-weight:inherit;font-family:inherit;font-size:inherit;color:"},{theme:"black",defaultValue:"#000000"},{rawString:";height:34px;padding:6px 38px 7px 31px;width:100%;background-color:transparent;-webkit-transition:padding-left 167ms;transition:padding-left 167ms}html[dir=rtl] input.ms-SearchBox-field{padding:6px 31px 7px 38px}html[dir=ltr] input.ms-SearchBox-field:focus{padding-right:32px}html[dir=rtl] input.ms-SearchBox-field:focus{padding-left:32px}input.ms-SearchBox-field::-ms-clear{display:none}.ms-SearchBox-clearButton{display:none;border:none;cursor:pointer;position:absolute;top:0;width:40px;height:36px;line-height:36px;vertical-align:top;color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";text-align:center;font-size:16px}html[dir=ltr] .ms-SearchBox-clearButton{right:0}html[dir=rtl] .ms-SearchBox-clearButton{left:0}.ms-SearchBox-icon{font-size:17px;color:"},{theme:"neutralSecondaryAlt",defaultValue:"#767676"},{rawString:";position:absolute;top:0;height:36px;line-height:36px;vertical-align:top;font-size:16px;width:16px;color:#0078d7}html[dir=ltr] .ms-SearchBox-icon{left:8px}html[dir=rtl] .ms-SearchBox-icon{right:8px}html[dir=ltr] .ms-SearchBox-icon{margin-right:6px}html[dir=rtl] .ms-SearchBox-icon{margin-left:6px}"}])},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(225))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(0),i=n(6),a=n(94);n(229);var s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return r(t,e),t.prototype.render=function(){var e=this.props,t=e.type,n=e.size,r=e.label,s=e.className;return o.createElement("div",{className:i.css("ms-Spinner",s)},o.createElement("div",{className:i.css("ms-Spinner-circle",{"ms-Spinner--xSmall":n===a.SpinnerSize.xSmall},{"ms-Spinner--small":n===a.SpinnerSize.small},{"ms-Spinner--medium":n===a.SpinnerSize.medium},{"ms-Spinner--large":n===a.SpinnerSize.large},{"ms-Spinner--normal":t===a.SpinnerType.normal},{"ms-Spinner--large":t===a.SpinnerType.large})}),r&&o.createElement("div",{className:"ms-Spinner-label"},r))},t}(o.Component);s.defaultProps={size:a.SpinnerSize.medium},t.Spinner=s},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:"@-webkit-keyframes ms-Spinner-spin{0%{-webkit-transform:rotate(0);transform:rotate(0)}100%{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}@keyframes ms-Spinner-spin{0%{-webkit-transform:rotate(0);transform:rotate(0)}100%{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}.ms-Spinner>.ms-Spinner-circle{margin:auto;box-sizing:border-box;border-radius:50%;width:100%;height:100%;border:1.5px solid "},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";border-top-color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";-webkit-animation:ms-Spinner-spin 1.3s infinite cubic-bezier(.53,.21,.29,.67);animation:ms-Spinner-spin 1.3s infinite cubic-bezier(.53,.21,.29,.67)}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--xSmall{width:12px;height:12px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--small{width:16px;height:16px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--medium,.ms-Spinner>.ms-Spinner-circle.ms-Spinner--normal{width:20px;height:20px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--large{width:28px;height:28px}.ms-Spinner>.ms-Spinner-label{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";margin-top:10px;text-align:center}@media screen and (-ms-high-contrast:active){.ms-Spinner>.ms-Spinner-circle{border-top-style:none}}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(228)),r(n(94))},function(e,t,n){"use strict";function r(e,t,n,r,o){}e.exports=r},function(e,t,n){"use strict";var r=n(10),o=n(1),i=n(96);e.exports=function(){function e(e,t,n,r,a,s){s!==i&&o(!1,"Calling PropTypes validators directly is not supported by the `prop-types` package. Use PropTypes.checkPropTypes() to call them. Read more at http://fb.me/use-check-prop-types")}function t(){return e}e.isRequired=e;var n={array:e,bool:e,func:e,number:e,object:e,string:e,symbol:e,any:e,arrayOf:t,element:e,instanceOf:t,node:e,objectOf:t,oneOf:t,oneOfType:t,shape:t,exact:t};return n.checkPropTypes=r,n.PropTypes=n,n}},function(e,t,n){"use strict";var r=n(10),o=n(1),i=n(2),a=n(4),s=n(96),u=n(231);e.exports=function(e,t){function n(e){var t=e&&(T&&e[T]||e[P]);if("function"==typeof t)return t}function c(e,t){return e===t?0!==e||1/e==1/t:e!==e&&t!==t}function l(e){this.message=e,this.stack=""}function p(e){function n(n,r,i,a,u,c,p){if(a=a||I,c=c||i,p!==s)if(t)o(!1,"Calling PropTypes validators directly is not supported by the `prop-types` package. Use `PropTypes.checkPropTypes()` to call them. Read more at http://fb.me/use-check-prop-types");else;return null==r[i]?n?new l(null===r[i]?"The "+u+" `"+c+"` is marked as required in `"+a+"`, but its value is `null`.":"The "+u+" `"+c+"` is marked as required in `"+a+"`, but its value is `undefined`."):null:e(r,i,a,u,c)}var r=n.bind(null,!1);return r.isRequired=n.bind(null,!0),r}function d(e){function t(t,n,r,o,i,a){var s=t[n];if(w(s)!==e)return new l("Invalid "+o+" `"+i+"` of type `"+S(s)+"` supplied to `"+r+"`, expected `"+e+"`.");return null}return p(t)}function f(e){function t(t,n,r,o,i){if("function"!=typeof e)return new l("Property `"+i+"` of component `"+r+"` has invalid PropType notation inside arrayOf.");var a=t[n];if(!Array.isArray(a)){return new l("Invalid "+o+" `"+i+"` of type `"+w(a)+"` supplied to `"+r+"`, expected an array.")}for(var u=0;u8&&b<=11),S=32,C=String.fromCharCode(S),x={beforeInput:{phasedRegistrationNames:{bubbled:"onBeforeInput",captured:"onBeforeInputCapture"},dependencies:["topCompositionEnd","topKeyPress","topTextInput","topPaste"]},compositionEnd:{phasedRegistrationNames:{bubbled:"onCompositionEnd",captured:"onCompositionEndCapture"},dependencies:["topBlur","topCompositionEnd","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]},compositionStart:{phasedRegistrationNames:{bubbled:"onCompositionStart",captured:"onCompositionStartCapture"},dependencies:["topBlur","topCompositionStart","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]},compositionUpdate:{phasedRegistrationNames:{bubbled:"onCompositionUpdate",captured:"onCompositionUpdateCapture"},dependencies:["topBlur","topCompositionUpdate","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]}},T=!1,P=null,I={eventTypes:x,extractEvents:function(e,t,n,r){return[u(e,t,n,r),p(e,t,n,r)]}};e.exports=I},function(e,t,n){"use strict";var r=n(97),o=n(8),i=(n(11),n(188),n(288)),a=n(195),s=n(198),u=(n(2),s(function(e){return a(e)})),c=!1,l="cssFloat";if(o.canUseDOM){var p=document.createElement("div").style;try{p.font=""}catch(e){c=!0}void 0===document.documentElement.style.cssFloat&&(l="styleFloat")}var d={createMarkupForStyles:function(e,t){var n="";for(var r in e)if(e.hasOwnProperty(r)){var o=0===r.indexOf("--"),a=e[r];null!=a&&(n+=u(r)+":",n+=i(r,a,t,o)+";")}return n||null},setValueForStyles:function(e,t,n){var o=e.style;for(var a in t)if(t.hasOwnProperty(a)){var s=0===a.indexOf("--"),u=i(a,t[a],n,s);if("float"!==a&&"cssFloat"!==a||(a=l),s)o.setProperty(a,u);else if(u)o[a]=u;else{var p=c&&r.shorthandPropertyExpansions[a];if(p)for(var d in p)o[d]="";else o[a]=""}}}};e.exports=d},function(e,t,n){"use strict";function r(e,t,n){var r=T.getPooled(M.change,e,t,n);return r.type="change",w.accumulateTwoPhaseDispatches(r),r}function o(e){var t=e.nodeName&&e.nodeName.toLowerCase();return"select"===t||"input"===t&&"file"===e.type}function i(e){var t=r(N,e,I(e));x.batchedUpdates(a,t)}function a(e){E.enqueueEvents(e),E.processEventQueue(!1)}function s(e,t){A=e,N=t,A.attachEvent("onchange",i)}function u(){A&&(A.detachEvent("onchange",i),A=null,N=null)}function c(e,t){var n=P.updateValueIfChanged(e),r=!0===t.simulated&&D._allowSimulatedPassThrough;if(n||r)return e}function l(e,t){if("topChange"===e)return t}function p(e,t,n){"topFocus"===e?(u(),s(t,n)):"topBlur"===e&&u()}function d(e,t){A=e,N=t,A.attachEvent("onpropertychange",h)}function f(){A&&(A.detachEvent("onpropertychange",h),A=null,N=null)}function h(e){"value"===e.propertyName&&c(N,e)&&i(e)}function m(e,t,n){"topFocus"===e?(f(),d(t,n)):"topBlur"===e&&f()}function g(e,t,n){if("topSelectionChange"===e||"topKeyUp"===e||"topKeyDown"===e)return c(N,n)}function v(e){var t=e.nodeName;return t&&"input"===t.toLowerCase()&&("checkbox"===e.type||"radio"===e.type)}function y(e,t,n){if("topClick"===e)return c(t,n)}function _(e,t,n){if("topInput"===e||"topChange"===e)return c(t,n)}function b(e,t){if(null!=e){var n=e._wrapperState||t._wrapperState;if(n&&n.controlled&&"number"===t.type){var r=""+t.value;t.getAttribute("value")!==r&&t.setAttribute("value",r)}}}var E=n(27),w=n(28),S=n(8),C=n(5),x=n(12),T=n(13),P=n(113),I=n(62),k=n(63),O=n(115),M={change:{phasedRegistrationNames:{bubbled:"onChange",captured:"onChangeCapture"},dependencies:["topBlur","topChange","topClick","topFocus","topInput","topKeyDown","topKeyUp","topSelectionChange"]}},A=null,N=null,R=!1;S.canUseDOM&&(R=k("change")&&(!document.documentMode||document.documentMode>8));var B=!1;S.canUseDOM&&(B=k("input")&&(!document.documentMode||document.documentMode>9));var D={eventTypes:M,_allowSimulatedPassThrough:!0,_isInputEventSupported:B,extractEvents:function(e,t,n,i){var a,s,u=t?C.getNodeFromInstance(t):window;if(o(u)?R?a=l:s=p:O(u)?B?a=_:(a=g,s=m):v(u)&&(a=y),a){var c=a(e,t,n);if(c){return r(c,n,i)}}s&&s(e,u,t),"topBlur"===e&&b(t,u)}};e.exports=D},function(e,t,n){"use strict";var r=n(3),o=n(20),i=n(8),a=n(191),s=n(10),u=(n(1),{dangerouslyReplaceNodeWithMarkup:function(e,t){if(i.canUseDOM||r("56"),t||r("57"),"HTML"===e.nodeName&&r("58"),"string"==typeof t){var n=a(t,s)[0];e.parentNode.replaceChild(n,e)}else o.replaceChildWithTree(e,t)}});e.exports=u},function(e,t,n){"use strict";var r=["ResponderEventPlugin","SimpleEventPlugin","TapEventPlugin","EnterLeaveEventPlugin","ChangeEventPlugin","SelectEventPlugin","BeforeInputEventPlugin"];e.exports=r},function(e,t,n){"use strict";var r=n(28),o=n(5),i=n(36),a={mouseEnter:{registrationName:"onMouseEnter",dependencies:["topMouseOut","topMouseOver"]},mouseLeave:{registrationName:"onMouseLeave",dependencies:["topMouseOut","topMouseOver"]}},s={eventTypes:a,extractEvents:function(e,t,n,s){if("topMouseOver"===e&&(n.relatedTarget||n.fromElement))return null;if("topMouseOut"!==e&&"topMouseOver"!==e)return null;var u;if(s.window===s)u=s;else{var c=s.ownerDocument;u=c?c.defaultView||c.parentWindow:window}var l,p;if("topMouseOut"===e){l=t;var d=n.relatedTarget||n.toElement;p=d?o.getClosestInstanceFromNode(d):null}else l=null,p=t;if(l===p)return null;var f=null==l?u:o.getNodeFromInstance(l),h=null==p?u:o.getNodeFromInstance(p),m=i.getPooled(a.mouseLeave,l,n,s);m.type="mouseleave",m.target=f,m.relatedTarget=h;var g=i.getPooled(a.mouseEnter,p,n,s);return g.type="mouseenter",g.target=h,g.relatedTarget=f,r.accumulateEnterLeaveDispatches(m,g,l,p),[m,g]}};e.exports=s},function(e,t,n){"use strict";function r(e){this._root=e,this._startText=this.getText(),this._fallbackText=null}var o=n(4),i=n(16),a=n(112);o(r.prototype,{destructor:function(){this._root=null,this._startText=null,this._fallbackText=null},getText:function(){return"value"in this._root?this._root.value:this._root[a()]},getData:function(){if(this._fallbackText)return this._fallbackText;var e,t,n=this._startText,r=n.length,o=this.getText(),i=o.length;for(e=0;e1?1-t:void 0;return this._fallbackText=o.slice(e,s),this._fallbackText}}),i.addPoolingTo(r),e.exports=r},function(e,t,n){"use strict";var r=n(21),o=r.injection.MUST_USE_PROPERTY,i=r.injection.HAS_BOOLEAN_VALUE,a=r.injection.HAS_NUMERIC_VALUE,s=r.injection.HAS_POSITIVE_NUMERIC_VALUE,u=r.injection.HAS_OVERLOADED_BOOLEAN_VALUE,c={isCustomAttribute:RegExp.prototype.test.bind(new RegExp("^(data|aria)-["+r.ATTRIBUTE_NAME_CHAR+"]*$")),Properties:{accept:0,acceptCharset:0,accessKey:0,action:0,allowFullScreen:i,allowTransparency:0,alt:0,as:0,async:i,autoComplete:0,autoPlay:i,capture:i,cellPadding:0,cellSpacing:0,charSet:0,challenge:0,checked:o|i,cite:0,classID:0,className:0,cols:s,colSpan:0,content:0,contentEditable:0,contextMenu:0,controls:i,controlsList:0,coords:0,crossOrigin:0,data:0,dateTime:0,default:i,defer:i,dir:0,disabled:i,download:u,draggable:0,encType:0,form:0,formAction:0,formEncType:0,formMethod:0,formNoValidate:i,formTarget:0,frameBorder:0,headers:0,height:0,hidden:i,high:0,href:0,hrefLang:0,htmlFor:0,httpEquiv:0,icon:0,id:0,inputMode:0,integrity:0,is:0,keyParams:0,keyType:0,kind:0,label:0,lang:0,list:0,loop:i,low:0,manifest:0,marginHeight:0,marginWidth:0,max:0,maxLength:0,media:0,mediaGroup:0,method:0,min:0,minLength:0,multiple:o|i,muted:o|i,name:0,nonce:0,noValidate:i,open:i,optimum:0,pattern:0,placeholder:0,playsInline:i,poster:0,preload:0,profile:0,radioGroup:0,readOnly:i,referrerPolicy:0,rel:0,required:i,reversed:i,role:0,rows:s,rowSpan:a,sandbox:0,scope:0,scoped:i,scrolling:0,seamless:i,selected:o|i,shape:0,size:s,sizes:0,span:s,spellCheck:0,src:0,srcDoc:0,srcLang:0,srcSet:0,start:a,step:0,style:0,summary:0,tabIndex:0,target:0,title:0,type:0,useMap:0,value:0,width:0,wmode:0,wrap:0,about:0,datatype:0,inlist:0,prefix:0,property:0,resource:0,typeof:0,vocab:0,autoCapitalize:0,autoCorrect:0,autoSave:0,color:0,itemProp:0,itemScope:i,itemType:0,itemID:0,itemRef:0,results:0,security:0,unselectable:0},DOMAttributeNames:{acceptCharset:"accept-charset",className:"class",htmlFor:"for",httpEquiv:"http-equiv"},DOMPropertyNames:{},DOMMutationMethods:{value:function(e,t){if(null==t)return e.removeAttribute("value");"number"!==e.type||!1===e.hasAttribute("value")?e.setAttribute("value",""+t):e.validity&&!e.validity.badInput&&e.ownerDocument.activeElement!==e&&e.setAttribute("value",""+t)}}};e.exports=c},function(e,t,n){"use strict";(function(t){function r(e,t,n,r){var o=void 0===e[n];null!=t&&o&&(e[n]=i(t,!0))}var o=n(22),i=n(114),a=(n(54),n(64)),s=n(117);n(2);void 0!==t&&n.i({NODE_ENV:"production"});var u={instantiateChildren:function(e,t,n,o){if(null==e)return null;var i={};return s(e,r,i),i},updateChildren:function(e,t,n,r,s,u,c,l,p){if(t||e){var d,f;for(d in t)if(t.hasOwnProperty(d)){f=e&&e[d];var h=f&&f._currentElement,m=t[d];if(null!=f&&a(h,m))o.receiveComponent(f,m,s,l),t[d]=f;else{f&&(r[d]=o.getHostNode(f),o.unmountComponent(f,!1));var g=i(m,!0);t[d]=g;var v=o.mountComponent(g,s,u,c,l,p);n.push(v)}}for(d in e)!e.hasOwnProperty(d)||t&&t.hasOwnProperty(d)||(f=e[d],r[d]=o.getHostNode(f),o.unmountComponent(f,!1))}},unmountChildren:function(e,t){for(var n in e)if(e.hasOwnProperty(n)){var r=e[n];o.unmountComponent(r,t)}}};e.exports=u}).call(t,n(34))},function(e,t,n){"use strict";var r=n(50),o=n(252),i={processChildrenUpdates:o.dangerouslyProcessChildrenUpdates,replaceNodeWithMarkup:r.dangerouslyReplaceNodeWithMarkup};e.exports=i},function(e,t,n){"use strict";function r(e){}function o(e){return!(!e.prototype||!e.prototype.isReactComponent)}function i(e){return!(!e.prototype||!e.prototype.isPureReactComponent)}var a=n(3),s=n(4),u=n(23),c=n(56),l=n(14),p=n(57),d=n(29),f=(n(11),n(107)),h=n(22),m=n(33),g=(n(1),n(47)),v=n(64),y=(n(2),{ImpureClass:0,PureClass:1,StatelessFunctional:2});r.prototype.render=function(){var e=d.get(this)._currentElement.type,t=e(this.props,this.context,this.updater);return t};var _=1,b={construct:function(e){this._currentElement=e,this._rootNodeID=0,this._compositeType=null,this._instance=null,this._hostParent=null,this._hostContainerInfo=null,this._updateBatchNumber=null,this._pendingElement=null,this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1,this._renderedNodeType=null,this._renderedComponent=null,this._context=null,this._mountOrder=0,this._topLevelWrapper=null,this._pendingCallbacks=null,this._calledComponentWillUnmount=!1},mountComponent:function(e,t,n,s){this._context=s,this._mountOrder=_++,this._hostParent=t,this._hostContainerInfo=n;var c,l=this._currentElement.props,p=this._processContext(s),f=this._currentElement.type,h=e.getUpdateQueue(),g=o(f),v=this._constructComponent(g,l,p,h);g||null!=v&&null!=v.render?i(f)?this._compositeType=y.PureClass:this._compositeType=y.ImpureClass:(c=v,null===v||!1===v||u.isValidElement(v)||a("105",f.displayName||f.name||"Component"),v=new r(f),this._compositeType=y.StatelessFunctional);v.props=l,v.context=p,v.refs=m,v.updater=h,this._instance=v,d.set(v,this);var b=v.state;void 0===b&&(v.state=b=null),("object"!=typeof b||Array.isArray(b))&&a("106",this.getName()||"ReactCompositeComponent"),this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1;var E;return E=v.unstable_handleError?this.performInitialMountWithErrorHandling(c,t,n,e,s):this.performInitialMount(c,t,n,e,s),v.componentDidMount&&e.getReactMountReady().enqueue(v.componentDidMount,v),E},_constructComponent:function(e,t,n,r){return this._constructComponentWithoutOwner(e,t,n,r)},_constructComponentWithoutOwner:function(e,t,n,r){var o=this._currentElement.type;return e?new o(t,n,r):o(t,n,r)},performInitialMountWithErrorHandling:function(e,t,n,r,o){var i,a=r.checkpoint();try{i=this.performInitialMount(e,t,n,r,o)}catch(s){r.rollback(a),this._instance.unstable_handleError(s),this._pendingStateQueue&&(this._instance.state=this._processPendingState(this._instance.props,this._instance.context)),a=r.checkpoint(),this._renderedComponent.unmountComponent(!0),r.rollback(a),i=this.performInitialMount(e,t,n,r,o)}return i},performInitialMount:function(e,t,n,r,o){var i=this._instance,a=0;i.componentWillMount&&(i.componentWillMount(),this._pendingStateQueue&&(i.state=this._processPendingState(i.props,i.context))),void 0===e&&(e=this._renderValidatedComponent());var s=f.getType(e);this._renderedNodeType=s;var u=this._instantiateReactComponent(e,s!==f.EMPTY);this._renderedComponent=u;var c=h.mountComponent(u,r,t,n,this._processChildContext(o),a);return c},getHostNode:function(){return h.getHostNode(this._renderedComponent)},unmountComponent:function(e){if(this._renderedComponent){var t=this._instance;if(t.componentWillUnmount&&!t._calledComponentWillUnmount)if(t._calledComponentWillUnmount=!0,e){var n=this.getName()+".componentWillUnmount()";p.invokeGuardedCallback(n,t.componentWillUnmount.bind(t))}else t.componentWillUnmount();this._renderedComponent&&(h.unmountComponent(this._renderedComponent,e),this._renderedNodeType=null,this._renderedComponent=null,this._instance=null),this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1,this._pendingCallbacks=null,this._pendingElement=null,this._context=null,this._rootNodeID=0,this._topLevelWrapper=null,d.remove(t)}},_maskContext:function(e){var t=this._currentElement.type,n=t.contextTypes;if(!n)return m;var r={};for(var o in n)r[o]=e[o];return r},_processContext:function(e){var t=this._maskContext(e);return t},_processChildContext:function(e){var t,n=this._currentElement.type,r=this._instance;if(r.getChildContext&&(t=r.getChildContext()),t){"object"!=typeof n.childContextTypes&&a("107",this.getName()||"ReactCompositeComponent");for(var o in t)o in n.childContextTypes||a("108",this.getName()||"ReactCompositeComponent",o);return s({},e,t)}return e},_checkContextTypes:function(e,t,n){},receiveComponent:function(e,t,n){var r=this._currentElement,o=this._context;this._pendingElement=null,this.updateComponent(t,r,e,o,n)},performUpdateIfNecessary:function(e){null!=this._pendingElement?h.receiveComponent(this,this._pendingElement,e,this._context):null!==this._pendingStateQueue||this._pendingForceUpdate?this.updateComponent(e,this._currentElement,this._currentElement,this._context,this._context):this._updateBatchNumber=null},updateComponent:function(e,t,n,r,o){var i=this._instance;null==i&&a("136",this.getName()||"ReactCompositeComponent");var s,u=!1;this._context===o?s=i.context:(s=this._processContext(o),u=!0);var c=t.props,l=n.props;t!==n&&(u=!0),u&&i.componentWillReceiveProps&&i.componentWillReceiveProps(l,s);var p=this._processPendingState(l,s),d=!0;this._pendingForceUpdate||(i.shouldComponentUpdate?d=i.shouldComponentUpdate(l,p,s):this._compositeType===y.PureClass&&(d=!g(c,l)||!g(i.state,p))),this._updateBatchNumber=null,d?(this._pendingForceUpdate=!1,this._performComponentUpdate(n,l,p,s,e,o)):(this._currentElement=n,this._context=o,i.props=l,i.state=p,i.context=s)},_processPendingState:function(e,t){var n=this._instance,r=this._pendingStateQueue,o=this._pendingReplaceState;if(this._pendingReplaceState=!1,this._pendingStateQueue=null,!r)return n.state;if(o&&1===r.length)return r[0];for(var i=s({},o?r[0]:n.state),a=o?1:0;a=0||null!=t.is}function m(e){var t=e.type;f(t),this._currentElement=e,this._tag=t.toLowerCase(),this._namespaceURI=null,this._renderedChildren=null,this._previousStyle=null,this._previousStyleCopy=null,this._hostNode=null,this._hostParent=null,this._rootNodeID=0,this._domID=0,this._hostContainerInfo=null,this._wrapperState=null,this._topLevelWrapper=null,this._flags=0}var g=n(3),v=n(4),y=n(235),_=n(237),b=n(20),E=n(51),w=n(21),S=n(99),C=n(27),x=n(52),T=n(35),P=n(100),I=n(5),k=n(253),O=n(254),M=n(101),A=n(257),N=(n(11),n(266)),R=n(271),B=(n(10),n(38)),D=(n(1),n(63),n(47),n(113)),F=(n(65),n(2),P),L=C.deleteListener,U=I.getNodeFromInstance,j=T.listenTo,V=x.registrationNameModules,W={string:!0,number:!0},H="__html",q={children:null,dangerouslySetInnerHTML:null,suppressContentEditableWarning:null},z=11,K={topAbort:"abort",topCanPlay:"canplay",topCanPlayThrough:"canplaythrough",topDurationChange:"durationchange",topEmptied:"emptied",topEncrypted:"encrypted",topEnded:"ended",topError:"error",topLoadedData:"loadeddata",topLoadedMetadata:"loadedmetadata",topLoadStart:"loadstart",topPause:"pause",topPlay:"play",topPlaying:"playing",topProgress:"progress",topRateChange:"ratechange",topSeeked:"seeked",topSeeking:"seeking",topStalled:"stalled",topSuspend:"suspend",topTimeUpdate:"timeupdate",topVolumeChange:"volumechange",topWaiting:"waiting"},G={area:!0,base:!0,br:!0,col:!0,embed:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0},Y={listing:!0,pre:!0,textarea:!0},X=v({menuitem:!0},G),Z=/^[a-zA-Z][a-zA-Z:_\.\-\d]*$/,Q={},$={}.hasOwnProperty,J=1;m.displayName="ReactDOMComponent",m.Mixin={mountComponent:function(e,t,n,r){this._rootNodeID=J++,this._domID=n._idCounter++,this._hostParent=t,this._hostContainerInfo=n;var i=this._currentElement.props;switch(this._tag){case"audio":case"form":case"iframe":case"img":case"link":case"object":case"source":case"video":this._wrapperState={listeners:null},e.getReactMountReady().enqueue(p,this);break;case"input":k.mountWrapper(this,i,t),i=k.getHostProps(this,i),e.getReactMountReady().enqueue(l,this),e.getReactMountReady().enqueue(p,this);break;case"option":O.mountWrapper(this,i,t),i=O.getHostProps(this,i);break;case"select":M.mountWrapper(this,i,t),i=M.getHostProps(this,i),e.getReactMountReady().enqueue(p,this);break;case"textarea":A.mountWrapper(this,i,t),i=A.getHostProps(this,i),e.getReactMountReady().enqueue(l,this),e.getReactMountReady().enqueue(p,this)}o(this,i);var a,d;null!=t?(a=t._namespaceURI,d=t._tag):n._tag&&(a=n._namespaceURI,d=n._tag),(null==a||a===E.svg&&"foreignobject"===d)&&(a=E.html),a===E.html&&("svg"===this._tag?a=E.svg:"math"===this._tag&&(a=E.mathml)),this._namespaceURI=a;var f;if(e.useCreateElement){var h,m=n._ownerDocument;if(a===E.html)if("script"===this._tag){var g=m.createElement("div"),v=this._currentElement.type;g.innerHTML="<"+v+">",h=g.removeChild(g.firstChild)}else h=i.is?m.createElement(this._currentElement.type,i.is):m.createElement(this._currentElement.type);else h=m.createElementNS(a,this._currentElement.type);I.precacheNode(this,h),this._flags|=F.hasCachedChildNodes,this._hostParent||S.setAttributeForRoot(h),this._updateDOMProperties(null,i,e);var _=b(h);this._createInitialChildren(e,i,r,_),f=_}else{var w=this._createOpenTagMarkupAndPutListeners(e,i),C=this._createContentMarkup(e,i,r);f=!C&&G[this._tag]?w+"/>":w+">"+C+""}switch(this._tag){case"input":e.getReactMountReady().enqueue(s,this),i.autoFocus&&e.getReactMountReady().enqueue(y.focusDOMComponent,this);break;case"textarea":e.getReactMountReady().enqueue(u,this),i.autoFocus&&e.getReactMountReady().enqueue(y.focusDOMComponent,this);break;case"select":case"button":i.autoFocus&&e.getReactMountReady().enqueue(y.focusDOMComponent,this);break;case"option":e.getReactMountReady().enqueue(c,this)}return f},_createOpenTagMarkupAndPutListeners:function(e,t){var n="<"+this._currentElement.type;for(var r in t)if(t.hasOwnProperty(r)){var o=t[r];if(null!=o)if(V.hasOwnProperty(r))o&&i(this,r,o,e);else{"style"===r&&(o&&(o=this._previousStyleCopy=v({},t.style)),o=_.createMarkupForStyles(o,this));var a=null;null!=this._tag&&h(this._tag,t)?q.hasOwnProperty(r)||(a=S.createMarkupForCustomAttribute(r,o)):a=S.createMarkupForProperty(r,o),a&&(n+=" "+a)}}return e.renderToStaticMarkup?n:(this._hostParent||(n+=" "+S.createMarkupForRoot()),n+=" "+S.createMarkupForID(this._domID))},_createContentMarkup:function(e,t,n){var r="",o=t.dangerouslySetInnerHTML;if(null!=o)null!=o.__html&&(r=o.__html);else{var i=W[typeof t.children]?t.children:null,a=null!=i?null:t.children;if(null!=i)r=B(i);else if(null!=a){var s=this.mountChildren(a,e,n);r=s.join("")}}return Y[this._tag]&&"\n"===r.charAt(0)?"\n"+r:r},_createInitialChildren:function(e,t,n,r){var o=t.dangerouslySetInnerHTML;if(null!=o)null!=o.__html&&b.queueHTML(r,o.__html);else{var i=W[typeof t.children]?t.children:null,a=null!=i?null:t.children;if(null!=i)""!==i&&b.queueText(r,i);else if(null!=a)for(var s=this.mountChildren(a,e,n),u=0;ut.end?(n=t.end,r=t.start):(n=t.start,r=t.end),o.moveToElementText(e),o.moveStart("character",n),o.setEndPoint("EndToStart",o),o.moveEnd("character",r-n),o.select()}function s(e,t){if(window.getSelection){var n=window.getSelection(),r=e[l()].length,o=Math.min(t.start,r),i=void 0===t.end?o:Math.min(t.end,r);if(!n.extend&&o>i){var a=i;i=o,o=a}var s=c(e,o),u=c(e,i);if(s&&u){var p=document.createRange();p.setStart(s.node,s.offset),n.removeAllRanges(),o>i?(n.addRange(p),n.extend(u.node,u.offset)):(p.setEnd(u.node,u.offset),n.addRange(p))}}}var u=n(8),c=n(293),l=n(112),p=u.canUseDOM&&"selection"in document&&!("getSelection"in window),d={getOffsets:p?o:i,setOffsets:p?a:s};e.exports=d},function(e,t,n){"use strict";var r=n(3),o=n(4),i=n(50),a=n(20),s=n(5),u=n(38),c=(n(1),n(65),function(e){this._currentElement=e,this._stringText=""+e,this._hostNode=null,this._hostParent=null,this._domID=0,this._mountIndex=0,this._closingComment=null,this._commentNodes=null});o(c.prototype,{mountComponent:function(e,t,n,r){var o=n._idCounter++,i=" react-text: "+o+" ";if(this._domID=o,this._hostParent=t,e.useCreateElement){var c=n._ownerDocument,l=c.createComment(i),p=c.createComment(" /react-text "),d=a(c.createDocumentFragment());return a.queueChild(d,a(l)),this._stringText&&a.queueChild(d,a(c.createTextNode(this._stringText))),a.queueChild(d,a(p)),s.precacheNode(this,l),this._closingComment=p,d}var f=u(this._stringText);return e.renderToStaticMarkup?f:"\x3c!--"+i+"--\x3e"+f+"\x3c!-- /react-text --\x3e"},receiveComponent:function(e,t){if(e!==this._currentElement){this._currentElement=e;var n=""+e;if(n!==this._stringText){this._stringText=n;var r=this.getHostNode();i.replaceDelimitedText(r[0],r[1],n)}}},getHostNode:function(){var e=this._commentNodes;if(e)return e;if(!this._closingComment)for(var t=s.getNodeFromInstance(this),n=t.nextSibling;;){if(null==n&&r("67",this._domID),8===n.nodeType&&" /react-text "===n.nodeValue){this._closingComment=n;break}n=n.nextSibling}return e=[this._hostNode,this._closingComment],this._commentNodes=e,e},unmountComponent:function(){this._closingComment=null,this._commentNodes=null,s.uncacheNode(this)}}),e.exports=c},function(e,t,n){"use strict";function r(){this._rootNodeID&&l.updateWrapper(this)}function o(e){var t=this._currentElement.props,n=s.executeOnChange(t,e);return c.asap(r,this),n}var i=n(3),a=n(4),s=n(55),u=n(5),c=n(12),l=(n(1),n(2),{getHostProps:function(e,t){return null!=t.dangerouslySetInnerHTML&&i("91"),a({},t,{value:void 0,defaultValue:void 0,children:""+e._wrapperState.initialValue,onChange:e._wrapperState.onChange})},mountWrapper:function(e,t){var n=s.getValue(t),r=n;if(null==n){var a=t.defaultValue,u=t.children;null!=u&&(null!=a&&i("92"),Array.isArray(u)&&(u.length<=1||i("93"),u=u[0]),a=""+u),null==a&&(a=""),r=a}e._wrapperState={initialValue:""+r,listeners:null,onChange:o.bind(e)}},updateWrapper:function(e){var t=e._currentElement.props,n=u.getNodeFromInstance(e),r=s.getValue(t);if(null!=r){var o=""+r;o!==n.value&&(n.value=o),null==t.defaultValue&&(n.defaultValue=o)}null!=t.defaultValue&&(n.defaultValue=t.defaultValue)},postMountWrapper:function(e){var t=u.getNodeFromInstance(e),n=t.textContent;n===e._wrapperState.initialValue&&(t.value=n)}});e.exports=l},function(e,t,n){"use strict";function r(e,t){"_hostNode"in e||u("33"),"_hostNode"in t||u("33");for(var n=0,r=e;r;r=r._hostParent)n++;for(var o=0,i=t;i;i=i._hostParent)o++;for(;n-o>0;)e=e._hostParent,n--;for(;o-n>0;)t=t._hostParent,o--;for(var a=n;a--;){if(e===t)return e;e=e._hostParent,t=t._hostParent}return null}function o(e,t){"_hostNode"in e||u("35"),"_hostNode"in t||u("35");for(;t;){if(t===e)return!0;t=t._hostParent}return!1}function i(e){return"_hostNode"in e||u("36"),e._hostParent}function a(e,t,n){for(var r=[];e;)r.push(e),e=e._hostParent;var o;for(o=r.length;o-- >0;)t(r[o],"captured",n);for(o=0;o0;)n(u[c],"captured",i)}var u=n(3);n(1);e.exports={isAncestor:o,getLowestCommonAncestor:r,getParentInstance:i,traverseTwoPhase:a,traverseEnterLeave:s}},function(e,t,n){"use strict";function r(){this.reinitializeTransaction()}var o=n(4),i=n(12),a=n(37),s=n(10),u={initialize:s,close:function(){d.isBatchingUpdates=!1}},c={initialize:s,close:i.flushBatchedUpdates.bind(i)},l=[c,u];o(r.prototype,a,{getTransactionWrappers:function(){return l}});var p=new r,d={isBatchingUpdates:!1,batchedUpdates:function(e,t,n,r,o,i){var a=d.isBatchingUpdates;return d.isBatchingUpdates=!0,a?e(t,n,r,o,i):p.perform(e,null,t,n,r,o,i)}};e.exports=d},function(e,t,n){"use strict";function r(){S||(S=!0,y.EventEmitter.injectReactEventListener(v),y.EventPluginHub.injectEventPluginOrder(s),y.EventPluginUtils.injectComponentTree(d),y.EventPluginUtils.injectTreeTraversal(h),y.EventPluginHub.injectEventPluginsByName({SimpleEventPlugin:w,EnterLeaveEventPlugin:u,ChangeEventPlugin:a,SelectEventPlugin:E,BeforeInputEventPlugin:i}),y.HostComponent.injectGenericComponentClass(p),y.HostComponent.injectTextComponentClass(m),y.DOMProperty.injectDOMPropertyConfig(o),y.DOMProperty.injectDOMPropertyConfig(c),y.DOMProperty.injectDOMPropertyConfig(b),y.EmptyComponent.injectEmptyComponentFactory(function(e){return new f(e)}),y.Updates.injectReconcileTransaction(_),y.Updates.injectBatchingStrategy(g),y.Component.injectEnvironment(l))}var o=n(234),i=n(236),a=n(238),s=n(240),u=n(241),c=n(243),l=n(245),p=n(248),d=n(5),f=n(250),h=n(258),m=n(256),g=n(259),v=n(263),y=n(264),_=n(269),b=n(274),E=n(275),w=n(276),S=!1;e.exports={inject:r}},function(e,t,n){"use strict";var r="function"==typeof Symbol&&Symbol.for&&Symbol.for("react.element")||60103;e.exports=r},function(e,t,n){"use strict";function r(e){o.enqueueEvents(e),o.processEventQueue(!1)}var o=n(27),i={handleTopLevel:function(e,t,n,i){r(o.extractEvents(e,t,n,i))}};e.exports=i},function(e,t,n){"use strict";function r(e){for(;e._hostParent;)e=e._hostParent;var t=p.getNodeFromInstance(e),n=t.parentNode;return p.getClosestInstanceFromNode(n)}function o(e,t){this.topLevelType=e,this.nativeEvent=t,this.ancestors=[]}function i(e){var t=f(e.nativeEvent),n=p.getClosestInstanceFromNode(t),o=n;do{e.ancestors.push(o),o=o&&r(o)}while(o);for(var i=0;i/,i=/^<\!\-\-/,a={CHECKSUM_ATTR_NAME:"data-react-checksum",addChecksumToMarkup:function(e){var t=r(e);return i.test(e)?e:e.replace(o," "+a.CHECKSUM_ATTR_NAME+'="'+t+'"$&')},canReuseMarkup:function(e,t){var n=t.getAttribute(a.CHECKSUM_ATTR_NAME);return n=n&&parseInt(n,10),r(e)===n}};e.exports=a},function(e,t,n){"use strict";function r(e,t,n){return{type:"INSERT_MARKUP",content:e,fromIndex:null,fromNode:null,toIndex:n,afterNode:t}}function o(e,t,n){return{type:"MOVE_EXISTING",content:null,fromIndex:e._mountIndex,fromNode:d.getHostNode(e),toIndex:n,afterNode:t}}function i(e,t){return{type:"REMOVE_NODE",content:null,fromIndex:e._mountIndex,fromNode:t,toIndex:null,afterNode:null}}function a(e){return{type:"SET_MARKUP",content:e,fromIndex:null,fromNode:null,toIndex:null,afterNode:null}}function s(e){return{type:"TEXT_CONTENT",content:e,fromIndex:null,fromNode:null,toIndex:null,afterNode:null}}function u(e,t){return t&&(e=e||[],e.push(t)),e}function c(e,t){p.processChildrenUpdates(e,t)}var l=n(3),p=n(56),d=(n(29),n(11),n(14),n(22)),f=n(244),h=(n(10),n(290)),m=(n(1),{Mixin:{_reconcilerInstantiateChildren:function(e,t,n){return f.instantiateChildren(e,t,n)},_reconcilerUpdateChildren:function(e,t,n,r,o,i){var a,s=0;return a=h(t,s),f.updateChildren(e,a,n,r,o,this,this._hostContainerInfo,i,s),a},mountChildren:function(e,t,n){var r=this._reconcilerInstantiateChildren(e,t,n);this._renderedChildren=r;var o=[],i=0;for(var a in r)if(r.hasOwnProperty(a)){var s=r[a],u=0,c=d.mountComponent(s,t,this,this._hostContainerInfo,n,u);s._mountIndex=i++,o.push(c)}return o},updateTextContent:function(e){var t=this._renderedChildren;f.unmountChildren(t,!1);for(var n in t)t.hasOwnProperty(n)&&l("118");c(this,[s(e)])},updateMarkup:function(e){var t=this._renderedChildren;f.unmountChildren(t,!1);for(var n in t)t.hasOwnProperty(n)&&l("118");c(this,[a(e)])},updateChildren:function(e,t,n){this._updateChildren(e,t,n)},_updateChildren:function(e,t,n){var r=this._renderedChildren,o={},i=[],a=this._reconcilerUpdateChildren(r,e,i,o,t,n);if(a||r){var s,l=null,p=0,f=0,h=0,m=null;for(s in a)if(a.hasOwnProperty(s)){var g=r&&r[s],v=a[s];g===v?(l=u(l,this.moveChild(g,m,p,f)),f=Math.max(g._mountIndex,f),g._mountIndex=p):(g&&(f=Math.max(g._mountIndex,f)),l=u(l,this._mountChildAtIndex(v,i[h],m,p,t,n)),h++),p++,m=d.getHostNode(v)}for(s in o)o.hasOwnProperty(s)&&(l=u(l,this._unmountChild(r[s],o[s])));l&&c(this,l),this._renderedChildren=a}},unmountChildren:function(e){var t=this._renderedChildren;f.unmountChildren(t,e),this._renderedChildren=null},moveChild:function(e,t,n,r){if(e._mountIndex=t)return{node:n,offset:t-i};i=a}n=r(o(n))}}e.exports=i},function(e,t,n){"use strict";function r(e,t){var n={};return n[e.toLowerCase()]=t.toLowerCase(),n["Webkit"+e]="webkit"+t,n["Moz"+e]="moz"+t,n["ms"+e]="MS"+t,n["O"+e]="o"+t.toLowerCase(),n}function o(e){if(s[e])return s[e];if(!a[e])return e;var t=a[e];for(var n in t)if(t.hasOwnProperty(n)&&n in u)return s[e]=t[n];return""}var i=n(8),a={animationend:r("Animation","AnimationEnd"),animationiteration:r("Animation","AnimationIteration"),animationstart:r("Animation","AnimationStart"),transitionend:r("Transition","TransitionEnd")},s={},u={};i.canUseDOM&&(u=document.createElement("div").style,"AnimationEvent"in window||(delete a.animationend.animation,delete a.animationiteration.animation,delete a.animationstart.animation),"TransitionEvent"in window||delete a.transitionend.transition),e.exports=o},function(e,t,n){"use strict";function r(e){return'"'+o(e)+'"'}var o=n(38);e.exports=r},function(e,t,n){"use strict";var r=n(106);e.exports=r.renderSubtreeIntoContainer},function(e,t,n){"use strict";function r(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function o(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function i(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}function a(){var e,t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"store",n=arguments[1],a=n||t+"Subscription",u=function(e){function n(i,a){r(this,n);var s=o(this,e.call(this,i,a));return s[t]=i.store,s}return i(n,e),n.prototype.getChildContext=function(){var e;return e={},e[t]=this[t],e[a]=null,e},n.prototype.render=function(){return s.Children.only(this.props.children)},n}(s.Component);return u.propTypes={store:l.a.isRequired,children:c.a.element.isRequired},u.childContextTypes=(e={},e[t]=l.a.isRequired,e[a]=l.b,e),u}t.b=a;var s=n(0),u=(n.n(s),n(19)),c=n.n(u),l=n(120);n(66);t.a=a()},function(e,t,n){"use strict";function r(e,t){var n={};for(var r in e)t.indexOf(r)>=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e,t,n){for(var r=t.length-1;r>=0;r--){var o=t[r](e);if(o)return o}return function(t,r){throw new Error("Invalid value of type "+typeof e+" for "+n+" argument when connecting component "+r.wrappedComponentName+".")}}function i(e,t){return e===t}var a=n(118),s=n(305),u=n(299),c=n(300),l=n(301),p=n(302),d=Object.assign||function(e){for(var t=1;t0&&void 0!==arguments[0]?arguments[0]:{},t=e.connectHOC,n=void 0===t?a.a:t,f=e.mapStateToPropsFactories,h=void 0===f?c.a:f,m=e.mapDispatchToPropsFactories,g=void 0===m?u.a:m,v=e.mergePropsFactories,y=void 0===v?l.a:v,_=e.selectorFactory,b=void 0===_?p.a:_;return function(e,t,a){var u=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},c=u.pure,l=void 0===c||c,p=u.areStatesEqual,f=void 0===p?i:p,m=u.areOwnPropsEqual,v=void 0===m?s.a:m,_=u.areStatePropsEqual,E=void 0===_?s.a:_,w=u.areMergedPropsEqual,S=void 0===w?s.a:w,C=r(u,["pure","areStatesEqual","areOwnPropsEqual","areStatePropsEqual","areMergedPropsEqual"]),x=o(e,h,"mapStateToProps"),T=o(t,g,"mapDispatchToProps"),P=o(a,y,"mergeProps");return n(b,d({methodName:"connect",getDisplayName:function(e){return"Connect("+e+")"},shouldHandleStateChanges:Boolean(e),initMapStateToProps:x,initMapDispatchToProps:T,initMergeProps:P,pure:l,areStatesEqual:f,areOwnPropsEqual:v,areStatePropsEqual:E,areMergedPropsEqual:S},C))}}()},function(e,t,n){"use strict";function r(e){return"function"==typeof e?n.i(s.a)(e,"mapDispatchToProps"):void 0}function o(e){return e?void 0:n.i(s.b)(function(e){return{dispatch:e}})}function i(e){return e&&"object"==typeof e?n.i(s.b)(function(t){return n.i(a.bindActionCreators)(e,t)}):void 0}var a=n(40),s=n(119);t.a=[r,o,i]},function(e,t,n){"use strict";function r(e){return"function"==typeof e?n.i(i.a)(e,"mapStateToProps"):void 0}function o(e){return e?void 0:n.i(i.b)(function(){return{}})}var i=n(119);t.a=[r,o]},function(e,t,n){"use strict";function r(e,t,n){return s({},n,e,t)}function o(e){return function(t,n){var r=(n.displayName,n.pure),o=n.areMergedPropsEqual,i=!1,a=void 0;return function(t,n,s){var u=e(t,n,s);return i?r&&o(u,a)||(a=u):(i=!0,a=u),a}}}function i(e){return"function"==typeof e?o(e):void 0}function a(e){return e?void 0:function(){return r}}var s=(n(121),Object.assign||function(e){for(var t=1;t=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e,t,n,r){return function(o,i){return n(e(o,i),t(r,i),i)}}function i(e,t,n,r,o){function i(o,i){return h=o,m=i,g=e(h,m),v=t(r,m),y=n(g,v,m),f=!0,y}function a(){return g=e(h,m),t.dependsOnOwnProps&&(v=t(r,m)),y=n(g,v,m)}function s(){return e.dependsOnOwnProps&&(g=e(h,m)),t.dependsOnOwnProps&&(v=t(r,m)),y=n(g,v,m)}function u(){var t=e(h,m),r=!d(t,g);return g=t,r&&(y=n(g,v,m)),y}function c(e,t){var n=!p(t,m),r=!l(e,h);return h=e,m=t,n&&r?a():n?s():r?u():y}var l=o.areStatesEqual,p=o.areOwnPropsEqual,d=o.areStatePropsEqual,f=!1,h=void 0,m=void 0,g=void 0,v=void 0,y=void 0;return function(e,t){return f?c(e,t):i(e,t)}}function a(e,t){var n=t.initMapStateToProps,a=t.initMapDispatchToProps,s=t.initMergeProps,u=r(t,["initMapStateToProps","initMapDispatchToProps","initMergeProps"]),c=n(e,u),l=a(e,u),p=s(e,u);return(u.pure?i:o)(c,l,p,e,u)}t.a=a;n(303)},function(e,t,n){"use strict";n(66)},function(e,t,n){"use strict";function r(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function o(){var e=[],t=[];return{clear:function(){t=i,e=i},notify:function(){for(var n=e=t,r=0;r0&&void 0!==arguments[0]?arguments[0]:{},t=arguments[1];if(u)throw u;for(var o=!1,i={},a=0;a=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6),u=n(219);n(343);var c;!function(e){e[e.landscape=0]="landscape",e[e.portrait=1]="portrait"}(c=t.CoverStyle||(t.CoverStyle={})),t.CoverStyleMap=(p={},p[c.landscape]="ms-Image-image--landscape",p[c.portrait]="ms-Image-image--portrait",p),t.ImageFitMap=(d={},d[u.ImageFit.center]="ms-Image-image--center",d[u.ImageFit.contain]="ms-Image-image--contain",d[u.ImageFit.cover]="ms-Image-image--cover",d[u.ImageFit.none]="ms-Image-image--none",d);var l=function(e){function n(t){var n=e.call(this,t)||this;return n._coverStyle=c.portrait,n.state={loadState:u.ImageLoadState.notLoaded},n}return r(n,e),n.prototype.componentWillReceiveProps=function(e){e.src!==this.props.src?this.setState({loadState:u.ImageLoadState.notLoaded}):this.state.loadState===u.ImageLoadState.loaded&&this._computeCoverStyle(e)},n.prototype.componentDidUpdate=function(e,t){this._checkImageLoaded(),this.props.onLoadingStateChange&&t.loadState!==this.state.loadState&&this.props.onLoadingStateChange(this.state.loadState)},n.prototype.render=function(){var e=s.getNativeProps(this.props,s.imageProperties,["width","height"]),n=this.props,r=n.src,i=n.alt,c=n.width,l=n.height,p=n.shouldFadeIn,d=n.className,f=n.imageFit,h=n.role,m=n.maximizeFrame,g=this.state.loadState,v=this._coverStyle,y=g===u.ImageLoadState.loaded||g===u.ImageLoadState.notLoaded&&this.props.shouldStartVisible;return a.createElement("div",{className:s.css("ms-Image",d,{"ms-Image--maximizeFrame":m}),style:{width:c,height:l},ref:this._resolveRef("_frameElement")},a.createElement("img",o({},e,{onLoad:this._onImageLoaded,onError:this._onImageError,key:"fabricImage"+this.props.src||"",className:s.css("ms-Image-image",t.CoverStyleMap[v],void 0!==f&&t.ImageFitMap[f],{"is-fadeIn":p,"is-notLoaded":!y,"is-loaded":y,"ms-u-fadeIn400":y&&p,"is-error":g===u.ImageLoadState.error,"ms-Image-image--scaleWidth":void 0===f&&!!c&&!l,"ms-Image-image--scaleHeight":void 0===f&&!c&&!!l,"ms-Image-image--scaleWidthHeight":void 0===f&&!!c&&!!l}),ref:this._resolveRef("_imageElement"),src:r,alt:i,role:h})))},n.prototype._onImageLoaded=function(e){var t=this.props,n=t.src,r=t.onLoad;r&&r(e),this._computeCoverStyle(this.props),n&&this.setState({loadState:u.ImageLoadState.loaded})},n.prototype._checkImageLoaded=function(){var e=this.props.src;this.state.loadState===u.ImageLoadState.notLoaded&&((e&&this._imageElement.naturalWidth>0&&this._imageElement.naturalHeight>0||this._imageElement.complete&&n._svgRegex.test(e))&&(this._computeCoverStyle(this.props),this.setState({loadState:u.ImageLoadState.loaded})))},n.prototype._computeCoverStyle=function(e){var t=e.imageFit,n=e.width,r=e.height;if((t===u.ImageFit.cover||t===u.ImageFit.contain)&&this._imageElement){var o=void 0;o=n&&r?n/r:this._frameElement.clientWidth/this._frameElement.clientHeight;var i=this._imageElement.naturalWidth/this._imageElement.naturalHeight;this._coverStyle=i>o?c.landscape:c.portrait}},n.prototype._onImageError=function(e){this.props.onError&&this.props.onError(e),this.setState({loadState:u.ImageLoadState.error})},n}(s.BaseComponent);l.defaultProps={shouldFadeIn:!0},l._svgRegex=/\.svg$/i,i([s.autobind],l.prototype,"_onImageLoaded",null),i([s.autobind],l.prototype,"_onImageError",null),t.Image=l;var p,d},,,,,,,,function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(346))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(140),u=n(6),c={},l=["text","number","password","email","tel","url","search"],p=function(e){function t(t){var n=e.call(this,t)||this;return n._id=u.getId("FocusZone"),c[n._id]=n,n._focusAlignment={left:0,top:0},n}return r(t,e),t.prototype.componentDidMount=function(){for(var e=this.refs.root.ownerDocument.defaultView,t=u.getParent(this.refs.root);t&&t!==document.body&&1===t.nodeType;){if(u.isElementFocusZone(t)){this._isInnerZone=!0;break}t=u.getParent(t)}this._events.on(e,"keydown",this._onKeyDownCapture,!0),this._updateTabIndexes(),this.props.defaultActiveElement&&(this._activeElement=u.getDocument().querySelector(this.props.defaultActiveElement))},t.prototype.componentWillUnmount=function(){delete c[this._id]},t.prototype.render=function(){var e=this.props,t=e.rootProps,n=e.ariaLabelledBy,r=e.className;return a.createElement("div",o({},t,{className:u.css("ms-FocusZone",r),ref:"root","data-focuszone-id":this._id,"aria-labelledby":n,onKeyDown:this._onKeyDown,onFocus:this._onFocus},{onMouseDownCapture:this._onMouseDown}),this.props.children)},t.prototype.focus=function(){if(this._activeElement&&u.elementContains(this.refs.root,this._activeElement))return this._activeElement.focus(),!0;var e=this.refs.root.firstChild;return this.focusElement(u.getNextElement(this.refs.root,e,!0))},t.prototype.focusElement=function(e){var t=this.props.onBeforeFocus;return!(t&&!t(e))&&(!(!e||(this._activeElement&&(this._activeElement.tabIndex=-1),this._activeElement=e,!e))&&(this._focusAlignment||this._setFocusAlignment(e,!0,!0),this._activeElement.tabIndex=0,e.focus(),!0))},t.prototype._onFocus=function(e){var t=this.props.onActiveElementChanged;if(this._isImmediateDescendantOfZone(e.target))this._activeElement=e.target,this._setFocusAlignment(this._activeElement);else for(var n=e.target;n&&n!==this.refs.root;){if(u.isElementTabbable(n)&&this._isImmediateDescendantOfZone(n)){this._activeElement=n;break}n=u.getParent(n)}t&&t(this._activeElement,e)},t.prototype._onKeyDownCapture=function(e){e.which===u.KeyCodes.tab&&this._updateTabIndexes()},t.prototype._onMouseDown=function(e){if(!this.props.disabled){for(var t=e.target,n=[];t&&t!==this.refs.root;)n.push(t),t=u.getParent(t);for(;n.length&&(t=n.pop(),!u.isElementFocusZone(t));)t&&u.isElementTabbable(t)&&(t.tabIndex=0,this._setFocusAlignment(t,!0,!0))}},t.prototype._onKeyDown=function(e){var t=this.props,n=t.direction,r=t.disabled,o=t.isInnerZoneKeystroke;if(!r){if(o&&this._isImmediateDescendantOfZone(e.target)&&o(e)){var i=this._getFirstInnerZone();if(!i||!i.focus())return}else switch(e.which){case u.KeyCodes.left:if(n!==s.FocusZoneDirection.vertical&&this._moveFocusLeft())break;return;case u.KeyCodes.right:if(n!==s.FocusZoneDirection.vertical&&this._moveFocusRight())break;return;case u.KeyCodes.up:if(n!==s.FocusZoneDirection.horizontal&&this._moveFocusUp())break;return;case u.KeyCodes.down:if(n!==s.FocusZoneDirection.horizontal&&this._moveFocusDown())break;return;case u.KeyCodes.home:var a=this.refs.root.firstChild;if(this.focusElement(u.getNextElement(this.refs.root,a,!0)))break;return;case u.KeyCodes.end:var c=this.refs.root.lastChild;if(this.focusElement(u.getPreviousElement(this.refs.root,c,!0,!0,!0)))break;return;case u.KeyCodes.enter:if(this._tryInvokeClickForFocusable(e.target))break;return;default:return}e.preventDefault(),e.stopPropagation()}},t.prototype._tryInvokeClickForFocusable=function(e){do{if("BUTTON"===e.tagName||"A"===e.tagName)return!1;if(this._isImmediateDescendantOfZone(e)&&"true"===e.getAttribute("data-is-focusable")&&"true"!==e.getAttribute("data-disable-click-on-enter"))return u.EventGroup.raise(e,"click",null,!0),!0;e=u.getParent(e)}while(e!==this.refs.root);return!1},t.prototype._getFirstInnerZone=function(e){e=e||this._activeElement||this.refs.root;for(var t=e.firstElementChild;t;){if(u.isElementFocusZone(t))return c[t.getAttribute("data-focuszone-id")];var n=this._getFirstInnerZone(t);if(n)return n;t=t.nextElementSibling}return null},t.prototype._moveFocus=function(e,t,n){var r,o=this._activeElement,i=-1,a=!1,c=this.props.direction===s.FocusZoneDirection.bidirectional;if(!o)return!1;if(this._isElementInput(o)&&!this._shouldInputLoseFocus(o,e))return!1;var l=c?o.getBoundingClientRect():null;do{if(o=e?u.getNextElement(this.refs.root,o):u.getPreviousElement(this.refs.root,o),!c){r=o;break}if(o){var p=o.getBoundingClientRect(),d=t(l,p);if(d>-1&&(-1===i||d=0&&d<0)break}}while(o);if(r&&r!==this._activeElement)a=!0,this.focusElement(r);else if(this.props.isCircularNavigation)return e?this.focusElement(u.getNextElement(this.refs.root,this.refs.root.firstElementChild,!0)):this.focusElement(u.getPreviousElement(this.refs.root,this.refs.root.lastElementChild,!0,!0,!0));return a},t.prototype._moveFocusDown=function(){var e=-1,t=this._focusAlignment.left;return!!this._moveFocus(!0,function(n,r){var o=-1,i=Math.floor(r.top),a=Math.floor(n.bottom);return(-1===e&&i>=a||i===e)&&(e=i,o=t>=r.left&&t<=r.left+r.width?0:Math.abs(r.left+r.width/2-t)),o})&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusUp=function(){var e=-1,t=this._focusAlignment.left;return!!this._moveFocus(!1,function(n,r){var o=-1,i=Math.floor(r.bottom),a=Math.floor(r.top),s=Math.floor(n.top);return(-1===e&&i<=s||a===e)&&(e=a,o=t>=r.left&&t<=r.left+r.width?0:Math.abs(r.left+r.width/2-t)),o})&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusLeft=function(){var e=this,t=-1,n=this._focusAlignment.top;return!!this._moveFocus(u.getRTL(),function(r,o){var i=-1;return(-1===t&&o.right<=r.right&&(e.props.direction===s.FocusZoneDirection.horizontal||o.top===r.top)||o.top===t)&&(t=o.top,i=Math.abs(o.top+o.height/2-n)),i})&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusRight=function(){var e=this,t=-1,n=this._focusAlignment.top;return!!this._moveFocus(!u.getRTL(),function(r,o){var i=-1;return(-1===t&&o.left>=r.left&&(e.props.direction===s.FocusZoneDirection.horizontal||o.top===r.top)||o.top===t)&&(t=o.top,i=Math.abs(o.top+o.height/2-n)),i})&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._setFocusAlignment=function(e,t,n){if(this.props.direction===s.FocusZoneDirection.bidirectional&&(!this._focusAlignment||t||n)){var r=e.getBoundingClientRect(),o=r.left+r.width/2,i=r.top+r.height/2;this._focusAlignment||(this._focusAlignment={left:o,top:i}),t&&(this._focusAlignment.left=o),n&&(this._focusAlignment.top=i)}},t.prototype._isImmediateDescendantOfZone=function(e){for(var t=u.getParent(e);t&&t!==this.refs.root&&t!==document.body;){if(u.isElementFocusZone(t))return!1;t=u.getParent(t)}return!0},t.prototype._updateTabIndexes=function(e){e||(e=this.refs.root,this._activeElement&&!u.elementContains(e,this._activeElement)&&(this._activeElement=null));for(var t=e.children,n=0;t&&n-1){var n=e.selectionStart,r=e.selectionEnd,o=n!==r,i=e.value;if(o||n>0&&!t||n!==i.length&&t)return!1}return!0},t}(u.BaseComponent);p.defaultProps={isCircularNavigation:!1,direction:s.FocusZoneDirection.bidirectional},i([u.autobind],p.prototype,"_onFocus",null),i([u.autobind],p.prototype,"_onMouseDown",null),i([u.autobind],p.prototype,"_onKeyDown",null),t.FocusZone=p},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(341)),r(n(140))},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:".ms-Image{overflow:hidden}.ms-Image--maximizeFrame{height:100%;width:100%}.ms-Image-image{display:block;opacity:0}.ms-Image-image.is-loaded{opacity:1}.ms-Image-image--center,.ms-Image-image--contain,.ms-Image-image--cover{position:relative;top:50%}html[dir=ltr] .ms-Image-image--center,html[dir=ltr] .ms-Image-image--contain,html[dir=ltr] .ms-Image-image--cover{left:50%}html[dir=rtl] .ms-Image-image--center,html[dir=rtl] .ms-Image-image--contain,html[dir=rtl] .ms-Image-image--cover{right:50%}html[dir=ltr] .ms-Image-image--center,html[dir=ltr] .ms-Image-image--contain,html[dir=ltr] .ms-Image-image--cover{-webkit-transform:translate(-50%,-50%);transform:translate(-50%,-50%)}html[dir=rtl] .ms-Image-image--center,html[dir=rtl] .ms-Image-image--contain,html[dir=rtl] .ms-Image-image--cover{-webkit-transform:translate(50%,-50%);transform:translate(50%,-50%)}.ms-Image-image--contain.ms-Image-image--landscape{width:100%;height:auto}.ms-Image-image--contain.ms-Image-image--portrait{height:100%;width:auto}.ms-Image-image--cover.ms-Image-image--landscape{height:100%;width:auto}.ms-Image-image--cover.ms-Image-image--portrait{width:100%;height:auto}.ms-Image-image--none{height:auto;width:auto}.ms-Image-image--scaleWidthHeight{height:100%;width:100%}.ms-Image-image--scaleWidth{height:auto;width:100%}.ms-Image-image--scaleHeight{height:100%;width:auto}"}])},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0}):e.items,u=function(t,n){return r.createElement(s.default,{item:t,key:n,onToggleClick:e.onToggleClick})};return r.createElement("div",{className:e.tablesClassName},r.createElement("div",{className:"ms-font-l ms-fontWeight-semibold"},e.listTitle),r.createElement(o.FocusZone,{direction:o.FocusZoneDirection.vertical},r.createElement(i.List,{items:n,onRenderCell:u})))};t.default=u},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(40),o=n(477);t.rootReducer=r.combineReducers({spFeatures:o.spFeaturesReducer})},function(e,t,n){"use strict";var r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6),u=n(340),c=n(505),l=function(e){function t(t){var n=e.call(this)||this;return n.state={isChecked:!(!t.checked&&!t.defaultChecked)},n._id=t.id||s.getId("Toggle"),n}return r(t,e),Object.defineProperty(t.prototype,"checked",{get:function(){return this.state.isChecked},enumerable:!0,configurable:!0}),t.prototype.componentWillReceiveProps=function(e){void 0!==e.checked&&this.setState({isChecked:e.checked})},t.prototype.render=function(){var e=this,t=this.props,n=t.label,r=t.onText,i=t.offText,l=t.className,p=t.disabled,d=this.state.isChecked,f=d?r:i,h=s.getNativeProps(this.props,s.buttonProperties);return a.createElement("div",{className:s.css(c.default.root,"ms-Toggle",l,(m={"is-checked":d,"is-enabled":!p,"is-disabled":p},m[c.default.isChecked]=d,m[c.default.isEnabled]=!p,m[c.default.isDisabled]=p,m))},a.createElement("div",{className:s.css(c.default.innerContainer,"ms-Toggle-innerContainer")},n&&a.createElement(u.Label,{className:"ms-Toggle-label",htmlFor:this._id},n),a.createElement("div",{className:s.css(c.default.slider,"ms-Toggle-slider")},a.createElement("button",o({ref:function(t){return e._toggleButton=t},type:"button",id:this._id},h,{name:this._id,className:s.css(c.default.button,"ms-Toggle-button"),disabled:p,"aria-pressed":d,onClick:this._onClick})),a.createElement("div",{className:s.css(c.default.background,"ms-Toggle-background")},a.createElement("div",{className:s.css(c.default.focus,"ms-Toggle-focus")}),a.createElement("div",{className:s.css(c.default.thumb,"ms-Toggle-thumb")})),f&&a.createElement(u.Label,{className:s.css(c.default.stateText,"ms-Toggle-stateText")},f))));var m},t.prototype.focus=function(){this._toggleButton&&this._toggleButton.focus()},t.prototype._onClick=function(){var e=this.props,t=e.checked,n=e.onChanged,r=this.state.isChecked;void 0===t&&this.setState({isChecked:!r}),n&&n(!r)},t}(a.Component);l.initialProps={label:"",onText:"On",offText:"Off"},i([s.autobind],l.prototype,"_onClick",null),t.Toggle=l},function(e,t,n){"use strict";var r=n(7),o={root:"root_80204f9c",isEnabled:"isEnabled_80204f9c",button:"button_80204f9c",background:"background_80204f9c",thumb:"thumb_80204f9c",slider:"slider_80204f9c",isChecked:"isChecked_80204f9c",isDisabled:"isDisabled_80204f9c",innerContainer:"innerContainer_80204f9c",focus:"focus_80204f9c",stateText:"stateText_80204f9c"};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:'.root_80204f9c{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;box-sizing:border-box;margin:0;padding:0;box-shadow:none;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";position:relative;display:block;margin-bottom:8px;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.isEnabled_80204f9c .button_80204f9c{cursor:pointer}.isEnabled_80204f9c .background_80204f9c{border:1px solid "},{theme:"neutralSecondaryAlt",defaultValue:"#767676"},{rawString:"}@media screen and (-ms-high-contrast:active){.isEnabled_80204f9c .thumb_80204f9c{background-color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.isEnabled_80204f9c .thumb_80204f9c{background-color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}}.isEnabled_80204f9c .slider_80204f9c:hover .background_80204f9c{border:1px solid "},{theme:"black",defaultValue:"#000000"},{rawString:"}.isEnabled_80204f9c .slider_80204f9c:hover .thumb_80204f9c{background:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.isEnabled_80204f9c.isChecked_80204f9c .background_80204f9c{background:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";border:1px solid "},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}@media screen and (-ms-high-contrast:active){.isEnabled_80204f9c.isChecked_80204f9c .background_80204f9c{background-color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.isEnabled_80204f9c.isChecked_80204f9c .background_80204f9c{background-color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}}.isEnabled_80204f9c.isChecked_80204f9c .thumb_80204f9c{background:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}html[dir=ltr] .isEnabled_80204f9c.isChecked_80204f9c .thumb_80204f9c{left:28px}html[dir=rtl] .isEnabled_80204f9c.isChecked_80204f9c .thumb_80204f9c{right:28px}@media screen and (-ms-high-contrast:active){.isEnabled_80204f9c.isChecked_80204f9c .thumb_80204f9c{background-color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.isEnabled_80204f9c.isChecked_80204f9c .thumb_80204f9c{background-color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}.isEnabled_80204f9c.isChecked_80204f9c .slider_80204f9c:hover .background_80204f9c{border:1px solid "},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";background:"},{theme:"themeSecondary",defaultValue:"#2b88d8"},{rawString:"}.isEnabled_80204f9c.isChecked_80204f9c .slider_80204f9c:hover .thumb_80204f9c{background:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}.isDisabled_80204f9c .thumb_80204f9c{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}@media screen and (-ms-high-contrast:active){.isDisabled_80204f9c .thumb_80204f9c{background-color:#0f0}}@media screen and (-ms-high-contrast:black-on-white){.isDisabled_80204f9c .thumb_80204f9c{background-color:#600000}}.isDisabled_80204f9c .background_80204f9c{border:1px solid "},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}@media screen and (-ms-high-contrast:active){.isDisabled_80204f9c .background_80204f9c{border-color:#0f0}}@media screen and (-ms-high-contrast:black-on-white){.isDisabled_80204f9c .background_80204f9c{border-color:#600000}}.isDisabled_80204f9c.isChecked_80204f9c .background_80204f9c{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:";border:1px solid transparent}@media screen and (-ms-high-contrast:active){.isDisabled_80204f9c.isChecked_80204f9c .background_80204f9c{background-color:#0f0}}@media screen and (-ms-high-contrast:black-on-white){.isDisabled_80204f9c.isChecked_80204f9c .background_80204f9c{background-color:#600000}}.isDisabled_80204f9c.isChecked_80204f9c .thumb_80204f9c{background:"},{theme:"neutralLight",defaultValue:"#eaeaea"},{rawString:"}html[dir=ltr] .isDisabled_80204f9c.isChecked_80204f9c .thumb_80204f9c{left:28px}html[dir=rtl] .isDisabled_80204f9c.isChecked_80204f9c .thumb_80204f9c{right:28px}@media screen and (-ms-high-contrast:active){.isDisabled_80204f9c.isChecked_80204f9c .thumb_80204f9c{background-color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.isDisabled_80204f9c.isChecked_80204f9c .thumb_80204f9c{background-color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}.innerContainer_80204f9c{display:inline-block}.ms-Fabric.is-focusVisible .root_80204f9c.isEnabled_80204f9c .button_80204f9c:focus+.background_80204f9c .focus_80204f9c{border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}.button_80204f9c{position:absolute;opacity:0;left:0;top:0;width:100%;height:100%;margin:0;padding:0}.slider_80204f9c{position:relative;min-height:20px}.background_80204f9c{display:inline-block;position:absolute;width:44px;height:20px;box-sizing:border-box;vertical-align:middle;border-radius:20px;cursor:pointer;-webkit-transition:all .1s ease;transition:all .1s ease;pointer-events:none}.thumb_80204f9c{position:absolute;width:10px;height:10px;border-radius:10px;top:4px;background:"},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:";-webkit-transition:all .1s ease;transition:all .1s ease}html[dir=ltr] .thumb_80204f9c{left:4px}html[dir=rtl] .thumb_80204f9c{right:4px}.stateText_80204f9c{display:inline-block;vertical-align:top;line-height:20px;padding:0}html[dir=ltr] .stateText_80204f9c{margin-left:54px}html[dir=rtl] .stateText_80204f9c{margin-right:54px}.focus_80204f9c{position:absolute;left:-3px;top:-3px;right:-3px;bottom:-3px;box-sizing:border-box;outline:transparent}"}])},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(504))}]); //# sourceMappingURL=spFeatures.js.map \ No newline at end of file diff --git a/dist/actions/spSiteCustomActions/spSiteCustomActions.js b/dist/actions/spSiteCustomActions/spSiteCustomActions.js index d130dcb..414ed5c 100644 --- a/dist/actions/spSiteCustomActions/spSiteCustomActions.js +++ b/dist/actions/spSiteCustomActions/spSiteCustomActions.js @@ -1,14 +1,2 @@ -!function(e){function t(r){if(n[r])return n[r].exports;var o=n[r]={i:r,l:!1,exports:{}};return e[r].call(o.exports,o,o.exports,t),o.l=!0,o.exports}var n={};return t.m=e,t.c=n,t.i=function(e){return e},t.d=function(e,n,r){t.o(e,n)||Object.defineProperty(e,n,{configurable:!1,enumerable:!0,get:r})},t.n=function(e){var n=e&&e.__esModule?function(){return e.default}:function(){return e};return t.d(n,"a",n),n},t.o=function(e,t){return Object.prototype.hasOwnProperty.call(e,t)},t.p="",t(t.s=477)}([function(e,t,n){"use strict";e.exports=n(22)},function(e,t,n){"use strict";function r(e,t,n,r,i,a,s,u){if(o(t),!e){var c;if(void 0===t)c=new Error("Minified exception occurred; use the non-minified dev environment for the full error message and additional helpful warnings.");else{var l=[n,r,i,a,s,u],p=0;c=new Error(t.replace(/%s/g,function(){return l[p++]})),c.name="Invariant Violation"}throw c.framesToPop=1,c}}var o=function(e){};e.exports=r},function(e,t,n){"use strict";var r=n(10),o=r;e.exports=o},function(e,t,n){"use strict";function r(e){for(var t=arguments.length-1,n="Minified React error #"+e+"; visit http://facebook.github.io/react/docs/error-decoder.html?invariant="+e,r=0;rn&&t.push({rawString:e.substring(n,o)}),t.push({theme:r[1],defaultValue:r[2]}),n=g.lastIndex}t.push({rawString:e.substring(n)})}return t}function l(e,t){var n=document.getElementsByTagName("head")[0],r=document.createElement("style");r.type="text/css",r.appendChild(document.createTextNode(u(e))),t?(n.replaceChild(r,t.styleElement),t.styleElement=r):n.appendChild(r),t||m.registeredStyles.push({styleElement:r,themableStyle:e})}function p(e,t){var n=document.getElementsByTagName("head")[0],r=m.lastStyleElement,o=m.registeredStyles,i=r?r.styleSheet:void 0,a=i?i.cssText:"",c=o[o.length-1],l=u(e);(!r||a.length+l.length>v)&&(r=document.createElement("style"),r.type="text/css",t?(n.replaceChild(r,t.styleElement),t.styleElement=r):n.appendChild(r),t||(c={styleElement:r,themableStyle:e},o.push(c))),r.styleSheet.cssText+=s(l),Array.prototype.push.apply(c.themableStyle,e),m.lastStyleElement=r}function d(){var e=!1;if("undefined"!=typeof document){var t=document.createElement("style");t.type="text/css",e=!!t.styleSheet}return e}var f,h="undefined"==typeof window?e:window,m=h.__themeState__=h.__themeState__||{theme:void 0,lastStyleElement:void 0,registeredStyles:[]},g=/[\'\"]\[theme:\s*(\w+)\s*(?:\,\s*default:\s*([\\"\']?[\.\,\(\)\#\-\s\w]*[\.\,\(\)\#\-\w][\"\']?))?\s*\][\'\"]/g,v=1e4;t.loadStyles=n,t.configureLoadStyles=r,t.loadTheme=i,t.detokenize=s,t.splitStyles=c}).call(t,n(66))},function(e,t,n){"use strict";var r=!("undefined"==typeof window||!window.document||!window.document.createElement),o={canUseDOM:r,canUseWorkers:"undefined"!=typeof Worker,canUseEventListeners:r&&!(!window.addEventListener&&!window.attachEvent),canUseViewport:r&&!!window.screen,isInWorker:!r};e.exports=o},function(e,t,n){"use strict";function r(e){return"[object Array]"===C.call(e)}function o(e){return"[object ArrayBuffer]"===C.call(e)}function i(e){return"undefined"!=typeof FormData&&e instanceof FormData}function a(e){var t;return t="undefined"!=typeof ArrayBuffer&&ArrayBuffer.isView?ArrayBuffer.isView(e):e&&e.buffer&&e.buffer instanceof ArrayBuffer}function s(e){return"string"==typeof e}function u(e){return"number"==typeof e}function c(e){return"undefined"==typeof e}function l(e){return null!==e&&"object"==typeof e}function p(e){return"[object Date]"===C.call(e)}function d(e){return"[object File]"===C.call(e)}function f(e){return"[object Blob]"===C.call(e)}function h(e){return"[object Function]"===C.call(e)}function m(e){return l(e)&&h(e.pipe)}function g(e){return"undefined"!=typeof URLSearchParams&&e instanceof URLSearchParams}function v(e){return e.replace(/^\s*/,"").replace(/\s*$/,"")}function y(){return"undefined"!=typeof window&&"undefined"!=typeof document&&"function"==typeof document.createElement}function b(e,t){if(null!==e&&"undefined"!=typeof e)if("object"==typeof e||r(e)||(e=[e]),r(e))for(var n=0,o=e.length;n1){for(var g=Array(m),v=0;v1){for(var b=Array(y),_=0;_-1&&o._virtual.children.splice(i,1)}n._virtual.parent=r||void 0,r&&(r._virtual||(r._virtual={children:[]}),r._virtual.children.push(n))}function o(e){var t;return e&&p(e)&&(t=e._virtual.parent),t}function i(e,t){return void 0===t&&(t=!0),e&&(t&&o(e)||e.parentNode&&e.parentNode)}function a(e,t,n){void 0===n&&(n=!0);var r=!1;if(e&&t)if(n)for(r=!1;t;){var o=i(t);if(o===e){r=!0;break}t=o}else e.contains&&(r=e.contains(t));return r}function s(e){d=e}function u(e){return d?void 0:e&&e.ownerDocument&&e.ownerDocument.defaultView?e.ownerDocument.defaultView:window}function c(e){return d?void 0:e&&e.ownerDocument?e.ownerDocument:document}function l(e){var t;return e&&(e===window?t={left:0,top:0,width:window.innerWidth,height:window.innerHeight,right:window.innerWidth,bottom:window.innerHeight}:e.getBoundingClientRect&&(t=e.getBoundingClientRect())),t}function p(e){return e&&!!e._virtual}t.setVirtualParent=r,t.getVirtualParent=o,t.getParent=i,t.elementContains=a;var d=!1;t.setSSR=s,t.getWindow=u,t.getDocument=c,t.getRect=l},function(e,t){function n(){throw new Error("setTimeout has not been defined")}function r(){throw new Error("clearTimeout has not been defined")}function o(e){if(l===setTimeout)return setTimeout(e,0);if((l===n||!l)&&setTimeout)return l=setTimeout,setTimeout(e,0);try{return l(e,0)}catch(t){try{return l.call(null,e,0)}catch(t){return l.call(this,e,0)}}}function i(e){if(p===clearTimeout)return clearTimeout(e);if((p===r||!p)&&clearTimeout)return p=clearTimeout,clearTimeout(e);try{return p(e)}catch(t){try{return p.call(null,e)}catch(t){return p.call(this,e)}}}function a(){m&&f&&(m=!1,f.length?h=f.concat(h):g=-1,h.length&&s())}function s(){if(!m){var e=o(a);m=!0;for(var t=h.length;t;){for(f=h,h=[];++g1)for(var n=1;n]/;e.exports=o},function(e,t,n){"use strict";var r,o=n(8),i=n(48),a=/^[ \r\n\t\f]/,s=/<(!--|link|noscript|meta|script|style)[ \r\n\t\f\/>]/,u=n(56),c=u(function(e,t){if(e.namespaceURI!==i.svg||"innerHTML"in e)e.innerHTML=t;else{r=r||document.createElement("div"),r.innerHTML=""+t+"";for(var n=r.firstChild;n.firstChild;)e.appendChild(n.firstChild)}});if(o.canUseDOM){var l=document.createElement("div");l.innerHTML=" ",""===l.innerHTML&&(c=function(e,t){if(e.parentNode&&e.parentNode.replaceChild(e,e),a.test(t)||"<"===t[0]&&s.test(t)){e.innerHTML=String.fromCharCode(65279)+t;var n=e.firstChild;1===n.data.length?e.removeChild(n):n.deleteData(0,1)}else e.innerHTML=t}),l=null}e.exports=c},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(124),o=n(306),i=n(305),a=n(304),s=n(123);n(125);n.d(t,"createStore",function(){return r.a}),n.d(t,"combineReducers",function(){return o.a}),n.d(t,"bindActionCreators",function(){return i.a}),n.d(t,"applyMiddleware",function(){return a.a}),n.d(t,"compose",function(){return s.a})},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(283),o=n(113),i=n(284);n.d(t,"Provider",function(){return r.a}),n.d(t,"connectAdvanced",function(){return o.a}),n.d(t,"connect",function(){return i.a})},function(e,t,n){"use strict";e.exports=n(232)},function(e,t,n){"use strict";var r=function(){function e(t){this._id=e._uniqueId++,this._parent=t,this._eventRecords=[]}return e.raise=function(t,n,r,o){var i;if(e._isElement(t)){if(document.createEvent){var a=document.createEvent("HTMLEvents");a.initEvent(n,o,!0),a.args=r,i=t.dispatchEvent(a)}else if(document.createEventObject){var s=document.createEventObject(r);t.fireEvent("on"+n,s)}}else for(;t&&i!==!1;){var u=t.__events__,c=u?u[n]:null;for(var l in c)if(c.hasOwnProperty(l))for(var p=c[l],d=0;i!==!1&&d-1)for(var a=n.split(/[ ,]+/),s=0;s=200&&e<300}};c.headers={common:{Accept:"application/json, text/plain, */*"}},i.forEach(["delete","get","head"],function(e){c.headers[e]={}}),i.forEach(["post","put","patch"],function(e){c.headers[e]=i.merge(u)}),e.exports=c}).call(t,n(33))},function(e,t,n){"use strict";function r(e,t){return e===t?0!==e||0!==t||1/e===1/t:e!==e&&t!==t}function o(e,t){if(r(e,t))return!0;if("object"!=typeof e||null===e||"object"!=typeof t||null===t)return!1;var n=Object.keys(e),o=Object.keys(t);if(n.length!==o.length)return!1;for(var a=0;a-1?void 0:a("96",e),!c.plugins[n]){t.extractEvents?void 0:a("97",e),c.plugins[n]=t;var r=t.eventTypes;for(var i in r)o(r[i],t,i)?void 0:a("98",i,e)}}}function o(e,t,n){c.eventNameDispatchConfigs.hasOwnProperty(n)?a("99",n):void 0,c.eventNameDispatchConfigs[n]=e;var r=e.phasedRegistrationNames;if(r){for(var o in r)if(r.hasOwnProperty(o)){var s=r[o];i(s,t,n)}return!0}return!!e.registrationName&&(i(e.registrationName,t,n),!0)}function i(e,t,n){c.registrationNameModules[e]?a("100",e):void 0,c.registrationNameModules[e]=t,c.registrationNameDependencies[e]=t.eventTypes[n].dependencies}var a=n(3),s=(n(1),null),u={},c={plugins:[],eventNameDispatchConfigs:{},registrationNameModules:{},registrationNameDependencies:{},possibleRegistrationNames:null,injectEventPluginOrder:function(e){s?a("101"):void 0,s=Array.prototype.slice.call(e),r()},injectEventPluginsByName:function(e){var t=!1;for(var n in e)if(e.hasOwnProperty(n)){var o=e[n];u.hasOwnProperty(n)&&u[n]===o||(u[n]?a("102",n):void 0,u[n]=o,t=!0)}t&&r()},getPluginModuleForEvent:function(e){var t=e.dispatchConfig;if(t.registrationName)return c.registrationNameModules[t.registrationName]||null;if(void 0!==t.phasedRegistrationNames){var n=t.phasedRegistrationNames;for(var r in n)if(n.hasOwnProperty(r)){var o=c.registrationNameModules[n[r]];if(o)return o}}return null},_resetEventPlugins:function(){s=null;for(var e in u)u.hasOwnProperty(e)&&delete u[e];c.plugins.length=0;var t=c.eventNameDispatchConfigs;for(var n in t)t.hasOwnProperty(n)&&delete t[n];var r=c.registrationNameModules;for(var o in r)r.hasOwnProperty(o)&&delete r[o]}};e.exports=c},function(e,t,n){"use strict";function r(e){return"topMouseUp"===e||"topTouchEnd"===e||"topTouchCancel"===e}function o(e){return"topMouseMove"===e||"topTouchMove"===e}function i(e){return"topMouseDown"===e||"topTouchStart"===e}function a(e,t,n,r){var o=e.type||"unknown-event";e.currentTarget=v.getNodeFromInstance(r),t?m.invokeGuardedCallbackWithCatch(o,n,e):m.invokeGuardedCallback(o,n,e),e.currentTarget=null}function s(e,t){var n=e._dispatchListeners,r=e._dispatchInstances;if(Array.isArray(n))for(var o=0;o0&&r.length<20?n+" (keys: "+r.join(", ")+")":n}function i(e,t){var n=s.get(e);if(!n){return null}return n}var a=n(3),s=(n(14),n(29)),u=(n(11),n(12)),c=(n(1),n(2),{isMounted:function(e){var t=s.get(e);return!!t&&!!t._renderedComponent},enqueueCallback:function(e,t,n){c.validateCallback(t,n);var o=i(e);return o?(o._pendingCallbacks?o._pendingCallbacks.push(t):o._pendingCallbacks=[t],void r(o)):null},enqueueCallbackInternal:function(e,t){e._pendingCallbacks?e._pendingCallbacks.push(t):e._pendingCallbacks=[t],r(e)},enqueueForceUpdate:function(e){var t=i(e,"forceUpdate");t&&(t._pendingForceUpdate=!0,r(t))},enqueueReplaceState:function(e,t){var n=i(e,"replaceState");n&&(n._pendingStateQueue=[t],n._pendingReplaceState=!0,r(n))},enqueueSetState:function(e,t){var n=i(e,"setState");if(n){var o=n._pendingStateQueue||(n._pendingStateQueue=[]);o.push(t),r(n)}},enqueueElementInternal:function(e,t,n){e._pendingElement=t,e._context=n,r(e)},validateCallback:function(e,t){e&&"function"!=typeof e?a("122",t,o(e)):void 0}});e.exports=c},function(e,t,n){"use strict";var r=function(e){return"undefined"!=typeof MSApp&&MSApp.execUnsafeLocalFunction?function(t,n,r,o){MSApp.execUnsafeLocalFunction(function(){return e(t,n,r,o)})}:e};e.exports=r},function(e,t,n){"use strict";function r(e){var t,n=e.keyCode;return"charCode"in e?(t=e.charCode,0===t&&13===n&&(t=13)):t=n,t>=32||13===t?t:0}e.exports=r},function(e,t,n){"use strict";function r(e){var t=this,n=t.nativeEvent;if(n.getModifierState)return n.getModifierState(e);var r=i[e];return!!r&&!!n[r]}function o(e){return r}var i={Alt:"altKey",Control:"ctrlKey",Meta:"metaKey",Shift:"shiftKey"};e.exports=o},function(e,t,n){"use strict";function r(e){var t=e.target||e.srcElement||window;return t.correspondingUseElement&&(t=t.correspondingUseElement),3===t.nodeType?t.parentNode:t}e.exports=r},function(e,t,n){"use strict";function r(e,t){if(!i.canUseDOM||t&&!("addEventListener"in document))return!1;var n="on"+e,r=n in document;if(!r){var a=document.createElement("div");a.setAttribute(n,"return;"),r="function"==typeof a[n]}return!r&&o&&"wheel"===e&&(r=document.implementation.hasFeature("Events.wheel","3.0")),r}var o,i=n(8);i.canUseDOM&&(o=document.implementation&&document.implementation.hasFeature&&document.implementation.hasFeature("","")!==!0),e.exports=r},function(e,t,n){"use strict";function r(e,t){var n=null===e||e===!1,r=null===t||t===!1;if(n||r)return n===r;var o=typeof e,i=typeof t;return"string"===o||"number"===o?"string"===i||"number"===i:"object"===i&&e.type===t.type&&e.key===t.key}e.exports=r},function(e,t,n){"use strict";var r=(n(4),n(10)),o=(n(2),r);e.exports=o},function(e,t,n){"use strict";function r(e){"undefined"!=typeof console&&"function"==typeof console.error;try{throw new Error(e)}catch(e){}}t.a=r},function(e,t,n){"use strict";function r(e,t,n){this.props=e,this.context=t,this.refs=a,this.updater=n||i}var o=n(24),i=n(65),a=(n(121),n(25));n(1),n(2);r.prototype.isReactComponent={},r.prototype.setState=function(e,t){"object"!=typeof e&&"function"!=typeof e&&null!=e?o("85"):void 0,this.updater.enqueueSetState(this,e),t&&this.updater.enqueueCallback(this,t,"setState")},r.prototype.forceUpdate=function(e){this.updater.enqueueForceUpdate(this),e&&this.updater.enqueueCallback(this,e,"forceUpdate")};e.exports=r},function(e,t,n){"use strict";function r(e,t){}var o=(n(2),{isMounted:function(e){return!1},enqueueCallback:function(e,t){},enqueueForceUpdate:function(e){r(e,"forceUpdate")},enqueueReplaceState:function(e,t){r(e,"replaceState")},enqueueSetState:function(e,t){r(e,"setState")}});e.exports=o},function(e,t){var n;n=function(){return this}();try{n=n||Function("return this")()||(0,eval)("this")}catch(e){"object"==typeof window&&(n=window)}e.exports=n},function(e,t,n){"use strict";var r=n(17),o=function(){function e(){}return e.capitalize=function(e){return e.charAt(0).toUpperCase()+e.slice(1)},e.formatString=function(){for(var e=[],t=0;t=a&&(!t||s)?(c=n,l&&(r.clearTimeout(l),l=null),o=e.apply(r._parent,i)):null===l&&u&&(l=r.setTimeout(p,f)),o},d=function(){for(var e=[],t=0;t=a&&(h=!0),l=n);var m=n-l,g=a-m,v=n-p,y=!1;return null!==c&&(v>=c&&d?y=!0:g=Math.min(g,c-v)),m>=a||y||h?(d&&(r.clearTimeout(d),d=null),p=n,o=e.apply(r._parent,i)):null!==d&&t||!u||(d=r.setTimeout(f,g)),o},h=function(){for(var e=[],t=0;t.":"function"==typeof t?" Instead of passing a class like Foo, pass React.createElement(Foo) or .":null!=t&&void 0!==t.props?" This may be caused by unintentionally loading two independent copies of React.":"");var a,s=g.createElement(F,{child:t});if(e){var u=E.get(e);a=u._processChildContext(u._context)}else a=P;var l=d(n);if(l){var p=l._currentElement,h=p.props.child;if(M(h,t)){var m=l._renderedComponent.getPublicInstance(),v=r&&function(){r.call(m)};return U._updateRootComponent(l,s,a,n,v),m}U.unmountComponentAtNode(n)}var y=o(n),b=y&&!!i(y),_=c(n),w=b&&!l&&!_,C=U._renderNewRootComponent(s,n,w,a)._renderedComponent.getPublicInstance();return r&&r.call(C),C},render:function(e,t,n){return U._renderSubtreeIntoContainer(null,e,t,n)},unmountComponentAtNode:function(e){l(e)?void 0:f("40");var t=d(e);if(!t){c(e),1===e.nodeType&&e.hasAttribute(A);return!1}return delete B[t._instance.rootID],T.batchedUpdates(u,t,e,!1),!0},_mountImageIntoNode:function(e,t,n,i,a){if(l(t)?void 0:f("41"),i){var s=o(t);if(C.canReuseMarkup(e,s))return void y.precacheNode(n,s);var u=s.getAttribute(C.CHECKSUM_ATTR_NAME);s.removeAttribute(C.CHECKSUM_ATTR_NAME);var c=s.outerHTML;s.setAttribute(C.CHECKSUM_ATTR_NAME,u);var p=e,d=r(p,c),m=" (client) "+p.substring(d-20,d+20)+"\n (server) "+c.substring(d-20,d+20);t.nodeType===D?f("42",m):void 0}if(t.nodeType===D?f("43"):void 0,a.useCreateElement){for(;t.lastChild;)t.removeChild(t.lastChild);h.insertTreeBefore(t,e,null)}else O(t,e),y.precacheNode(n,t.firstChild)}};e.exports=U},function(e,t,n){"use strict";var r=n(3),o=n(22),i=(n(1),{HOST:0,COMPOSITE:1,EMPTY:2,getType:function(e){return null===e||e===!1?i.EMPTY:o.isValidElement(e)?"function"==typeof e.type?i.COMPOSITE:i.HOST:void r("26",e)}});e.exports=i},function(e,t,n){"use strict";var r={currentScrollLeft:0,currentScrollTop:0,refreshScrollValues:function(e){r.currentScrollLeft=e.x,r.currentScrollTop=e.y}};e.exports=r},function(e,t,n){"use strict";function r(e,t){return null==t?o("30"):void 0,null==e?t:Array.isArray(e)?Array.isArray(t)?(e.push.apply(e,t),e):(e.push(t),e):Array.isArray(t)?[e].concat(t):[e,t]}var o=n(3);n(1);e.exports=r},function(e,t,n){"use strict";function r(e,t,n){Array.isArray(e)?e.forEach(t,n):e&&t.call(n,e)}e.exports=r},function(e,t,n){"use strict";function r(e){for(var t;(t=e._renderedNodeType)===o.COMPOSITE;)e=e._renderedComponent;return t===o.HOST?e._renderedComponent:t===o.EMPTY?null:void 0}var o=n(103);e.exports=r},function(e,t,n){"use strict";function r(){return!i&&o.canUseDOM&&(i="textContent"in document.documentElement?"textContent":"innerText"),i}var o=n(8),i=null;e.exports=r},function(e,t,n){"use strict";function r(e){if(e){var t=e.getName();if(t)return" Check the render method of `"+t+"`."}return""}function o(e){return"function"==typeof e&&"undefined"!=typeof e.prototype&&"function"==typeof e.prototype.mountComponent&&"function"==typeof e.prototype.receiveComponent}function i(e,t){var n;if(null===e||e===!1)n=c.create(i);else if("object"==typeof e){var s=e,u=s.type;if("function"!=typeof u&&"string"!=typeof u){var d="";d+=r(s._owner),a("130",null==u?u:typeof u,d)}"string"==typeof s.type?n=l.createInternalComponent(s):o(s.type)?(n=new s.type(s),n.getHostNode||(n.getHostNode=n.getNativeNode)):n=new p(s)}else"string"==typeof e||"number"==typeof e?n=l.createInstanceForText(e):a("131",typeof e);return n._mountIndex=0,n._mountImage=null,n}var a=n(3),s=n(4),u=n(231),c=n(98),l=n(100),p=(n(278),n(1),n(2),function(e){this.construct(e)});s(p.prototype,u,{_instantiateReactComponent:i}),e.exports=i},function(e,t,n){"use strict";function r(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return"input"===t?!!o[e.type]:"textarea"===t}var o={color:!0,date:!0,datetime:!0,"datetime-local":!0,email:!0,month:!0,number:!0,password:!0,range:!0,search:!0,tel:!0,text:!0,time:!0,url:!0,week:!0};e.exports=r},function(e,t,n){"use strict";var r=n(8),o=n(37),i=n(38),a=function(e,t){if(t){var n=e.firstChild;if(n&&n===e.lastChild&&3===n.nodeType)return void(n.nodeValue=t)}e.textContent=t};r.canUseDOM&&("textContent"in document.documentElement||(a=function(e,t){return 3===e.nodeType?void(e.nodeValue=t):void i(e,o(t))})),e.exports=a},function(e,t,n){"use strict";function r(e,t){return e&&"object"==typeof e&&null!=e.key?c.escape(e.key):t.toString(36)}function o(e,t,n,i){var d=typeof e;if("undefined"!==d&&"boolean"!==d||(e=null),null===e||"string"===d||"number"===d||"object"===d&&e.$$typeof===s)return n(i,e,""===t?l+r(e,0):t),1;var f,h,m=0,g=""===t?l:t+p;if(Array.isArray(e))for(var v=0;v=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function s(e){var t,s,u=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},l=u.getDisplayName,v=void 0===l?function(e){return"ConnectAdvanced("+e+")"}:l,y=u.methodName,b=void 0===y?"connectAdvanced":y,_=u.renderCountProp,w=void 0===_?void 0:_,E=u.shouldHandleStateChanges,C=void 0===E||E,x=u.storeKey,S=void 0===x?"store":x,T=u.withRef,P=void 0!==T&&T,I=a(u,["getDisplayName","methodName","renderCountProp","shouldHandleStateChanges","storeKey","withRef"]),O=S+"Subscription",M=g++,k=(t={},t[S]=h.a,t[O]=d.PropTypes.instanceOf(f.a),t),A=(s={},s[O]=d.PropTypes.instanceOf(f.a),s);return function(t){p()("function"==typeof t,"You must pass a component to the function returned by connect. Instead received "+t);var a=t.displayName||t.name||"Component",s=v(a),u=m({},I,{getDisplayName:v,methodName:b,renderCountProp:w,shouldHandleStateChanges:C,storeKey:S,withRef:P,displayName:s,wrappedComponentName:a,WrappedComponent:t}),l=function(a){function c(e,t){r(this,c);var n=o(this,a.call(this,e,t));return n.version=M,n.state={},n.renderCount=0,n.store=n.props[S]||n.context[S],n.parentSub=e[O]||t[O],n.setWrappedInstance=n.setWrappedInstance.bind(n),p()(n.store,'Could not find "'+S+'" in either the context or '+('props of "'+s+'". ')+"Either wrap the root component in a , "+('or explicitly pass "'+S+'" as a prop to "'+s+'".')),n.getState=n.store.getState.bind(n.store),n.initSelector(),n.initSubscription(),n}return i(c,a),c.prototype.getChildContext=function(){var e;return e={},e[O]=this.subscription||this.parentSub,e},c.prototype.componentDidMount=function(){C&&(this.subscription.trySubscribe(),this.selector.run(this.props),this.selector.shouldComponentUpdate&&this.forceUpdate())},c.prototype.componentWillReceiveProps=function(e){this.selector.run(e)},c.prototype.shouldComponentUpdate=function(){return this.selector.shouldComponentUpdate},c.prototype.componentWillUnmount=function(){this.subscription&&this.subscription.tryUnsubscribe(),this.subscription=null,this.store=null,this.parentSub=null,this.selector.run=function(){}},c.prototype.getWrappedInstance=function(){return p()(P,"To access the wrapped instance, you need to specify "+("{ withRef: true } in the options argument of the "+b+"() call.")),this.wrappedInstance},c.prototype.setWrappedInstance=function(e){this.wrappedInstance=e},c.prototype.initSelector=function(){var t=this.store.dispatch,n=this.getState,r=e(t,u),o=this.selector={shouldComponentUpdate:!0,props:r(n(),this.props),run:function(e){try{var t=r(n(),e);(o.error||t!==o.props)&&(o.shouldComponentUpdate=!0,o.props=t,o.error=null)}catch(e){o.shouldComponentUpdate=!0,o.error=e}}}},c.prototype.initSubscription=function(){var e=this;C&&!function(){var t=e.subscription=new f.a(e.store,e.parentSub),n={};t.onStateChange=function(){this.selector.run(this.props),this.selector.shouldComponentUpdate?(this.componentDidUpdate=function(){this.componentDidUpdate=void 0,t.notifyNestedSubs()},this.setState(n)):t.notifyNestedSubs()}.bind(e)}()},c.prototype.isSubscribed=function(){return Boolean(this.subscription)&&this.subscription.isSubscribed()},c.prototype.addExtraProps=function(e){if(!P&&!w)return e;var t=m({},e);return P&&(t.ref=this.setWrappedInstance),w&&(t[w]=this.renderCount++),t},c.prototype.render=function(){var e=this.selector;if(e.shouldComponentUpdate=!1,e.error)throw e.error;return n.i(d.createElement)(t,this.addExtraProps(e.props))},c}(d.Component);return l.WrappedComponent=t,l.displayName=s,l.childContextTypes=A,l.contextTypes=k,l.propTypes=k,c()(l,t)}}var u=n(133),c=n.n(u),l=n(16),p=n.n(l),d=n(0),f=(n.n(d),n(115)),h=n(116);t.a=s;var m=Object.assign||function(e){for(var t=1;t0?void 0:l()(!1),null!=d&&(a+=encodeURI(d));else if("("===c)u[o]="",o+=1;else if(")"===c){var m=u.pop();o-=1,o?u[o-1]+=m:a+=m}else if("\\("===c)a+="(";else if("\\)"===c)a+=")";else if(":"===c.charAt(0))if(p=c.substring(1),d=t[p],null!=d||o>0?void 0:l()(!1),null==d){if(o){u[o-1]="";for(var g=r.indexOf(c),v=r.slice(g,r.length),y=-1,b=0;b0?void 0:l()(!1),f=g+y-1}}else o?u[o-1]+=encodeURIComponent(d):a+=encodeURIComponent(d);else o?u[o-1]+=c:a+=c;return o<=0?void 0:l()(!1),a.replace(/\/+/g,"/")}var c=n(16),l=n.n(c);t.c=a,t.b=s,t.a=u;var p=Object.create(null)},function(e,t,n){"use strict";var r=n(70);n.n(r)},function(e,t,n){"use strict";t.ActionsId={CREATE_CUSTOM_ACTION:"CREATE_CUSTOM_ACTION",DELETE_CUSTOM_ACTION:"DELETE_CUSTOM_ACTION",HANDLE_ASYNC_ERROR:"HANDLE_ASYNC_ERROR",SET_ALL_CUSTOM_ACTIONS:"SET_ALL_CUSTOM_ACTIONS",SET_FILTER_TEXT:"SET_FILTER_TEXT",SET_MESSAGE_DATA:"SET_MESSAGE_DATA",SET_USER_PERMISSIONS:"SET_USER_PERMISSIONS",SET_WORKING_ON_IT:"SET_WORKING_ON_IT",UPDATE_CUSTOM_ACTION:"UPDATE_CUSTOM_ACTION"},t.constants={CANCEL_TEXT:"Cancel",COMPONENT_SITE_CA_DIV_ID:"spSiteCuastomActionsBaseDiv",COMPONENT_WEB_CA_DIV_ID:"spWebCuastomActionsBaseDiv",CONFIRM_DELETE_CUSTOM_ACTION:"Are you sure you want to remove this custom action?",CREATE_TEXT:"Create",CUSTOM_ACTION_REST_REQUEST_URL:"/usercustomactions",DELETE_TEXT:"Delete",EDIT_TEXT:"Edit",EMPTY_STRING:"",EMPTY_TEXTBOX_ERROR_MESSAGE:"The value can not be empty",ERROR_MESSAGE_DELETING_CUSTOM_ACTION:"Deleting the custom action",ERROR_MESSAGE_SETTING_CUSTOM_ACTION:"Creating or updating the custom action",ERROR_MESSAGE_CHECK_USER_PERMISSIONS:"An error occurred checking current user's permissions",ERROR_MESSAGE_CREATE_CUSTOM_ACTION:"An error occurred creating a new web custom action",ERROR_MESSAGE_DELETE_CUSTOM_ACTION:"An error occurred deleting the selected custom action",ERROR_MESSAGE_GET_ALL_CUSTOM_ACTIONS:"An error occurred gettin all custom actions",ERROR_MESSAGE_UPDATE_CUSTOM_ACTION:"An error occurred updating the selected custom action",MESSAGE_CUSTOM_ACTION_CREATED:"A new custom action has been created.",MESSAGE_CUSTOM_ACTION_DELETED:"The selected custom action has been deleted.",MESSAGE_CUSTOM_ACTION_UPDATED:"The selected custom action has been updated.",MESSAGE_USER_NO_PERMISSIONS:"The current user does NOT have permissions to work with the web custom action.",MODAL_DIALOG_WIDTH:"700px",MODAL_SITE_CA_DIALOG_TITLE:"Site Custom Actions",MODAL_WEB_CA_DIALOG_TITLE:"Web Custom Actions",SAVE_TEXT:"Save",STRING_STRING:"string",TEXTBOX_PREFIX:"spPropInput_",UNDEFINED_STRING:"undefined"}},function(e,t,n){"use strict";var r=n(41),o=n(17);n(140);var i=function(){function e(e){var t=this;this.remove=function(){var e=document.getElementById(o.constants.STYLE_TAG_ID);e.parentElement.removeChild(e),r.unmountComponentAtNode(document.getElementById(t.baseDivId))},this.baseDivId=e;var n=document.getElementById(this.baseDivId);if(!n){n=document.createElement(o.constants.HTML_TAG_DIV),n.setAttribute(o.constants.HTML_ATTR_ID,this.baseDivId);var i=document.querySelector(o.constants.HTML_TAG_FORM);i||(i=document.querySelector(o.constants.HTML_TAG_BODY)),i.appendChild(n)}}return e}();t.AppBase=i},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(0),i=n(17),a=function(e){function t(){var t=e.call(this)||this;return t.state={isClosed:!1},t.closeBtnClick=t.closeBtnClick.bind(t),t}return r(t,e),t.prototype.render=function(){return o.createElement("div",{className:"chrome-sp-dev-tool-wrapper"},o.createElement("div",{className:"sp-dev-too-modal",style:void 0!==this.props.modalWidth?{width:this.props.modalWidth}:{}},o.createElement("div",{className:"sp-dev-tool-modal-header"},o.createElement("span",{className:"ms-font-xxl ms-fontColor-themePrimary ms-fontWeight-semibold"},this.props.modalDialogTitle),o.createElement("a",{title:i.constants.MODAL_WRAPPER_CLOSE_BUTTON_TEXT,className:"ms-Button ms-Button--icon sp-dev-tool-close-btn",href:i.constants.MODAL_WRAPPER_CLOSE_BUTTON_HREF,onClick:this.closeBtnClick},o.createElement("span",{className:"ms-Button-icon"},o.createElement("i",{className:"ms-Icon ms-Icon--Cancel"})),o.createElement("span",{className:"ms-Button-label"})),o.createElement("hr",null)),this.props.children))},t.prototype.closeBtnClick=function(e){this.props.onCloseClick()},t}(o.Component);Object.defineProperty(t,"__esModule",{value:!0}),t.default=a},function(e,t,n){"use strict";var r=n(199),o=n(0),i=n(17);t.WorkingOnIt=function(){return o.createElement("div",{className:"working-on-it-wrapper"},o.createElement(r.Spinner,{type:r.SpinnerType.large,label:i.constants.WORKING_ON_IT_TEXT}))}},function(e,t,n){"use strict";var r={childContextTypes:!0,contextTypes:!0,defaultProps:!0,displayName:!0,getDefaultProps:!0,mixins:!0,propTypes:!0,type:!0},o={name:!0,length:!0,prototype:!0,caller:!0,arguments:!0,arity:!0},i="function"==typeof Object.getOwnPropertySymbols;e.exports=function(e,t,n){if("string"!=typeof t){var a=Object.getOwnPropertyNames(t);i&&(a=a.concat(Object.getOwnPropertySymbols(t)));for(var s=0;s should not have a "'+t+'" prop')}var o=n(0);n.n(o);t.c=r,n.d(t,"a",function(){return d}),n.d(t,"b",function(){return f}),n.d(t,"d",function(){return m});var i=o.PropTypes.func,a=o.PropTypes.object,s=o.PropTypes.arrayOf,u=o.PropTypes.oneOfType,c=o.PropTypes.element,l=o.PropTypes.shape,p=o.PropTypes.string,d=(l({listen:i.isRequired,push:i.isRequired,replace:i.isRequired,go:i.isRequired,goBack:i.isRequired,goForward:i.isRequired}),u([i,p])),f=u([d,a]),h=u([a,c]),m=u([h,s(h)])},,function(e,t,n){"use strict";var r=n(156),o=n(17),i=function(){function e(){}return e.prototype.getErroResolver=function(e,t){return function(t,n){var r=n.get_message();n.get_stackTrace();e(r)}},e.prototype.getRequest=function(e){return r.get(e,{headers:{accept:o.constants.AXIOS_HEADER_ACCEPT}})},e.prototype.checkUserPermissions=function(e){var t=this;return new Promise(function(n,r){var i=SP.ClientContext.get_current(),a=i.get_web();if(typeof a.doesUserHavePermissions!==o.constants.TYPE_OF_FUNCTION)r(o.constants.MESSAGE_CANT_CHECK_PERMISSIONS);else{var s=new SP.BasePermissions;s.set(e);var u=a.doesUserHavePermissions(s),c=function(e,t){n(u.get_value())};i.executeQueryAsync(c,t.getErroResolver(r,o.constants.MESSAGE_CHECKING_CURRENT_USER_PERMISSIONS))}})},e}();Object.defineProperty(t,"__esModule",{value:!0}),t.default=i},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(31),i=n(0),a=n(67),s=function(e){function t(){var t=e.call(this)||this;return t.state={showMessage:!1},t.onDismissClick=t.onDismissClick.bind(t),t}return r(t,e),t.prototype.render=function(){return this.state.showMessage?i.createElement(o.MessageBar,{messageBarType:this.props.messageType,onDismiss:this.onDismissClick},a.default.capitalize(o.MessageBarType[this.props.messageType])," - ",this.props.message):null},t.prototype.componentDidMount=function(){this.setState({showMessage:this.props.showMessage})},t.prototype.componentWillReceiveProps=function(e){this.setState({showMessage:e.showMessage})},t.prototype.onDismissClick=function(e){return this.onCloseClick(e),!1},t.prototype.onCloseClick=function(e){return e.preventDefault(),this.setState({showMessage:!1}),null!==this.props.onCloseMessageClick&&this.props.onCloseMessageClick(),!1},t}(i.Component);Object.defineProperty(t,"__esModule",{value:!0}),t.default=s},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(198),i=n(0),a=n(17),s=function(e){function t(){var t=e.call(this)||this;return t._divRefCallBack=t._divRefCallBack.bind(t),t}return r(t,e),t.prototype.componentDidMount=function(){this.input&&this.input.focus()},t.prototype.render=function(){return i.createElement("div",{className:"ms-Grid filters-container"},i.createElement("div",{className:"ms-Grid-row"},i.createElement("div",{className:"ms-Grid-col ms-u-sm6 ms-u-md6 ms-u-lg6",ref:this._divRefCallBack},i.createElement(o.SearchBox,{value:this.props.filterStr,onChange:this.props.setFilterText})),i.createElement("div",{className:this.props.parentOverrideClass||"ms-Grid-col ms-u-sm6 ms-u-md6 ms-u-lg6"},this.props.children)))},t.prototype._divRefCallBack=function(e){e&&this.props.referenceCallBack&&this.props.referenceCallBack(e.querySelector(a.constants.HTML_TAG_INPUT))},t}(i.Component);Object.defineProperty(t,"__esModule",{value:!0}),t.default=s},function(e,t){},function(e,t,n){"use strict";var r=n(42),o=n(75),i=n(32),a=16,s=100,u=15,c=function(){function e(e){this._events=new r.EventGroup(this),this._scrollableParent=o.findScrollableParent(e),this._incrementScroll=this._incrementScroll.bind(this),this._scrollRect=i.getRect(this._scrollableParent),this._scrollableParent===window&&(this._scrollableParent=document.body),this._scrollableParent&&this._events.on(window,"mousemove",this._onMouseMove,!0)}return e.prototype.dispose=function(){this._events.dispose(),this._stopScroll()},e.prototype._onMouseMove=function(e){var t=this._scrollRect.top,n=t+this._scrollRect.height-s;e.clientYn?this._scrollVelocity=Math.min(u,u*((e.clientY-n)/s)):this._scrollVelocity=0,this._scrollVelocity?this._startScroll():this._stopScroll()},e.prototype._startScroll=function(){this._timeoutId||this._incrementScroll()},e.prototype._incrementScroll=function(){this._scrollableParent.scrollTop+=Math.round(this._scrollVelocity),this._timeoutId=setTimeout(this._incrementScroll,a)},e.prototype._stopScroll=function(){this._timeoutId&&(clearTimeout(this._timeoutId),delete this._timeoutId)},e}();t.AutoScroll=c},function(e,t,n){"use strict";function r(e,t,n){for(var r=0,i=n.length;r1?t[1]:""},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_disposables",{get:function(){return this.__disposables||(this.__disposables=[]),this.__disposables},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_async",{get:function(){return this.__async||(this.__async=new u.Async(this),this._disposables.push(this.__async)),this.__async},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_events",{get:function(){return this.__events||(this.__events=new c.EventGroup(this),this._disposables.push(this.__events)),this.__events},enumerable:!0,configurable:!0}),t.prototype._resolveRef=function(e){var t=this;return this.__resolves||(this.__resolves={}),this.__resolves[e]||(this.__resolves[e]=function(n){return t[e]=n}),this.__resolves[e]},t}(s.Component);t.BaseComponent=l,l.onError=function(e){throw e}},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(0),i=function(e){function t(t){var n=e.call(this,t)||this;return n.state={isRendered:!1},n}return r(t,e),t.prototype.componentDidMount=function(){var e=this,t=this.props.delay;this._timeoutId=setTimeout(function(){e.setState({isRendered:!0})},t)},t.prototype.componentWillUnmount=function(){clearTimeout(this._timeoutId)},t.prototype.render=function(){return this.state.isRendered?o.Children.only(this.props.children):null},t}(o.Component);i.defaultProps={delay:0},t.DelayedRender=i},function(e,t,n){"use strict";var r=function(){function e(e,t,n,r){void 0===e&&(e=0),void 0===t&&(t=0),void 0===n&&(n=0),void 0===r&&(r=0),this.top=n,this.bottom=r,this.left=e,this.right=t}return Object.defineProperty(e.prototype,"width",{get:function(){return this.right-this.left},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"height",{get:function(){return this.bottom-this.top},enumerable:!0,configurable:!0}),e.prototype.equals=function(e){return parseFloat(this.top.toFixed(4))===parseFloat(e.top.toFixed(4))&&parseFloat(this.bottom.toFixed(4))===parseFloat(e.bottom.toFixed(4))&&parseFloat(this.left.toFixed(4))===parseFloat(e.left.toFixed(4))&&parseFloat(this.right.toFixed(4))===parseFloat(e.right.toFixed(4))},e}();t.Rectangle=r},function(e,t,n){"use strict";function r(e,t){for(var n=-1,r=0;e&&r=0||e.getAttribute&&"true"===n||"button"===e.getAttribute("role"))}function l(e){return e&&!!e.getAttribute(m)}function p(e){var t=d.getDocument(e).activeElement;return!(!t||!d.elementContains(e,t))}var d=n(32),f="data-is-focusable",h="data-is-visible",m="data-focuszone-id";t.getFirstFocusable=r,t.getLastFocusable=o,t.focusFirstChild=i,t.getPreviousElement=a,t.getNextElement=s,t.isElementVisible=u,t.isElementTabbable=c,t.isElementFocusZone=l,t.doesElementContainFocus=p},function(e,t,n){"use strict";function r(e,t,n){void 0===n&&(n=i);var r=[],o=function(o){"function"!=typeof t[o]||void 0!==e[o]||n&&n.indexOf(o)!==-1||(r.push(o),e[o]=function(){t[o].apply(t,arguments)})};for(var a in t)o(a);return r}function o(e,t){t.forEach(function(t){return delete e[t]})}var i=["setState","render","componentWillMount","componentDidMount","componentWillReceiveProps","shouldComponentUpdate","componentWillUpdate","componentDidUpdate","componentWillUnmount"];t.hoistMethods=r,t.unhoistMethods=o},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(72)),r(n(141)),r(n(142)),r(n(143)),r(n(42)),r(n(73)),r(n(144)),r(n(145)),r(n(146)),r(n(147)),r(n(32)),r(n(148)),r(n(149)),r(n(151)),r(n(74)),r(n(152)),r(n(153)),r(n(154)),r(n(75)),r(n(155))},function(e,t,n){"use strict";function r(e,t){var n=Math.sqrt(Math.pow(e.x-t.x,2)+Math.pow(e.y-t.y,2));return n}t.getDistanceBetweenPoints=r},function(e,t,n){"use strict";function r(e,t,n){return o.filteredAssign(function(e){return(!n||n.indexOf(e)<0)&&(0===e.indexOf("data-")||0===e.indexOf("aria-")||t.indexOf(e)>=0)},{},e)}var o=n(74);t.baseElementEvents=["onCopy","onCut","onPaste","onCompositionEnd","onCompositionStart","onCompositionUpdate","onFocus","onFocusCapture","onBlur","onBlurCapture","onChange","onInput","onSubmit","onLoad","onError","onKeyDown","onKeyDownCapture","onKeyPress","onKeyUp","onAbort","onCanPlay","onCanPlayThrough","onDurationChange","onEmptied","onEncrypted","onEnded","onLoadedData","onLoadedMetadata","onLoadStart","onPause","onPlay","onPlaying","onProgress","onRateChange","onSeeked","onSeeking","onStalled","onSuspend","onTimeUpdate","onVolumeChange","onWaiting","onClick","onClickCapture","onContextMenu","onDoubleClick","onDrag","onDragEnd","onDragEnter","onDragExit","onDragLeave","onDragOver","onDragStart","onDrop","onMouseDown","onMouseDownCapture","onMouseEnter","onMouseLeave","onMouseMove","onMouseOut","onMouseOver","onMouseUp","onMouseUpCapture","onSelect","onTouchCancel","onTouchEnd","onTouchMove","onTouchStart","onScroll","onWheel"],t.baseElementProperties=["defaultChecked","defaultValue","accept","acceptCharset","accessKey","action","allowFullScreen","allowTransparency","alt","async","autoComplete","autoFocus","autoPlay","capture","cellPadding","cellSpacing","charSet","challenge","checked","children","classID","className","cols","colSpan","content","contentEditable","contextMenu","controls","coords","crossOrigin","data","dateTime","default","defer","dir","download","draggable","encType","form","formAction","formEncType","formMethod","formNoValidate","formTarget","frameBorder","headers","height","hidden","high","hrefLang","htmlFor","httpEquiv","icon","id","inputMode","integrity","is","keyParams","keyType","kind","label","lang","list","loop","low","manifest","marginHeight","marginWidth","max","maxLength","media","mediaGroup","method","min","minLength","multiple","muted","name","noValidate","open","optimum","pattern","placeholder","poster","preload","radioGroup","readOnly","rel","required","role","rows","rowSpan","sandbox","scope","scoped","scrolling","seamless","selected","shape","size","sizes","span","spellCheck","src","srcDoc","srcLang","srcSet","start","step","style","summary","tabIndex","title","type","useMap","value","width","wmode","wrap"],t.htmlElementProperties=t.baseElementProperties.concat(t.baseElementEvents),t.anchorProperties=t.htmlElementProperties.concat(["href","target"]),t.buttonProperties=t.htmlElementProperties.concat(["disabled"]),t.divProperties=t.htmlElementProperties.concat(["align","noWrap"]),t.inputProperties=t.buttonProperties,t.textAreaProperties=t.buttonProperties,t.imageProperties=t.divProperties,t.getNativeProps=r},function(e,t,n){"use strict";function r(e){return a+e}function o(e){a=e}function i(){return"en-us"}var a="";t.getResourceUrl=r,t.setBaseUrl=o,t.getLanguage=i},function(e,t,n){"use strict";function r(){if(void 0===a){var e=u.getDocument();if(!e)throw new Error("getRTL was called in a server environment without setRTL being called first. Call setRTL to set the correct direction first.");a="rtl"===document.documentElement.getAttribute("dir")}return a}function o(e){var t=u.getDocument();t&&t.documentElement.setAttribute("dir",e?"rtl":"ltr"),a=e}function i(e){return r()&&(e===s.KeyCodes.left?e=s.KeyCodes.right:e===s.KeyCodes.right&&(e=s.KeyCodes.left)),e}var a,s=n(73),u=n(32);t.getRTL=r,t.setRTL=o,t.getRTLSafeKeyCode=i},function(e,t,n){"use strict";function r(e){function t(e){var t=a[e.replace(o,"")];return null!==t&&void 0!==t||(t=""),t}for(var n=[],r=1;r>8-s%1*8)){if(n=o.charCodeAt(s+=.75),n>255)throw new r;t=t<<8|n}return a}var i="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=";r.prototype=new Error,r.prototype.code=5,r.prototype.name="InvalidCharacterError",e.exports=o},function(e,t,n){"use strict";function r(e){return encodeURIComponent(e).replace(/%40/gi,"@").replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}var o=n(9);e.exports=function(e,t,n){if(!t)return e;var i;if(n)i=n(t);else if(o.isURLSearchParams(t))i=t.toString();else{var a=[];o.forEach(t,function(e,t){null!==e&&"undefined"!=typeof e&&(o.isArray(e)&&(t+="[]"),o.isArray(e)||(e=[e]),o.forEach(e,function(e){o.isDate(e)?e=e.toISOString():o.isObject(e)&&(e=JSON.stringify(e)),a.push(r(t)+"="+r(e))}))}),i=a.join("&")}return i&&(e+=(e.indexOf("?")===-1?"?":"&")+i),e}},function(e,t,n){"use strict";e.exports=function(e,t){return e.replace(/\/+$/,"")+"/"+t.replace(/^\/+/,"")}},function(e,t,n){"use strict";var r=n(9);e.exports=r.isStandardBrowserEnv()?function(){return{write:function(e,t,n,o,i,a){var s=[];s.push(e+"="+encodeURIComponent(t)),r.isNumber(n)&&s.push("expires="+new Date(n).toGMTString()),r.isString(o)&&s.push("path="+o),r.isString(i)&&s.push("domain="+i),a===!0&&s.push("secure"),document.cookie=s.join("; ")},read:function(e){var t=document.cookie.match(new RegExp("(^|;\\s*)("+e+")=([^;]*)"));return t?decodeURIComponent(t[3]):null},remove:function(e){this.write(e,"",Date.now()-864e5)}}}():function(){return{write:function(){},read:function(){return null},remove:function(){}}}()},function(e,t,n){"use strict";e.exports=function(e){return/^([a-z][a-z\d\+\-\.]*:)?\/\//i.test(e)}},function(e,t,n){"use strict";var r=n(9);e.exports=r.isStandardBrowserEnv()?function(){function e(e){var t=e;return n&&(o.setAttribute("href",t),t=o.href),o.setAttribute("href",t),{href:o.href,protocol:o.protocol?o.protocol.replace(/:$/,""):"",host:o.host,search:o.search?o.search.replace(/^\?/,""):"",hash:o.hash?o.hash.replace(/^#/,""):"",hostname:o.hostname,port:o.port,pathname:"/"===o.pathname.charAt(0)?o.pathname:"/"+o.pathname}}var t,n=/(msie|trident)/i.test(navigator.userAgent),o=document.createElement("a");return t=e(window.location.href),function(n){var o=r.isString(n)?e(n):n;return o.protocol===t.protocol&&o.host===t.host}}():function(){return function(){return!0}}()},function(e,t,n){"use strict";var r=n(9);e.exports=function(e,t){r.forEach(e,function(n,r){r!==t&&r.toUpperCase()===t.toUpperCase()&&(e[t]=n,delete e[r])})}},function(e,t,n){"use strict";var r=n(9);e.exports=function(e){var t,n,o,i={};return e?(r.forEach(e.split("\n"),function(e){o=e.indexOf(":"),t=r.trim(e.substr(0,o)).toLowerCase(),n=r.trim(e.substr(o+1)),t&&(i[t]=i[t]?i[t]+", "+n:n)}),i):i}},function(e,t,n){"use strict";e.exports=function(e){return function(t){return e.apply(null,t)}}},function(e,t,n){"use strict";function r(e){return e.replace(o,function(e,t){return t.toUpperCase()})}var o=/-(.)/g;e.exports=r},function(e,t,n){"use strict";function r(e){return o(e.replace(i,"ms-"))}var o=n(174),i=/^-ms-/;e.exports=r},function(e,t,n){"use strict";function r(e,t){return!(!e||!t)&&(e===t||!o(e)&&(o(t)?r(e,t.parentNode):"contains"in e?e.contains(t):!!e.compareDocumentPosition&&!!(16&e.compareDocumentPosition(t))))}var o=n(184);e.exports=r},function(e,t,n){"use strict";function r(e){var t=e.length;if(Array.isArray(e)||"object"!=typeof e&&"function"!=typeof e?a(!1):void 0,"number"!=typeof t?a(!1):void 0,0===t||t-1 in e?void 0:a(!1),"function"==typeof e.callee?a(!1):void 0,e.hasOwnProperty)try{return Array.prototype.slice.call(e)}catch(e){}for(var n=Array(t),r=0;r":a.innerHTML="<"+e+">",s[e]=!a.firstChild),s[e]?d[e]:null}var o=n(8),i=n(1),a=o.canUseDOM?document.createElement("div"):null,s={},u=[1,'"],c=[1,"","
"],l=[3,"","
"],p=[1,'',""],d={"*":[1,"?
","
"],area:[1,"",""],col:[2,"","
"],legend:[1,"
","
"],param:[1,"",""],tr:[2,"","
"],optgroup:u,option:u,caption:c,colgroup:c,tbody:c,tfoot:c,thead:c,td:l,th:l},f=["circle","clipPath","defs","ellipse","g","image","line","linearGradient","mask","path","pattern","polygon","polyline","radialGradient","rect","stop","text","tspan"];f.forEach(function(e){d[e]=p,s[e]=!0}),e.exports=r},function(e,t,n){"use strict";function r(e){return e===window?{x:window.pageXOffset||document.documentElement.scrollLeft,y:window.pageYOffset||document.documentElement.scrollTop}:{x:e.scrollLeft,y:e.scrollTop}}e.exports=r},function(e,t,n){"use strict";function r(e){return e.replace(o,"-$1").toLowerCase()}var o=/([A-Z])/g;e.exports=r},function(e,t,n){"use strict";function r(e){return o(e).replace(i,"-ms-")}var o=n(181),i=/^ms-/;e.exports=r},function(e,t,n){"use strict";function r(e){return!(!e||!("function"==typeof Node?e instanceof Node:"object"==typeof e&&"number"==typeof e.nodeType&&"string"==typeof e.nodeName))}e.exports=r},function(e,t,n){"use strict";function r(e){return o(e)&&3==e.nodeType}var o=n(183);e.exports=r},function(e,t,n){"use strict";function r(e){var t={};return function(n){return t.hasOwnProperty(n)||(t[n]=e.call(this,n)),t[n]}}e.exports=r},function(e,t,n){"use strict";t.__esModule=!0;t.PUSH="PUSH",t.REPLACE="REPLACE",t.POP="POP"},function(e,t,n){"use strict";t.__esModule=!0;t.addEventListener=function(e,t,n){return e.addEventListener?e.addEventListener(t,n,!1):e.attachEvent("on"+t,n)},t.removeEventListener=function(e,t,n){return e.removeEventListener?e.removeEventListener(t,n,!1):e.detachEvent("on"+t,n)},t.supportsHistory=function(){var e=window.navigator.userAgent;return(e.indexOf("Android 2.")===-1&&e.indexOf("Android 4.0")===-1||e.indexOf("Mobile Safari")===-1||e.indexOf("Chrome")!==-1||e.indexOf("Windows Phone")!==-1)&&(window.history&&"pushState"in window.history)},t.supportsGoWithoutReloadUsingHash=function(){return window.navigator.userAgent.indexOf("Firefox")===-1},t.supportsPopstateOnHashchange=function(){return window.navigator.userAgent.indexOf("Trident")===-1}},function(e,t,n){"use strict";function r(e){return null==e?void 0===e?u:s:c&&c in Object(e)?n.i(i.a)(e):n.i(a.a)(e)}var o=n(84),i=n(191),a=n(192),s="[object Null]",u="[object Undefined]",c=o.a?o.a.toStringTag:void 0;t.a=r},function(e,t,n){"use strict";(function(e){var n="object"==typeof e&&e&&e.Object===Object&&e;t.a=n}).call(t,n(66))},function(e,t,n){"use strict";var r=n(193),o=n.i(r.a)(Object.getPrototypeOf,Object);t.a=o},function(e,t,n){"use strict";function r(e){var t=a.call(e,u),n=e[u];try{e[u]=void 0;var r=!0}catch(e){}var o=s.call(e);return r&&(t?e[u]=n:delete e[u]),o}var o=n(84),i=Object.prototype,a=i.hasOwnProperty,s=i.toString,u=o.a?o.a.toStringTag:void 0;t.a=r},function(e,t,n){"use strict";function r(e){return i.call(e)}var o=Object.prototype,i=o.toString;t.a=r},function(e,t,n){"use strict";function r(e,t){return function(n){return e(t(n))}}t.a=r},function(e,t,n){"use strict";var r=n(189),o="object"==typeof self&&self&&self.Object===Object&&self,i=r.a||o||Function("return this")();t.a=i},function(e,t,n){"use strict";function r(e){return null!=e&&"object"==typeof e}t.a=r},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(326))},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(209))},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(215))},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(218))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=t.top&&e.left>=t.left&&e.bottom<=t.bottom&&e.right<=t.right}function i(e,t){return e.top=t.tope.bottom||e.bottom===-1?t.bottom:e.bottom,e.right=t.right>e.right||e.right===-1?t.right:e.right,e.width=e.right-e.left+1,e.height=e.bottom-e.top+1,e}var a=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},s=n(0),u=n(6),c=16,l=100,p=500,d=200,f=10,h=30,m=2,g=2,v={top:-1,bottom:-1,left:-1,right:-1,width:0,height:0},y=function(e){return e.getBoundingClientRect()},b=y,_=y,w=function(e){function t(t){var n=e.call(this,t)||this;return n.state={pages:[]},n._estimatedPageHeight=0,n._totalEstimates=0,n._requiredWindowsAhead=0,n._requiredWindowsBehind=0,n._measureVersion=0,n._onAsyncScroll=n._async.debounce(n._onAsyncScroll,l,{leading:!1,maxWait:p}),n._onAsyncIdle=n._async.debounce(n._onAsyncIdle,d,{leading:!1}),n._onAsyncResize=n._async.debounce(n._onAsyncResize,c,{leading:!1}),n._cachedPageHeights={},n._estimatedPageHeight=0,n._focusedIndex=-1,n._scrollingToIndex=-1,n}return a(t,e),t.prototype.scrollToIndex=function(e,t){for(var n=this.props.startIndex,r=this._getRenderCount(),o=n+r,i=0,a=1,s=n;se;if(u){if(t){for(var c=e-s,l=0;l=f.top&&p<=f.bottom;if(h)return;var m=if.bottom;m||g&&(i=this._scrollElement.scrollTop+(p-f.bottom))}this._scrollElement.scrollTop=i;break}i+=this._getPageHeight(s,a,this._surfaceRect)}},t.prototype.componentDidMount=function(){this._updatePages(),this._measureVersion++,this._scrollElement=u.findScrollableParent(this.refs.root),this._events.on(window,"resize",this._onAsyncResize),this._events.on(this.refs.root,"focus",this._onFocus,!0),this._scrollElement&&(this._events.on(this._scrollElement,"scroll",this._onScroll),this._events.on(this._scrollElement,"scroll",this._onAsyncScroll))},t.prototype.componentWillReceiveProps=function(e){e.items===this.props.items&&e.renderCount===this.props.renderCount&&e.startIndex===this.props.startIndex||(this._measureVersion++,this._updatePages(e))},t.prototype.shouldComponentUpdate=function(e,t){var n=this.props,r=n.renderedWindowsAhead,o=n.renderedWindowsBehind,i=this.state.pages,a=t.pages,s=t.measureVersion,u=!1;if(this._measureVersion===s&&e.renderedWindowsAhead===r,e.renderedWindowsBehind===o,e.items===this.props.items&&i.length===a.length)for(var c=0;ca||n>s)&&this._onAsyncIdle()},t.prototype._onAsyncResize=function(){this.forceUpdate()},t.prototype._updatePages=function(e){var t=this,n=e||this.props,r=n.items,o=n.startIndex,i=n.renderCount;i=this._getRenderCount(e),this._requiredRect||this._updateRenderRects(e);var a=this._buildPages(r,o,i),s=this.state.pages;this.setState(a,function(){var e=t._updatePageMeasurements(s,a.pages);e?(t._materializedRect=null,t._hasCompletedFirstRender?t._onAsyncScroll():(t._hasCompletedFirstRender=!0,t._updatePages())):t._onAsyncIdle()})},t.prototype._updatePageMeasurements=function(e,t){for(var n={},r=!1,o=this._getRenderCount(),i=0;i-1,v=m>=h._allowedRect.top&&s<=h._allowedRect.bottom,y=m>=h._requiredRect.top&&s<=h._requiredRect.bottom,b=!d&&(y||v&&g),_=l>=n&&l0&&a[0].items&&a[0].items.length.ms-MessageBar-dismissal{right:0;top:0;position:absolute!important}.ms-MessageBar-actions,.ms-MessageBar-actionsOneline{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-flex:0;-ms-flex:0 0 auto;flex:0 0 auto;-webkit-box-orient:horizontal;-webkit-box-direction:reverse;-ms-flex-direction:row-reverse;flex-direction:row-reverse;-webkit-box-align:center;-ms-flex-align:center;align-items:center}.ms-MessageBar-actionsOneline{position:relative}.ms-MessageBar-dismissal{min-width:0}.ms-MessageBar-dismissal::-moz-focus-inner{border:0}.ms-MessageBar-dismissal{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-MessageBar-dismissal:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .ms-MessageBar-dismissalOneline .ms-MessageBar-dismissal{margin-right:-8px}html[dir=rtl] .ms-MessageBar-dismissalOneline .ms-MessageBar-dismissal{margin-left:-8px}.ms-MessageBar+.ms-MessageBar{margin-bottom:6px}html[dir=ltr] .ms-MessageBar-innerTextPadding{padding-right:24px}html[dir=rtl] .ms-MessageBar-innerTextPadding{padding-left:24px}html[dir=ltr] .ms-MessageBar-innerTextPadding .ms-MessageBar-innerText>span,html[dir=ltr] .ms-MessageBar-innerTextPadding span{padding-right:4px}html[dir=rtl] .ms-MessageBar-innerTextPadding .ms-MessageBar-innerText>span,html[dir=rtl] .ms-MessageBar-innerTextPadding span{padding-left:4px}.ms-MessageBar-multiline>.ms-MessageBar-content>.ms-MessageBar-actionables{-webkit-box-orient:vertical;-webkit-box-direction:normal;-ms-flex-direction:column;flex-direction:column}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-icon{-webkit-box-align:center;-ms-flex-align:center;-ms-grid-row-align:center;align-items:center}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text{-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center;-webkit-box-align:center;-ms-flex-align:center;-ms-grid-row-align:center;align-items:center}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text .ms-MessageBar-innerText,.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text .ms-MessageBar-innerTextPadding{max-height:1.3em;line-height:1.3em;overflow-x:hidden;text-overflow:ellipsis;white-space:nowrap}.ms-MessageBar-singleline .ms-MessageBar-content>.ms-MessageBar-actionables{-webkit-box-orient:horizontal;-webkit-box-direction:normal;-ms-flex-direction:row;flex-direction:row}.ms-MessageBar .ms-Icon--Cancel{font-size:14px}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(210)),r(n(91))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6);n(214);var u=function(e){function t(t){var n=e.call(this,t)||this;return n.props.onChanged&&(n.props.onChange=n.props.onChanged),n.state={value:t.value||"",hasFocus:!1,id:s.getId("SearchBox")},n}return r(t,e),t.prototype.componentWillReceiveProps=function(e){void 0!==e.value&&this.setState({value:e.value})},t.prototype.render=function(){var e=this.props,t=e.labelText,n=e.className,r=this.state,i=r.value,u=r.hasFocus,c=r.id;return a.createElement("div",o({ref:this._resolveRef("_rootElement"),className:s.css("ms-SearchBox",n,{"is-active":u,"can-clear":i.length>0})},{onFocusCapture:this._onFocusCapture}),a.createElement("i",{className:"ms-SearchBox-icon ms-Icon ms-Icon--Search"}),a.createElement("input",{id:c,className:"ms-SearchBox-field",placeholder:t,onChange:this._onInputChange,onKeyDown:this._onKeyDown,value:i,ref:this._resolveRef("_inputElement")}),a.createElement("div",{className:"ms-SearchBox-clearButton",onClick:this._onClearClick},a.createElement("i",{className:"ms-Icon ms-Icon--Clear"})))},t.prototype.focus=function(){this._inputElement&&this._inputElement.focus()},t.prototype._onClearClick=function(e){this.setState({value:""}),this._callOnChange(""),e.stopPropagation(),e.preventDefault(),this._inputElement.focus()},t.prototype._onFocusCapture=function(e){this.setState({hasFocus:!0}),this._events.on(s.getDocument().body,"focus",this._handleDocumentFocus,!0)},t.prototype._onKeyDown=function(e){switch(e.which){case s.KeyCodes.escape:this._onClearClick(e);break;case s.KeyCodes.enter:this.props.onSearch&&this.state.value.length>0&&this.props.onSearch(this.state.value);break;default:return}e.preventDefault(),e.stopPropagation()},t.prototype._onInputChange=function(e){this.setState({value:this._inputElement.value}),this._callOnChange(this._inputElement.value)},t.prototype._handleDocumentFocus=function(e){s.elementContains(this._rootElement,e.target)||(this._events.off(s.getDocument().body,"focus"),this.setState({hasFocus:!1}))},t.prototype._callOnChange=function(e){var t=this.props.onChange;t&&t(e)},t}(s.BaseComponent);u.defaultProps={labelText:"Search"},i([s.autobind],u.prototype,"_onClearClick",null),i([s.autobind],u.prototype,"_onFocusCapture",null),i([s.autobind],u.prototype,"_onKeyDown",null),i([s.autobind],u.prototype,"_onInputChange",null),t.SearchBox=u},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:'.ms-SearchBox{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;box-sizing:border-box;margin:0;padding:0;box-shadow:none;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";position:relative;margin-bottom:10px;border:1px solid "},{theme:"themeTertiary",defaultValue:"#71afe5"},{rawString:"}.ms-SearchBox.is-active{border-color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}html[dir=ltr] .ms-SearchBox.is-active .ms-SearchBox-field{padding-left:8px}html[dir=rtl] .ms-SearchBox.is-active .ms-SearchBox-field{padding-right:8px}.ms-SearchBox.is-active .ms-SearchBox-icon{display:none}.ms-SearchBox.is-disabled{border-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-SearchBox.is-disabled .ms-SearchBox-icon{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.ms-SearchBox.is-disabled .ms-SearchBox-field{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";pointer-events:none;cursor:default}.ms-SearchBox.can-clear .ms-SearchBox-clearButton{display:block}.ms-SearchBox:hover .ms-SearchBox-field{border-color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}.ms-SearchBox:hover .ms-SearchBox-label{color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-SearchBox:hover .ms-SearchBox-label .ms-SearchBox-icon{color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}input.ms-SearchBox-field{position:relative;box-sizing:border-box;margin:0;padding:0;box-shadow:none;border:none;outline:transparent 1px solid;font-weight:inherit;font-family:inherit;font-size:inherit;color:"},{theme:"black",defaultValue:"#000000"},{rawString:";height:34px;padding:6px 38px 7px 31px;width:100%;background-color:transparent;-webkit-transition:padding-left 167ms;transition:padding-left 167ms}html[dir=rtl] input.ms-SearchBox-field{padding:6px 31px 7px 38px}html[dir=ltr] input.ms-SearchBox-field:focus{padding-right:32px}html[dir=rtl] input.ms-SearchBox-field:focus{padding-left:32px}input.ms-SearchBox-field::-ms-clear{display:none}.ms-SearchBox-clearButton{display:none;border:none;cursor:pointer;position:absolute;top:0;width:40px;height:36px;line-height:36px;vertical-align:top;color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";text-align:center;font-size:16px}html[dir=ltr] .ms-SearchBox-clearButton{right:0}html[dir=rtl] .ms-SearchBox-clearButton{left:0}.ms-SearchBox-icon{font-size:17px;color:"},{theme:"neutralSecondaryAlt",defaultValue:"#767676"},{rawString:";position:absolute;top:0;height:36px;line-height:36px;vertical-align:top;font-size:16px;width:16px;color:#0078d7}html[dir=ltr] .ms-SearchBox-icon{left:8px}html[dir=rtl] .ms-SearchBox-icon{right:8px}html[dir=ltr] .ms-SearchBox-icon{margin-right:6px}html[dir=rtl] .ms-SearchBox-icon{margin-left:6px}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(213))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(0),i=n(6),a=n(92);n(217);var s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return r(t,e),t.prototype.render=function(){var e=this.props,t=e.type,n=e.size,r=e.label,s=e.className;return o.createElement("div",{className:i.css("ms-Spinner",s)},o.createElement("div",{className:i.css("ms-Spinner-circle",{"ms-Spinner--xSmall":n===a.SpinnerSize.xSmall},{"ms-Spinner--small":n===a.SpinnerSize.small},{"ms-Spinner--medium":n===a.SpinnerSize.medium},{"ms-Spinner--large":n===a.SpinnerSize.large},{"ms-Spinner--normal":t===a.SpinnerType.normal},{"ms-Spinner--large":t===a.SpinnerType.large})}),r&&o.createElement("div",{className:"ms-Spinner-label"},r))},t}(o.Component);s.defaultProps={size:a.SpinnerSize.medium},t.Spinner=s},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:"@-webkit-keyframes ms-Spinner-spin{0%{-webkit-transform:rotate(0);transform:rotate(0)}100%{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}@keyframes ms-Spinner-spin{0%{-webkit-transform:rotate(0);transform:rotate(0)}100%{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}.ms-Spinner>.ms-Spinner-circle{margin:auto;box-sizing:border-box;border-radius:50%;width:100%;height:100%;border:1.5px solid "},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";border-top-color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";-webkit-animation:ms-Spinner-spin 1.3s infinite cubic-bezier(.53,.21,.29,.67);animation:ms-Spinner-spin 1.3s infinite cubic-bezier(.53,.21,.29,.67)}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--xSmall{width:12px;height:12px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--small{width:16px;height:16px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--medium,.ms-Spinner>.ms-Spinner-circle.ms-Spinner--normal{width:20px;height:20px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--large{width:28px;height:28px}.ms-Spinner>.ms-Spinner-label{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";margin-top:10px;text-align:center}@media screen and (-ms-high-contrast:active){.ms-Spinner>.ms-Spinner-circle{border-top-style:none}}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(216)),r(n(92))},function(e,t,n){"use strict";var r={Properties:{"aria-current":0,"aria-details":0,"aria-disabled":0,"aria-hidden":0,"aria-invalid":0,"aria-keyshortcuts":0,"aria-label":0,"aria-roledescription":0,"aria-autocomplete":0,"aria-checked":0,"aria-expanded":0,"aria-haspopup":0,"aria-level":0,"aria-modal":0,"aria-multiline":0,"aria-multiselectable":0,"aria-orientation":0,"aria-placeholder":0,"aria-pressed":0,"aria-readonly":0,"aria-required":0,"aria-selected":0,"aria-sort":0,"aria-valuemax":0,"aria-valuemin":0,"aria-valuenow":0,"aria-valuetext":0,"aria-atomic":0,"aria-busy":0,"aria-live":0,"aria-relevant":0,"aria-dropeffect":0,"aria-grabbed":0,"aria-activedescendant":0,"aria-colcount":0,"aria-colindex":0,"aria-colspan":0,"aria-controls":0,"aria-describedby":0,"aria-errormessage":0,"aria-flowto":0,"aria-labelledby":0,"aria-owns":0,"aria-posinset":0,"aria-rowcount":0,"aria-rowindex":0,"aria-rowspan":0,"aria-setsize":0},DOMAttributeNames:{},DOMPropertyNames:{}};e.exports=r},function(e,t,n){"use strict";var r=n(5),o=n(82),i={focusDOMComponent:function(){o(r.getNodeFromInstance(this))}};e.exports=i},function(e,t,n){"use strict";function r(){var e=window.opera;return"object"==typeof e&&"function"==typeof e.version&&parseInt(e.version(),10)<=12}function o(e){return(e.ctrlKey||e.altKey||e.metaKey)&&!(e.ctrlKey&&e.altKey)}function i(e){switch(e){case"topCompositionStart":return T.compositionStart;case"topCompositionEnd":return T.compositionEnd;case"topCompositionUpdate":return T.compositionUpdate}}function a(e,t){return"topKeyDown"===e&&t.keyCode===b}function s(e,t){switch(e){case"topKeyUp":return y.indexOf(t.keyCode)!==-1;case"topKeyDown":return t.keyCode!==b;case"topKeyPress":case"topMouseDown":case"topBlur":return!0;default:return!1}}function u(e){var t=e.detail;return"object"==typeof t&&"data"in t?t.data:null}function c(e,t,n,r){var o,c;if(_?o=i(e):I?s(e,n)&&(o=T.compositionEnd):a(e,n)&&(o=T.compositionStart),!o)return null;C&&(I||o!==T.compositionStart?o===T.compositionEnd&&I&&(c=I.getData()):I=m.getPooled(r));var l=g.getPooled(o,t,n,r);if(c)l.data=c;else{var p=u(n);null!==p&&(l.data=p)}return f.accumulateTwoPhaseDispatches(l),l}function l(e,t){switch(e){case"topCompositionEnd":return u(t);case"topKeyPress":var n=t.which;return n!==x?null:(P=!0,S);case"topTextInput":var r=t.data;return r===S&&P?null:r;default:return null}}function p(e,t){if(I){if("topCompositionEnd"===e||!_&&s(e,t)){var n=I.getData();return m.release(I),I=null,n}return null}switch(e){case"topPaste":return null;case"topKeyPress":return t.which&&!o(t)?String.fromCharCode(t.which):null;case"topCompositionEnd":return C?null:t.data;default:return null}}function d(e,t,n,r){var o;if(o=E?l(e,n):p(e,n),!o)return null;var i=v.getPooled(T.beforeInput,t,n,r);return i.data=o,f.accumulateTwoPhaseDispatches(i),i}var f=n(28),h=n(8),m=n(227),g=n(264),v=n(267),y=[9,13,27,32],b=229,_=h.canUseDOM&&"CompositionEvent"in window,w=null;h.canUseDOM&&"documentMode"in document&&(w=document.documentMode);var E=h.canUseDOM&&"TextEvent"in window&&!w&&!r(),C=h.canUseDOM&&(!_||w&&w>8&&w<=11),x=32,S=String.fromCharCode(x),T={beforeInput:{phasedRegistrationNames:{bubbled:"onBeforeInput",captured:"onBeforeInputCapture"},dependencies:["topCompositionEnd","topKeyPress","topTextInput","topPaste"]},compositionEnd:{phasedRegistrationNames:{bubbled:"onCompositionEnd",captured:"onCompositionEndCapture"},dependencies:["topBlur","topCompositionEnd","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]},compositionStart:{phasedRegistrationNames:{bubbled:"onCompositionStart",captured:"onCompositionStartCapture"},dependencies:["topBlur","topCompositionStart","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]},compositionUpdate:{phasedRegistrationNames:{bubbled:"onCompositionUpdate",captured:"onCompositionUpdateCapture"},dependencies:["topBlur","topCompositionUpdate","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]}},P=!1,I=null,O={eventTypes:T,extractEvents:function(e,t,n,r){return[c(e,t,n,r),d(e,t,n,r)]}};e.exports=O},function(e,t,n){"use strict";var r=n(93),o=n(8),i=(n(11),n(175),n(273)),a=n(182),s=n(185),u=(n(2),s(function(e){return a(e)})),c=!1,l="cssFloat";if(o.canUseDOM){var p=document.createElement("div").style;try{p.font=""}catch(e){c=!0}void 0===document.documentElement.style.cssFloat&&(l="styleFloat")}var d={createMarkupForStyles:function(e,t){var n="";for(var r in e)if(e.hasOwnProperty(r)){var o=e[r];null!=o&&(n+=u(r)+":",n+=i(r,o,t)+";")}return n||null},setValueForStyles:function(e,t,n){var o=e.style;for(var a in t)if(t.hasOwnProperty(a)){var s=i(a,t[a],n);if("float"!==a&&"cssFloat"!==a||(a=l),s)o[a]=s;else{var u=c&&r.shorthandPropertyExpansions[a];if(u)for(var p in u)o[p]="";else o[a]=""}}}};e.exports=d},function(e,t,n){"use strict";function r(e){var t=e.nodeName&&e.nodeName.toLowerCase();return"select"===t||"input"===t&&"file"===e.type}function o(e){var t=C.getPooled(P.change,O,e,x(e));b.accumulateTwoPhaseDispatches(t),E.batchedUpdates(i,t)}function i(e){y.enqueueEvents(e),y.processEventQueue(!1)}function a(e,t){I=e,O=t,I.attachEvent("onchange",o)}function s(){I&&(I.detachEvent("onchange",o),I=null,O=null)}function u(e,t){if("topChange"===e)return t}function c(e,t,n){"topFocus"===e?(s(),a(t,n)):"topBlur"===e&&s()}function l(e,t){I=e,O=t,M=e.value,k=Object.getOwnPropertyDescriptor(e.constructor.prototype,"value"),Object.defineProperty(I,"value",D),I.attachEvent?I.attachEvent("onpropertychange",d):I.addEventListener("propertychange",d,!1)}function p(){I&&(delete I.value,I.detachEvent?I.detachEvent("onpropertychange",d):I.removeEventListener("propertychange",d,!1),I=null,O=null,M=null,k=null)}function d(e){if("value"===e.propertyName){var t=e.srcElement.value;t!==M&&(M=t,o(e))}}function f(e,t){if("topInput"===e)return t}function h(e,t,n){"topFocus"===e?(p(),l(t,n)):"topBlur"===e&&p()}function m(e,t){if(("topSelectionChange"===e||"topKeyUp"===e||"topKeyDown"===e)&&I&&I.value!==M)return M=I.value,O}function g(e){return e.nodeName&&"input"===e.nodeName.toLowerCase()&&("checkbox"===e.type||"radio"===e.type)}function v(e,t){if("topClick"===e)return t}var y=n(27),b=n(28),_=n(8),w=n(5),E=n(12),C=n(13),x=n(59),S=n(60),T=n(110),P={change:{phasedRegistrationNames:{bubbled:"onChange",captured:"onChangeCapture"},dependencies:["topBlur","topChange","topClick","topFocus","topInput","topKeyDown","topKeyUp","topSelectionChange"]}},I=null,O=null,M=null,k=null,A=!1;_.canUseDOM&&(A=S("change")&&(!document.documentMode||document.documentMode>8));var R=!1;_.canUseDOM&&(R=S("input")&&(!document.documentMode||document.documentMode>11));var D={get:function(){return k.get.call(this)},set:function(e){M=""+e,k.set.call(this,e)}},N={eventTypes:P,extractEvents:function(e,t,n,o){var i,a,s=t?w.getNodeFromInstance(t):window;if(r(s)?A?i=u:a=c:T(s)?R?i=f:(i=m,a=h):g(s)&&(i=v),i){var l=i(e,t);if(l){var p=C.getPooled(P.change,l,n,o);return p.type="change",b.accumulateTwoPhaseDispatches(p),p}}a&&a(e,s,t)}};e.exports=N},function(e,t,n){"use strict";var r=n(3),o=n(19),i=n(8),a=n(178),s=n(10),u=(n(1),{dangerouslyReplaceNodeWithMarkup:function(e,t){if(i.canUseDOM?void 0:r("56"),t?void 0:r("57"),"HTML"===e.nodeName?r("58"):void 0,"string"==typeof t){var n=a(t,s)[0];e.parentNode.replaceChild(n,e)}else o.replaceChildWithTree(e,t)}});e.exports=u},function(e,t,n){"use strict";var r=["ResponderEventPlugin","SimpleEventPlugin","TapEventPlugin","EnterLeaveEventPlugin","ChangeEventPlugin","SelectEventPlugin","BeforeInputEventPlugin"];e.exports=r},function(e,t,n){"use strict";var r=n(28),o=n(5),i=n(35),a={mouseEnter:{registrationName:"onMouseEnter",dependencies:["topMouseOut","topMouseOver"]},mouseLeave:{registrationName:"onMouseLeave",dependencies:["topMouseOut","topMouseOver"]}},s={eventTypes:a,extractEvents:function(e,t,n,s){if("topMouseOver"===e&&(n.relatedTarget||n.fromElement))return null;if("topMouseOut"!==e&&"topMouseOver"!==e)return null;var u;if(s.window===s)u=s;else{var c=s.ownerDocument;u=c?c.defaultView||c.parentWindow:window}var l,p;if("topMouseOut"===e){l=t;var d=n.relatedTarget||n.toElement;p=d?o.getClosestInstanceFromNode(d):null}else l=null,p=t;if(l===p)return null;var f=null==l?u:o.getNodeFromInstance(l),h=null==p?u:o.getNodeFromInstance(p),m=i.getPooled(a.mouseLeave,l,n,s);m.type="mouseleave",m.target=f,m.relatedTarget=h;var g=i.getPooled(a.mouseEnter,p,n,s);return g.type="mouseenter",g.target=h,g.relatedTarget=f,r.accumulateEnterLeaveDispatches(m,g,l,p),[m,g]}};e.exports=s},function(e,t,n){"use strict";function r(e){this._root=e,this._startText=this.getText(),this._fallbackText=null}var o=n(4),i=n(15),a=n(108);o(r.prototype,{destructor:function(){this._root=null,this._startText=null,this._fallbackText=null},getText:function(){return"value"in this._root?this._root.value:this._root[a()]},getData:function(){if(this._fallbackText)return this._fallbackText;var e,t,n=this._startText,r=n.length,o=this.getText(),i=o.length;for(e=0;e1?1-t:void 0;return this._fallbackText=o.slice(e,s),this._fallbackText}}),i.addPoolingTo(r),e.exports=r},function(e,t,n){"use strict";var r=n(20),o=r.injection.MUST_USE_PROPERTY,i=r.injection.HAS_BOOLEAN_VALUE,a=r.injection.HAS_NUMERIC_VALUE,s=r.injection.HAS_POSITIVE_NUMERIC_VALUE,u=r.injection.HAS_OVERLOADED_BOOLEAN_VALUE,c={isCustomAttribute:RegExp.prototype.test.bind(new RegExp("^(data|aria)-["+r.ATTRIBUTE_NAME_CHAR+"]*$")),Properties:{accept:0,acceptCharset:0,accessKey:0,action:0,allowFullScreen:i,allowTransparency:0,alt:0,as:0,async:i,autoComplete:0,autoPlay:i,capture:i,cellPadding:0,cellSpacing:0,charSet:0,challenge:0,checked:o|i,cite:0,classID:0,className:0,cols:s,colSpan:0,content:0,contentEditable:0,contextMenu:0,controls:i,coords:0,crossOrigin:0,data:0,dateTime:0,default:i,defer:i,dir:0,disabled:i,download:u,draggable:0,encType:0,form:0,formAction:0,formEncType:0,formMethod:0,formNoValidate:i,formTarget:0,frameBorder:0,headers:0,height:0,hidden:i,high:0,href:0,hrefLang:0,htmlFor:0,httpEquiv:0,icon:0,id:0,inputMode:0,integrity:0,is:0,keyParams:0,keyType:0,kind:0,label:0,lang:0,list:0,loop:i,low:0,manifest:0,marginHeight:0,marginWidth:0,max:0,maxLength:0,media:0,mediaGroup:0,method:0,min:0,minLength:0,multiple:o|i,muted:o|i,name:0,nonce:0,noValidate:i,open:i,optimum:0,pattern:0,placeholder:0,playsInline:i,poster:0,preload:0,profile:0,radioGroup:0,readOnly:i,referrerPolicy:0,rel:0,required:i,reversed:i,role:0,rows:s,rowSpan:a,sandbox:0,scope:0,scoped:i,scrolling:0,seamless:i,selected:o|i,shape:0,size:s,sizes:0,span:s,spellCheck:0,src:0,srcDoc:0,srcLang:0,srcSet:0,start:a,step:0,style:0,summary:0,tabIndex:0,target:0,title:0,type:0,useMap:0,value:0,width:0,wmode:0,wrap:0,about:0,datatype:0,inlist:0,prefix:0,property:0,resource:0,typeof:0,vocab:0,autoCapitalize:0,autoCorrect:0,autoSave:0,color:0,itemProp:0,itemScope:i,itemType:0,itemID:0,itemRef:0,results:0,security:0,unselectable:0},DOMAttributeNames:{acceptCharset:"accept-charset",className:"class",htmlFor:"for",httpEquiv:"http-equiv"},DOMPropertyNames:{}};e.exports=c},function(e,t,n){"use strict";(function(t){function r(e,t,n,r){var o=void 0===e[n];null!=t&&o&&(e[n]=i(t,!0))}var o=n(21),i=n(109),a=(n(51),n(61)),s=n(112);n(2);"undefined"!=typeof t&&n.i({NODE_ENV:"production"}),1;var u={instantiateChildren:function(e,t,n,o){if(null==e)return null;var i={};return s(e,r,i),i},updateChildren:function(e,t,n,r,s,u,c,l,p){if(t||e){var d,f;for(d in t)if(t.hasOwnProperty(d)){f=e&&e[d];var h=f&&f._currentElement,m=t[d];if(null!=f&&a(h,m))o.receiveComponent(f,m,s,l),t[d]=f;else{f&&(r[d]=o.getHostNode(f),o.unmountComponent(f,!1));var g=i(m,!0);t[d]=g;var v=o.mountComponent(g,s,u,c,l,p);n.push(v)}}for(d in e)!e.hasOwnProperty(d)||t&&t.hasOwnProperty(d)||(f=e[d],r[d]=o.getHostNode(f),o.unmountComponent(f,!1))}},unmountChildren:function(e,t){for(var n in e)if(e.hasOwnProperty(n)){var r=e[n];o.unmountComponent(r,t)}}};e.exports=u}).call(t,n(33))},function(e,t,n){"use strict";var r=n(47),o=n(237),i={processChildrenUpdates:o.dangerouslyProcessChildrenUpdates,replaceNodeWithMarkup:r.dangerouslyReplaceNodeWithMarkup};e.exports=i},function(e,t,n){"use strict";function r(e){}function o(e,t){}function i(e){return!(!e.prototype||!e.prototype.isReactComponent)}function a(e){return!(!e.prototype||!e.prototype.isPureReactComponent)}var s=n(3),u=n(4),c=n(22),l=n(53),p=n(14),d=n(54),f=n(29),h=(n(11),n(103)),m=n(21),g=n(25),v=(n(1),n(44)),y=n(61),b=(n(2),{ImpureClass:0,PureClass:1,StatelessFunctional:2});r.prototype.render=function(){var e=f.get(this)._currentElement.type,t=e(this.props,this.context,this.updater);return o(e,t),t};var _=1,w={construct:function(e){this._currentElement=e,this._rootNodeID=0,this._compositeType=null,this._instance=null,this._hostParent=null,this._hostContainerInfo=null,this._updateBatchNumber=null,this._pendingElement=null,this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1,this._renderedNodeType=null,this._renderedComponent=null,this._context=null,this._mountOrder=0,this._topLevelWrapper=null,this._pendingCallbacks=null,this._calledComponentWillUnmount=!1},mountComponent:function(e,t,n,u){this._context=u,this._mountOrder=_++,this._hostParent=t,this._hostContainerInfo=n;var l,p=this._currentElement.props,d=this._processContext(u),h=this._currentElement.type,m=e.getUpdateQueue(),v=i(h),y=this._constructComponent(v,p,d,m);v||null!=y&&null!=y.render?a(h)?this._compositeType=b.PureClass:this._compositeType=b.ImpureClass:(l=y,o(h,l),null===y||y===!1||c.isValidElement(y)?void 0:s("105",h.displayName||h.name||"Component"),y=new r(h),this._compositeType=b.StatelessFunctional);y.props=p,y.context=d,y.refs=g,y.updater=m,this._instance=y,f.set(y,this);var w=y.state;void 0===w&&(y.state=w=null),"object"!=typeof w||Array.isArray(w)?s("106",this.getName()||"ReactCompositeComponent"):void 0,this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1;var E;return E=y.unstable_handleError?this.performInitialMountWithErrorHandling(l,t,n,e,u):this.performInitialMount(l,t,n,e,u),y.componentDidMount&&e.getReactMountReady().enqueue(y.componentDidMount,y),E},_constructComponent:function(e,t,n,r){return this._constructComponentWithoutOwner(e,t,n,r)},_constructComponentWithoutOwner:function(e,t,n,r){var o=this._currentElement.type;return e?new o(t,n,r):o(t,n,r)},performInitialMountWithErrorHandling:function(e,t,n,r,o){var i,a=r.checkpoint();try{i=this.performInitialMount(e,t,n,r,o)}catch(s){r.rollback(a),this._instance.unstable_handleError(s),this._pendingStateQueue&&(this._instance.state=this._processPendingState(this._instance.props,this._instance.context)),a=r.checkpoint(),this._renderedComponent.unmountComponent(!0),r.rollback(a),i=this.performInitialMount(e,t,n,r,o)}return i},performInitialMount:function(e,t,n,r,o){var i=this._instance,a=0;i.componentWillMount&&(i.componentWillMount(),this._pendingStateQueue&&(i.state=this._processPendingState(i.props,i.context))),void 0===e&&(e=this._renderValidatedComponent());var s=h.getType(e);this._renderedNodeType=s;var u=this._instantiateReactComponent(e,s!==h.EMPTY);this._renderedComponent=u;var c=m.mountComponent(u,r,t,n,this._processChildContext(o),a);return c},getHostNode:function(){return m.getHostNode(this._renderedComponent)},unmountComponent:function(e){if(this._renderedComponent){var t=this._instance;if(t.componentWillUnmount&&!t._calledComponentWillUnmount)if(t._calledComponentWillUnmount=!0,e){var n=this.getName()+".componentWillUnmount()";d.invokeGuardedCallback(n,t.componentWillUnmount.bind(t))}else t.componentWillUnmount();this._renderedComponent&&(m.unmountComponent(this._renderedComponent,e), -this._renderedNodeType=null,this._renderedComponent=null,this._instance=null),this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1,this._pendingCallbacks=null,this._pendingElement=null,this._context=null,this._rootNodeID=0,this._topLevelWrapper=null,f.remove(t)}},_maskContext:function(e){var t=this._currentElement.type,n=t.contextTypes;if(!n)return g;var r={};for(var o in n)r[o]=e[o];return r},_processContext:function(e){var t=this._maskContext(e);return t},_processChildContext:function(e){var t,n=this._currentElement.type,r=this._instance;if(r.getChildContext&&(t=r.getChildContext()),t){"object"!=typeof n.childContextTypes?s("107",this.getName()||"ReactCompositeComponent"):void 0;for(var o in t)o in n.childContextTypes?void 0:s("108",this.getName()||"ReactCompositeComponent",o);return u({},e,t)}return e},_checkContextTypes:function(e,t,n){},receiveComponent:function(e,t,n){var r=this._currentElement,o=this._context;this._pendingElement=null,this.updateComponent(t,r,e,o,n)},performUpdateIfNecessary:function(e){null!=this._pendingElement?m.receiveComponent(this,this._pendingElement,e,this._context):null!==this._pendingStateQueue||this._pendingForceUpdate?this.updateComponent(e,this._currentElement,this._currentElement,this._context,this._context):this._updateBatchNumber=null},updateComponent:function(e,t,n,r,o){var i=this._instance;null==i?s("136",this.getName()||"ReactCompositeComponent"):void 0;var a,u=!1;this._context===o?a=i.context:(a=this._processContext(o),u=!0);var c=t.props,l=n.props;t!==n&&(u=!0),u&&i.componentWillReceiveProps&&i.componentWillReceiveProps(l,a);var p=this._processPendingState(l,a),d=!0;this._pendingForceUpdate||(i.shouldComponentUpdate?d=i.shouldComponentUpdate(l,p,a):this._compositeType===b.PureClass&&(d=!v(c,l)||!v(i.state,p))),this._updateBatchNumber=null,d?(this._pendingForceUpdate=!1,this._performComponentUpdate(n,l,p,a,e,o)):(this._currentElement=n,this._context=o,i.props=l,i.state=p,i.context=a)},_processPendingState:function(e,t){var n=this._instance,r=this._pendingStateQueue,o=this._pendingReplaceState;if(this._pendingReplaceState=!1,this._pendingStateQueue=null,!r)return n.state;if(o&&1===r.length)return r[0];for(var i=u({},o?r[0]:n.state),a=o?1:0;a=0||null!=t.is}function h(e){var t=e.type;d(t),this._currentElement=e,this._tag=t.toLowerCase(),this._namespaceURI=null,this._renderedChildren=null,this._previousStyle=null,this._previousStyleCopy=null,this._hostNode=null,this._hostParent=null,this._rootNodeID=0,this._domID=0,this._hostContainerInfo=null,this._wrapperState=null,this._topLevelWrapper=null,this._flags=0}var m=n(3),g=n(4),v=n(220),y=n(222),b=n(19),_=n(48),w=n(20),E=n(95),C=n(27),x=n(49),S=n(34),T=n(96),P=n(5),I=n(238),O=n(239),M=n(97),k=n(242),A=(n(11),n(251)),R=n(256),D=(n(10),n(37)),N=(n(1),n(60),n(44),n(62),n(2),T),B=C.deleteListener,L=P.getNodeFromInstance,F=S.listenTo,U=x.registrationNameModules,j={string:!0,number:!0},V="style",H="__html",W={children:null,dangerouslySetInnerHTML:null,suppressContentEditableWarning:null},q=11,K={topAbort:"abort",topCanPlay:"canplay",topCanPlayThrough:"canplaythrough",topDurationChange:"durationchange",topEmptied:"emptied",topEncrypted:"encrypted",topEnded:"ended",topError:"error",topLoadedData:"loadeddata",topLoadedMetadata:"loadedmetadata",topLoadStart:"loadstart",topPause:"pause",topPlay:"play",topPlaying:"playing",topProgress:"progress",topRateChange:"ratechange",topSeeked:"seeked",topSeeking:"seeking",topStalled:"stalled",topSuspend:"suspend",topTimeUpdate:"timeupdate",topVolumeChange:"volumechange",topWaiting:"waiting"},z={area:!0,base:!0,br:!0,col:!0,embed:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0},G={listing:!0,pre:!0,textarea:!0},Y=g({menuitem:!0},z),X=/^[a-zA-Z][a-zA-Z:_\.\-\d]*$/,Z={},Q={}.hasOwnProperty,$=1;h.displayName="ReactDOMComponent",h.Mixin={mountComponent:function(e,t,n,r){this._rootNodeID=$++,this._domID=n._idCounter++,this._hostParent=t,this._hostContainerInfo=n;var i=this._currentElement.props;switch(this._tag){case"audio":case"form":case"iframe":case"img":case"link":case"object":case"source":case"video":this._wrapperState={listeners:null},e.getReactMountReady().enqueue(l,this);break;case"input":I.mountWrapper(this,i,t),i=I.getHostProps(this,i),e.getReactMountReady().enqueue(l,this);break;case"option":O.mountWrapper(this,i,t),i=O.getHostProps(this,i);break;case"select":M.mountWrapper(this,i,t),i=M.getHostProps(this,i),e.getReactMountReady().enqueue(l,this);break;case"textarea":k.mountWrapper(this,i,t),i=k.getHostProps(this,i),e.getReactMountReady().enqueue(l,this)}o(this,i);var a,p;null!=t?(a=t._namespaceURI,p=t._tag):n._tag&&(a=n._namespaceURI,p=n._tag),(null==a||a===_.svg&&"foreignobject"===p)&&(a=_.html),a===_.html&&("svg"===this._tag?a=_.svg:"math"===this._tag&&(a=_.mathml)),this._namespaceURI=a;var d;if(e.useCreateElement){var f,h=n._ownerDocument;if(a===_.html)if("script"===this._tag){var m=h.createElement("div"),g=this._currentElement.type;m.innerHTML="<"+g+">",f=m.removeChild(m.firstChild)}else f=i.is?h.createElement(this._currentElement.type,i.is):h.createElement(this._currentElement.type);else f=h.createElementNS(a,this._currentElement.type);P.precacheNode(this,f),this._flags|=N.hasCachedChildNodes,this._hostParent||E.setAttributeForRoot(f),this._updateDOMProperties(null,i,e);var y=b(f);this._createInitialChildren(e,i,r,y),d=y}else{var w=this._createOpenTagMarkupAndPutListeners(e,i),C=this._createContentMarkup(e,i,r);d=!C&&z[this._tag]?w+"/>":w+">"+C+""}switch(this._tag){case"input":e.getReactMountReady().enqueue(s,this),i.autoFocus&&e.getReactMountReady().enqueue(v.focusDOMComponent,this);break;case"textarea":e.getReactMountReady().enqueue(u,this),i.autoFocus&&e.getReactMountReady().enqueue(v.focusDOMComponent,this);break;case"select":i.autoFocus&&e.getReactMountReady().enqueue(v.focusDOMComponent,this);break;case"button":i.autoFocus&&e.getReactMountReady().enqueue(v.focusDOMComponent,this);break;case"option":e.getReactMountReady().enqueue(c,this)}return d},_createOpenTagMarkupAndPutListeners:function(e,t){var n="<"+this._currentElement.type;for(var r in t)if(t.hasOwnProperty(r)){var o=t[r];if(null!=o)if(U.hasOwnProperty(r))o&&i(this,r,o,e);else{r===V&&(o&&(o=this._previousStyleCopy=g({},t.style)),o=y.createMarkupForStyles(o,this));var a=null;null!=this._tag&&f(this._tag,t)?W.hasOwnProperty(r)||(a=E.createMarkupForCustomAttribute(r,o)):a=E.createMarkupForProperty(r,o),a&&(n+=" "+a)}}return e.renderToStaticMarkup?n:(this._hostParent||(n+=" "+E.createMarkupForRoot()),n+=" "+E.createMarkupForID(this._domID))},_createContentMarkup:function(e,t,n){var r="",o=t.dangerouslySetInnerHTML;if(null!=o)null!=o.__html&&(r=o.__html);else{var i=j[typeof t.children]?t.children:null,a=null!=i?null:t.children;if(null!=i)r=D(i);else if(null!=a){var s=this.mountChildren(a,e,n);r=s.join("")}}return G[this._tag]&&"\n"===r.charAt(0)?"\n"+r:r},_createInitialChildren:function(e,t,n,r){var o=t.dangerouslySetInnerHTML;if(null!=o)null!=o.__html&&b.queueHTML(r,o.__html);else{var i=j[typeof t.children]?t.children:null,a=null!=i?null:t.children;if(null!=i)""!==i&&b.queueText(r,i);else if(null!=a)for(var s=this.mountChildren(a,e,n),u=0;u"},receiveComponent:function(){},getHostNode:function(){return i.getNodeFromInstance(this)},unmountComponent:function(){i.uncacheNode(this)}}),e.exports=a},function(e,t,n){"use strict";var r={useCreateElement:!0,useFiber:!1};e.exports=r},function(e,t,n){"use strict";var r=n(47),o=n(5),i={dangerouslyProcessChildrenUpdates:function(e,t){var n=o.getNodeFromInstance(e);r.processUpdates(n,t)}};e.exports=i},function(e,t,n){"use strict";function r(){this._rootNodeID&&p.updateWrapper(this)}function o(e){var t=this._currentElement.props,n=u.executeOnChange(t,e);l.asap(r,this);var o=t.name;if("radio"===t.type&&null!=o){for(var a=c.getNodeFromInstance(this),s=a;s.parentNode;)s=s.parentNode;for(var p=s.querySelectorAll("input[name="+JSON.stringify(""+o)+'][type="radio"]'),d=0;dt.end?(n=t.end,r=t.start):(n=t.start,r=t.end),o.moveToElementText(e),o.moveStart("character",n),o.setEndPoint("EndToStart",o),o.moveEnd("character",r-n),o.select()}function s(e,t){if(window.getSelection){var n=window.getSelection(),r=e[l()].length,o=Math.min(t.start,r),i=void 0===t.end?o:Math.min(t.end,r);if(!n.extend&&o>i){var a=i;i=o,o=a}var s=c(e,o),u=c(e,i);if(s&&u){var p=document.createRange();p.setStart(s.node,s.offset),n.removeAllRanges(),o>i?(n.addRange(p),n.extend(u.node,u.offset)):(p.setEnd(u.node,u.offset),n.addRange(p))}}}var u=n(8),c=n(279),l=n(108),p=u.canUseDOM&&"selection"in document&&!("getSelection"in window),d={getOffsets:p?o:i,setOffsets:p?a:s};e.exports=d},function(e,t,n){"use strict";var r=n(3),o=n(4),i=n(47),a=n(19),s=n(5),u=n(37),c=(n(1),n(62),function(e){this._currentElement=e,this._stringText=""+e,this._hostNode=null,this._hostParent=null,this._domID=0,this._mountIndex=0,this._closingComment=null,this._commentNodes=null});o(c.prototype,{mountComponent:function(e,t,n,r){var o=n._idCounter++,i=" react-text: "+o+" ",c=" /react-text ";if(this._domID=o,this._hostParent=t,e.useCreateElement){var l=n._ownerDocument,p=l.createComment(i),d=l.createComment(c),f=a(l.createDocumentFragment());return a.queueChild(f,a(p)),this._stringText&&a.queueChild(f,a(l.createTextNode(this._stringText))),a.queueChild(f,a(d)),s.precacheNode(this,p),this._closingComment=d,f}var h=u(this._stringText);return e.renderToStaticMarkup?h:""+h+""},receiveComponent:function(e,t){if(e!==this._currentElement){this._currentElement=e;var n=""+e;if(n!==this._stringText){this._stringText=n;var r=this.getHostNode();i.replaceDelimitedText(r[0],r[1],n)}}},getHostNode:function(){var e=this._commentNodes;if(e)return e;if(!this._closingComment)for(var t=s.getNodeFromInstance(this),n=t.nextSibling;;){if(null==n?r("67",this._domID):void 0,8===n.nodeType&&" /react-text "===n.nodeValue){this._closingComment=n;break}n=n.nextSibling}return e=[this._hostNode,this._closingComment],this._commentNodes=e,e},unmountComponent:function(){this._closingComment=null,this._commentNodes=null,s.uncacheNode(this)}}),e.exports=c},function(e,t,n){"use strict";function r(){this._rootNodeID&&l.updateWrapper(this)}function o(e){var t=this._currentElement.props,n=s.executeOnChange(t,e);return c.asap(r,this),n}var i=n(3),a=n(4),s=n(52),u=n(5),c=n(12),l=(n(1),n(2),{getHostProps:function(e,t){null!=t.dangerouslySetInnerHTML?i("91"):void 0;var n=a({},t,{value:void 0,defaultValue:void 0,children:""+e._wrapperState.initialValue,onChange:e._wrapperState.onChange});return n},mountWrapper:function(e,t){var n=s.getValue(t),r=n;if(null==n){var a=t.defaultValue,u=t.children;null!=u&&(null!=a?i("92"):void 0,Array.isArray(u)&&(u.length<=1?void 0:i("93"),u=u[0]),a=""+u),null==a&&(a=""),r=a}e._wrapperState={initialValue:""+r,listeners:null,onChange:o.bind(e)}},updateWrapper:function(e){var t=e._currentElement.props,n=u.getNodeFromInstance(e),r=s.getValue(t);if(null!=r){var o=""+r;o!==n.value&&(n.value=o),null==t.defaultValue&&(n.defaultValue=o)}null!=t.defaultValue&&(n.defaultValue=t.defaultValue)},postMountWrapper:function(e){var t=u.getNodeFromInstance(e),n=t.textContent;n===e._wrapperState.initialValue&&(t.value=n)}});e.exports=l},function(e,t,n){"use strict";function r(e,t){"_hostNode"in e?void 0:u("33"),"_hostNode"in t?void 0:u("33");for(var n=0,r=e;r;r=r._hostParent)n++;for(var o=0,i=t;i;i=i._hostParent)o++;for(;n-o>0;)e=e._hostParent,n--;for(;o-n>0;)t=t._hostParent,o--;for(var a=n;a--;){if(e===t)return e;e=e._hostParent,t=t._hostParent}return null}function o(e,t){"_hostNode"in e?void 0:u("35"),"_hostNode"in t?void 0:u("35");for(;t;){if(t===e)return!0;t=t._hostParent}return!1}function i(e){return"_hostNode"in e?void 0:u("36"),e._hostParent}function a(e,t,n){for(var r=[];e;)r.push(e),e=e._hostParent;var o;for(o=r.length;o-- >0;)t(r[o],"captured",n);for(o=0;o0;)n(u[c],"captured",i)}var u=n(3);n(1);e.exports={isAncestor:o,getLowestCommonAncestor:r,getParentInstance:i,traverseTwoPhase:a,traverseEnterLeave:s}},function(e,t,n){"use strict";function r(){this.reinitializeTransaction()}var o=n(4),i=n(12),a=n(36),s=n(10),u={initialize:s,close:function(){d.isBatchingUpdates=!1}},c={initialize:s,close:i.flushBatchedUpdates.bind(i)},l=[c,u];o(r.prototype,a,{getTransactionWrappers:function(){return l}});var p=new r,d={isBatchingUpdates:!1,batchedUpdates:function(e,t,n,r,o,i){var a=d.isBatchingUpdates;return d.isBatchingUpdates=!0,a?e(t,n,r,o,i):p.perform(e,null,t,n,r,o,i)}};e.exports=d},function(e,t,n){"use strict";function r(){C||(C=!0,y.EventEmitter.injectReactEventListener(v),y.EventPluginHub.injectEventPluginOrder(s),y.EventPluginUtils.injectComponentTree(d),y.EventPluginUtils.injectTreeTraversal(h),y.EventPluginHub.injectEventPluginsByName({SimpleEventPlugin:E,EnterLeaveEventPlugin:u,ChangeEventPlugin:a,SelectEventPlugin:w,BeforeInputEventPlugin:i}),y.HostComponent.injectGenericComponentClass(p),y.HostComponent.injectTextComponentClass(m),y.DOMProperty.injectDOMPropertyConfig(o),y.DOMProperty.injectDOMPropertyConfig(c),y.DOMProperty.injectDOMPropertyConfig(_),y.EmptyComponent.injectEmptyComponentFactory(function(e){return new f(e)}),y.Updates.injectReconcileTransaction(b),y.Updates.injectBatchingStrategy(g),y.Component.injectEnvironment(l))}var o=n(219),i=n(221),a=n(223),s=n(225),u=n(226),c=n(228),l=n(230),p=n(233),d=n(5),f=n(235),h=n(243),m=n(241),g=n(244),v=n(248),y=n(249),b=n(254),_=n(259),w=n(260),E=n(261),C=!1;e.exports={inject:r}},function(e,t,n){"use strict";var r="function"==typeof Symbol&&Symbol.for&&Symbol.for("react.element")||60103;e.exports=r},function(e,t,n){"use strict";function r(e){o.enqueueEvents(e),o.processEventQueue(!1)}var o=n(27),i={handleTopLevel:function(e,t,n,i){var a=o.extractEvents(e,t,n,i);r(a)}};e.exports=i},function(e,t,n){"use strict";function r(e){for(;e._hostParent;)e=e._hostParent;var t=p.getNodeFromInstance(e),n=t.parentNode;return p.getClosestInstanceFromNode(n)}function o(e,t){this.topLevelType=e,this.nativeEvent=t,this.ancestors=[]}function i(e){var t=f(e.nativeEvent),n=p.getClosestInstanceFromNode(t),o=n;do e.ancestors.push(o),o=o&&r(o);while(o);for(var i=0;i/,i=/^<\!\-\-/,a={CHECKSUM_ATTR_NAME:"data-react-checksum",addChecksumToMarkup:function(e){var t=r(e);return i.test(e)?e:e.replace(o," "+a.CHECKSUM_ATTR_NAME+'="'+t+'"$&')},canReuseMarkup:function(e,t){var n=t.getAttribute(a.CHECKSUM_ATTR_NAME);n=n&&parseInt(n,10);var o=r(e);return o===n}};e.exports=a},function(e,t,n){"use strict";function r(e,t,n){return{type:"INSERT_MARKUP",content:e,fromIndex:null,fromNode:null,toIndex:n,afterNode:t}}function o(e,t,n){return{type:"MOVE_EXISTING",content:null,fromIndex:e._mountIndex,fromNode:d.getHostNode(e),toIndex:n,afterNode:t}}function i(e,t){return{type:"REMOVE_NODE",content:null,fromIndex:e._mountIndex,fromNode:t,toIndex:null,afterNode:null}}function a(e){return{type:"SET_MARKUP",content:e,fromIndex:null,fromNode:null,toIndex:null,afterNode:null}}function s(e){return{type:"TEXT_CONTENT",content:e,fromIndex:null,fromNode:null,toIndex:null,afterNode:null}}function u(e,t){return t&&(e=e||[],e.push(t)),e}function c(e,t){p.processChildrenUpdates(e,t)}var l=n(3),p=n(53),d=(n(29),n(11),n(14),n(21)),f=n(229),h=(n(10),n(275)),m=(n(1),{Mixin:{_reconcilerInstantiateChildren:function(e,t,n){return f.instantiateChildren(e,t,n)},_reconcilerUpdateChildren:function(e,t,n,r,o,i){var a,s=0;return a=h(t,s),f.updateChildren(e,a,n,r,o,this,this._hostContainerInfo,i,s),a},mountChildren:function(e,t,n){var r=this._reconcilerInstantiateChildren(e,t,n);this._renderedChildren=r;var o=[],i=0;for(var a in r)if(r.hasOwnProperty(a)){var s=r[a],u=0,c=d.mountComponent(s,t,this,this._hostContainerInfo,n,u);s._mountIndex=i++,o.push(c)}return o},updateTextContent:function(e){var t=this._renderedChildren;f.unmountChildren(t,!1);for(var n in t)t.hasOwnProperty(n)&&l("118");var r=[s(e)];c(this,r)},updateMarkup:function(e){var t=this._renderedChildren;f.unmountChildren(t,!1);for(var n in t)t.hasOwnProperty(n)&&l("118");var r=[a(e)];c(this,r)},updateChildren:function(e,t,n){this._updateChildren(e,t,n)},_updateChildren:function(e,t,n){var r=this._renderedChildren,o={},i=[],a=this._reconcilerUpdateChildren(r,e,i,o,t,n);if(a||r){var s,l=null,p=0,f=0,h=0,m=null;for(s in a)if(a.hasOwnProperty(s)){var g=r&&r[s],v=a[s];g===v?(l=u(l,this.moveChild(g,m,p,f)),f=Math.max(g._mountIndex,f),g._mountIndex=p):(g&&(f=Math.max(g._mountIndex,f)),l=u(l,this._mountChildAtIndex(v,i[h],m,p,t,n)),h++),p++,m=d.getHostNode(v)}for(s in o)o.hasOwnProperty(s)&&(l=u(l,this._unmountChild(r[s],o[s])));l&&c(this,l),this._renderedChildren=a}},unmountChildren:function(e){var t=this._renderedChildren;f.unmountChildren(t,e),this._renderedChildren=null},moveChild:function(e,t,n,r){if(e._mountIndex=t)return{node:n,offset:t-i};i=a}n=r(o(n))}}e.exports=i},function(e,t,n){"use strict";function r(e,t){var n={};return n[e.toLowerCase()]=t.toLowerCase(),n["Webkit"+e]="webkit"+t,n["Moz"+e]="moz"+t,n["ms"+e]="MS"+t,n["O"+e]="o"+t.toLowerCase(),n}function o(e){if(s[e])return s[e];if(!a[e])return e;var t=a[e];for(var n in t)if(t.hasOwnProperty(n)&&n in u)return s[e]=t[n];return""}var i=n(8),a={animationend:r("Animation","AnimationEnd"),animationiteration:r("Animation","AnimationIteration"),animationstart:r("Animation","AnimationStart"),transitionend:r("Transition","TransitionEnd")},s={},u={};i.canUseDOM&&(u=document.createElement("div").style,"AnimationEvent"in window||(delete a.animationend.animation,delete a.animationiteration.animation,delete a.animationstart.animation),"TransitionEvent"in window||delete a.transitionend.transition),e.exports=o},function(e,t,n){"use strict";function r(e){return'"'+o(e)+'"'}var o=n(37);e.exports=r},function(e,t,n){"use strict";var r=n(102);e.exports=r.renderSubtreeIntoContainer},function(e,t,n){"use strict";function r(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function o(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function i(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}var a=n(0),s=(n.n(a),n(115)),u=n(116);n(63);n.d(t,"a",function(){return c});var c=function(e){function t(n,i){r(this,t);var a=o(this,e.call(this,n,i));return a.store=n.store,a}return i(t,e),t.prototype.getChildContext=function(){return{store:this.store,storeSubscription:null}},t.prototype.render=function(){return a.Children.only(this.props.children)},t}(a.Component);c.propTypes={store:u.a.isRequired,children:a.PropTypes.element.isRequired},c.childContextTypes={store:u.a.isRequired,storeSubscription:a.PropTypes.instanceOf(s.a)},c.displayName="Provider"},function(e,t,n){"use strict";function r(e,t){var n={};for(var r in e)t.indexOf(r)>=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e,t,n){for(var r=t.length-1;r>=0;r--){var o=t[r](e);if(o)return o}return function(t,r){throw new Error("Invalid value of type "+typeof e+" for "+n+" argument when connecting component "+r.wrappedComponentName+".")}}function i(e,t){return e===t}function a(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=e.connectHOC,n=void 0===t?s.a:t,a=e.mapStateToPropsFactories,h=void 0===a?l.a:a,m=e.mapDispatchToPropsFactories,g=void 0===m?c.a:m,v=e.mergePropsFactories,y=void 0===v?p.a:v,b=e.selectorFactory,_=void 0===b?d.a:b;return function(e,t,a){var s=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},c=s.pure,l=void 0===c||c,p=s.areStatesEqual,d=void 0===p?i:p,m=s.areOwnPropsEqual,v=void 0===m?u.a:m,b=s.areStatePropsEqual,w=void 0===b?u.a:b,E=s.areMergedPropsEqual,C=void 0===E?u.a:E,x=r(s,["pure","areStatesEqual","areOwnPropsEqual","areStatePropsEqual","areMergedPropsEqual"]),S=o(e,h,"mapStateToProps"),T=o(t,g,"mapDispatchToProps"),P=o(a,y,"mergeProps");return n(_,f({methodName:"connect",getDisplayName:function(e){return"Connect("+e+")"},shouldHandleStateChanges:Boolean(e),initMapStateToProps:S,initMapDispatchToProps:T,initMergeProps:P,pure:l,areStatesEqual:d,areOwnPropsEqual:v,areStatePropsEqual:w,areMergedPropsEqual:C},x))}}var s=n(113),u=n(290),c=n(285),l=n(286),p=n(287),d=n(288),f=Object.assign||function(e){for(var t=1;t=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e,t,n,r){return function(o,i){return n(e(o,i),t(r,i),i)}}function i(e,t,n,r,o){function i(o,i){return h=o,m=i,g=e(h,m),v=t(r,m),y=n(g,v,m),f=!0,y}function a(){return g=e(h,m),t.dependsOnOwnProps&&(v=t(r,m)),y=n(g,v,m)}function s(){return e.dependsOnOwnProps&&(g=e(h,m)),t.dependsOnOwnProps&&(v=t(r,m)),y=n(g,v,m)}function u(){var t=e(h,m),r=!d(t,g);return g=t,r&&(y=n(g,v,m)),y}function c(e,t){var n=!p(t,m),r=!l(e,h);return h=e,m=t,n&&r?a():n?s():r?u():y}var l=o.areStatesEqual,p=o.areOwnPropsEqual,d=o.areStatePropsEqual,f=!1,h=void 0,m=void 0,g=void 0,v=void 0,y=void 0;return function(e,t){return f?c(e,t):i(e,t)}}function a(e,t){var n=t.initMapStateToProps,a=t.initMapDispatchToProps,s=t.initMergeProps,u=r(t,["initMapStateToProps","initMapDispatchToProps","initMergeProps"]),c=n(e,u),l=a(e,u),p=s(e,u),d=u.pure?i:o;return d(c,l,p,e,u)}n(289);t.a=a},function(e,t,n){"use strict";n(63)},function(e,t,n){"use strict";function r(e,t){if(e===t)return!0;var n=0,r=0;for(var i in e){if(o.call(e,i)&&e[i]!==t[i])return!1;n++}for(var a in t)o.call(t,a)&&r++;return n===r}t.a=r;var o=Object.prototype.hasOwnProperty},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(409);n.d(t,"Router",function(){return r.a});var o=n(370);n.d(t,"Link",function(){return o.a});var i=n(405);n.d(t,"IndexLink",function(){return i.a});var a=n(420);n.d(t,"withRouter",function(){return a.a});var s=n(406);n.d(t,"IndexRedirect",function(){return s.a});var u=n(407);n.d(t,"IndexRoute",function(){return u.a});var c=n(372);n.d(t,"Redirect",function(){return c.a});var l=n(408);n.d(t,"Route",function(){return l.a});var p=n(69);n.d(t,"createRoutes",function(){return p.a});var d=n(334);n.d(t,"RouterContext",function(){return d.a});var f=n(333);n.d(t,"locationShape",function(){return f.a}),n.d(t,"routerShape",function(){return f.b});var h=n(418);n.d(t,"match",function(){return h.a});var m=n(377);n.d(t,"useRouterHistory",function(){return m.a});var g=n(127);n.d(t,"formatPattern",function(){return g.a});var v=n(411);n.d(t,"applyRouterMiddleware",function(){return v.a});var y=n(412);n.d(t,"browserHistory",function(){return y.a});var b=n(416);n.d(t,"hashHistory",function(){return b.a});var _=n(374);n.d(t,"createMemoryHistory",function(){return _.a})},function(e,t,n){"use strict";function r(e){var t=/[=:]/g,n={"=":"=0",":":"=2"},r=(""+e).replace(t,function(e){return n[e]});return"$"+r}function o(e){var t=/(=0|=2)/g,n={"=0":"=","=2":":"},r="."===e[0]&&"$"===e[1]?e.substring(2):e.substring(1);return(""+r).replace(t,function(e){return n[e]})}var i={escape:r,unescape:o};e.exports=i},function(e,t,n){"use strict";var r=n(24),o=(n(1),function(e){var t=this;if(t.instancePool.length){var n=t.instancePool.pop();return t.call(n,e),n}return new t(e)}),i=function(e,t){var n=this;if(n.instancePool.length){var r=n.instancePool.pop();return n.call(r,e,t),r}return new n(e,t)},a=function(e,t,n){var r=this;if(r.instancePool.length){var o=r.instancePool.pop();return r.call(o,e,t,n),o}return new r(e,t,n)},s=function(e,t,n,r){var o=this;if(o.instancePool.length){var i=o.instancePool.pop();return o.call(i,e,t,n,r),i}return new o(e,t,n,r)},u=function(e){var t=this;e instanceof t?void 0:r("25"),e.destructor(),t.instancePool.length>"),P={array:a("array"),bool:a("boolean"),func:a("function"),number:a("number"),object:a("object"),string:a("string"),symbol:a("symbol"),any:s(),arrayOf:u,element:c(),instanceOf:l,node:h(),objectOf:d,oneOf:p,oneOfType:f,shape:m};o.prototype=Error.prototype,e.exports=P},function(e,t,n){"use strict";var r="SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED";e.exports=r},function(e,t,n){"use strict";function r(e,t,n){this.props=e,this.context=t,this.refs=u,this.updater=n||s}function o(){}var i=n(4),a=n(64),s=n(65),u=n(25);o.prototype=a.prototype,r.prototype=new o,r.prototype.constructor=r,i(r.prototype,a.prototype),r.prototype.isPureReactComponent=!0,e.exports=r},function(e,t,n){"use strict";e.exports="15.4.2"},function(e,t,n){"use strict";function r(e){return i.isValidElement(e)?void 0:o("143"),e}var o=n(24),i=n(23);n(1);e.exports=r},function(e,t,n){"use strict";function r(e,t){return e&&"object"==typeof e&&null!=e.key?c.escape(e.key):t.toString(36)}function o(e,t,n,i){var d=typeof e;if("undefined"!==d&&"boolean"!==d||(e=null),null===e||"string"===d||"number"===d||"object"===d&&e.$$typeof===s)return n(i,e,""===t?l+r(e,0):t),1;var f,h,m=0,g=""===t?l:t+p;if(Array.isArray(e))for(var v=0;v=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6),u=n(207);n(327);var c;!function(e){e[e.landscape=0]="landscape",e[e.portrait=1]="portrait"}(c=t.CoverStyle||(t.CoverStyle={})),t.CoverStyleMap=(d={},d[c.landscape]="ms-Image-image--landscape",d[c.portrait]="ms-Image-image--portrait",d),t.ImageFitMap=(f={},f[u.ImageFit.center]="ms-Image-image--center",f[u.ImageFit.contain]="ms-Image-image--contain",f[u.ImageFit.cover]="ms-Image-image--cover",f[u.ImageFit.none]="ms-Image-image--none",f);var l="fabricImage",p=function(e){function n(t){var n=e.call(this,t)||this;return n.state={loadState:u.ImageLoadState.notLoaded},n}return r(n,e),n.prototype.componentWillReceiveProps=function(e){e.src!==this.props.src?this.setState({loadState:u.ImageLoadState.notLoaded}):this.state.loadState===u.ImageLoadState.loaded&&this._computeCoverStyle(e)},n.prototype.componentDidUpdate=function(e,t){this._checkImageLoaded(),this.props.onLoadingStateChange&&t.loadState!==this.state.loadState&&this.props.onLoadingStateChange(this.state.loadState)},n.prototype.render=function(){var e=s.getNativeProps(this.props,s.imageProperties,["width","height"]),n=this.props,r=n.src,i=n.alt,c=n.width,p=n.height,d=n.shouldFadeIn,f=n.className,h=n.imageFit,m=n.role,g=n.maximizeFrame,v=this.state.loadState,y=this._coverStyle,b=v===u.ImageLoadState.loaded;return a.createElement("div",{className:s.css("ms-Image",f,{"ms-Image--maximizeFrame":g}),style:{width:c,height:p},ref:this._resolveRef("_frameElement")},a.createElement("img",o({},e,{onLoad:this._onImageLoaded,onError:this._onImageError,key:l+this.props.src||"",className:s.css("ms-Image-image",void 0!==y&&t.CoverStyleMap[y],void 0!==h&&t.ImageFitMap[h],{"is-fadeIn":d,"is-notLoaded":!b,"is-loaded":b,"ms-u-fadeIn400":b&&d,"is-error":v===u.ImageLoadState.error,"ms-Image-image--scaleWidth":void 0===h&&!!c&&!p,"ms-Image-image--scaleHeight":void 0===h&&!c&&!!p,"ms-Image-image--scaleWidthHeight":void 0===h&&!!c&&!!p}),ref:this._resolveRef("_imageElement"),src:r,alt:i,role:m})))},n.prototype._onImageLoaded=function(e){var t=this.props,n=t.src,r=t.onLoad;r&&r(e),this._computeCoverStyle(this.props),n&&this.setState({loadState:u.ImageLoadState.loaded})},n.prototype._checkImageLoaded=function(){var e=this.props.src,t=this.state.loadState;if(t===u.ImageLoadState.notLoaded){var r=e&&this._imageElement.naturalWidth>0&&this._imageElement.naturalHeight>0||this._imageElement.complete&&n._svgRegex.test(e);r&&(this._computeCoverStyle(this.props),this.setState({loadState:u.ImageLoadState.loaded}))}},n.prototype._computeCoverStyle=function(e){var t=e.imageFit,n=e.width,r=e.height;if((t===u.ImageFit.cover||t===u.ImageFit.contain)&&this._imageElement){var o=void 0;o=n&&r?n/r:this._frameElement.clientWidth/this._frameElement.clientHeight;var i=this._imageElement.naturalWidth/this._imageElement.naturalHeight;i>o?this._coverStyle=c.landscape:this._coverStyle=c.portrait}},n.prototype._onImageError=function(e){this.props.onError&&this.props.onError(e),this.setState({loadState:u.ImageLoadState.error})},n}(s.BaseComponent);p.defaultProps={shouldFadeIn:!0},p._svgRegex=/\.svg$/i,i([s.autobind],p.prototype,"_onImageLoaded",null),i([s.autobind],p.prototype,"_onImageError",null),t.Image=p;var d,f},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(0),i=n(41),a=n(347),s=n(6);n(362);var u={},c=function(e){function t(t){var n=e.call(this,t,{onLayerMounted:"onLayerDidMount"})||this;return n.props.hostId&&(u[n.props.hostId]||(u[n.props.hostId]=[]),u[n.props.hostId].push(n)),n}return r(t,e),t.notifyHostChanged=function(e){u[e]&&u[e].forEach(function(e){return e.forceUpdate()})},t.prototype.componentDidMount=function(){this.componentDidUpdate()},t.prototype.componentWillUnmount=function(){var e=this;this._removeLayerElement(),this.props.hostId&&(u[this.props.hostId]=u[this.props.hostId].filter(function(t){return t!==e}),u[this.props.hostId].length||delete u[this.props.hostId])},t.prototype.componentDidUpdate=function(){var e=this,t=this._getHost();if(t!==this._host&&this._removeLayerElement(),t){if(this._host=t,!this._layerElement){var n=s.getDocument(this._rootElement);this._layerElement=n.createElement("div"),this._layerElement.className=s.css("ms-Layer",{"ms-Layer--fixed":!this.props.hostId}),t.appendChild(this._layerElement),s.setVirtualParent(this._layerElement,this._rootElement)}i.unstable_renderSubtreeIntoContainer(this,o.createElement(a.Fabric,{className:"ms-Layer-content"},this.props.children),this._layerElement,function(){e._hasMounted||(e._hasMounted=!0,e.props.onLayerMounted&&e.props.onLayerMounted(),e.props.onLayerDidMount())})}},t.prototype.render=function(){return o.createElement("span",{className:"ms-Layer",ref:this._resolveRef("_rootElement")})},t.prototype._removeLayerElement=function(){if(this._layerElement){this.props.onLayerWillUnmount(),i.unmountComponentAtNode(this._layerElement);var e=this._layerElement.parentNode;e&&e.removeChild(this._layerElement),this._layerElement=void 0,this._hasMounted=!1}},t.prototype._getHost=function(){var e=this.props.hostId,t=s.getDocument(this._rootElement);return e?t.getElementById(e):t.body},t}(s.BaseComponent);c.defaultProps={onLayerDidMount:function(){},onLayerWillUnmount:function(){}},t.Layer=c},function(e,t,n){"use strict";var r=n(0);t.IconButton=function(e){return r.createElement("a",{title:e.title,"aria-label":e.title,className:"ms-Button ms-Button--icon",onClick:e.onClick,disabled:"undefined"!=typeof e.disabled&&e.disabled},r.createElement("span",{className:"ms-Button-icon"},r.createElement("i",{className:"ms-Icon ms-Icon--"+e.icon})),r.createElement("span",{className:"ms-Button-label"}," ",e.text))}},function(e,t,n){"use strict";var r=n(0),o=n(291),i=n(385),a=n(386),s=function(){function e(){this._location=[{filterItem:function(e){return"ScriptLink"===e.Location&&!!e.ScriptSrc},key:"ScriptSrc",name:"Script Src",renderForm:function(e,t){return r.createElement(i.default,{item:e,onInputChange:t,isScriptBlock:!1})},spLocationName:"ScriptLink",type:"ScriptSrc",validateForm:function(e){return e.sequence>0&&""!==e.scriptSrc}},{filterItem:function(e){return"ScriptLink"===e.Location&&!!e.ScriptBlock},key:"ScriptBlock",name:"Script Block",renderForm:function(e,t){return r.createElement(i.default,{item:e,onInputChange:t,isScriptBlock:!0})},spLocationName:"ScriptLink",type:"ScriptBlock",validateForm:function(e){return e.sequence>0&&""!==e.scriptBlock}},{filterItem:function(e){var t=["ActionsMenu","SiteActions"];return"Microsoft.SharePoint.StandardMenu"===e.Location&&t.indexOf(e.Group)>=0},key:"StandardMenu",name:"Standard Menu",renderForm:function(e,t){return r.createElement(a.default,{item:e,onInputChange:t})},spLocationName:"Microsoft.SharePoint.StandardMenu",type:"StandardMenu",validateForm:function(e){return e.sequence>0&&""!==e.group&&""!==e.url}}]}return Object.defineProperty(e.prototype,"supportedCustomActions",{get:function(){return this._location.map(function(e){return e.spLocationName})},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"supportedCustomActionsFilter",{get:function(){return this._location.map(function(e){return e.filterItem})},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"contextMenuItems",{get:function(){var e=this;return this._location.map(function(t){return{className:"ms-ContextualMenu-item",key:t.key,name:t.name,onRender:e._renderCharmMenuItem,type:t.type}})},enumerable:!0,configurable:!0}),e.prototype.getFormComponent=function(e,t){var n;return n="ScriptLink"===e.location?this._location.filter(function(t){return e.scriptBlock?"ScriptBlock"===t.type:"ScriptSrc"===t.type}):this._location.filter(function(t){return t.spLocationName===e.location}),n.length>0?n[0].renderForm(e,t):null},e.prototype.getLocationItem=function(e){var t;return t="ScriptLink"===e.location?this._location.filter(function(t){return e.scriptBlock?"ScriptBlock"===t.type:"ScriptSrc"===t.type}):this._location.filter(function(t){return t.spLocationName===e.location}),t.length>0?t[0]:null},e.prototype.getLocationByKey=function(e){var t=this._location.filter(function(t){return t.key===e});return t.length>0?t[0]:null},e.prototype.getSpLocationNameByType=function(e){var t=this.getLocationByKey(e);return t?t.spLocationName:null},e.prototype._renderCharmMenuItem=function(e){return r.createElement(o.Link,{className:"ms-ContextualMenu-link",to:"newItem/"+e.type,key:e.name},r.createElement("div",{className:"ms-ContextualMenu-linkContent"},r.createElement("span",{className:"ms-ContextualMenu-itemText ms-fontWeight-regular"},e.name)))},e}();t.customActionLocationHelper=new s},function(e,t,n){"use strict";t.__esModule=!0,t.go=t.replaceLocation=t.pushLocation=t.startListener=t.getUserConfirmation=t.getCurrentLocation=void 0;var r=n(126),o=n(187),i=n(343),a=n(68),s=n(320),u="popstate",c="hashchange",l=s.canUseDOM&&!(0,o.supportsPopstateOnHashchange)(),p=function(e){var t=e&&e.key;return(0,r.createLocation)({pathname:window.location.pathname,search:window.location.search,hash:window.location.hash,state:t?(0,i.readState)(t):void 0},void 0,t)},d=t.getCurrentLocation=function(){var e=void 0;try{e=window.history.state||{}}catch(t){e={}}return p(e)},f=(t.getUserConfirmation=function(e,t){return t(window.confirm(e))},t.startListener=function(e){var t=function(t){void 0!==t.state&&e(p(t.state))};(0,o.addEventListener)(window,u,t);var n=function(){return e(d())};return l&&(0,o.addEventListener)(window,c,n),function(){(0,o.removeEventListener)(window,u,t),l&&(0,o.removeEventListener)(window,c,n)}},function(e,t){var n=e.state,r=e.key;void 0!==n&&(0,i.saveState)(r,n),t({key:r},(0,a.createPath)(e))});t.pushLocation=function(e){return f(e,function(e,t){return window.history.pushState(e,null,t)})},t.replaceLocation=function(e){return f(e,function(e,t){return window.history.replaceState(e,null,t)})},t.go=function(e){e&&window.history.go(e)}},function(e,t,n){"use strict";t.__esModule=!0;t.canUseDOM=!("undefined"==typeof window||!window.document||!window.document.createElement)},function(e,t,n){"use strict";function r(e){return e&&e.__esModule?e:{default:e}}t.__esModule=!0;var o=n(392),i=n(68),a=n(322),s=r(a),u=n(186),c=n(126),l=function(){var e=arguments.length<=0||void 0===arguments[0]?{}:arguments[0],t=e.getCurrentLocation,n=e.getUserConfirmation,r=e.pushLocation,a=e.replaceLocation,l=e.go,p=e.keyLength,d=void 0,f=void 0,h=[],m=[],g=[],v=function(){return f&&f.action===u.POP?g.indexOf(f.key):d?g.indexOf(d.key):-1},y=function(e){var t=v();d=e,d.action===u.PUSH?g=[].concat(g.slice(0,t+1),[d.key]):d.action===u.REPLACE&&(g[t]=d.key),m.forEach(function(e){return e(d)})},b=function(e){return h.push(e),function(){return h=h.filter(function(t){return t!==e})}},_=function(e){return m.push(e),function(){return m=m.filter(function(t){return t!==e})}},w=function(e,t){(0,o.loopAsync)(h.length,function(t,n,r){(0,s.default)(h[t],e,function(e){return null!=e?r(e):n()})},function(e){n&&"string"==typeof e?n(e,function(e){return t(e!==!1)}):t(e!==!1)})},E=function(e){d&&(0,c.locationsAreEqual)(d,e)||f&&(0,c.locationsAreEqual)(f,e)||(f=e,w(e,function(t){if(f===e)if(f=null,t){if(e.action===u.PUSH){var n=(0,i.createPath)(d),o=(0,i.createPath)(e);o===n&&(0,c.statesAreEqual)(d.state,e.state)&&(e.action=u.REPLACE)}e.action===u.POP?y(e):e.action===u.PUSH?r(e)!==!1&&y(e):e.action===u.REPLACE&&a(e)!==!1&&y(e)}else if(d&&e.action===u.POP){var s=g.indexOf(d.key),p=g.indexOf(e.key);s!==-1&&p!==-1&&l(s-p)}}))},C=function(e){return E(O(e,u.PUSH))},x=function(e){return E(O(e,u.REPLACE))},S=function(){return l(-1)},T=function(){return l(1)},P=function(){return Math.random().toString(36).substr(2,p||6)},I=function(e){return(0,i.createPath)(e)},O=function(e,t){var n=arguments.length<=2||void 0===arguments[2]?P():arguments[2];return(0,c.createLocation)(e,t,n)};return{getCurrentLocation:t,listenBefore:b,listen:_,transitionTo:E,push:C,replace:x,go:l,goBack:S,goForward:T,createKey:P,createPath:i.createPath,createHref:I,createLocation:O}};t.default=l},function(e,t,n){"use strict";function r(e){return e&&e.__esModule?e:{default:e}}t.__esModule=!0;var o=n(70),i=(r(o),function(e,t,n){var r=e(t,n);e.length<2&&n(r)});t.default=i},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(353))},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(330))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(134),u=n(6),c="data-is-focusable",l="data-disable-click-on-enter",p="data-focuszone-id",d="tabindex",f={},h=["text","number","password","email","tel","url","search"],m=function(e){function t(t){var n=e.call(this,t)||this;return n._id=u.getId("FocusZone"),f[n._id]=n,n._focusAlignment={left:0,top:0},n}return r(t,e),t.prototype.componentDidMount=function(){for(var e=this.refs.root.ownerDocument.defaultView,t=u.getParent(this.refs.root);t&&t!==document.body&&1===t.nodeType;){if(u.isElementFocusZone(t)){this._isInnerZone=!0;break}t=u.getParent(t)}this._events.on(e,"keydown",this._onKeyDownCapture,!0),this._updateTabIndexes(),this.props.defaultActiveElement&&(this._activeElement=u.getDocument().querySelector(this.props.defaultActiveElement))},t.prototype.componentWillUnmount=function(){delete f[this._id]},t.prototype.render=function(){var e=this.props,t=e.rootProps,n=e.ariaLabelledBy,r=e.className;return a.createElement("div",o({},t,{className:u.css("ms-FocusZone",r),ref:"root","data-focuszone-id":this._id,"aria-labelledby":n,onKeyDown:this._onKeyDown,onFocus:this._onFocus},{onMouseDownCapture:this._onMouseDown}),this.props.children)},t.prototype.focus=function(){if(this._activeElement&&u.elementContains(this.refs.root,this._activeElement))return this._activeElement.focus(),!0;var e=this.refs.root.firstChild;return this.focusElement(u.getNextElement(this.refs.root,e,!0))},t.prototype.focusElement=function(e){var t=this.props.onBeforeFocus;return!(t&&!t(e))&&(!(!e||(this._activeElement&&(this._activeElement.tabIndex=-1),this._activeElement=e,!e))&&(this._focusAlignment||this._setFocusAlignment(e,!0,!0),this._activeElement.tabIndex=0,e.focus(),!0))},t.prototype._onFocus=function(e){var t=this.props.onActiveElementChanged;if(this._isImmediateDescendantOfZone(e.target))this._activeElement=e.target,this._setFocusAlignment(this._activeElement);else for(var n=e.target;n&&n!==this.refs.root;){if(u.isElementTabbable(n)&&this._isImmediateDescendantOfZone(n)){this._activeElement=n;break}n=u.getParent(n)}t&&t(this._activeElement,e)},t.prototype._onKeyDownCapture=function(e){e.which===u.KeyCodes.tab&&this._updateTabIndexes()},t.prototype._onMouseDown=function(e){var t=this.props.disabled;if(!t){for(var n=e.target,r=[];n&&n!==this.refs.root;)r.push(n),n=u.getParent(n);for(;r.length&&(n=r.pop(),!u.isElementFocusZone(n));)n&&u.isElementTabbable(n)&&(n.tabIndex=0,this._setFocusAlignment(n,!0,!0))}},t.prototype._onKeyDown=function(e){var t=this.props,n=t.direction,r=t.disabled,o=t.isInnerZoneKeystroke;if(!r){if(o&&this._isImmediateDescendantOfZone(e.target)&&o(e)){var i=this._getFirstInnerZone();if(!i||!i.focus())return}else switch(e.which){case u.KeyCodes.left:if(n!==s.FocusZoneDirection.vertical&&this._moveFocusLeft())break;return;case u.KeyCodes.right:if(n!==s.FocusZoneDirection.vertical&&this._moveFocusRight())break;return;case u.KeyCodes.up:if(n!==s.FocusZoneDirection.horizontal&&this._moveFocusUp())break;return;case u.KeyCodes.down:if(n!==s.FocusZoneDirection.horizontal&&this._moveFocusDown())break;return;case u.KeyCodes.home:var a=this.refs.root.firstChild;if(this.focusElement(u.getNextElement(this.refs.root,a,!0)))break;return;case u.KeyCodes.end:var c=this.refs.root.lastChild;if(this.focusElement(u.getPreviousElement(this.refs.root,c,!0,!0,!0)))break;return;case u.KeyCodes.enter:if(this._tryInvokeClickForFocusable(e.target))break;return;default:return}e.preventDefault(),e.stopPropagation()}},t.prototype._tryInvokeClickForFocusable=function(e){do{if("BUTTON"===e.tagName||"A"===e.tagName)return!1;if(this._isImmediateDescendantOfZone(e)&&"true"===e.getAttribute(c)&&"true"!==e.getAttribute(l))return u.EventGroup.raise(e,"click",null,!0),!0;e=u.getParent(e)}while(e!==this.refs.root);return!1},t.prototype._getFirstInnerZone=function(e){e=e||this._activeElement||this.refs.root;for(var t=e.firstElementChild;t;){if(u.isElementFocusZone(t))return f[t.getAttribute(p)];var n=this._getFirstInnerZone(t);if(n)return n;t=t.nextElementSibling}return null},t.prototype._moveFocus=function(e,t,n){var r,o=this._activeElement,i=-1,a=!1,c=this.props.direction===s.FocusZoneDirection.bidirectional;if(!o)return!1;if(this._isElementInput(o)&&!this._shouldInputLoseFocus(o,e))return!1;var l=c?o.getBoundingClientRect():null;do{if(o=e?u.getNextElement(this.refs.root,o):u.getPreviousElement(this.refs.root,o),!c){r=o;break}if(o){var p=o.getBoundingClientRect(),d=t(l,p);if(d>-1&&(i===-1||d=0&&d<0)break}}while(o);if(r&&r!==this._activeElement)a=!0,this.focusElement(r);else if(this.props.isCircularNavigation)return e?this.focusElement(u.getNextElement(this.refs.root,this.refs.root.firstElementChild,!0)):this.focusElement(u.getPreviousElement(this.refs.root,this.refs.root.lastElementChild,!0,!0,!0));return a},t.prototype._moveFocusDown=function(){var e=-1,t=this._focusAlignment.left;return!!this._moveFocus(!0,function(n,r){var o=-1,i=Math.floor(r.top),a=Math.floor(n.bottom);return(e===-1&&i>=a||i===e)&&(e=i,o=t>=r.left&&t<=r.left+r.width?0:Math.abs(r.left+r.width/2-t)),o})&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusUp=function(){var e=-1,t=this._focusAlignment.left;return!!this._moveFocus(!1,function(n,r){var o=-1,i=Math.floor(r.bottom),a=Math.floor(r.top),s=Math.floor(n.top);return(e===-1&&i<=s||a===e)&&(e=a,o=t>=r.left&&t<=r.left+r.width?0:Math.abs(r.left+r.width/2-t)),o})&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusLeft=function(){var e=this,t=-1,n=this._focusAlignment.top;return!!this._moveFocus(u.getRTL(),function(r,o){var i=-1;return(t===-1&&o.right<=r.right&&(e.props.direction===s.FocusZoneDirection.horizontal||o.top===r.top)||o.top===t)&&(t=o.top,i=Math.abs(o.top+o.height/2-n)),i})&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusRight=function(){var e=this,t=-1,n=this._focusAlignment.top;return!!this._moveFocus(!u.getRTL(),function(r,o){var i=-1;return(t===-1&&o.left>=r.left&&(e.props.direction===s.FocusZoneDirection.horizontal||o.top===r.top)||o.top===t)&&(t=o.top,i=Math.abs(o.top+o.height/2-n)),i})&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._setFocusAlignment=function(e,t,n){if(this.props.direction===s.FocusZoneDirection.bidirectional&&(!this._focusAlignment||t||n)){var r=e.getBoundingClientRect(),o=r.left+r.width/2,i=r.top+r.height/2;this._focusAlignment||(this._focusAlignment={left:o,top:i}),t&&(this._focusAlignment.left=o),n&&(this._focusAlignment.top=i)}},t.prototype._isImmediateDescendantOfZone=function(e){for(var t=u.getParent(e);t&&t!==this.refs.root&&t!==document.body;){if(u.isElementFocusZone(t))return!1;t=u.getParent(t)}return!0},t.prototype._updateTabIndexes=function(e){e||(e=this.refs.root,this._activeElement&&!u.elementContains(e,this._activeElement)&&(this._activeElement=null));for(var t=e.children,n=0;t&&n-1){var n=e.selectionStart,r=e.selectionEnd,o=n!==r,i=e.value;if(o||n>0&&!t||n!==i.length&&t)return!1}return!0},t}(u.BaseComponent);m.defaultProps={isCircularNavigation:!1,direction:s.FocusZoneDirection.bidirectional},i([u.autobind],m.prototype,"_onFocus",null),i([u.autobind],m.prototype,"_onMouseDown",null),i([u.autobind],m.prototype,"_onKeyDown",null),t.FocusZone=m},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n]); -}r(n(325)),r(n(134))},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:".ms-Image{overflow:hidden}.ms-Image--maximizeFrame{height:100%;width:100%}.ms-Image-image{display:block;opacity:0}.ms-Image-image.is-loaded{opacity:1}.ms-Image-image--center,.ms-Image-image--contain,.ms-Image-image--cover{position:relative;top:50%}html[dir=ltr] .ms-Image-image--center,html[dir=ltr] .ms-Image-image--contain,html[dir=ltr] .ms-Image-image--cover{left:50%}html[dir=rtl] .ms-Image-image--center,html[dir=rtl] .ms-Image-image--contain,html[dir=rtl] .ms-Image-image--cover{right:50%}html[dir=ltr] .ms-Image-image--center,html[dir=ltr] .ms-Image-image--contain,html[dir=ltr] .ms-Image-image--cover{-webkit-transform:translate(-50%,-50%);transform:translate(-50%,-50%)}html[dir=rtl] .ms-Image-image--center,html[dir=rtl] .ms-Image-image--contain,html[dir=rtl] .ms-Image-image--cover{-webkit-transform:translate(50%,-50%);transform:translate(50%,-50%)}.ms-Image-image--contain.ms-Image-image--landscape{width:100%;height:auto}.ms-Image-image--contain.ms-Image-image--portrait{height:100%;width:auto}.ms-Image-image--cover.ms-Image-image--landscape{height:100%;width:auto}.ms-Image-image--cover.ms-Image-image--portrait{width:100%;height:auto}.ms-Image-image--none{height:auto;width:auto}.ms-Image-image--scaleWidthHeight{height:100%;width:100%}.ms-Image-image--scaleWidth{height:auto;width:100%}.ms-Image-image--scaleHeight{height:100%;width:auto}"}])},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=e&&u&&(a=!0,n()))}}var i=0,a=!1,s=!1,u=!1,c=void 0;o()}function o(e,t,n){function r(e,t,r){a||(t?(a=!0,n(t)):(i[e]=r,a=++s===o,a&&n(null,i)))}var o=e.length,i=[];if(0===o)return n(null,i);var a=!1,s=0;e.forEach(function(e,n){t(e,n,function(e,t){r(n,e,t)})})}t.b=r,t.a=o},function(e,t,n){"use strict";function r(e){return"@@contextSubscriber/"+e}function o(e){var t,n,o=r(e),i=o+"/listeners",a=o+"/eventIndex",u=o+"/subscribe";return n={childContextTypes:(t={},t[o]=s.isRequired,t),getChildContext:function(){var e;return e={},e[o]={eventIndex:this[a],subscribe:this[u]},e},componentWillMount:function(){this[i]=[],this[a]=0},componentWillReceiveProps:function(){this[a]++},componentDidUpdate:function(){var e=this;this[i].forEach(function(t){return t(e[a])})}},n[u]=function(e){var t=this;return this[i].push(e),function(){t[i]=t[i].filter(function(t){return t!==e})}},n}function i(e){var t,n,o=r(e),i=o+"/lastRenderedEventIndex",a=o+"/handleContextUpdate",u=o+"/unsubscribe";return n={contextTypes:(t={},t[o]=s,t),getInitialState:function(){var e;return this.context[o]?(e={},e[i]=this.context[o].eventIndex,e):{}},componentDidMount:function(){this.context[o]&&(this[u]=this.context[o].subscribe(this[a]))},componentWillReceiveProps:function(){var e;this.context[o]&&this.setState((e={},e[i]=this.context[o].eventIndex,e))},componentWillUnmount:function(){this[u]&&(this[u](),this[u]=null)}},n[a]=function(e){if(e!==this.state[i]){var t;this.setState((t={},t[i]=e,t))}},n}var a=n(0);n.n(a);t.a=o,t.b=i;var s=a.PropTypes.shape({subscribe:a.PropTypes.func.isRequired,eventIndex:a.PropTypes.number.isRequired})},function(e,t,n){"use strict";var r=n(0);n.n(r);n.d(t,"b",function(){return u}),n.d(t,"a",function(){return c});var o=r.PropTypes.func,i=r.PropTypes.object,a=r.PropTypes.shape,s=r.PropTypes.string,u=a({push:o.isRequired,replace:o.isRequired,go:o.isRequired,goBack:o.isRequired,goForward:o.isRequired,setRouteLeaveHook:o.isRequired,isActive:o.isRequired}),c=a({pathname:s.isRequired,search:s.isRequired,state:i,action:s.isRequired,key:s})},function(e,t,n){"use strict";var r=n(16),o=n.n(r),i=n(0),a=n.n(i),s=n(415),u=n(332),c=n(69),l=Object.assign||function(e){for(var t=1;t1?t-1:0),o=1;o1?t-1:0),o=1;o=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},i=n(0),a=n(46),s=n(6),u=n(369),c=n(349);n(351);var l={top:0,left:0},p={opacity:0},d=1,f=8,h=function(e){function t(t){var n=e.call(this,t,{beakStyle:"beakWidth"})||this;return n._didSetInitialFocus=!1,n.state={positions:null,slideDirectionalClassName:null,calloutElementRect:null},n._positionAttempts=0,n}return r(t,e),t.prototype.componentDidUpdate=function(){this._setInitialFocus(),this._updatePosition()},t.prototype.componentWillMount=function(){var e=this.props.targetElement?this.props.targetElement:this.props.target;this._setTargetWindowAndElement(e)},t.prototype.componentWillUpdate=function(e){if(e.targetElement!==this.props.targetElement||e.target!==this.props.target){var t=e.targetElement?e.targetElement:e.target;this._maxHeight=void 0,this._setTargetWindowAndElement(t)}e.gapSpace===this.props.gapSpace&&this.props.beakWidth===e.beakWidth||(this._maxHeight=void 0)},t.prototype.componentDidMount=function(){this._onComponentDidMount()},t.prototype.render=function(){if(!this._targetWindow)return null;var e=this.props,t=e.className,n=e.target,r=e.targetElement,o=e.isBeakVisible,a=e.beakStyle,u=e.children,d=e.beakWidth,f=this.state.positions,h=d;"ms-Callout-smallbeak"===a&&(h=16);var m={top:f&&f.beakPosition?f.beakPosition.top:l.top,left:f&&f.beakPosition?f.beakPosition.left:l.left,height:h,width:h},g=f&&f.directionalClassName?"ms-u-"+f.directionalClassName:"",v=this._getMaxHeight(),y=o&&(!!r||!!n),b=i.createElement("div",{ref:this._resolveRef("_hostElement"),className:"ms-Callout-container"},i.createElement("div",{className:s.css("ms-Callout",t,g),style:f?f.calloutPosition:p,ref:this._resolveRef("_calloutElement")},y&&i.createElement("div",{className:"ms-Callout-beak",style:m}),y&&i.createElement("div",{className:"ms-Callout-beakCurtain"}),i.createElement(c.Popup,{className:"ms-Callout-main",onDismiss:this.dismiss,shouldRestoreFocus:!0,style:{maxHeight:v}},u)));return b},t.prototype.dismiss=function(e){var t=this.props.onDismiss;t&&t(e)},t.prototype._dismissOnScroll=function(e){this.state.positions&&this._dismissOnLostFocus(e)},t.prototype._dismissOnLostFocus=function(e){var t=e.target,n=this._hostElement&&!s.elementContains(this._hostElement,t);(!this._target&&n||e.target!==this._targetWindow&&n&&(this._target.stopPropagation||!this._target||t!==this._target&&!s.elementContains(this._target,t)))&&this.dismiss(e)},t.prototype._setInitialFocus=function(){this.props.setInitialFocus&&!this._didSetInitialFocus&&this.state.positions&&(this._didSetInitialFocus=!0,s.focusFirstChild(this._calloutElement))},t.prototype._onComponentDidMount=function(){var e=this;this._async.setTimeout(function(){e._events.on(e._targetWindow,"scroll",e._dismissOnScroll,!0),e._events.on(e._targetWindow,"resize",e.dismiss,!0),e._events.on(e._targetWindow,"focus",e._dismissOnLostFocus,!0),e._events.on(e._targetWindow,"click",e._dismissOnLostFocus,!0)},0),this.props.onLayerMounted&&this.props.onLayerMounted(),this._updatePosition()},t.prototype._updatePosition=function(){var e=this.state.positions,t=this._hostElement,n=this._calloutElement;if(t&&n){var r=void 0;r=s.assign(r,this.props),r.bounds=this._getBounds(),this.props.targetElement?r.targetElement=this._target:r.target=this._target;var o=u.getRelativePositions(r,t,n);!e&&o||e&&o&&!this._arePositionsEqual(e,o)&&this._positionAttempts<5?(this._positionAttempts++,this.setState({positions:o})):(this._positionAttempts=0,this.props.onPositioned&&this.props.onPositioned())}},t.prototype._getBounds=function(){if(!this._bounds){var e=this.props.bounds;e||(e={top:0+f,left:0+f,right:this._targetWindow.innerWidth-f,bottom:this._targetWindow.innerHeight-f,width:this._targetWindow.innerWidth-2*f,height:this._targetWindow.innerHeight-2*f}),this._bounds=e}return this._bounds},t.prototype._getMaxHeight=function(){if(!this._maxHeight)if(this.props.directionalHintFixed&&this._target){var e=this.props.isBeakVisible?this.props.beakWidth:0,t=this.props.gapSpace?this.props.gapSpace:0;this._maxHeight=u.getMaxHeight(this._target,this.props.directionalHint,e+t,this._getBounds())}else this._maxHeight=this._getBounds().height-2*d;return this._maxHeight},t.prototype._arePositionsEqual=function(e,t){return e.calloutPosition.top.toFixed(2)===t.calloutPosition.top.toFixed(2)&&(e.calloutPosition.left.toFixed(2)===t.calloutPosition.left.toFixed(2)&&(e.beakPosition.top.toFixed(2)===t.beakPosition.top.toFixed(2)&&e.beakPosition.top.toFixed(2)===t.beakPosition.top.toFixed(2)))},t.prototype._setTargetWindowAndElement=function(e){if(e)if("string"==typeof e){var t=s.getDocument();this._target=t?t.querySelector(e):null,this._targetWindow=s.getWindow()}else if(e.stopPropagation)this._target=e,this._targetWindow=s.getWindow(e.toElement);else{var n=e;this._target=e,this._targetWindow=s.getWindow(n)}else this._targetWindow=s.getWindow()},t}(s.BaseComponent);h.defaultProps={isBeakVisible:!0,beakWidth:16,gapSpace:16,directionalHint:a.DirectionalHint.bottomAutoEdge},o([s.autobind],h.prototype,"dismiss",null),o([s.autobind],h.prototype,"_setInitialFocus",null),o([s.autobind],h.prototype,"_onComponentDidMount",null),t.CalloutContent=h},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(350)),r(n(46))},function(e,t,n){"use strict";function r(e){var t=o(e);return!(!t||!t.length)}function o(e){return e.subMenuProps?e.subMenuProps.items:e.items}var i=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},a=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},u=n(0),c=n(313),l=n(46),p=n(196),d=n(6),f=n(323),h=n(348);n(355);var m;!function(e){e[e.vertical=0]="vertical",e[e.horizontal=1]="horizontal"}(m||(m={}));var g;!function(e){e[e.auto=0]="auto",e[e.left=1]="left",e[e.center=2]="center",e[e.right=3]="right"}(g||(g={}));var v;!function(e){e[e.top=0]="top",e[e.center=1]="center",e[e.bottom=2]="bottom"}(v||(v={})),t.hasSubmenuItems=r,t.getSubmenuItems=o;var y=function(e){function t(t){var n=e.call(this,t)||this;return n.state={contextualMenuItems:null,subMenuId:d.getId("ContextualMenu")},n._isFocusingPreviousElement=!1,n._enterTimerId=0,n}return i(t,e),t.prototype.dismiss=function(e,t){var n=this.props.onDismiss;n&&n(e,t)},t.prototype.componentWillUpdate=function(e){if(e.targetElement!==this.props.targetElement||e.target!==this.props.target){var t=e.targetElement?e.targetElement:e.target;this._setTargetWindowAndElement(t)}},t.prototype.componentWillMount=function(){var e=this.props.targetElement?this.props.targetElement:this.props.target;this._setTargetWindowAndElement(e),this._previousActiveElement=this._targetWindow?this._targetWindow.document.activeElement:null},t.prototype.componentDidMount=function(){this._events.on(this._targetWindow,"resize",this.dismiss)},t.prototype.componentWillUnmount=function(){var e=this;this._isFocusingPreviousElement&&this._previousActiveElement&&setTimeout(function(){return e._previousActiveElement.focus()},0),this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this,n=this.props,r=n.className,o=n.items,i=n.isBeakVisible,s=n.labelElementId,c=n.targetElement,l=n.id,h=n.targetPoint,m=n.useTargetPoint,g=n.beakWidth,v=n.directionalHint,y=n.gapSpace,b=n.coverTarget,_=n.ariaLabel,w=n.doNotLayer,E=n.arrowDirection,C=n.target,x=n.bounds,S=n.directionalHintFixed,T=n.shouldFocusOnMount,P=this.state.submenuProps,I=!(!o||!o.some(function(e){return!!e.icon||!!e.iconProps})),O=!(!o||!o.some(function(e){return!!e.canCheck}));return o&&o.length>0?u.createElement(f.Callout,{target:C,targetElement:c,targetPoint:h,useTargetPoint:m,isBeakVisible:i,beakWidth:g,directionalHint:v,gapSpace:y,coverTarget:b,doNotLayer:w,className:"ms-ContextualMenu-Callout",setInitialFocus:T,onDismiss:this.props.onDismiss,bounds:x,directionalHintFixed:S},u.createElement("div",{ref:function(t){return e._host=t},id:l,className:d.css("ms-ContextualMenu-container",r)},o&&o.length?u.createElement(p.FocusZone,{className:"ms-ContextualMenu is-open",direction:E,ariaLabelledBy:s,ref:function(t){return e._focusZone=t},rootProps:{role:"menu"}},u.createElement("ul",{className:"ms-ContextualMenu-list is-open",onKeyDown:this._onKeyDown,"aria-label":_},o.map(function(t,n){return e._renderMenuItem(t,n,O,I)}))):null,P?u.createElement(t,a({},P)):null)):null},t.prototype._renderMenuItem=function(e,t,n,r){var o=[];switch("-"===e.name&&(e.itemType=c.ContextualMenuItemType.Divider),e.itemType){case c.ContextualMenuItemType.Divider:o.push(this._renderSeparator(t,e.className));break;case c.ContextualMenuItemType.Header:o.push(this._renderSeparator(t));var i=this._renderHeaderMenuItem(e,t,n,r);o.push(this._renderListItem(i,e.key||t,e.className,e.title));break;default:var a=this._renderNormalItem(e,t,n,r);o.push(this._renderListItem(a,e.key||t,e.className,e.title))}return o},t.prototype._renderListItem=function(e,t,n,r){return u.createElement("li",{role:"menuitem",title:r,key:t,className:d.css("ms-ContextualMenu-item",n)},e)},t.prototype._renderSeparator=function(e,t){return e>0?u.createElement("li",{role:"separator",key:"separator-"+e,className:d.css("ms-ContextualMenu-divider",t)}):null},t.prototype._renderNormalItem=function(e,t,n,r){return e.onRender?[e.onRender(e)]:e.href?this._renderAnchorMenuItem(e,t,n,r):this._renderButtonItem(e,t,n,r)},t.prototype._renderHeaderMenuItem=function(e,t,n,r){return u.createElement("div",{className:"ms-ContextualMenu-header"},this._renderMenuItemChildren(e,t,n,r))},t.prototype._renderAnchorMenuItem=function(e,t,n,r){return u.createElement("div",null,u.createElement("a",a({},d.getNativeProps(e,d.anchorProperties),{href:e.href,className:d.css("ms-ContextualMenu-link",e.isDisabled||e.disabled?"is-disabled":""),role:"menuitem",onClick:this._onAnchorClick.bind(this,e)}),r?this._renderIcon(e):null,u.createElement("span",{className:"ms-ContextualMenu-linkText"}," ",e.name," ")))},t.prototype._renderButtonItem=function(e,t,n,o){var i=this,a=this.state,s=a.expandedMenuItemKey,c=a.subMenuId,l="";e.ariaLabel?l=e.ariaLabel:e.name&&(l=e.name);var p={className:d.css("ms-ContextualMenu-link",{"is-expanded":s===e.key}),onClick:this._onItemClick.bind(this,e),onKeyDown:r(e)?this._onItemKeyDown.bind(this,e):null,onMouseEnter:this._onItemMouseEnter.bind(this,e),onMouseLeave:this._onMouseLeave,onMouseDown:function(t){return i._onItemMouseDown(e,t)},disabled:e.isDisabled||e.disabled,role:"menuitem",href:e.href,title:e.title,"aria-label":l,"aria-haspopup":!!r(e)||null,"aria-owns":e.key===s?c:null};return u.createElement("button",d.assign({},d.getNativeProps(e,d.buttonProperties),p),this._renderMenuItemChildren(e,t,n,o))},t.prototype._renderMenuItemChildren=function(e,t,n,o){var i=e.isChecked||e.checked;return u.createElement("div",{className:"ms-ContextualMenu-linkContent"},n?u.createElement(h.Icon,{iconName:i?"CheckMark":"CustomIcon",className:"ms-ContextualMenu-icon",onClick:this._onItemClick.bind(this,e)}):null,o?this._renderIcon(e):null,u.createElement("span",{className:"ms-ContextualMenu-itemText"},e.name),r(e)?u.createElement(h.Icon,a({iconName:d.getRTL()?"ChevronLeft":"ChevronRight"},e.submenuIconProps,{className:d.css("ms-ContextualMenu-submenuIcon",e.submenuIconProps?e.submenuIconProps.className:"")})):null)},t.prototype._renderIcon=function(e){var t=e.iconProps?e.iconProps:{iconName:"CustomIcon",className:e.icon?"ms-Icon--"+e.icon:""},n="None"===t.iconName?"":"ms-ContextualMenu-iconColor",r=d.css("ms-ContextualMenu-icon",n,t.className);return u.createElement(h.Icon,a({},t,{className:r}))},t.prototype._onKeyDown=function(e){var t=d.getRTL()?d.KeyCodes.right:d.KeyCodes.left;(e.which===d.KeyCodes.escape||e.which===d.KeyCodes.tab||e.which===t&&this.props.isSubMenu&&this.props.arrowDirection===p.FocusZoneDirection.vertical)&&(this._isFocusingPreviousElement=!0,e.preventDefault(),e.stopPropagation(),this.dismiss(e))},t.prototype._onItemMouseEnter=function(e,t){var n=this,o=t.currentTarget;e.key!==this.state.expandedMenuItemKey&&(r(e)?this._enterTimerId=this._async.setTimeout(function(){return n._onItemSubMenuExpand(e,o)},500):this._enterTimerId=this._async.setTimeout(function(){return n._onSubMenuDismiss(t)},500))},t.prototype._onMouseLeave=function(e){this._async.clearTimeout(this._enterTimerId)},t.prototype._onItemMouseDown=function(e,t){e.onMouseDown&&e.onMouseDown(e,t)},t.prototype._onItemClick=function(e,t){var n=o(e);n&&n.length?e.key===this.state.expandedMenuItemKey?this._onSubMenuDismiss(t):this._onItemSubMenuExpand(e,t.currentTarget):this._executeItemClick(e,t),t.stopPropagation(),t.preventDefault()},t.prototype._onAnchorClick=function(e,t){this._executeItemClick(e,t),t.stopPropagation()},t.prototype._executeItemClick=function(e,t){e.onClick&&e.onClick(t,e),this.dismiss(t,!0)},t.prototype._onItemKeyDown=function(e,t){var n=d.getRTL()?d.KeyCodes.left:d.KeyCodes.right;t.which===n&&(this._onItemSubMenuExpand(e,t.currentTarget),t.preventDefault())},t.prototype._onItemSubMenuExpand=function(e,t){if(this.state.expandedMenuItemKey!==e.key){this.state.submenuProps&&this._onSubMenuDismiss();var n={items:o(e),target:t,onDismiss:this._onSubMenuDismiss,isSubMenu:!0,id:this.state.subMenuId,shouldFocusOnMount:!0,directionalHint:d.getRTL()?l.DirectionalHint.leftTopEdge:l.DirectionalHint.rightTopEdge,className:this.props.className,gapSpace:0};e.subMenuProps&&d.assign(n,e.subMenuProps),this.setState({expandedMenuItemKey:e.key,submenuProps:n})}},t.prototype._onSubMenuDismiss=function(e,t){t?this.dismiss(e,t):this.setState({dismissedMenuItemKey:this.state.expandedMenuItemKey,expandedMenuItemKey:null,submenuProps:null})},t.prototype._setTargetWindowAndElement=function(e){if(e)if("string"==typeof e){var t=d.getDocument();this._target=t?t.querySelector(e):null,this._targetWindow=d.getWindow()}else if(e.stopPropagation)this._target=e,this._targetWindow=d.getWindow(e.toElement);else{var n=e;this._target=e,this._targetWindow=d.getWindow(n)}else this._targetWindow=d.getWindow()},t}(d.BaseComponent);y.defaultProps={items:[],shouldFocusOnMount:!0,isBeakVisible:!1,gapSpace:0,directionalHint:l.DirectionalHint.bottomAutoEdge,beakWidth:16,arrowDirection:p.FocusZoneDirection.vertical}, -s([d.autobind],y.prototype,"dismiss",null),s([d.autobind],y.prototype,"_onKeyDown",null),s([d.autobind],y.prototype,"_onMouseLeave",null),s([d.autobind],y.prototype,"_onSubMenuDismiss",null),t.ContextualMenu=y},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:".ms-ContextualMenu{background-color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:';min-width:180px}.ms-ContextualMenu-list{list-style-type:none;margin:0;padding:0;line-height:0}.ms-ContextualMenu-item{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";height:36px;position:relative;box-sizing:border-box}.ms-ContextualMenu-link{font:inherit;color:inherit;background:0 0;border:none;width:100%;height:36px;line-height:36px;display:block;cursor:pointer;padding:0 6px}.ms-ContextualMenu-link::-moz-focus-inner{border:0}.ms-ContextualMenu-link{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-ContextualMenu-link:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .ms-ContextualMenu-link{text-align:left}html[dir=rtl] .ms-ContextualMenu-link{text-align:right}.ms-ContextualMenu-link:hover:not([disabled]){background:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-ContextualMenu-link.is-disabled,.ms-ContextualMenu-link[disabled]{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:";cursor:default;pointer-events:none}.ms-ContextualMenu-link.is-disabled .ms-ContextualMenu-icon,.ms-ContextualMenu-link[disabled] .ms-ContextualMenu-icon{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.is-focusVisible .ms-ContextualMenu-link:focus{background:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-ContextualMenu-link.is-expanded,.ms-ContextualMenu-link.is-expanded:hover{background:"},{theme:"neutralQuaternaryAlt",defaultValue:"#dadada"},{rawString:";color:"},{theme:"black",defaultValue:"#000000"},{rawString:';font-weight:600}.ms-ContextualMenu-header{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:12px;font-weight:400;font-weight:600;color:'},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";background:0 0;border:none;height:36px;line-height:36px;cursor:default;padding:0 6px;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.ms-ContextualMenu-header::-moz-focus-inner{border:0}.ms-ContextualMenu-header{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-ContextualMenu-header:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .ms-ContextualMenu-header{text-align:left}html[dir=rtl] .ms-ContextualMenu-header{text-align:right}a.ms-ContextualMenu-link{padding:0 6px;text-rendering:auto;color:inherit;letter-spacing:normal;word-spacing:normal;text-transform:none;text-indent:0;text-shadow:none;box-sizing:border-box}.ms-ContextualMenu-linkContent{white-space:nowrap;height:inherit;display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-align:center;-ms-flex-align:center;align-items:center;max-width:100%}.ms-ContextualMenu-divider{display:block;height:1px;background-color:"},{theme:"neutralLight",defaultValue:"#eaeaea"},{rawString:";position:relative}.ms-ContextualMenu-icon{display:inline-block;min-height:1px;max-height:36px;width:14px;margin:0 4px;vertical-align:middle;-ms-flex-negative:0;flex-shrink:0}.ms-ContextualMenu-iconColor{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}.ms-ContextualMenu-itemText{margin:0 4px;vertical-align:middle;display:inline-block;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;text-overflow:ellipsis;overflow:hidden;white-space:nowrap}.ms-ContextualMenu-linkText{margin:0 4px;display:inline-block;vertical-align:top;white-space:nowrap}.ms-ContextualMenu-submenuIcon{height:36px;line-height:36px;text-align:center;font-size:10px;display:inline-block;vertical-align:middle;-ms-flex-negative:0;flex-shrink:0}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(354)),r(n(313))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n-1&&(this.setState({isFocusVisible:!0}),u=!0)},t}(i.Component);t.Fabric=c},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(357))},function(e,t,n){"use strict";var r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6),u=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return r(t,e),t.prototype.componentWillMount=function(){this._originalFocusedElement=s.getDocument().activeElement},t.prototype.componentDidMount=function(){this._events.on(this.refs.root,"focus",this._onFocus,!0),this._events.on(this.refs.root,"blur",this._onBlur,!0),s.doesElementContainFocus(this.refs.root)&&(this._containsFocus=!0)},t.prototype.componentWillUnmount=function(){this.props.shouldRestoreFocus&&this._originalFocusedElement&&this._containsFocus&&this._originalFocusedElement!==window&&this._originalFocusedElement&&this._originalFocusedElement.focus()},t.prototype.render=function(){var e=this.props,t=e.role,n=e.className,r=e.ariaLabelledBy,i=e.ariaDescribedBy;return a.createElement("div",o({ref:"root"},s.getNativeProps(this.props,s.divProperties),{className:n,role:t,"aria-labelledby":r,"aria-describedby":i,onKeyDown:this._onKeyDown}),this.props.children)},t.prototype._onKeyDown=function(e){switch(e.which){case s.KeyCodes.escape:this.props.onDismiss&&(this.props.onDismiss(),e.preventDefault(),e.stopPropagation())}},t.prototype._onFocus=function(){this._containsFocus=!0},t.prototype._onBlur=function(){this._containsFocus=!1},t}(s.BaseComponent);u.defaultProps={shouldRestoreFocus:!0},i([s.autobind],u.prototype,"_onKeyDown",null),t.Popup=u},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n0?o:r.height}function n(e,t){var n;if(t.preventDefault){var r=t;n=new s.Rectangle(r.clientX,r.clientX,r.clientY,r.clientY)}else n=o(t);if(!b(n,e))for(var a=_(n,e),u=0,c=a;u100?s=100:s<0&&(s=0),s}function y(e,t){return!(e.width>t.width||e.height>t.height)}function b(e,t){return!(e.topt.bottom)&&(!(e.leftt.right)))}function _(e,t){var n=new Array;return e.topt.bottom&&n.push(i.bottom),e.leftt.right&&n.push(i.right),n}function w(e,t,n){var r,o;switch(t){case i.top:r={x:e.left,y:e.top},o={x:e.right,y:e.top};break;case i.left:r={x:e.left,y:e.top},o={x:e.left,y:e.bottom};break;case i.right:r={x:e.right,y:e.top},o={x:e.right,y:e.bottom};break;case i.bottom: -r={x:e.left,y:e.bottom},o={x:e.right,y:e.bottom};break;default:r={x:0,y:0},o={x:0,y:0}}return C(r,o,n)}function E(e,t,n){switch(t){case i.top:case i.bottom:return 0!==e.width?(n.x-e.left)/e.width*100:100;case i.left:case i.right:return 0!==e.height?(n.y-e.top)/e.height*100:100}}function C(e,t,n){var r=e.x+(t.x-e.x)*n/100,o=e.y+(t.y-e.y)*n/100;return{x:r,y:o}}function x(e,t){return new s.Rectangle(t.x,t.x+e.width,t.y,t.y+e.height)}function S(e,t,n){switch(n){case i.top:return x(e,{x:e.left,y:t});case i.bottom:return x(e,{x:e.left,y:t-e.height});case i.left:return x(e,{x:t,y:e.top});case i.right:return x(e,{x:t-e.width,y:e.top})}return new s.Rectangle}function T(e,t,n){var r=t.x-e.left,o=t.y-e.top;return x(e,{x:n.x-r,y:n.y-o})}function P(e,t,n){var r=0,o=0;switch(n){case i.top:o=t*-1;break;case i.left:r=t*-1;break;case i.right:r=t;break;case i.bottom:o=t}return x(e,{x:e.left+r,y:e.top+o})}function I(e,t,n,r,o,i,a){void 0===a&&(a=0);var s=w(e,t,n),u=w(r,o,i),c=T(e,s,u);return P(c,a,o)}function O(e,t,n){switch(t){case i.top:case i.bottom:var r=void 0;return r=n.x>e.right?e.right:n.xe.bottom?e.bottom:n.y-1))return c;a.splice(a.indexOf(u),1),u=a.indexOf(h)>-1?h:a.slice(-1)[0],c.calloutEdge=d[u],c.targetEdge=u,c.calloutRectangle=I(c.calloutRectangle,c.calloutEdge,c.alignPercent,t,c.targetEdge,n,o)}return e}e._getMaxHeightFromTargetRectangle=t,e._getTargetRect=n,e._getTargetRectDEPRECATED=r,e._getRectangleFromHTMLElement=o,e._positionCalloutWithinBounds=u,e._getBestRectangleFitWithinBounds=c,e._positionBeak=f,e._finalizeBeakPosition=h,e._getRectangleFromIRect=m,e._finalizeCalloutPosition=g,e._recalculateMatchingPercents=v,e._canRectangleFitWithinBounds=y,e._isRectangleWithinBounds=b,e._getOutOfBoundsEdges=_,e._getPointOnEdgeFromPercent=w,e._getPercentOfEdgeFromPoint=E,e._calculatePointPercentAlongLine=C,e._moveTopLeftOfRectangleToPoint=x,e._alignEdgeToCoordinate=S,e._movePointOnRectangleToPoint=T,e._moveRectangleInDirection=P,e._moveRectangleToAnchorRectangle=I,e._getClosestPointOnEdgeToPoint=O,e._calculateActualBeakWidthInPixels=M,e._getBorderSize=k,e._getPositionData=A,e._flipRectangleToFit=R}(f=t.positioningFunctions||(t.positioningFunctions={}));var h,m,g,v},function(e,t,n){"use strict";function r(e,t){var n={};for(var r in e)t.indexOf(r)>=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e){return 0===e.button}function i(e){return!!(e.metaKey||e.altKey||e.ctrlKey||e.shiftKey)}function a(e){for(var t in e)if(Object.prototype.hasOwnProperty.call(e,t))return!1;return!0}function s(e,t){return"function"==typeof e?e(t.location):e}var u=n(0),c=n.n(u),l=n(16),p=n.n(l),d=n(333),f=n(332),h=Object.assign||function(e){for(var t=1;t=0;r--){var o=e[r],i=o.path||"";if(n=i.replace(/\/*$/,"/")+n,0===i.indexOf("/"))break}return"/"+n}},propTypes:{path:p,from:p,to:p.isRequired,query:d,state:d,onEnter:c.c,children:c.c},render:function(){a()(!1)}});t.a=f},function(e,t,n){"use strict";function r(e,t,n){var r=i({},e,{setRouteLeaveHook:t.listenBeforeLeavingRoute,isActive:t.isActive});return o(r,n)}function o(e,t){var n=t.location,r=t.params,o=t.routes;return e.location=n,e.params=r,e.routes=o,e}t.a=r,t.b=o;var i=Object.assign||function(e){for(var t=1;t1&&void 0!==arguments[1]&&arguments[1];return e.__id__||t&&(e.__id__=E++)}function h(e){return e.map(function(e){return C[f(e)]}).filter(function(e){return e})}function m(e,r){n.i(c.a)(t,e,function(t,o){if(null==o)return void r();w=l({},o,{location:e});for(var a=h(n.i(i.a)(_,w).leaveRoutes),s=void 0,u=0,c=a.length;null==s&&u0?(i=a[0],n=u.customActionLocationHelper.getLocationItem(i)):c.spCustomActionsHistory.History.push("/")}else o&&(n=u.customActionLocationHelper.getLocationByKey(o),i={description:"",group:"",id:"",imageUrl:"",location:n.spLocationName,locationInternal:"",name:"",registrationType:0,scriptBlock:"",scriptSrc:"",sequence:1,title:"",url:""});return{customActionType:e.spCustomActionsReducer.customActionType,item:i,isWorkingOnIt:e.spCustomActionsReducer.isWorkingOnIt,locationItem:n}},m=function(e){return{createCustomAction:function(t,n){return e(s.default.createCustomAction(t,n))},updateCustomAction:function(t,n){return e(s.default.updateCustomAction(t,n))}}};Object.defineProperty(t,"__esModule",{value:!0}),t.default=a.connect(h,m)(f)},function(e,t,n){"use strict";var r=n(0),o=n(340),i=function(e){var t="",n="",i="";return e.isScriptBlock?(t="Script Block",n="scriptBlock",i=e.item.scriptBlock):(t="Script Link",n="scriptSrc",i=e.item.scriptSrc),r.createElement("div",{className:"ms-ListBasicExample-itemContent ms-Grid-col ms-u-sm11 ms-u-md11 ms-u-lg11"},r.createElement(o.SpCustomActionsItemInput,{inputKey:"title",label:"Title",value:e.item.title,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"name",label:"Name",value:e.item.name,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"description",label:"Description",value:e.item.description,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"sequence",label:"Sequence",value:e.item.sequence,type:"number",required:!0,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:n,label:t,value:i,multipleLine:e.isScriptBlock,required:!0,onValueChange:e.onInputChange}))};Object.defineProperty(t,"__esModule",{value:!0}),t.default=i},function(e,t,n){"use strict";var r=n(0),o=n(340),i=n(387),a=function(e){return r.createElement("div",{className:"ms-ListBasicExample-itemContent ms-Grid-col ms-u-sm11 ms-u-md11 ms-u-lg11"},r.createElement(o.SpCustomActionsItemInput,{inputKey:"title",label:"Title",value:e.item.title,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"name",label:"Name",value:e.item.name,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"description",label:"Description",value:e.item.description,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"imageUrl",label:"Image Url",value:e.item.imageUrl,onValueChange:e.onInputChange}),r.createElement(i.SpCustomActionsItemSelect,{selectKey:"group",label:"Group",value:e.item.group,required:!0,onValueChange:e.onInputChange,options:[{key:"ActionsMenu",text:"ActionsMenu"},{key:"SiteActions",text:"SiteActions"}]}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"sequence",label:"Sequence",value:e.item.sequence,type:"number",required:!0,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"url",label:"Url",value:e.item.url,required:!0,onValueChange:e.onInputChange}))};Object.defineProperty(t,"__esModule",{value:!0}),t.default=a},function(e,t,n){"use strict";var r=n(398),o=n(0);t.SpCustomActionsItemSelect=function(e){var t=function(t){return e.onValueChange(t.key.toString(),e.selectKey),!1},n=!e.required||""!==e.value,i="The value can not be empty";return o.createElement("div",null,o.createElement(r.Dropdown,{label:e.label,selectedKey:e.value||"",disabled:e.disabled,onChanged:t,options:e.options}),n||o.createElement("div",{className:"ms-u-screenReaderOnly"},i),n||o.createElement("span",null,o.createElement("p",{className:"ms-TextField-errorMessage ms-u-slideDownIn20"},i)))}},function(e,t,n){"use strict";var r=n(197),o=n(0),i=n(383);t.SpCustomActionList=function(e){var t=e.filtertText.toLowerCase(),n=function(t,n){return o.createElement(i.default,{item:t,key:n,caType:e.caType,deleteCustomAction:e.deleteCustomAction})},a=""!==t?e.customActions.filter(function(e,n){return e.name.toLowerCase().indexOf(t)>=0}):e.customActions;return a.sort(function(e,t){return e.sequence-t.sequence}),o.createElement(r.List,{items:a,onRenderCell:n})}},function(e,t,n){"use strict";var r=n(39),o=n(390);t.rootReducer=r.combineReducers({spCustomActionsReducer:o.spCustomActionsReducer})},function(e,t,n){"use strict";var r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=e&&a&&(o=!0,n()))}};c()}},function(e,t,n){"use strict";function r(e){return e&&e.__esModule?e:{default:e}}t.__esModule=!0,t.replaceLocation=t.pushLocation=t.startListener=t.getCurrentLocation=t.go=t.getUserConfirmation=void 0;var o=n(319);Object.defineProperty(t,"getUserConfirmation",{enumerable:!0,get:function(){return o.getUserConfirmation}}),Object.defineProperty(t,"go",{enumerable:!0,get:function(){return o.go}});var i=n(70),a=(r(i),n(126)),s=n(187),u=n(343),c=n(68),l="hashchange",p=function(){var e=window.location.href,t=e.indexOf("#");return t===-1?"":e.substring(t+1)},d=function(e){return window.location.hash=e},f=function(e){var t=window.location.href.indexOf("#");window.location.replace(window.location.href.slice(0,t>=0?t:0)+"#"+e)},h=t.getCurrentLocation=function(e,t){var n=e.decodePath(p()),r=(0,c.getQueryStringValueFromPath)(n,t),o=void 0;r&&(n=(0,c.stripQueryStringValueFromPath)(n,t),o=(0,u.readState)(r));var i=(0,c.parsePath)(n);return i.state=o,(0,a.createLocation)(i,void 0,r)},m=void 0,g=(t.startListener=function(e,t,n){var r=function(){var r=p(),o=t.encodePath(r);if(r!==o)f(o);else{var i=h(t,n);if(m&&i.key&&m.key===i.key)return;m=i,e(i)}},o=p(),i=t.encodePath(o);return o!==i&&f(i),(0,s.addEventListener)(window,l,r),function(){return(0,s.removeEventListener)(window,l,r)}},function(e,t,n,r){var o=e.state,i=e.key,a=t.encodePath((0,c.createPath)(e));void 0!==o&&(a=(0,c.addQueryStringValueToPath)(a,n,i),(0,u.saveState)(i,o)),m=e,r(a)});t.pushLocation=function(e,t,n){return g(e,t,n,function(e){p()!==e&&d(e)})},t.replaceLocation=function(e,t,n){return g(e,t,n,function(e){p()!==e&&f(e)})}},function(e,t,n){"use strict";t.__esModule=!0,t.replaceLocation=t.pushLocation=t.getCurrentLocation=t.go=t.getUserConfirmation=void 0;var r=n(319);Object.defineProperty(t,"getUserConfirmation",{enumerable:!0,get:function(){return r.getUserConfirmation}}),Object.defineProperty(t,"go",{enumerable:!0,get:function(){return r.go}});var o=n(126),i=n(68);t.getCurrentLocation=function(){return(0,o.createLocation)(window.location)},t.pushLocation=function(e){return window.location.href=(0,i.createPath)(e),!1},t.replaceLocation=function(e){return window.location.replace((0,i.createPath)(e)),!1}},function(e,t,n){"use strict";function r(e){if(e&&e.__esModule)return e;var t={};if(null!=e)for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n]);return t.default=e,t}function o(e){return e&&e.__esModule?e:{default:e}}t.__esModule=!0;var i=Object.assign||function(e){for(var t=1;t=0&&t=0&&g=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},i=n(0),a=n(46),s=n(323),u=n(196),c=n(6);n(401);var l=function(e){function t(t){var n=e.call(this,t,{isDisabled:"disabled"})||this;n._id=t.id||c.getId("Dropdown");var r=void 0!==t.defaultSelectedKey?t.defaultSelectedKey:t.selectedKey;return n.state={isOpen:!1,selectedIndex:n._getSelectedIndex(t.options,r)},n}return r(t,e),t.prototype.componentWillReceiveProps=function(e){void 0===e.selectedKey||e.selectedKey===this.props.selectedKey&&e.options===this.props.options||this.setState({selectedIndex:this._getSelectedIndex(e.options,e.selectedKey)})},t.prototype.render=function(){var e=this,n=this._id,r=this.props,o=r.className,l=r.label,p=r.options,d=r.disabled,f=r.isDisabled,h=r.ariaLabel,m=r.onRenderItem,g=void 0===m?this._onRenderItem:m,v=r.onRenderOption,y=void 0===v?this._onRenderOption:v,b=this.state,_=b.isOpen,w=b.selectedIndex,E=p[w];return void 0!==f&&(d=f),i.createElement("div",{ref:"root"},l&&i.createElement("label",{id:n+"-label",className:"ms-Label",ref:function(t){return e._dropdownLabel=t}},l),i.createElement("div",{"data-is-focusable":!d,ref:function(t){return e._dropDown=t},id:n,className:c.css("ms-Dropdown",o,{"is-open":_,"is-disabled":d}),tabIndex:d?-1:0,onKeyDown:this._onDropdownKeyDown,onClick:this._onDropdownClick,"aria-expanded":_?"true":"false",role:"combobox","aria-live":d||_?"off":"assertive","aria-label":h||l,"aria-describedby":n+"-option","aria-activedescendant":w>=0?this._id+"-list"+w:this._id+"-list"},i.createElement("span",{id:n+"-option",className:"ms-Dropdown-title",key:w,"aria-atomic":!0},E?g(E,this._onRenderItem):""),i.createElement("i",{className:"ms-Dropdown-caretDown ms-Icon ms-Icon--ChevronDown"})),_&&i.createElement(s.Callout,{isBeakVisible:!1,className:"ms-Dropdown-callout",gapSpace:0,doNotLayer:!1,targetElement:this._dropDown,directionalHint:a.DirectionalHint.bottomLeftEdge,onDismiss:this._onDismiss,onPositioned:this._onPositioned},i.createElement(u.FocusZone,{ref:this._resolveRef("_focusZone"),direction:u.FocusZoneDirection.vertical,defaultActiveElement:"#"+n+"-list"+w},i.createElement("ul",{ref:function(t){return e._optionList=t},id:n+"-list",style:{width:this._dropDown.clientWidth-2},className:"ms-Dropdown-items",role:"listbox","aria-labelledby":n+"-label"},p.map(function(r,o){return i.createElement("li",{id:n+"-list"+o.toString(),ref:t.Option+o.toString(),key:r.key,"data-index":o,"data-is-focusable":!0,className:c.css("ms-Dropdown-item",{"is-selected":w===o}),onClick:function(){return e._onItemClick(o)},onFocus:function(){return e.setSelectedIndex(o)},role:"option","aria-selected":w===o?"true":"false","aria-label":r.text},y(r,e._onRenderOption))})))))},t.prototype.focus=function(){this._dropDown&&this._dropDown.tabIndex!==-1&&this._dropDown.focus()},t.prototype.setSelectedIndex=function(e){var t=this.props,n=t.onChanged,r=t.options,o=this.state.selectedIndex;e=Math.max(0,Math.min(r.length-1,e)),e!==o&&(this.setState({selectedIndex:e}),n&&n(r[e],e))},t.prototype._onRenderItem=function(e){return i.createElement("span",null,e.text)},t.prototype._onRenderOption=function(e){return i.createElement("span",null,e.text)},t.prototype._onPositioned=function(){this._focusZone.focus()},t.prototype._onItemClick=function(e){this.setSelectedIndex(e),this.setState({isOpen:!1})},t.prototype._onDismiss=function(){this.setState({isOpen:!1})},t.prototype._getSelectedIndex=function(e,t){return c.findIndex(e,function(e){return e.isSelected||e.selected||null!=t&&e.key===t})},t.prototype._onDropdownKeyDown=function(e){switch(e.which){case c.KeyCodes.enter:this.setState({isOpen:!this.state.isOpen});break;case c.KeyCodes.escape:if(!this.state.isOpen)return;this.setState({isOpen:!1});break;case c.KeyCodes.up:this.setSelectedIndex(this.state.selectedIndex-1);break;case c.KeyCodes.down:this.setSelectedIndex(this.state.selectedIndex+1);break;case c.KeyCodes.home:this.setSelectedIndex(0);break;case c.KeyCodes.end:this.setSelectedIndex(this.props.options.length-1);break;default:return}e.stopPropagation(),e.preventDefault()},t.prototype._onDropdownClick=function(){var e=this.props,t=e.disabled,n=e.isDisabled,r=this.state.isOpen;void 0!==n&&(t=n),t||this.setState({isOpen:!r})},t}(c.BaseComponent);l.defaultProps={options:[]},l.Option="option",o([c.autobind],l.prototype,"_onRenderItem",null),o([c.autobind],l.prototype,"_onRenderOption",null),o([c.autobind],l.prototype,"_onPositioned",null),o([c.autobind],l.prototype,"_onDismiss",null),o([c.autobind],l.prototype,"_onDropdownKeyDown",null),o([c.autobind],l.prototype,"_onDropdownClick",null),t.Dropdown=l},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:'.ms-Dropdown{box-sizing:border-box;margin:0;padding:0;box-shadow:none;font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";margin-bottom:10px;position:relative;outline:0;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.ms-Dropdown:active .ms-Dropdown-caretDown,.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:focus .ms-Dropdown-caretDown,.ms-Dropdown:focus .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-caretDown,.ms-Dropdown:hover .ms-Dropdown-title{color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown:active .ms-Dropdown-caretDown,.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:focus .ms-Dropdown-caretDown,.ms-Dropdown:focus .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-caretDown,.ms-Dropdown:hover .ms-Dropdown-title{color:#1AEBFF}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown:active .ms-Dropdown-caretDown,.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:focus .ms-Dropdown-caretDown,.ms-Dropdown:focus .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-caretDown,.ms-Dropdown:hover .ms-Dropdown-title{color:#37006E}}.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-title{border-color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-title{border-color:#1AEBFF}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-title{border-color:#37006E}}.ms-Dropdown:focus .ms-Dropdown-title{border-color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown:focus .ms-Dropdown-title{border-color:#1AEBFF}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown:focus .ms-Dropdown-title{border-color:#37006E}}.ms-Dropdown .ms-Label{display:inline-block;margin-bottom:8px}.ms-Dropdown.is-disabled .ms-Dropdown-title{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";border-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";color:"},{theme:"neutralTertiary",defaultValue:"#a6a6a6"},{rawString:";cursor:default}@media screen and (-ms-high-contrast:active){.ms-Dropdown.is-disabled .ms-Dropdown-title{border-color:#0f0;color:#0f0}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown.is-disabled .ms-Dropdown-title{border-color:#600000;color:#600000}}.ms-Dropdown.is-disabled .ms-Dropdown-caretDown{color:"},{theme:"neutralTertiary",defaultValue:"#a6a6a6"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown.is-disabled .ms-Dropdown-caretDown{color:#0f0}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown.is-disabled .ms-Dropdown-caretDown{color:#600000}}.ms-Dropdown-caretDown{color:"},{theme:"neutralDark",defaultValue:"#212121"},{rawString:";font-size:12px;position:absolute;top:0;pointer-events:none;line-height:32px}html[dir=ltr] .ms-Dropdown-caretDown{right:12px}html[dir=rtl] .ms-Dropdown-caretDown{left:12px}.ms-Dropdown-title{box-sizing:border-box;margin:0;padding:0;box-shadow:none;background:"},{theme:"white",defaultValue:"#ffffff"},{rawString:";border:1px solid "},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:";cursor:pointer;display:block;height:32px;line-height:30px;padding:0 32px 0 12px;position:relative;overflow:hidden;white-space:nowrap;text-overflow:ellipsis}html[dir=rtl] .ms-Dropdown-title{padding:0 12px 0 32px}.ms-Dropdown-items{box-sizing:border-box;margin:0;padding:0;box-shadow:none;box-shadow:0 0 5px 0 rgba(0,0,0,.4);background-color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:";list-style-type:none;width:100%;top:auto;right:auto;bottom:auto;left:auto;max-width:100%;box-shadow:0 0 15px -5px rgba(0,0,0,.4);border:1px solid "},{theme:"neutralLight",defaultValue:"#eaeaea"},{rawString:";-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.ms-Dropdown-items::before{content:'';position:absolute;top:0;left:0;right:0;bottom:0;border:none}@media screen and (-ms-high-contrast:active){.ms-Dropdown-items{border:1px solid "},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown-items{border:1px solid "},{theme:"black",defaultValue:"#000000"},{rawString:"}}.ms-Dropdown-item{box-sizing:border-box;cursor:pointer;display:block;min-height:36px;line-height:20px;padding:6px 12px;position:relative;border:1px solid transparent;word-wrap:break-word}@media screen and (-ms-high-contrast:active){.ms-Dropdown-item{border-color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown-item{border-color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}.ms-Dropdown-item:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown-item:hover{background-color:#1AEBFF;border-color:#1AEBFF;color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-Dropdown-item:hover:focus{border-color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown-item:hover{background-color:#37006E;border-color:#37006E;color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}.ms-Dropdown-item::-moz-focus-inner{border:0}.ms-Dropdown-item{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-Dropdown-item:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}.ms-Dropdown-item:focus{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-Dropdown-item:active{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-Dropdown-item.is-disabled{background:"},{theme:"white",defaultValue:"#ffffff"},{rawString:";color:"},{theme:"neutralTertiary",defaultValue:"#a6a6a6"},{rawString:";cursor:default}.ms-Dropdown-item.is-selected,.ms-Dropdown-item.ms-Dropdown-item--selected{background-color:"},{theme:"neutralQuaternaryAlt",defaultValue:"#dadada"},{rawString:";color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-Dropdown-item.is-selected:hover,.ms-Dropdown-item.ms-Dropdown-item--selected:hover{background-color:"},{theme:"neutralQuaternaryAlt",defaultValue:"#dadada"},{rawString:"}.ms-Dropdown-item.is-selected::-moz-focus-inner,.ms-Dropdown-item.ms-Dropdown-item--selected::-moz-focus-inner{border:0}.ms-Dropdown-item.is-selected,.ms-Dropdown-item.ms-Dropdown-item--selected{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-Dropdown-item.is-selected:focus:after,.ms-Fabric.is-focusVisible .ms-Dropdown-item.ms-Dropdown-item--selected:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown-item.is-selected,.ms-Dropdown-item.ms-Dropdown-item--selected{background-color:#1AEBFF;border-color:#1AEBFF;color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-Dropdown-item.is-selected:focus,.ms-Dropdown-item.ms-Dropdown-item--selected:focus{border-color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown-item.is-selected,.ms-Dropdown-item.ms-Dropdown-item--selected{background-color:#37006E;border-color:#37006E;color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(400))},,function(e,t,n){"use strict";function r(e){switch(e.arrayFormat){case"index":return function(t,n,r){return null===n?[i(t,e),"[",r,"]"].join(""):[i(t,e),"[",i(r,e),"]=",i(n,e)].join("")};case"bracket":return function(t,n){return null===n?i(t,e):[i(t,e),"[]=",i(n,e)].join("")};default:return function(t,n){return null===n?i(t,e):[i(t,e),"=",i(n,e)].join("")}}}function o(e){var t;switch(e.arrayFormat){case"index":return function(e,n,r){return t=/\[(\d*)\]$/.exec(e),e=e.replace(/\[\d*\]$/,""),t?(void 0===r[e]&&(r[e]={}),void(r[e][t[1]]=n)):void(r[e]=n)};case"bracket":return function(e,n,r){return t=/(\[\])$/.exec(e),e=e.replace(/\[\]$/,""),t&&void 0!==r[e]?void(r[e]=[].concat(r[e],n)):void(r[e]=n)};default:return function(e,t,n){return void 0===n[e]?void(n[e]=t):void(n[e]=[].concat(n[e],t))}}}function i(e,t){return t.encode?t.strict?s(e):encodeURIComponent(e):e}function a(e){return Array.isArray(e)?e.sort():"object"==typeof e?a(Object.keys(e)).sort(function(e,t){return Number(e)-Number(t)}).map(function(t){return e[t]}):e}var s=n(421),u=n(4);t.extract=function(e){return e.split("?")[1]||""},t.parse=function(e,t){t=u({arrayFormat:"none"},t);var n=o(t),r=Object.create(null);return"string"!=typeof e?r:(e=e.trim().replace(/^(\?|#|&)/,""))?(e.split("&").forEach(function(e){var t=e.replace(/\+/g," ").split("="),o=t.shift(),i=t.length>0?t.join("="):void 0;i=void 0===i?null:decodeURIComponent(i),n(decodeURIComponent(o),i,r)}),Object.keys(r).sort().reduce(function(e,t){var n=r[t];return Boolean(n)&&"object"==typeof n&&!Array.isArray(n)?e[t]=a(n):e[t]=n,e},Object.create(null))):r},t.stringify=function(e,t){var n={encode:!0,strict:!0,arrayFormat:"none"};t=u(n,t);var o=r(t);return e?Object.keys(e).sort().map(function(n){var r=e[n];if(void 0===r)return"";if(null===r)return i(n,t);if(Array.isArray(r)){var a=[];return r.slice().forEach(function(e){void 0!==e&&a.push(o(n,e,a.length))}),a.join("&")}return i(n,t)+"="+i(r,t)}).filter(function(e){return e.length>0}).join("&"):""}},function(e,t,n){"use strict";var r=n(0),o=n.n(r),i=n(370),a=Object.assign||function(e){for(var t=1;t=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}var o=n(16),i=n.n(o),a=n(0),s=n.n(a),u=n(376),c=n(135),l=n(334),p=n(69),d=n(373),f=(n(128),Object.assign||function(e){for(var t=1;t0&&void 0!==arguments[0]?arguments[0]:r.createElement;return function(t,n){return u.reduceRight(function(e,t){return t(e,n)},e(t,n))}};return function(e){return s.reduceRight(function(t,n){return n(t,e)},o.a.createElement(i.a,a({},e,{createElement:c(e.createElement)})))}}},function(e,t,n){"use strict";var r=n(395),o=n.n(r),i=n(375);t.a=n.i(i.a)(o.a)},function(e,t,n){"use strict";function r(e,t,r){if(!e.path)return!1;var o=n.i(i.b)(e.path);return o.some(function(e){return t.params[e]!==r.params[e]})}function o(e,t){var n=e&&e.routes,o=t.routes,i=void 0,a=void 0,s=void 0;return n?!function(){var u=!1;i=n.filter(function(n){if(u)return!0;var i=o.indexOf(n)===-1||r(n,e,t);return i&&(u=!0),i}),i.reverse(),s=[],a=[],o.forEach(function(e){var t=n.indexOf(e)===-1,r=i.indexOf(e)!==-1;t||r?s.push(e):a.push(e)})}():(i=[],a=[],s=o),{leaveRoutes:i,changeRoutes:a,enterRoutes:s}}var i=n(127);t.a=o},function(e,t,n){"use strict";function r(e,t,r){if(t.component||t.components)return void r(null,t.component||t.components);var o=t.getComponent||t.getComponents;if(o){var i=o.call(t,e,r);n.i(a.a)(i)&&i.then(function(e){return r(null,e)},r)}else r()}function o(e,t){n.i(i.a)(e.routes,function(t,n,o){r(e,t,o)},t)}var i=n(331),a=n(371);t.a=o},function(e,t,n){"use strict";function r(e,t){var r={};return e.path?(n.i(o.b)(e.path).forEach(function(e){Object.prototype.hasOwnProperty.call(t,e)&&(r[e]=t[e])}),r):r}var o=n(127);t.a=r},function(e,t,n){"use strict";var r=n(396),o=n.n(r),i=n(375);t.a=n.i(i.a)(o.a)},function(e,t,n){"use strict";function r(e,t){if(e==t)return!0;if(null==e||null==t)return!1;if(Array.isArray(e))return Array.isArray(t)&&e.length===t.length&&e.every(function(e,n){return r(e,t[n])});if("object"===("undefined"==typeof e?"undefined":c(e))){for(var n in e)if(Object.prototype.hasOwnProperty.call(e,n))if(void 0===e[n]){if(void 0!==t[n])return!1}else{if(!Object.prototype.hasOwnProperty.call(t,n))return!1;if(!r(e[n],t[n]))return!1}return!0}return String(e)===String(t)}function o(e,t){return"/"!==t.charAt(0)&&(t="/"+t),"/"!==e.charAt(e.length-1)&&(e+="/"),"/"!==t.charAt(t.length-1)&&(t+="/"),t===e}function i(e,t,r){for(var o=e,i=[],a=[],s=0,c=t.length;s=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e,t){var o=e.history,a=e.routes,f=e.location,h=r(e,["history","routes","location"]);o||f?void 0:s()(!1),o=o?o:n.i(u.a)(h);var m=n.i(c.a)(o,n.i(l.a)(a));f=f?o.createLocation(f):o.getCurrentLocation(),m.match(f,function(e,r,a){var s=void 0;if(a){var u=n.i(p.a)(o,m,a);s=d({},a,{router:u,matchContext:{transitionManager:m,router:u}})}t(e,r&&o.createLocation(r,i.REPLACE),s)})}var i=n(186),a=(n.n(i),n(16)),s=n.n(a),u=n(374),c=n(376),l=n(69),p=n(373),d=Object.assign||function(e){for(var t=1;t4&&void 0!==arguments[4]?arguments[4]:[],a=arguments.length>5&&void 0!==arguments[5]?arguments[5]:[];void 0===o&&("/"!==t.pathname.charAt(0)&&(t=f({},t,{pathname:"/"+t.pathname})),o=t.pathname),n.i(c.b)(e.length,function(n,r,u){s(e[n],t,o,i,a,function(e,t){e||t?u(e,t):r()})},r)}var c=n(331),l=n(371),p=n(127),d=(n(128),n(69));t.a=u;var f=Object.assign||function(e){for(var t=1;t0&&u(t)})}function s(){return setTimeout(function(){x.runState.flushTimer=0,a()},0)}function u(e,t){x.loadStyles?x.loadStyles(m(e).styleString,e):_?v(e,t):g(e)}function l(e){x.theme=e,d()}function c(e){void 0===e&&(e=3),3!==e&&2!==e||(p(x.registeredStyles),x.registeredStyles=[]),3!==e&&1!==e||(p(x.registeredThemableStyles),x.registeredThemableStyles=[])}function p(e){e.forEach(function(e){var t=e&&e.styleElement;t&&t.parentElement&&t.parentElement.removeChild(t)})}function d(){if(x.theme){for(var e=[],t=0,n=x.registeredThemableStyles;t0&&(c(1),u([].concat.apply([],e)))}}function f(e){return e&&(e=m(h(e)).styleString),e}function m(e){var t=x.theme,n=!1;return{styleString:(e||[]).map(function(e){var r=e.theme;if(r){n=!0;var o=t?t[r]:void 0,i=e.defaultValue||"inherit";return t&&!o&&console,o||i}return e.rawString}).join(""),themable:n}}function h(e){var t=[];if(e){for(var n=0,r=void 0;r=C.exec(e);){var o=r.index;o>n&&t.push({rawString:e.substring(n,o)}),t.push({theme:r[1],defaultValue:r[2]}),n=C.lastIndex}t.push({rawString:e.substring(n)})}return t}function g(e){var t=document.getElementsByTagName("head")[0],n=document.createElement("style"),r=m(e),o=r.styleString,i=r.themable;n.type="text/css",n.appendChild(document.createTextNode(o)),x.perf.count++,t.appendChild(n);var a={styleElement:n,themableStyle:e};i?x.registeredThemableStyles.push(a):x.registeredStyles.push(a)}function v(e,t){var n=document.getElementsByTagName("head")[0],r=x.registeredStyles,o=x.lastStyleElement,i=o?o.styleSheet:void 0,a=i?i.cssText:"",s=r[r.length-1],u=m(e).styleString;(!o||a.length+u.length>E)&&(o=document.createElement("style"),o.type="text/css",t?(n.replaceChild(o,t.styleElement),t.styleElement=o):n.appendChild(o),t||(s={styleElement:o,themableStyle:e},r.push(s))),o.styleSheet.cssText+=f(u),Array.prototype.push.apply(s.themableStyle,e),x.lastStyleElement=o}function y(){var e=!1;if("undefined"!=typeof document){var t=document.createElement("style");t.type="text/css",e=!!t.styleSheet}return e}var b=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n1){for(var m=Array(f),h=0;h1){for(var v=Array(g),y=0;y-1&&o._virtual.children.splice(i,1)}n._virtual.parent=r||void 0,r&&(r._virtual||(r._virtual={children:[]}),r._virtual.children.push(n))}function o(e){var t;return e&&p(e)&&(t=e._virtual.parent),t}function i(e,t){return void 0===t&&(t=!0),e&&(t&&o(e)||e.parentNode&&e.parentNode)}function a(e,t,n){void 0===n&&(n=!0);var r=!1;if(e&&t)if(n)for(r=!1;t;){var o=i(t);if(o===e){r=!0;break}t=o}else e.contains&&(r=e.contains(t));return r}function s(e){d=e}function u(e){return d?void 0:e&&e.ownerDocument&&e.ownerDocument.defaultView?e.ownerDocument.defaultView:window}function l(e){return d?void 0:e&&e.ownerDocument?e.ownerDocument:document}function c(e){var t;return e&&(e===window?t={left:0,top:0,width:window.innerWidth,height:window.innerHeight,right:window.innerWidth,bottom:window.innerHeight}:e.getBoundingClientRect&&(t=e.getBoundingClientRect())),t}function p(e){return e&&!!e._virtual}Object.defineProperty(t,"__esModule",{value:!0}),t.setVirtualParent=r,t.getVirtualParent=o,t.getParent=i,t.elementContains=a;var d=!1;t.setSSR=s,t.getWindow=u,t.getDocument=l,t.getRect=c},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:'.ms-Button{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;border-width:0;text-decoration:none;text-align:center;cursor:pointer;display:inline-block;padding:0 16px}.ms-Button::-moz-focus-inner{border:0}.ms-Button{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-Button:focus:after{content:\'\';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid '},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Button{color:#1AEBFF;border-color:#1AEBFF}}@media screen and (-ms-high-contrast:black-on-white){.ms-Button{color:#37006E;border-color:#37006E}}.ms-Button-icon{margin:0 4px;width:16px;vertical-align:top;display:inline-block}.ms-Button-label{margin:0 4px;vertical-align:top;display:inline-block}.ms-Button--hero{background-color:transparent;border:0;height:auto}.ms-Button--hero .ms-Button-icon{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";display:inline-block;padding-top:5px;font-size:20px;line-height:1}html[dir=ltr] .ms-Button--hero .ms-Button-icon{margin-right:8px}html[dir=rtl] .ms-Button--hero .ms-Button-icon{margin-left:8px}.ms-Button--hero .ms-Button-label{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";font-size:21px;font-weight:100;vertical-align:top}.ms-Button--hero:focus,.ms-Button--hero:hover{background-color:transparent}.ms-Button--hero:focus .ms-Button-icon,.ms-Button--hero:hover .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}.ms-Button--hero:focus .ms-Button-label,.ms-Button--hero:hover .ms-Button-label{color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}.ms-Button--hero:active .ms-Button-icon{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}.ms-Button--hero:active .ms-Button-label{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}.ms-Button--hero.is-disabled .ms-Button-icon,.ms-Button--hero:disabled .ms-Button-icon{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.ms-Button--hero.is-disabled .ms-Button-label,.ms-Button--hero:disabled .ms-Button-label{color:"},{theme:"neutralTertiary",defaultValue:"#a6a6a6"},{rawString:"}"}])},function(e,t,n){"use strict";function r(e){return"button"===e||"input"===e||"select"===e||"textarea"===e}function o(e,t,n){switch(e){case"onClick":case"onClickCapture":case"onDoubleClick":case"onDoubleClickCapture":case"onMouseDown":case"onMouseDownCapture":case"onMouseMove":case"onMouseMoveCapture":case"onMouseUp":case"onMouseUpCapture":return!(!n.disabled||!r(t));default:return!1}}var i=n(3),a=n(52),s=n(53),u=n(57),l=n(109),c=n(110),p=(n(1),{}),d=null,f=function(e,t){e&&(s.executeDispatchesInOrder(e,t),e.isPersistent()||e.constructor.release(e))},m=function(e){return f(e,!0)},h=function(e){return f(e,!1)},g=function(e){return"."+e._rootNodeID},v={injection:{injectEventPluginOrder:a.injectEventPluginOrder,injectEventPluginsByName:a.injectEventPluginsByName},putListener:function(e,t,n){"function"!=typeof n&&i("94",t,typeof n);var r=g(e);(p[t]||(p[t]={}))[r]=n;var o=a.registrationNameModules[t];o&&o.didPutListener&&o.didPutListener(e,t,n)},getListener:function(e,t){var n=p[t];if(o(t,e._currentElement.type,e._currentElement.props))return null;var r=g(e);return n&&n[r]},deleteListener:function(e,t){var n=a.registrationNameModules[t];n&&n.willDeleteListener&&n.willDeleteListener(e,t);var r=p[t];if(r){delete r[g(e)]}},deleteAllListeners:function(e){var t=g(e);for(var n in p)if(p.hasOwnProperty(n)&&p[n][t]){var r=a.registrationNameModules[n];r&&r.willDeleteListener&&r.willDeleteListener(e,n),delete p[n][t]}},extractEvents:function(e,t,n,r){for(var o,i=a.plugins,s=0;s1)for(var n=1;n]/;e.exports=o},function(e,t,n){"use strict";var r,o=n(8),i=n(51),a=/^[ \r\n\t\f]/,s=/<(!--|link|noscript|meta|script|style)[ \r\n\t\f\/>]/,u=n(59),l=u(function(e,t){if(e.namespaceURI!==i.svg||"innerHTML"in e)e.innerHTML=t;else{r=r||document.createElement("div"),r.innerHTML=""+t+"";for(var n=r.firstChild;n.firstChild;)e.appendChild(n.firstChild)}});if(o.canUseDOM){var c=document.createElement("div");c.innerHTML=" ",""===c.innerHTML&&(l=function(e,t){if(e.parentNode&&e.parentNode.replaceChild(e,e),a.test(t)||"<"===t[0]&&s.test(t)){e.innerHTML=String.fromCharCode(65279)+t;var n=e.firstChild;1===n.data.length?e.removeChild(n):n.deleteData(0,1)}else e.innerHTML=t}),c=null}e.exports=l},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(128),o=n(323),i=n(322),a=n(321),s=n(127);n(129);n.d(t,"createStore",function(){return r.a}),n.d(t,"combineReducers",function(){return o.a}),n.d(t,"bindActionCreators",function(){return i.a}),n.d(t,"applyMiddleware",function(){return a.a}),n.d(t,"compose",function(){return s.a})},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(297),o=n(118),i=n(298);n.d(t,"Provider",function(){return r.a}),n.d(t,"createProvider",function(){return r.b}),n.d(t,"connectAdvanced",function(){return o.a}),n.d(t,"connect",function(){return i.a})},function(e,t,n){"use strict";e.exports=n(247)},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(t){this._id=e._uniqueId++,this._parent=t,this._eventRecords=[]}return e.raise=function(t,n,r,o){var i;if(e._isElement(t)){if(document.createEvent){var a=document.createEvent("HTMLEvents");a.initEvent(n,o,!0),a.args=r,i=t.dispatchEvent(a)}else if(document.createEventObject){var s=document.createEventObject(r);t.fireEvent("on"+n,s)}}else for(;t&&!1!==i;){var u=t.__events__,l=u?u[n]:null;for(var c in l)if(l.hasOwnProperty(c))for(var p=l[c],d=0;!1!==i&&d-1)for(var a=n.split(/[ ,]+/),s=0;s=200&&e<300}};u.headers={common:{Accept:"application/json, text/plain, */*"}},o.forEach(["delete","get","head"],function(e){u.headers[e]={}}),o.forEach(["post","put","patch"],function(e){u.headers[e]=o.merge(s)}),e.exports=u}).call(t,n(34))},function(e,t,n){"use strict";var r=n(0),o=n(138);if(void 0===r)throw Error("create-react-class could not find the React object. If you are using script tags, make sure that React is being loaded before create-react-class.");var i=(new r.Component).updater;e.exports=o(r.Component,r.isValidElement,i)},function(e,t,n){"use strict";function r(e,t){return e===t?0!==e||0!==t||1/e==1/t:e!==e&&t!==t}function o(e,t){if(r(e,t))return!0;if("object"!=typeof e||null===e||"object"!=typeof t||null===t)return!1;var n=Object.keys(e),o=Object.keys(t);if(n.length!==o.length)return!1;for(var a=0;a-1||a("96",e),!l.plugins[n]){t.extractEvents||a("97",e),l.plugins[n]=t;var r=t.eventTypes;for(var i in r)o(r[i],t,i)||a("98",i,e)}}}function o(e,t,n){l.eventNameDispatchConfigs.hasOwnProperty(n)&&a("99",n),l.eventNameDispatchConfigs[n]=e;var r=e.phasedRegistrationNames;if(r){for(var o in r)if(r.hasOwnProperty(o)){var s=r[o];i(s,t,n)}return!0}return!!e.registrationName&&(i(e.registrationName,t,n),!0)}function i(e,t,n){l.registrationNameModules[e]&&a("100",e),l.registrationNameModules[e]=t,l.registrationNameDependencies[e]=t.eventTypes[n].dependencies}var a=n(3),s=(n(1),null),u={},l={plugins:[],eventNameDispatchConfigs:{},registrationNameModules:{},registrationNameDependencies:{},possibleRegistrationNames:null,injectEventPluginOrder:function(e){s&&a("101"),s=Array.prototype.slice.call(e),r()},injectEventPluginsByName:function(e){var t=!1;for(var n in e)if(e.hasOwnProperty(n)){var o=e[n];u.hasOwnProperty(n)&&u[n]===o||(u[n]&&a("102",n),u[n]=o,t=!0)}t&&r()},getPluginModuleForEvent:function(e){var t=e.dispatchConfig;if(t.registrationName)return l.registrationNameModules[t.registrationName]||null;if(void 0!==t.phasedRegistrationNames){var n=t.phasedRegistrationNames;for(var r in n)if(n.hasOwnProperty(r)){var o=l.registrationNameModules[n[r]];if(o)return o}}return null},_resetEventPlugins:function(){s=null;for(var e in u)u.hasOwnProperty(e)&&delete u[e];l.plugins.length=0;var t=l.eventNameDispatchConfigs;for(var n in t)t.hasOwnProperty(n)&&delete t[n];var r=l.registrationNameModules;for(var o in r)r.hasOwnProperty(o)&&delete r[o]}};e.exports=l},function(e,t,n){"use strict";function r(e){return"topMouseUp"===e||"topTouchEnd"===e||"topTouchCancel"===e}function o(e){return"topMouseMove"===e||"topTouchMove"===e}function i(e){return"topMouseDown"===e||"topTouchStart"===e}function a(e,t,n,r){var o=e.type||"unknown-event";e.currentTarget=v.getNodeFromInstance(r),t?h.invokeGuardedCallbackWithCatch(o,n,e):h.invokeGuardedCallback(o,n,e),e.currentTarget=null}function s(e,t){var n=e._dispatchListeners,r=e._dispatchInstances;if(Array.isArray(n))for(var o=0;o0&&r.length<20?n+" (keys: "+r.join(", ")+")":n}function i(e,t){var n=s.get(e);if(!n){return null}return n}var a=n(3),s=(n(14),n(29)),u=(n(11),n(12)),l=(n(1),n(2),{isMounted:function(e){var t=s.get(e);return!!t&&!!t._renderedComponent},enqueueCallback:function(e,t,n){l.validateCallback(t,n);var o=i(e);if(!o)return null;o._pendingCallbacks?o._pendingCallbacks.push(t):o._pendingCallbacks=[t],r(o)},enqueueCallbackInternal:function(e,t){e._pendingCallbacks?e._pendingCallbacks.push(t):e._pendingCallbacks=[t],r(e)},enqueueForceUpdate:function(e){var t=i(e,"forceUpdate");t&&(t._pendingForceUpdate=!0,r(t))},enqueueReplaceState:function(e,t,n){var o=i(e,"replaceState");o&&(o._pendingStateQueue=[t],o._pendingReplaceState=!0,void 0!==n&&null!==n&&(l.validateCallback(n,"replaceState"),o._pendingCallbacks?o._pendingCallbacks.push(n):o._pendingCallbacks=[n]),r(o))},enqueueSetState:function(e,t){var n=i(e,"setState");if(n){(n._pendingStateQueue||(n._pendingStateQueue=[])).push(t),r(n)}},enqueueElementInternal:function(e,t,n){e._pendingElement=t,e._context=n,r(e)},validateCallback:function(e,t){e&&"function"!=typeof e&&a("122",t,o(e))}});e.exports=l},function(e,t,n){"use strict";var r=function(e){return"undefined"!=typeof MSApp&&MSApp.execUnsafeLocalFunction?function(t,n,r,o){MSApp.execUnsafeLocalFunction(function(){return e(t,n,r,o)})}:e};e.exports=r},function(e,t,n){"use strict";function r(e){var t,n=e.keyCode;return"charCode"in e?0===(t=e.charCode)&&13===n&&(t=13):t=n,t>=32||13===t?t:0}e.exports=r},function(e,t,n){"use strict";function r(e){var t=this,n=t.nativeEvent;if(n.getModifierState)return n.getModifierState(e);var r=i[e];return!!r&&!!n[r]}function o(e){return r}var i={Alt:"altKey",Control:"ctrlKey",Meta:"metaKey",Shift:"shiftKey"};e.exports=o},function(e,t,n){"use strict";function r(e){var t=e.target||e.srcElement||window;return t.correspondingUseElement&&(t=t.correspondingUseElement),3===t.nodeType?t.parentNode:t}e.exports=r},function(e,t,n){"use strict";function r(e,t){if(!i.canUseDOM||t&&!("addEventListener"in document))return!1;var n="on"+e,r=n in document;if(!r){var a=document.createElement("div");a.setAttribute(n,"return;"),r="function"==typeof a[n]}return!r&&o&&"wheel"===e&&(r=document.implementation.hasFeature("Events.wheel","3.0")),r}var o,i=n(8);i.canUseDOM&&(o=document.implementation&&document.implementation.hasFeature&&!0!==document.implementation.hasFeature("","")),e.exports=r},function(e,t,n){"use strict";function r(e,t){var n=null===e||!1===e,r=null===t||!1===t;if(n||r)return n===r;var o=typeof e,i=typeof t;return"string"===o||"number"===o?"string"===i||"number"===i:"object"===i&&e.type===t.type&&e.key===t.key}e.exports=r},function(e,t,n){"use strict";var r=(n(4),n(10)),o=(n(2),r);e.exports=o},function(e,t,n){"use strict";function r(e){"undefined"!=typeof console&&console.error;try{throw new Error(e)}catch(e){}}t.a=r},function(e,t){var n;n=function(){return this}();try{n=n||Function("return this")()||(0,eval)("this")}catch(e){"object"==typeof window&&(n=window)}e.exports=n},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(15),o=function(){function e(){}return e.capitalize=function(e){return e.charAt(0).toUpperCase()+e.slice(1)},e.formatString=function(){for(var e=[],t=0;t=a&&(!t||s)?(l=n,c&&(r.clearTimeout(c),c=null),o=e.apply(r._parent,i)):null===c&&u&&(c=r.setTimeout(p,f)),o};return function(){for(var e=[],t=0;t=a&&(m=!0),c=n);var h=n-c,g=a-h,v=n-p,y=!1;return null!==l&&(v>=l&&d?y=!0:g=Math.min(g,l-v)),h>=a||y||m?(d&&(r.clearTimeout(d),d=null),p=n,o=e.apply(r._parent,i)):null!==d&&t||!u||(d=r.setTimeout(f,g)),o};return function(){for(var e=[],t=0;t1?t[1]:""}return this.__className},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_disposables",{get:function(){return this.__disposables||(this.__disposables=[]),this.__disposables},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_async",{get:function(){return this.__async||(this.__async=new u.Async(this),this._disposables.push(this.__async)),this.__async},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_events",{get:function(){return this.__events||(this.__events=new l.EventGroup(this),this._disposables.push(this.__events)),this.__events},enumerable:!0,configurable:!0}),t.prototype._resolveRef=function(e){var t=this;return this.__resolves||(this.__resolves={}),this.__resolves[e]||(this.__resolves[e]=function(n){return t[e]=n}),this.__resolves[e]},t.prototype._updateComponentRef=function(e,t){void 0===t&&(t={}),this._shouldUpdateComponentRef&&(!e&&t.componentRef||e&&e.componentRef!==t.componentRef)&&(e&&e.componentRef&&e.componentRef(null),t.componentRef&&t.componentRef(this))},t.prototype._warnDeprecations=function(e){c.warnDeprecations(this.className,this.props,e)},t.prototype._warnMutuallyExclusive=function(e){c.warnMutuallyExclusive(this.className,this.props,e)},t}(s.Component);t.BaseComponent=p,p.onError=function(e){throw e},t.nullRender=i},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});!function(e){e[e.a=65]="a",e[e.backspace=8]="backspace",e[e.comma=188]="comma",e[e.del=46]="del",e[e.down=40]="down",e[e.end=35]="end",e[e.enter=13]="enter",e[e.escape=27]="escape",e[e.home=36]="home",e[e.left=37]="left",e[e.pageDown=34]="pageDown",e[e.pageUp=33]="pageUp",e[e.right=39]="right",e[e.semicolon=186]="semicolon",e[e.space=32]="space",e[e.tab=9]="tab",e[e.up=38]="up"}(t.KeyCodes||(t.KeyCodes={}))},function(e,t,n){"use strict";function r(){var e=u.getDocument();e&&e.body&&!c&&e.body.classList.add(l.default.msFabricScrollDisabled),c++}function o(){if(c>0){var e=u.getDocument();e&&e.body&&1===c&&e.body.classList.remove(l.default.msFabricScrollDisabled),c--}}function i(){if(void 0===s){var e=document.createElement("div");e.style.setProperty("width","100px"),e.style.setProperty("height","100px"),e.style.setProperty("overflow","scroll"),e.style.setProperty("position","absolute"),e.style.setProperty("top","-9999px"),document.body.appendChild(e),s=e.offsetWidth-e.clientWidth,document.body.removeChild(e)}return s}function a(e){for(var n=e;n&&n!==document.body;){if("true"===n.getAttribute(t.DATA_IS_SCROLLABLE_ATTRIBUTE))return n;n=n.parentElement}for(n=e;n&&n!==document.body;){if("false"!==n.getAttribute(t.DATA_IS_SCROLLABLE_ATTRIBUTE)){var r=getComputedStyle(n),o=r?r.getPropertyValue("overflow-y"):"";if(o&&("scroll"===o||"auto"===o))return n}n=n.parentElement}return n&&n!==document.body||(n=window),n}Object.defineProperty(t,"__esModule",{value:!0});var s,u=n(25),l=n(167),c=0;t.DATA_IS_SCROLLABLE_ATTRIBUTE="data-is-scrollable",t.disableBodyScroll=r,t.enableBodyScroll=o,t.getScrollbarWidth=i,t.findScrollableParent=a},function(e,t,n){"use strict";function r(e,t,n){for(var r in n)if(t&&r in t){var o=e+" property '"+r+"' was used but has been deprecated.",i=n[r];i&&(o+=" Use '"+i+"' instead."),s(o)}}function o(e,t,n){for(var r in n)t&&r in t&&n[r]in t&&s(e+" property '"+r+"' is mutually exclusive with '"+n[r]+"'. Use one or the other.")}function i(e){console&&console.warn}function a(e){s=void 0===e?i:e}Object.defineProperty(t,"__esModule",{value:!0});var s=i;t.warnDeprecations=r,t.warnMutuallyExclusive=o,t.warn=i,t.setWarningCallback=a},function(e,t,n){"use strict";var r=n(9),o=n(176),i=n(179),a=n(185),s=n(183),u=n(81),l="undefined"!=typeof window&&window.btoa&&window.btoa.bind(window)||n(178);e.exports=function(e){return new Promise(function(t,c){var p=e.data,d=e.headers;r.isFormData(p)&&delete d["Content-Type"];var f=new XMLHttpRequest,m="onreadystatechange",h=!1;if("undefined"==typeof window||!window.XDomainRequest||"withCredentials"in f||s(e.url)||(f=new window.XDomainRequest,m="onload",h=!0,f.onprogress=function(){},f.ontimeout=function(){}),e.auth){var g=e.auth.username||"",v=e.auth.password||"";d.Authorization="Basic "+l(g+":"+v)}if(f.open(e.method.toUpperCase(),i(e.url,e.params,e.paramsSerializer),!0),f.timeout=e.timeout,f[m]=function(){if(f&&(4===f.readyState||h)&&(0!==f.status||f.responseURL&&0===f.responseURL.indexOf("file:"))){var n="getAllResponseHeaders"in f?a(f.getAllResponseHeaders()):null,r=e.responseType&&"text"!==e.responseType?f.response:f.responseText,i={data:r,status:1223===f.status?204:f.status,statusText:1223===f.status?"No Content":f.statusText,headers:n,config:e,request:f};o(t,c,i),f=null}},f.onerror=function(){c(u("Network Error",e)),f=null},f.ontimeout=function(){c(u("timeout of "+e.timeout+"ms exceeded",e,"ECONNABORTED")),f=null},r.isStandardBrowserEnv()){var y=n(181),b=(e.withCredentials||s(e.url))&&e.xsrfCookieName?y.read(e.xsrfCookieName):void 0;b&&(d[e.xsrfHeaderName]=b)}if("setRequestHeader"in f&&r.forEach(d,function(e,t){void 0===p&&"content-type"===t.toLowerCase()?delete d[t]:f.setRequestHeader(t,e)}),e.withCredentials&&(f.withCredentials=!0),e.responseType)try{f.responseType=e.responseType}catch(e){if("json"!==f.responseType)throw e}"function"==typeof e.onDownloadProgress&&f.addEventListener("progress",e.onDownloadProgress),"function"==typeof e.onUploadProgress&&f.upload&&f.upload.addEventListener("progress",e.onUploadProgress),e.cancelToken&&e.cancelToken.promise.then(function(e){f&&(f.abort(),c(e),f=null)}),void 0===p&&(p=null),f.send(p)})}},function(e,t,n){"use strict";function r(e){this.message=e}r.prototype.toString=function(){return"Cancel"+(this.message?": "+this.message:"")},r.prototype.__CANCEL__=!0,e.exports=r},function(e,t,n){"use strict";e.exports=function(e){return!(!e||!e.__CANCEL__)}},function(e,t,n){"use strict";var r=n(175);e.exports=function(e,t,n,o){var i=new Error(e);return r(i,t,n,o)}},function(e,t,n){"use strict";e.exports=function(e,t){return function(){for(var n=new Array(arguments.length),r=0;r.":"function"==typeof t?" Instead of passing a class like Foo, pass React.createElement(Foo) or .":null!=t&&void 0!==t.props?" This may be caused by unintentionally loading two independent copies of React.":"");var a,s=g.createElement(L,{child:t});if(e){var u=x.get(e);a=u._processChildContext(u._context)}else a=T;var c=d(n);if(c){var p=c._currentElement,m=p.props.child;if(k(m,t)){var h=c._renderedComponent.getPublicInstance(),v=r&&function(){r.call(h)};return j._updateRootComponent(c,s,a,n,v),h}j.unmountComponentAtNode(n)}var y=o(n),b=y&&!!i(y),_=l(n),w=b&&!c&&!_,C=j._renderNewRootComponent(s,n,w,a)._renderedComponent.getPublicInstance();return r&&r.call(C),C},render:function(e,t,n){return j._renderSubtreeIntoContainer(null,e,t,n)},unmountComponentAtNode:function(e){c(e)||f("40");var t=d(e);if(!t){l(e),1===e.nodeType&&e.hasAttribute(A);return!1}return delete B[t._instance.rootID],P.batchedUpdates(u,t,e,!1),!0},_mountImageIntoNode:function(e,t,n,i,a){if(c(t)||f("41"),i){var s=o(t);if(C.canReuseMarkup(e,s))return void y.precacheNode(n,s);var u=s.getAttribute(C.CHECKSUM_ATTR_NAME);s.removeAttribute(C.CHECKSUM_ATTR_NAME);var l=s.outerHTML;s.setAttribute(C.CHECKSUM_ATTR_NAME,u);var p=e,d=r(p,l),h=" (client) "+p.substring(d-20,d+20)+"\n (server) "+l.substring(d-20,d+20);t.nodeType===D&&f("42",h)}if(t.nodeType===D&&f("43"),a.useCreateElement){for(;t.lastChild;)t.removeChild(t.lastChild);m.insertTreeBefore(t,e,null)}else I(t,e),y.precacheNode(n,t.firstChild)}};e.exports=j},function(e,t,n){"use strict";var r=n(3),o=n(23),i=(n(1),{HOST:0,COMPOSITE:1,EMPTY:2,getType:function(e){return null===e||!1===e?i.EMPTY:o.isValidElement(e)?"function"==typeof e.type?i.COMPOSITE:i.HOST:void r("26",e)}});e.exports=i},function(e,t,n){"use strict";var r={currentScrollLeft:0,currentScrollTop:0,refreshScrollValues:function(e){r.currentScrollLeft=e.x,r.currentScrollTop=e.y}};e.exports=r},function(e,t,n){"use strict";function r(e,t){return null==t&&o("30"),null==e?t:Array.isArray(e)?Array.isArray(t)?(e.push.apply(e,t),e):(e.push(t),e):Array.isArray(t)?[e].concat(t):[e,t]}var o=n(3);n(1);e.exports=r},function(e,t,n){"use strict";function r(e,t,n){Array.isArray(e)?e.forEach(t,n):e&&t.call(n,e)}e.exports=r},function(e,t,n){"use strict";function r(e){for(var t;(t=e._renderedNodeType)===o.COMPOSITE;)e=e._renderedComponent;return t===o.HOST?e._renderedComponent:t===o.EMPTY?null:void 0}var o=n(107);e.exports=r},function(e,t,n){"use strict";function r(){return!i&&o.canUseDOM&&(i="textContent"in document.documentElement?"textContent":"innerText"),i}var o=n(8),i=null;e.exports=r},function(e,t,n){"use strict";function r(e){var t=e.type,n=e.nodeName;return n&&"input"===n.toLowerCase()&&("checkbox"===t||"radio"===t)}function o(e){return e._wrapperState.valueTracker}function i(e,t){e._wrapperState.valueTracker=t}function a(e){e._wrapperState.valueTracker=null}function s(e){var t;return e&&(t=r(e)?""+e.checked:e.value),t}var u=n(5),l={_getTrackerFromNode:function(e){return o(u.getInstanceFromNode(e))},track:function(e){if(!o(e)){var t=u.getNodeFromInstance(e),n=r(t)?"checked":"value",s=Object.getOwnPropertyDescriptor(t.constructor.prototype,n),l=""+t[n];t.hasOwnProperty(n)||"function"!=typeof s.get||"function"!=typeof s.set||(Object.defineProperty(t,n,{enumerable:s.enumerable,configurable:!0,get:function(){return s.get.call(this)},set:function(e){l=""+e,s.set.call(this,e)}}),i(e,{getValue:function(){return l},setValue:function(e){l=""+e},stopTracking:function(){a(e),delete t[n]}}))}},updateValueIfChanged:function(e){if(!e)return!1;var t=o(e);if(!t)return l.track(e),!0;var n=t.getValue(),r=s(u.getNodeFromInstance(e));return r!==n&&(t.setValue(r),!0)},stopTracking:function(e){var t=o(e);t&&t.stopTracking()}};e.exports=l},function(e,t,n){"use strict";function r(e){if(e){var t=e.getName();if(t)return" Check the render method of `"+t+"`."}return""}function o(e){return"function"==typeof e&&void 0!==e.prototype&&"function"==typeof e.prototype.mountComponent&&"function"==typeof e.prototype.receiveComponent}function i(e,t){var n;if(null===e||!1===e)n=l.create(i);else if("object"==typeof e){var s=e,u=s.type;if("function"!=typeof u&&"string"!=typeof u){var d="";d+=r(s._owner),a("130",null==u?u:typeof u,d)}"string"==typeof s.type?n=c.createInternalComponent(s):o(s.type)?(n=new s.type(s),n.getHostNode||(n.getHostNode=n.getNativeNode)):n=new p(s)}else"string"==typeof e||"number"==typeof e?n=c.createInstanceForText(e):a("131",typeof e);return n._mountIndex=0,n._mountImage=null,n}var a=n(3),s=n(4),u=n(246),l=n(102),c=n(104),p=(n(316),n(1),n(2),function(e){this.construct(e)});s(p.prototype,u,{_instantiateReactComponent:i}),e.exports=i},function(e,t,n){"use strict";function r(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return"input"===t?!!o[e.type]:"textarea"===t}var o={color:!0,date:!0,datetime:!0,"datetime-local":!0,email:!0,month:!0,number:!0,password:!0,range:!0,search:!0,tel:!0,text:!0,time:!0,url:!0,week:!0};e.exports=r},function(e,t,n){"use strict";var r=n(8),o=n(38),i=n(39),a=function(e,t){if(t){var n=e.firstChild;if(n&&n===e.lastChild&&3===n.nodeType)return void(n.nodeValue=t)}e.textContent=t};r.canUseDOM&&("textContent"in document.documentElement||(a=function(e,t){if(3===e.nodeType)return void(e.nodeValue=t);i(e,o(t))})),e.exports=a},function(e,t,n){"use strict";function r(e,t){return e&&"object"==typeof e&&null!=e.key?l.escape(e.key):t.toString(36)}function o(e,t,n,i){var d=typeof e;if("undefined"!==d&&"boolean"!==d||(e=null),null===e||"string"===d||"number"===d||"object"===d&&e.$$typeof===s)return n(i,e,""===t?c+r(e,0):t),1;var f,m,h=0,g=""===t?c:t+p;if(Array.isArray(e))for(var v=0;v=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function s(){}function u(e,t){var n={run:function(r){try{var o=e(t.getState(),r);(o!==n.props||n.error)&&(n.shouldComponentUpdate=!0,n.props=o,n.error=null)}catch(e){n.shouldComponentUpdate=!0,n.error=e}}};return n}function l(e){var t,l,c=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},d=c.getDisplayName,_=void 0===d?function(e){return"ConnectAdvanced("+e+")"}:d,w=c.methodName,x=void 0===w?"connectAdvanced":w,C=c.renderCountProp,E=void 0===C?void 0:C,S=c.shouldHandleStateChanges,P=void 0===S||S,T=c.storeKey,O=void 0===T?"store":T,I=c.withRef,k=void 0!==I&&I,M=a(c,["getDisplayName","methodName","renderCountProp","shouldHandleStateChanges","storeKey","withRef"]),A=O+"Subscription",R=y++,D=(t={},t[O]=g.a,t[A]=g.b,t),N=(l={},l[A]=g.b,l);return function(t){f()("function"==typeof t,"You must pass a component to the function returned by connect. Instead received "+JSON.stringify(t));var a=t.displayName||t.name||"Component",l=_(a),c=v({},M,{getDisplayName:_,methodName:x,renderCountProp:E,shouldHandleStateChanges:P,storeKey:O,withRef:k,displayName:l,wrappedComponentName:a,WrappedComponent:t}),d=function(a){function p(e,t){r(this,p);var n=o(this,a.call(this,e,t));return n.version=R,n.state={},n.renderCount=0,n.store=e[O]||t[O],n.propsMode=Boolean(e[O]),n.setWrappedInstance=n.setWrappedInstance.bind(n),f()(n.store,'Could not find "'+O+'" in either the context or props of "'+l+'". Either wrap the root component in a , or explicitly pass "'+O+'" as a prop to "'+l+'".'),n.initSelector(),n.initSubscription(),n}return i(p,a),p.prototype.getChildContext=function(){var e,t=this.propsMode?null:this.subscription;return e={},e[A]=t||this.context[A],e},p.prototype.componentDidMount=function(){P&&(this.subscription.trySubscribe(),this.selector.run(this.props),this.selector.shouldComponentUpdate&&this.forceUpdate())},p.prototype.componentWillReceiveProps=function(e){this.selector.run(e)},p.prototype.shouldComponentUpdate=function(){return this.selector.shouldComponentUpdate},p.prototype.componentWillUnmount=function(){this.subscription&&this.subscription.tryUnsubscribe(),this.subscription=null,this.notifyNestedSubs=s,this.store=null,this.selector.run=s,this.selector.shouldComponentUpdate=!1},p.prototype.getWrappedInstance=function(){return f()(k,"To access the wrapped instance, you need to specify { withRef: true } in the options argument of the "+x+"() call."),this.wrappedInstance},p.prototype.setWrappedInstance=function(e){this.wrappedInstance=e},p.prototype.initSelector=function(){var t=e(this.store.dispatch,c);this.selector=u(t,this.store),this.selector.run(this.props)},p.prototype.initSubscription=function(){if(P){var e=(this.propsMode?this.props:this.context)[A];this.subscription=new h.a(this.store,e,this.onStateChange.bind(this)),this.notifyNestedSubs=this.subscription.notifyNestedSubs.bind(this.subscription)}},p.prototype.onStateChange=function(){this.selector.run(this.props),this.selector.shouldComponentUpdate?(this.componentDidUpdate=this.notifyNestedSubsOnComponentDidUpdate,this.setState(b)):this.notifyNestedSubs()},p.prototype.notifyNestedSubsOnComponentDidUpdate=function(){this.componentDidUpdate=void 0,this.notifyNestedSubs()},p.prototype.isSubscribed=function(){return Boolean(this.subscription)&&this.subscription.isSubscribed()},p.prototype.addExtraProps=function(e){if(!(k||E||this.propsMode&&this.subscription))return e;var t=v({},e);return k&&(t.ref=this.setWrappedInstance),E&&(t[E]=this.renderCount++),this.propsMode&&this.subscription&&(t[A]=this.subscription),t},p.prototype.render=function(){var e=this.selector;if(e.shouldComponentUpdate=!1,e.error)throw e.error;return n.i(m.createElement)(t,this.addExtraProps(e.props))},p}(m.Component);return d.WrappedComponent=t,d.displayName=l,d.childContextTypes=N,d.contextTypes=D,d.propTypes=D,p()(d,t)}}t.a=l;var c=n(306),p=n.n(c),d=n(17),f=n.n(d),m=n(0),h=(n.n(m),n(304)),g=n(120),v=Object.assign||function(e){for(var t=1;t0&&void 0!==arguments[0]?arguments[0]:"/",t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:c.POP,n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:null,r="string"==typeof e?(0,l.parsePath)(e):e;return{pathname:r.pathname||"/",search:r.search||"",hash:r.hash||"",state:r.state,action:t,key:n}},function(e){return"[object Date]"===Object.prototype.toString.call(e)}),d=t.statesAreEqual=function e(t,n){if(t===n)return!0;var r=void 0===t?"undefined":o(t);if(r!==(void 0===n?"undefined":o(n)))return!1;if("function"===r&&(0,s.default)(!1),"object"===r){if(p(t)&&p(n)&&(0,s.default)(!1),!Array.isArray(t)){var i=Object.keys(t),a=Object.keys(n);return i.length===a.length&&i.every(function(r){return e(t[r],n[r])})}return Array.isArray(n)&&t.length===n.length&&t.every(function(t,r){return e(t,n[r])})}return!1};t.locationsAreEqual=function(e,t){return e.key===t.key&&e.pathname===t.pathname&&e.search===t.search&&e.hash===t.hash&&d(e.state,t.state)}},function(e,t,n){"use strict";function r(e){return e.replace(/[.*+?^${}()|[\]\\]/g,"\\$&")}function o(e){for(var t="",n=[],o=[],i=void 0,a=0,s=/:([a-zA-Z_$][a-zA-Z0-9_$]*)|\*\*|\*|\(|\)|\\\(|\\\)/g;i=s.exec(e);)i.index!==a&&(o.push(e.slice(a,i.index)),t+=r(e.slice(a,i.index))),i[1]?(t+="([^/]+)",n.push(i[1])):"**"===i[0]?(t+="(.*)",n.push("splat")):"*"===i[0]?(t+="(.*?)",n.push("splat")):"("===i[0]?t+="(?:":")"===i[0]?t+=")?":"\\("===i[0]?t+="\\(":"\\)"===i[0]&&(t+="\\)"),o.push(i[0]),a=s.lastIndex;return a!==e.length&&(o.push(e.slice(a,e.length)),t+=r(e.slice(a,e.length))),{pattern:e,regexpSource:t,paramNames:n,tokens:o}}function i(e){return p[e]||(p[e]=o(e)),p[e]}function a(e,t){"/"!==e.charAt(0)&&(e="/"+e);var n=i(e),r=n.regexpSource,o=n.paramNames,a=n.tokens;"/"!==e.charAt(e.length-1)&&(r+="/?"),"*"===a[a.length-1]&&(r+="$");var s=t.match(new RegExp("^"+r,"i"));if(null==s)return null;var u=s[0],l=t.substr(u.length);if(l){if("/"!==u.charAt(u.length-1))return null;l="/"+l}return{remainingPathname:l,paramNames:o,paramValues:s.slice(1).map(function(e){return e&&decodeURIComponent(e)})}}function s(e){return i(e).paramNames}function u(e,t){t=t||{};for(var n=i(e),r=n.tokens,o=0,a="",s=0,u=[],l=void 0,p=void 0,d=void 0,f=0,m=r.length;f0||c()(!1),null!=d&&(a+=encodeURI(d));else if("("===l)u[o]="",o+=1;else if(")"===l){var h=u.pop();o-=1,o?u[o-1]+=h:a+=h}else if("\\("===l)a+="(";else if("\\)"===l)a+=")";else if(":"===l.charAt(0))if(p=l.substring(1),d=t[p],null!=d||o>0||c()(!1),null==d){if(o){u[o-1]="";for(var g=r.indexOf(l),v=r.slice(g,r.length),y=-1,b=0;b0||c()(!1),f=g+y-1}}else o?u[o-1]+=encodeURIComponent(d):a+=encodeURIComponent(d);else o?u[o-1]+=l:a+=l;return o<=0||c()(!1),a.replace(/\/+/g,"/")}t.c=a,t.b=s,t.a=u;var l=n(17),c=n.n(l),p=Object.create(null)},function(e,t,n){"use strict";var r=n(72);n.n(r)},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ActionsId={CREATE_CUSTOM_ACTION:"CREATE_CUSTOM_ACTION",DELETE_CUSTOM_ACTION:"DELETE_CUSTOM_ACTION",HANDLE_ASYNC_ERROR:"HANDLE_ASYNC_ERROR",SET_ALL_CUSTOM_ACTIONS:"SET_ALL_CUSTOM_ACTIONS",SET_FILTER_TEXT:"SET_FILTER_TEXT",SET_MESSAGE_DATA:"SET_MESSAGE_DATA",SET_USER_PERMISSIONS:"SET_USER_PERMISSIONS",SET_WORKING_ON_IT:"SET_WORKING_ON_IT",UPDATE_CUSTOM_ACTION:"UPDATE_CUSTOM_ACTION"},t.constants={CANCEL_TEXT:"Cancel",COMPONENT_SITE_CA_DIV_ID:"spSiteCustomActionsBaseDiv",COMPONENT_WEB_CA_DIV_ID:"spWebCustomActionsBaseDiv",CONFIRM_DELETE_CUSTOM_ACTION:"Are you sure you want to remove this custom action?",CREATE_TEXT:"Create",CUSTOM_ACTION_REST_REQUEST_URL:"/usercustomactions",DELETE_TEXT:"Delete",EDIT_TEXT:"Edit",EMPTY_STRING:"",EMPTY_TEXTBOX_ERROR_MESSAGE:"The value can not be empty",ERROR_MESSAGE_DELETING_CUSTOM_ACTION:"Deleting the custom action",ERROR_MESSAGE_SETTING_CUSTOM_ACTION:"Creating or updating the custom action",ERROR_MESSAGE_CHECK_USER_PERMISSIONS:"An error occurred checking current user's permissions",ERROR_MESSAGE_CREATE_CUSTOM_ACTION:"An error occurred creating a new web custom action",ERROR_MESSAGE_DELETE_CUSTOM_ACTION:"An error occurred deleting the selected custom action",ERROR_MESSAGE_GET_ALL_CUSTOM_ACTIONS:"An error occurred getting all custom actions",ERROR_MESSAGE_UPDATE_CUSTOM_ACTION:"An error occurred updating the selected custom action",MESSAGE_CUSTOM_ACTION_CREATED:"A new custom action has been created.",MESSAGE_CUSTOM_ACTION_DELETED:"The selected custom action has been deleted.",MESSAGE_CUSTOM_ACTION_UPDATED:"The selected custom action has been updated.",MESSAGE_USER_NO_PERMISSIONS:"The current user does NOT have permissions to work with the web custom action.",MODAL_DIALOG_WIDTH:"700px",MODAL_SITE_CA_DIALOG_TITLE:"Site Custom Actions",MODAL_WEB_CA_DIALOG_TITLE:"Web Custom Actions",SAVE_TEXT:"Save",STRING_STRING:"string",TEXTBOX_PREFIX:"spPropInput_",UNDEFINED_STRING:"undefined"}},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(42),o=n(15);n(148);var i=function(){function e(e){var t=this;this.remove=function(){var e=document.getElementById(o.constants.STYLE_TAG_ID);e.parentElement.removeChild(e),r.unmountComponentAtNode(document.getElementById(t.baseDivId))},this.baseDivId=e;var n=document.getElementById(this.baseDivId);if(!n){n=document.createElement(o.constants.HTML_TAG_DIV),n.setAttribute(o.constants.HTML_ATTR_ID,this.baseDivId);document.querySelector(o.constants.HTML_TAG_BODY).appendChild(n)}}return e}();t.AppBase=i},function(e,t,n){"use strict";var r=this&&this.__extends||function(){var e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])};return function(t,n){function r(){this.constructor=t}e(t,n),t.prototype=null===n?Object.create(n):(r.prototype=n.prototype,new r)}}();Object.defineProperty(t,"__esModule",{value:!0});var o=n(0),i=n(15),a=function(e){function t(){var t=e.call(this)||this;return t.state={isClosed:!1},t.closeBtnClick=t.closeBtnClick.bind(t),t}return r(t,e),t.prototype.render=function(){return o.createElement("div",{className:"chrome-sp-dev-tool-wrapper"},o.createElement("div",{className:"sp-dev-too-modal",style:void 0!==this.props.modalWidth?{width:this.props.modalWidth}:{}},o.createElement("div",{className:"sp-dev-tool-modal-header"},o.createElement("span",{className:"ms-font-xxl ms-fontColor-themePrimary ms-fontWeight-semibold"},this.props.modalDialogTitle),o.createElement("a",{title:i.constants.MODAL_WRAPPER_CLOSE_BUTTON_TEXT,className:"ms-Button ms-Button--icon sp-dev-tool-close-btn",href:i.constants.MODAL_WRAPPER_CLOSE_BUTTON_HREF,onClick:this.closeBtnClick},o.createElement("span",{className:"ms-Button-icon"},o.createElement("i",{className:"ms-Icon ms-Icon--Cancel"})),o.createElement("span",{className:"ms-Button-label"})),o.createElement("hr",null)),this.props.children))},t.prototype.closeBtnClick=function(e){this.props.onCloseClick()},t}(o.Component);t.default=a},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(15),o=function(){function e(){this._keyPrefix="spChromeDevTool_",this._isSupportedStorage=null}return Object.defineProperty(e.prototype,"isSupportedStorage",{get:function(){return null===this._isSupportedStorage&&(this._isSupportedStorage=this.checkIfStorageIsSupported()),this._isSupportedStorage},enumerable:!0,configurable:!0}),e.prototype.clear=function(e){var t=this.addKeyPrefix(e);this.CacheObject.removeItem(t)},e.prototype.get=function(e){var t=this.addKeyPrefix(e);if(this.isSupportedStorage){var n=this.CacheObject.getItem(t);if(typeof n===r.constants.TYPE_OF_STRING){var o=JSON.parse(n);if(o.expiryTime>new Date)return o.data}}return null},e.prototype.set=function(e,t,n){var o=this.addKeyPrefix(e),i=!1;if(this.isSupportedStorage&&void 0!==t){var a=new Date,s=typeof n!==r.constants.TYPE_OF_UNDEFINED?a.setMinutes(a.getMinutes()+n):864e13,u={data:t,expiryTime:s};this.CacheObject.setItem(o,JSON.stringify(u)),i=!0}return i},e.prototype.addKeyPrefix=function(e){return this._keyPrefix+window.location.href.replace(/:\/\/|\/|\./g,"_")+"_"+e},Object.defineProperty(e.prototype,"CacheObject",{get:function(){return window.localStorage},enumerable:!0,configurable:!0}),e.prototype.checkIfStorageIsSupported=function(){var e=this.CacheObject;if(e&&JSON&&typeof JSON.parse===r.constants.TYPE_OF_FUNCTION&&typeof JSON.stringify===r.constants.TYPE_OF_FUNCTION)try{var t=this._keyPrefix+"testingCache";return e.setItem(t,"1"),e.removeItem(t),!0}catch(e){}return!1},e}();t.AppCache=new o},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(211),o=n(0),i=n(15);t.WorkingOnIt=function(){return o.createElement("div",{className:"working-on-it-wrapper"},o.createElement(r.Spinner,{type:r.SpinnerType.large,label:i.constants.WORKING_ON_IT_TEXT}))}},function(e,t,n){"use strict";function r(e){return e}function o(e,t,n){function o(e,t){var n=y.hasOwnProperty(t)?y[t]:null;x.hasOwnProperty(t)&&s("OVERRIDE_BASE"===n,"ReactClassInterface: You are attempting to override `%s` from your class specification. Ensure that your method names do not overlap with React methods.",t),e&&s("DEFINE_MANY"===n||"DEFINE_MANY_MERGED"===n,"ReactClassInterface: You are attempting to define `%s` on your component more than once. This conflict may be due to a mixin.",t)}function l(e,n){if(n){s("function"!=typeof n,"ReactClass: You're attempting to use a component class or function as a mixin. Instead, just use a regular object."),s(!t(n),"ReactClass: You're attempting to use a component as a mixin. Instead, just use a regular object.");var r=e.prototype,i=r.__reactAutoBindPairs;n.hasOwnProperty(u)&&b.mixins(e,n.mixins);for(var a in n)if(n.hasOwnProperty(a)&&a!==u){var l=n[a],c=r.hasOwnProperty(a);if(o(c,a),b.hasOwnProperty(a))b[a](e,l);else{var p=y.hasOwnProperty(a),m="function"==typeof l,h=m&&!p&&!c&&!1!==n.autobind;if(h)i.push(a,l),r[a]=l;else if(c){var g=y[a];s(p&&("DEFINE_MANY_MERGED"===g||"DEFINE_MANY"===g),"ReactClass: Unexpected spec policy %s for key %s when mixing in component specs.",g,a),"DEFINE_MANY_MERGED"===g?r[a]=d(r[a],l):"DEFINE_MANY"===g&&(r[a]=f(r[a],l))}else r[a]=l}}}else;}function c(e,t){if(t)for(var n in t){var r=t[n];if(t.hasOwnProperty(n)){var o=n in b;s(!o,'ReactClass: You are attempting to define a reserved property, `%s`, that shouldn\'t be on the "statics" key. Define it as an instance property instead; it will still be accessible on the constructor.',n);var i=n in e;s(!i,"ReactClass: You are attempting to define `%s` on your component more than once. This conflict may be due to a mixin.",n),e[n]=r}}}function p(e,t){s(e&&t&&"object"==typeof e&&"object"==typeof t,"mergeIntoWithNoDuplicateKeys(): Cannot merge non-objects.");for(var n in t)t.hasOwnProperty(n)&&(s(void 0===e[n],"mergeIntoWithNoDuplicateKeys(): Tried to merge two objects with the same key: `%s`. This conflict may be due to a mixin; in particular, this may be caused by two getInitialState() or getDefaultProps() methods returning objects with clashing keys.",n),e[n]=t[n]);return e}function d(e,t){return function(){var n=e.apply(this,arguments),r=t.apply(this,arguments);if(null==n)return r;if(null==r)return n;var o={};return p(o,n),p(o,r),o}}function f(e,t){return function(){e.apply(this,arguments),t.apply(this,arguments)}}function m(e,t){var n=t.bind(e);return n}function h(e){for(var t=e.__reactAutoBindPairs,n=0;n should not have a "'+t+'" prop')}t.c=r,n.d(t,"a",function(){return i}),n.d(t,"b",function(){return a}),n.d(t,"d",function(){return u});var o=n(19),i=(n.n(o),n.i(o.shape)({listen:o.func.isRequired,push:o.func.isRequired,replace:o.func.isRequired,go:o.func.isRequired,goBack:o.func.isRequired,goForward:o.func.isRequired}),n.i(o.oneOfType)([o.func,o.string])),a=n.i(o.oneOfType)([i,o.object]),s=n.i(o.oneOfType)([o.object,o.element]),u=n.i(o.oneOfType)([s,n.i(o.arrayOf)(s)])},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(0);t.IconButton=function(e){return r.createElement("a",{title:e.title,"aria-label":e.title,className:"ms-Button ms-Button--icon",onClick:e.onClick,disabled:void 0!==e.disabled&&e.disabled},r.createElement("span",{className:"ms-Button-icon"},r.createElement("i",{className:"ms-Icon ms-Icon--"+e.icon})),r.createElement("span",{className:"ms-Button-label"}," ",e.text))}},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(0),i=n(42),a=n(362),s=n(6);n(380);var u={},l=function(e){function t(t){var n=e.call(this,t,{onLayerMounted:"onLayerDidMount"})||this;return n.props.hostId&&(u[n.props.hostId]||(u[n.props.hostId]=[]),u[n.props.hostId].push(n)),n}return r(t,e),t.notifyHostChanged=function(e){u[e]&&u[e].forEach(function(e){return e.forceUpdate()})},t.prototype.componentDidMount=function(){this.componentDidUpdate()},t.prototype.componentWillUnmount=function(){var e=this;this._removeLayerElement(),this.props.hostId&&(u[this.props.hostId]=u[this.props.hostId].filter(function(t){return t!==e}),u[this.props.hostId].length||delete u[this.props.hostId])},t.prototype.componentDidUpdate=function(){var e=this,t=this._getHost();if(t!==this._host&&this._removeLayerElement(),t){if(this._host=t,!this._layerElement){var n=s.getDocument(this._rootElement);this._layerElement=n.createElement("div"),this._layerElement.className=s.css("ms-Layer",{"ms-Layer--fixed":!this.props.hostId}),t.appendChild(this._layerElement),s.setVirtualParent(this._layerElement,this._rootElement)}i.unstable_renderSubtreeIntoContainer(this,o.createElement(a.Fabric,{className:"ms-Layer-content"},this.props.children),this._layerElement,function(){e._hasMounted||(e._hasMounted=!0,e.props.onLayerMounted&&e.props.onLayerMounted(),e.props.onLayerDidMount())})}},t.prototype.render=function(){return o.createElement("span",{className:"ms-Layer",ref:this._resolveRef("_rootElement")})},t.prototype._removeLayerElement=function(){if(this._layerElement){this.props.onLayerWillUnmount(),i.unmountComponentAtNode(this._layerElement);var e=this._layerElement.parentNode;e&&e.removeChild(this._layerElement),this._layerElement=void 0,this._hasMounted=!1}},t.prototype._getHost=function(){var e=this.props.hostId,t=s.getDocument(this._rootElement);return e?t.getElementById(e):t.body},t}(s.BaseComponent);l.defaultProps={onLayerDidMount:function(){},onLayerWillUnmount:function(){}},t.Layer=l},,function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(169),o=n(15),i=n(136),a=function(){function e(){}return e.prototype.getWebUrl=function(){var e=this;return new Promise(function(t,n){var r=window.location.href+"_ChromeSPDevTools_url",a=i.AppCache.get(r);if(a)t(a);else{var s=SP.ClientContext.get_current(),u=s.get_web();s.load(u),s.executeQueryAsync(function(){a=u.get_url(),i.AppCache.set(r,a),t(a)},e.getErrorResolver(n,o.constants.MESSAGE_GETTING_WEB_URL))}})},e.prototype.getErrorResolver=function(e,t){return function(t,n){var r=n.get_message();n.get_stackTrace();e(r)}},e.prototype.getRequest=function(e){return r.get(e,{headers:{accept:o.constants.AXIOS_HEADER_ACCEPT}})},e.prototype.checkUserPermissions=function(e){var t=this;return new Promise(function(n,r){var i=SP.ClientContext.get_current(),a=i.get_web();if(typeof a.doesUserHavePermissions!==o.constants.TYPE_OF_FUNCTION)r(o.constants.MESSAGE_CANT_CHECK_PERMISSIONS);else{var s=new SP.BasePermissions;s.set(e);var u=a.doesUserHavePermissions(s),l=function(e,t){n(u.get_value())};i.executeQueryAsync(l,t.getErrorResolver(r,o.constants.MESSAGE_CHECKING_CURRENT_USER_PERMISSIONS))}})},e}();t.default=a},function(e,t,n){"use strict";var r=this&&this.__extends||function(){var e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])};return function(t,n){function r(){this.constructor=t}e(t,n),t.prototype=null===n?Object.create(n):(r.prototype=n.prototype,new r)}}();Object.defineProperty(t,"__esModule",{value:!0});var o=n(32),i=n(0),a=n(68),s=function(e){function t(){var t=e.call(this)||this;return t.state={showMessage:!1},t.onDismissClick=t.onDismissClick.bind(t),t}return r(t,e),t.prototype.render=function(){return this.state.showMessage?i.createElement(o.MessageBar,{messageBarType:this.props.messageType,onDismiss:this.onDismissClick},a.default.capitalize(o.MessageBarType[this.props.messageType])," - ",this.props.message):null},t.prototype.componentDidMount=function(){this.setState({showMessage:this.props.showMessage})},t.prototype.componentWillReceiveProps=function(e){this.setState({showMessage:e.showMessage})},t.prototype.onDismissClick=function(e){return this.onCloseClick(e),!1},t.prototype.onCloseClick=function(e){return e.preventDefault(),this.setState({showMessage:!1}),null!==this.props.onCloseMessageClick&&this.props.onCloseMessageClick(),!1},t}(i.Component);t.default=s},function(e,t,n){"use strict";var r=this&&this.__extends||function(){var e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])};return function(t,n){function r(){this.constructor=t}e(t,n),t.prototype=null===n?Object.create(n):(r.prototype=n.prototype,new r)}}();Object.defineProperty(t,"__esModule",{value:!0});var o=n(210),i=n(0),a=n(15),s=function(e){function t(){var t=e.call(this)||this;return t._divRefCallBack=t._divRefCallBack.bind(t),t}return r(t,e),t.prototype.componentDidMount=function(){this.input&&this.input.focus()},t.prototype.render=function(){return i.createElement("div",{className:"ms-Grid filters-container"},i.createElement("div",{className:"ms-Grid-row"},i.createElement("div",{className:"ms-Grid-col ms-u-sm6 ms-u-md6 ms-u-lg6",ref:this._divRefCallBack},i.createElement(o.SearchBox,{value:this.props.filterStr,onChange:this.props.setFilterText})),i.createElement("div",{className:this.props.parentOverrideClass||"ms-Grid-col ms-u-sm6 ms-u-md6 ms-u-lg6"},this.props.children)))},t.prototype._divRefCallBack=function(e){e&&this.props.referenceCallBack&&this.props.referenceCallBack(e.querySelector(a.constants.HTML_TAG_INPUT))},t}(i.Component);t.default=s},function(e,t){},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(43),o=n(76),i=n(25),a=function(){function e(e){this._events=new r.EventGroup(this),this._scrollableParent=o.findScrollableParent(e),this._incrementScroll=this._incrementScroll.bind(this),this._scrollRect=i.getRect(this._scrollableParent),this._scrollableParent===window&&(this._scrollableParent=document.body),this._scrollableParent&&(this._events.on(window,"mousemove",this._onMouseMove,!0),this._events.on(window,"touchmove",this._onTouchMove,!0))}return e.prototype.dispose=function(){this._events.dispose(),this._stopScroll()},e.prototype._onMouseMove=function(e){this._computeScrollVelocity(e.clientY)},e.prototype._onTouchMove=function(e){e.touches.length>0&&this._computeScrollVelocity(e.touches[0].clientY)},e.prototype._computeScrollVelocity=function(e){var t=this._scrollRect.top,n=t+this._scrollRect.height-100;this._scrollVelocity=en?Math.min(15,(e-n)/100*15):0,this._scrollVelocity?this._startScroll():this._stopScroll()},e.prototype._startScroll=function(){this._timeoutId||this._incrementScroll()},e.prototype._incrementScroll=function(){this._scrollableParent.scrollTop+=Math.round(this._scrollVelocity),this._timeoutId=setTimeout(this._incrementScroll,16)},e.prototype._stopScroll=function(){this._timeoutId&&(clearTimeout(this._timeoutId),delete this._timeoutId)},e}();t.AutoScroll=a},function(e,t,n){"use strict";var r=this&&this.__extends||function(){var e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])};return function(t,n){function r(){this.constructor=t}e(t,n),t.prototype=null===n?Object.create(n):(r.prototype=n.prototype,new r)}}();Object.defineProperty(t,"__esModule",{value:!0});var o=n(0),i=n(74),a=n(44),s=function(e){function t(t,n){var r=e.call(this,t)||this;return r.state=r._getInjectedProps(t,n),r}return r(t,e),t.prototype.getChildContext=function(){return this.state},t.prototype.componentWillReceiveProps=function(e,t){this.setState(this._getInjectedProps(e,t))},t.prototype.render=function(){return o.Children.only(this.props.children)},t.prototype._getInjectedProps=function(e,t){var n=e.settings,r=void 0===n?{}:n,o=t.injectedProps,i=void 0===o?{}:o;return{injectedProps:a.assign({},i,r)}},t}(i.BaseComponent);s.contextTypes={injectedProps:o.PropTypes.object},s.childContextTypes=s.contextTypes,t.Customizer=s},function(e,t,n){"use strict";var r=this&&this.__extends||function(){var e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])};return function(t,n){function r(){this.constructor=t}e(t,n),t.prototype=null===n?Object.create(n):(r.prototype=n.prototype,new r)}}();Object.defineProperty(t,"__esModule",{value:!0});var o=n(0),i=function(e){function t(t){var n=e.call(this,t)||this;return n.state={isRendered:!1},n}return r(t,e),t.prototype.componentDidMount=function(){var e=this,t=this.props.delay;this._timeoutId=setTimeout(function(){e.setState({isRendered:!0})},t)},t.prototype.componentWillUnmount=function(){clearTimeout(this._timeoutId)},t.prototype.render=function(){return this.state.isRendered?o.Children.only(this.props.children):null},t}(o.Component);i.defaultProps={delay:0},t.DelayedRender=i},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(e,t,n,r){void 0===e&&(e=0),void 0===t&&(t=0),void 0===n&&(n=0),void 0===r&&(r=0),this.top=n,this.bottom=r,this.left=e,this.right=t}return Object.defineProperty(e.prototype,"width",{get:function(){return this.right-this.left},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"height",{get:function(){return this.bottom-this.top},enumerable:!0,configurable:!0}),e.prototype.equals=function(e){return parseFloat(this.top.toFixed(4))===parseFloat(e.top.toFixed(4))&&parseFloat(this.bottom.toFixed(4))===parseFloat(e.bottom.toFixed(4))&&parseFloat(this.left.toFixed(4))===parseFloat(e.left.toFixed(4))&&parseFloat(this.right.toFixed(4))===parseFloat(e.right.toFixed(4))},e}();t.Rectangle=r},function(e,t,n){"use strict";function r(e,t){for(var n=-1,r=0;e&&r=0||e.getAttribute&&("true"===n||"button"===e.getAttribute("role")))}function c(e){return e&&!!e.getAttribute(h)}function p(e){var t=d.getDocument(e).activeElement;return!(!t||!d.elementContains(e,t))}Object.defineProperty(t,"__esModule",{value:!0});var d=n(25),f="data-is-focusable",m="data-is-visible",h="data-focuszone-id";t.getFirstFocusable=r,t.getLastFocusable=o,t.focusFirstChild=i,t.getPreviousElement=a,t.getNextElement=s,t.isElementVisible=u,t.isElementTabbable=l,t.isElementFocusZone=c,t.doesElementContainFocus=p},function(e,t,n){"use strict";function r(e,t,n){void 0===n&&(n=i);var r=[];for(var o in t)!function(o){"function"!=typeof t[o]||void 0!==e[o]||n&&-1!==n.indexOf(o)||(r.push(o),e[o]=function(){t[o].apply(t,arguments)})}(o);return r}function o(e,t){t.forEach(function(t){return delete e[t]})}Object.defineProperty(t,"__esModule",{value:!0});var i=["setState","render","componentWillMount","componentDidMount","componentWillReceiveProps","shouldComponentUpdate","componentWillUpdate","componentDidUpdate","componentWillUnmount"];t.hoistMethods=r,t.unhoistMethods=o},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}Object.defineProperty(t,"__esModule",{value:!0}),r(n(73)),r(n(149)),r(n(74)),r(n(150)),r(n(151)),r(n(43)),r(n(75)),r(n(152)),r(n(153)),r(n(154)),r(n(155)),r(n(156)),r(n(25)),r(n(157)),r(n(158)),r(n(160)),r(n(161)),r(n(44)),r(n(163)),r(n(164)),r(n(165)),r(n(166)),r(n(76)),r(n(168)),r(n(77)),r(n(162))},function(e,t,n){"use strict";function r(e,t){var n="",r=e.split(" ");return 2===r.length?(n+=r[0].charAt(0).toUpperCase(),n+=r[1].charAt(0).toUpperCase()):3===r.length?(n+=r[0].charAt(0).toUpperCase(),n+=r[2].charAt(0).toUpperCase()):0!==r.length&&(n+=r[0].charAt(0).toUpperCase()),t&&n.length>1?n.charAt(1)+n.charAt(0):n}function o(e){return e=e.replace(a,""),e=e.replace(s," "),e=e.trim()}function i(e,t){return null==e?"":(e=o(e),u.test(e)?"":r(e,t))}Object.defineProperty(t,"__esModule",{value:!0});var a=/\([^)]*\)|[\0-\u001F\!-\/:-@\[-`\{-\u00BF\u0250-\u036F\uD800-\uFFFF]/g,s=/\s+/g,u=/[\u0600-\u06FF\u0750-\u077F\u08A0-\u08FF\u1100-\u11FF\u3130-\u318F\uA960-\uA97F\uAC00-\uD7AF\uD7B0-\uD7FF\u3040-\u309F\u30A0-\u30FF\u3400-\u4DBF\u4E00-\u9FFF\uF900-\uFAFF]|[\uD840-\uD869][\uDC00-\uDED6]/;t.getInitials=i},function(e,t,n){"use strict";function r(e,t){return Math.sqrt(Math.pow(e.x-t.x,2)+Math.pow(e.y-t.y,2))}Object.defineProperty(t,"__esModule",{value:!0}),t.getDistanceBetweenPoints=r},function(e,t,n){"use strict";function r(e){return e?"object"==typeof e?e:(a[e]||(a[e]={}),a[e]):i}function o(e){var t;return function(){for(var n=[],o=0;o=0)},{},e)}Object.defineProperty(t,"__esModule",{value:!0});var o=n(44);t.baseElementEvents=["onCopy","onCut","onPaste","onCompositionEnd","onCompositionStart","onCompositionUpdate","onFocus","onFocusCapture","onBlur","onBlurCapture","onChange","onInput","onSubmit","onLoad","onError","onKeyDown","onKeyDownCapture","onKeyPress","onKeyUp","onAbort","onCanPlay","onCanPlayThrough","onDurationChange","onEmptied","onEncrypted","onEnded","onLoadedData","onLoadedMetadata","onLoadStart","onPause","onPlay","onPlaying","onProgress","onRateChange","onSeeked","onSeeking","onStalled","onSuspend","onTimeUpdate","onVolumeChange","onWaiting","onClick","onClickCapture","onContextMenu","onDoubleClick","onDrag","onDragEnd","onDragEnter","onDragExit","onDragLeave","onDragOver","onDragStart","onDrop","onMouseDown","onMouseDownCapture","onMouseEnter","onMouseLeave","onMouseMove","onMouseOut","onMouseOver","onMouseUp","onMouseUpCapture","onSelect","onTouchCancel","onTouchEnd","onTouchMove","onTouchStart","onScroll","onWheel"],t.baseElementProperties=["defaultChecked","defaultValue","accept","acceptCharset","accessKey","action","allowFullScreen","allowTransparency","alt","async","autoComplete","autoFocus","autoPlay","capture","cellPadding","cellSpacing","charSet","challenge","checked","children","classID","className","cols","colSpan","content","contentEditable","contextMenu","controls","coords","crossOrigin","data","dateTime","default","defer","dir","download","draggable","encType","form","formAction","formEncType","formMethod","formNoValidate","formTarget","frameBorder","headers","height","hidden","high","hrefLang","htmlFor","httpEquiv","icon","id","inputMode","integrity","is","keyParams","keyType","kind","lang","list","loop","low","manifest","marginHeight","marginWidth","max","maxLength","media","mediaGroup","method","min","minLength","multiple","muted","name","noValidate","open","optimum","pattern","placeholder","poster","preload","radioGroup","readOnly","rel","required","role","rows","rowSpan","sandbox","scope","scoped","scrolling","seamless","selected","shape","size","sizes","span","spellCheck","src","srcDoc","srcLang","srcSet","start","step","style","summary","tabIndex","title","type","useMap","value","width","wmode","wrap"],t.htmlElementProperties=t.baseElementProperties.concat(t.baseElementEvents),t.anchorProperties=t.htmlElementProperties.concat(["href","target"]),t.buttonProperties=t.htmlElementProperties.concat(["disabled"]),t.divProperties=t.htmlElementProperties.concat(["align","noWrap"]),t.inputProperties=t.buttonProperties,t.textAreaProperties=t.buttonProperties,t.imageProperties=t.divProperties,t.getNativeProps=r},function(e,t,n){"use strict";function r(e){return a+e}function o(e){a=e}function i(){return"en-us"}Object.defineProperty(t,"__esModule",{value:!0});var a="";t.getResourceUrl=r,t.setBaseUrl=o,t.getLanguage=i},function(e,t,n){"use strict";function r(){var e=a;if(void 0===e){var t=u.getDocument();t&&t.documentElement&&(e="rtl"===t.documentElement.getAttribute("dir"))}return e}function o(e){var t=u.getDocument();t&&t.documentElement&&t.documentElement.setAttribute("dir",e?"rtl":"ltr"),a=e}function i(e){return r()&&(e===s.KeyCodes.left?e=s.KeyCodes.right:e===s.KeyCodes.right&&(e=s.KeyCodes.left)),e}Object.defineProperty(t,"__esModule",{value:!0});var a,s=n(75),u=n(25);t.getRTL=r,t.setRTL=o,t.getRTLSafeKeyCode=i},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(7),o={msFabricScrollDisabled:"msFabricScrollDisabled_4129cea2"};t.default=o,r.loadStyles([{rawString:".msFabricScrollDisabled_4129cea2{overflow:hidden!important}"}])},function(e,t,n){"use strict";function r(e){function t(e){var t=a[e.replace(o,"")];return null!==t&&void 0!==t||(t=""),t}for(var n=[],r=1;r>8-s%1*8)){if((n=o.charCodeAt(s+=.75))>255)throw new r;t=t<<8|n}return a}var i="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=";r.prototype=new Error,r.prototype.code=5,r.prototype.name="InvalidCharacterError",e.exports=o},function(e,t,n){"use strict";function r(e){return encodeURIComponent(e).replace(/%40/gi,"@").replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}var o=n(9);e.exports=function(e,t,n){if(!t)return e;var i;if(n)i=n(t);else if(o.isURLSearchParams(t))i=t.toString();else{var a=[];o.forEach(t,function(e,t){null!==e&&void 0!==e&&(o.isArray(e)&&(t+="[]"),o.isArray(e)||(e=[e]),o.forEach(e,function(e){o.isDate(e)?e=e.toISOString():o.isObject(e)&&(e=JSON.stringify(e)),a.push(r(t)+"="+r(e))}))}),i=a.join("&")}return i&&(e+=(-1===e.indexOf("?")?"?":"&")+i),e}},function(e,t,n){"use strict";e.exports=function(e,t){return e.replace(/\/+$/,"")+"/"+t.replace(/^\/+/,"")}},function(e,t,n){"use strict";var r=n(9);e.exports=r.isStandardBrowserEnv()?function(){return{write:function(e,t,n,o,i,a){var s=[];s.push(e+"="+encodeURIComponent(t)),r.isNumber(n)&&s.push("expires="+new Date(n).toGMTString()),r.isString(o)&&s.push("path="+o),r.isString(i)&&s.push("domain="+i),!0===a&&s.push("secure"),document.cookie=s.join("; ")},read:function(e){var t=document.cookie.match(new RegExp("(^|;\\s*)("+e+")=([^;]*)"));return t?decodeURIComponent(t[3]):null},remove:function(e){this.write(e,"",Date.now()-864e5)}}}():function(){return{write:function(){},read:function(){return null},remove:function(){}}}()},function(e,t,n){"use strict";e.exports=function(e){return/^([a-z][a-z\d\+\-\.]*:)?\/\//i.test(e)}},function(e,t,n){"use strict";var r=n(9);e.exports=r.isStandardBrowserEnv()?function(){function e(e){var t=e;return n&&(o.setAttribute("href",t),t=o.href),o.setAttribute("href",t),{href:o.href,protocol:o.protocol?o.protocol.replace(/:$/,""):"",host:o.host,search:o.search?o.search.replace(/^\?/,""):"",hash:o.hash?o.hash.replace(/^#/,""):"",hostname:o.hostname,port:o.port,pathname:"/"===o.pathname.charAt(0)?o.pathname:"/"+o.pathname}}var t,n=/(msie|trident)/i.test(navigator.userAgent),o=document.createElement("a");return t=e(window.location.href),function(n){var o=r.isString(n)?e(n):n;return o.protocol===t.protocol&&o.host===t.host}}():function(){return function(){return!0}}()},function(e,t,n){"use strict";var r=n(9);e.exports=function(e,t){r.forEach(e,function(n,r){r!==t&&r.toUpperCase()===t.toUpperCase()&&(e[t]=n,delete e[r])})}},function(e,t,n){"use strict";var r=n(9);e.exports=function(e){var t,n,o,i={};return e?(r.forEach(e.split("\n"),function(e){o=e.indexOf(":"),t=r.trim(e.substr(0,o)).toLowerCase(),n=r.trim(e.substr(o+1)),t&&(i[t]=i[t]?i[t]+", "+n:n)}),i):i}},function(e,t,n){"use strict";e.exports=function(e){return function(t){return e.apply(null,t)}}},function(e,t,n){"use strict";function r(e){return e.replace(o,function(e,t){return t.toUpperCase()})}var o=/-(.)/g;e.exports=r},function(e,t,n){"use strict";function r(e){return o(e.replace(i,"ms-"))}var o=n(187),i=/^-ms-/;e.exports=r},function(e,t,n){"use strict";function r(e,t){return!(!e||!t)&&(e===t||!o(e)&&(o(t)?r(e,t.parentNode):"contains"in e?e.contains(t):!!e.compareDocumentPosition&&!!(16&e.compareDocumentPosition(t))))}var o=n(197);e.exports=r},function(e,t,n){"use strict";function r(e){var t=e.length;if((Array.isArray(e)||"object"!=typeof e&&"function"!=typeof e)&&a(!1),"number"!=typeof t&&a(!1),0===t||t-1 in e||a(!1),"function"==typeof e.callee&&a(!1),e.hasOwnProperty)try{return Array.prototype.slice.call(e)}catch(e){}for(var n=Array(t),r=0;r":"<"+e+">",s[e]=!a.firstChild),s[e]?d[e]:null}var o=n(8),i=n(1),a=o.canUseDOM?document.createElement("div"):null,s={},u=[1,'"],l=[1,"","
"],c=[3,"","
"],p=[1,'',""],d={"*":[1,"?
","
"],area:[1,"",""],col:[2,"","
"],legend:[1,"
","
"],param:[1,"",""],tr:[2,"","
"],optgroup:u,option:u,caption:l,colgroup:l,tbody:l,tfoot:l,thead:l,td:c,th:c};["circle","clipPath","defs","ellipse","g","image","line","linearGradient","mask","path","pattern","polygon","polyline","radialGradient","rect","stop","text","tspan"].forEach(function(e){d[e]=p,s[e]=!0}),e.exports=r},function(e,t,n){"use strict";function r(e){return e.Window&&e instanceof e.Window?{x:e.pageXOffset||e.document.documentElement.scrollLeft,y:e.pageYOffset||e.document.documentElement.scrollTop}:{x:e.scrollLeft,y:e.scrollTop}}e.exports=r},function(e,t,n){"use strict";function r(e){return e.replace(o,"-$1").toLowerCase()}var o=/([A-Z])/g;e.exports=r},function(e,t,n){"use strict";function r(e){return o(e).replace(i,"-ms-")}var o=n(194),i=/^ms-/;e.exports=r},function(e,t,n){"use strict";function r(e){var t=e?e.ownerDocument||e:document,n=t.defaultView||window;return!(!e||!("function"==typeof n.Node?e instanceof n.Node:"object"==typeof e&&"number"==typeof e.nodeType&&"string"==typeof e.nodeName))}e.exports=r},function(e,t,n){"use strict";function r(e){return o(e)&&3==e.nodeType}var o=n(196);e.exports=r},function(e,t,n){"use strict";function r(e){var t={};return function(n){return t.hasOwnProperty(n)||(t[n]=e.call(this,n)),t[n]}}e.exports=r},function(e,t,n){"use strict";t.__esModule=!0;t.PUSH="PUSH",t.REPLACE="REPLACE",t.POP="POP"},function(e,t,n){"use strict";t.__esModule=!0;t.addEventListener=function(e,t,n){return e.addEventListener?e.addEventListener(t,n,!1):e.attachEvent("on"+t,n)},t.removeEventListener=function(e,t,n){return e.removeEventListener?e.removeEventListener(t,n,!1):e.detachEvent("on"+t,n)},t.supportsHistory=function(){var e=window.navigator.userAgent;return(-1===e.indexOf("Android 2.")&&-1===e.indexOf("Android 4.0")||-1===e.indexOf("Mobile Safari")||-1!==e.indexOf("Chrome")||-1!==e.indexOf("Windows Phone"))&&(window.history&&"pushState"in window.history)},t.supportsGoWithoutReloadUsingHash=function(){return-1===window.navigator.userAgent.indexOf("Firefox")},t.supportsPopstateOnHashchange=function(){return-1===window.navigator.userAgent.indexOf("Trident")},t.isExtraneousPopstateEvent=function(e){return void 0===e.state&&-1===navigator.userAgent.indexOf("CriOS")}},function(e,t,n){"use strict";function r(e){return null==e?void 0===e?u:s:l&&l in Object(e)?n.i(i.a)(e):n.i(a.a)(e)}var o=n(86),i=n(204),a=n(205),s="[object Null]",u="[object Undefined]",l=o.a?o.a.toStringTag:void 0;t.a=r},function(e,t,n){"use strict";(function(e){var n="object"==typeof e&&e&&e.Object===Object&&e;t.a=n}).call(t,n(67))},function(e,t,n){"use strict";var r=n(206),o=n.i(r.a)(Object.getPrototypeOf,Object);t.a=o},function(e,t,n){"use strict";function r(e){var t=a.call(e,u),n=e[u];try{e[u]=void 0;var r=!0}catch(e){}var o=s.call(e);return r&&(t?e[u]=n:delete e[u]),o}var o=n(86),i=Object.prototype,a=i.hasOwnProperty,s=i.toString,u=o.a?o.a.toStringTag:void 0;t.a=r},function(e,t,n){"use strict";function r(e){return i.call(e)}var o=Object.prototype,i=o.toString;t.a=r},function(e,t,n){"use strict";function r(e,t){return function(n){return e(t(n))}}t.a=r},function(e,t,n){"use strict";var r=n(202),o="object"==typeof self&&self&&self.Object===Object&&self,i=r.a||o||Function("return this")();t.a=i},function(e,t,n){"use strict";function r(e){return null!=e&&"object"==typeof e}t.a=r},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(342))},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(227))},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(230))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=t.top&&e.left>=t.left&&e.bottom<=t.bottom&&e.right<=t.right}function i(e,t){return e.top=t.tope.bottom||-1===e.bottom?t.bottom:e.bottom,e.right=t.right>e.right||-1===e.right?t.right:e.right,e.width=e.right-e.left+1,e.height=e.bottom-e.top+1,e}var a=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},s=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;ne){if(t){for(var u=e-s,l=0;l=d.top&&c<=d.bottom)return;var f=id.bottom;f||m&&(i=this._scrollElement.scrollTop+(c-d.bottom))}this._scrollElement.scrollTop=i;break}i+=this._getPageHeight(s,a,this._surfaceRect)}},t.prototype.componentDidMount=function(){this._updatePages(),this._measureVersion++,this._scrollElement=l.findScrollableParent(this.refs.root),this._events.on(window,"resize",this._onAsyncResize),this._events.on(this.refs.root,"focus",this._onFocus,!0),this._scrollElement&&(this._events.on(this._scrollElement,"scroll",this._onScroll),this._events.on(this._scrollElement,"scroll",this._onAsyncScroll))},t.prototype.componentWillReceiveProps=function(e){e.items===this.props.items&&e.renderCount===this.props.renderCount&&e.startIndex===this.props.startIndex||(this._measureVersion++,this._updatePages(e))},t.prototype.shouldComponentUpdate=function(e,t){var n=this.props,r=(n.renderedWindowsAhead,n.renderedWindowsBehind,this.state.pages),o=t.pages,i=t.measureVersion,a=!1;if(this._measureVersion===i&&e.renderedWindowsAhead,e.renderedWindowsBehind,e.items===this.props.items&&r.length===o.length)for(var s=0;sa||n>s)&&this._onAsyncIdle()},t.prototype._onAsyncResize=function(){this.forceUpdate()},t.prototype._updatePages=function(e){var t=this,n=e||this.props,r=n.items,o=n.startIndex,i=n.renderCount;i=this._getRenderCount(e),this._requiredRect||this._updateRenderRects(e);var a=this._buildPages(r,o,i),s=this.state.pages;this.setState(a,function(){t._updatePageMeasurements(s,a.pages)?(t._materializedRect=null,t._hasCompletedFirstRender?t._onAsyncScroll():(t._hasCompletedFirstRender=!0,t._updatePages())):t._onAsyncIdle()})},t.prototype._updatePageMeasurements=function(e,t){for(var n={},r=!1,o=this._getRenderCount(),i=0;i-1,v=h>=f._allowedRect.top&&s<=f._allowedRect.bottom,y=h>=f._requiredRect.top&&s<=f._requiredRect.bottom,b=!d&&(y||v&&g),_=c>=n&&c0&&a[0].items&&a[0].items.length.ms-MessageBar-dismissal{right:0;top:0;position:absolute!important}.ms-MessageBar-actions,.ms-MessageBar-actionsOneline{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-flex:0;-ms-flex:0 0 auto;flex:0 0 auto;-webkit-box-orient:horizontal;-webkit-box-direction:reverse;-ms-flex-direction:row-reverse;flex-direction:row-reverse;-webkit-box-align:center;-ms-flex-align:center;align-items:center}.ms-MessageBar-actionsOneline{position:relative}.ms-MessageBar-dismissal{min-width:0}.ms-MessageBar-dismissal::-moz-focus-inner{border:0}.ms-MessageBar-dismissal{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-MessageBar-dismissal:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .ms-MessageBar-dismissalOneline .ms-MessageBar-dismissal{margin-right:-8px}html[dir=rtl] .ms-MessageBar-dismissalOneline .ms-MessageBar-dismissal{margin-left:-8px}.ms-MessageBar+.ms-MessageBar{margin-bottom:6px}html[dir=ltr] .ms-MessageBar-innerTextPadding{padding-right:24px}html[dir=rtl] .ms-MessageBar-innerTextPadding{padding-left:24px}html[dir=ltr] .ms-MessageBar-innerTextPadding .ms-MessageBar-innerText>span,html[dir=ltr] .ms-MessageBar-innerTextPadding span{padding-right:4px}html[dir=rtl] .ms-MessageBar-innerTextPadding .ms-MessageBar-innerText>span,html[dir=rtl] .ms-MessageBar-innerTextPadding span{padding-left:4px}.ms-MessageBar-multiline>.ms-MessageBar-content>.ms-MessageBar-actionables{-webkit-box-orient:vertical;-webkit-box-direction:normal;-ms-flex-direction:column;flex-direction:column}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-icon{-webkit-box-align:center;-ms-flex-align:center;-ms-grid-row-align:center;align-items:center}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text{-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center;-webkit-box-align:center;-ms-flex-align:center;-ms-grid-row-align:center;align-items:center}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text .ms-MessageBar-innerText,.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text .ms-MessageBar-innerTextPadding{max-height:1.3em;line-height:1.3em;overflow-x:hidden;text-overflow:ellipsis;white-space:nowrap}.ms-MessageBar-singleline .ms-MessageBar-content>.ms-MessageBar-actionables{-webkit-box-orient:horizontal;-webkit-box-direction:normal;-ms-flex-direction:row;flex-direction:row}.ms-MessageBar .ms-Icon--Cancel{font-size:14px}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(222)),r(n(93))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6);n(226);var u=function(e){function t(t){var n=e.call(this,t)||this;return n.props.onChanged&&(n.props.onChange=n.props.onChanged),n.state={value:t.value||"",hasFocus:!1,id:s.getId("SearchBox")},n}return r(t,e),t.prototype.componentWillReceiveProps=function(e){void 0!==e.value&&this.setState({value:e.value})},t.prototype.render=function(){var e=this.props,t=e.labelText,n=e.className,r=this.state,i=r.value,u=r.hasFocus,l=r.id;return a.createElement("div",o({ref:this._resolveRef("_rootElement"),className:s.css("ms-SearchBox",n,{"is-active":u,"can-clear":i.length>0})},{onFocusCapture:this._onFocusCapture}),a.createElement("i",{className:"ms-SearchBox-icon ms-Icon ms-Icon--Search"}),a.createElement("input",{id:l,className:"ms-SearchBox-field",placeholder:t,onChange:this._onInputChange,onKeyDown:this._onKeyDown,value:i,ref:this._resolveRef("_inputElement")}),a.createElement("div",{className:"ms-SearchBox-clearButton",onClick:this._onClearClick},a.createElement("i",{className:"ms-Icon ms-Icon--Clear"})))},t.prototype.focus=function(){this._inputElement&&this._inputElement.focus()},t.prototype._onClearClick=function(e){this.setState({value:""}),this._callOnChange(""),e.stopPropagation(),e.preventDefault(),this._inputElement.focus()},t.prototype._onFocusCapture=function(e){this.setState({hasFocus:!0}),this._events.on(s.getDocument().body,"focus",this._handleDocumentFocus,!0)},t.prototype._onKeyDown=function(e){switch(e.which){case s.KeyCodes.escape:this._onClearClick(e);break;case s.KeyCodes.enter:this.props.onSearch&&this.state.value.length>0&&this.props.onSearch(this.state.value);break;default:return}e.preventDefault(),e.stopPropagation()},t.prototype._onInputChange=function(e){this.setState({value:this._inputElement.value}),this._callOnChange(this._inputElement.value)},t.prototype._handleDocumentFocus=function(e){s.elementContains(this._rootElement,e.target)||(this._events.off(s.getDocument().body,"focus"),this.setState({hasFocus:!1}))},t.prototype._callOnChange=function(e){var t=this.props.onChange;t&&t(e)},t}(s.BaseComponent);u.defaultProps={labelText:"Search"},i([s.autobind],u.prototype,"_onClearClick",null),i([s.autobind],u.prototype,"_onFocusCapture",null),i([s.autobind],u.prototype,"_onKeyDown",null),i([s.autobind],u.prototype,"_onInputChange",null),t.SearchBox=u},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:'.ms-SearchBox{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;box-sizing:border-box;margin:0;padding:0;box-shadow:none;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";position:relative;margin-bottom:10px;border:1px solid "},{theme:"themeTertiary",defaultValue:"#71afe5"},{rawString:"}.ms-SearchBox.is-active{border-color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}html[dir=ltr] .ms-SearchBox.is-active .ms-SearchBox-field{padding-left:8px}html[dir=rtl] .ms-SearchBox.is-active .ms-SearchBox-field{padding-right:8px}.ms-SearchBox.is-active .ms-SearchBox-icon{display:none}.ms-SearchBox.is-disabled{border-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-SearchBox.is-disabled .ms-SearchBox-icon{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.ms-SearchBox.is-disabled .ms-SearchBox-field{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";pointer-events:none;cursor:default}.ms-SearchBox.can-clear .ms-SearchBox-clearButton{display:block}.ms-SearchBox:hover .ms-SearchBox-field{border-color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}.ms-SearchBox:hover .ms-SearchBox-label{color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-SearchBox:hover .ms-SearchBox-label .ms-SearchBox-icon{color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}input.ms-SearchBox-field{position:relative;box-sizing:border-box;margin:0;padding:0;box-shadow:none;border:none;outline:transparent 1px solid;font-weight:inherit;font-family:inherit;font-size:inherit;color:"},{theme:"black",defaultValue:"#000000"},{rawString:";height:34px;padding:6px 38px 7px 31px;width:100%;background-color:transparent;-webkit-transition:padding-left 167ms;transition:padding-left 167ms}html[dir=rtl] input.ms-SearchBox-field{padding:6px 31px 7px 38px}html[dir=ltr] input.ms-SearchBox-field:focus{padding-right:32px}html[dir=rtl] input.ms-SearchBox-field:focus{padding-left:32px}input.ms-SearchBox-field::-ms-clear{display:none}.ms-SearchBox-clearButton{display:none;border:none;cursor:pointer;position:absolute;top:0;width:40px;height:36px;line-height:36px;vertical-align:top;color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";text-align:center;font-size:16px}html[dir=ltr] .ms-SearchBox-clearButton{right:0}html[dir=rtl] .ms-SearchBox-clearButton{left:0}.ms-SearchBox-icon{font-size:17px;color:"},{theme:"neutralSecondaryAlt",defaultValue:"#767676"},{rawString:";position:absolute;top:0;height:36px;line-height:36px;vertical-align:top;font-size:16px;width:16px;color:#0078d7}html[dir=ltr] .ms-SearchBox-icon{left:8px}html[dir=rtl] .ms-SearchBox-icon{right:8px}html[dir=ltr] .ms-SearchBox-icon{margin-right:6px}html[dir=rtl] .ms-SearchBox-icon{margin-left:6px}"}])},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(225))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(0),i=n(6),a=n(94);n(229);var s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return r(t,e),t.prototype.render=function(){var e=this.props,t=e.type,n=e.size,r=e.label,s=e.className;return o.createElement("div",{className:i.css("ms-Spinner",s)},o.createElement("div",{className:i.css("ms-Spinner-circle",{"ms-Spinner--xSmall":n===a.SpinnerSize.xSmall},{"ms-Spinner--small":n===a.SpinnerSize.small},{"ms-Spinner--medium":n===a.SpinnerSize.medium},{"ms-Spinner--large":n===a.SpinnerSize.large},{"ms-Spinner--normal":t===a.SpinnerType.normal},{"ms-Spinner--large":t===a.SpinnerType.large})}),r&&o.createElement("div",{className:"ms-Spinner-label"},r))},t}(o.Component);s.defaultProps={size:a.SpinnerSize.medium},t.Spinner=s},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:"@-webkit-keyframes ms-Spinner-spin{0%{-webkit-transform:rotate(0);transform:rotate(0)}100%{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}@keyframes ms-Spinner-spin{0%{-webkit-transform:rotate(0);transform:rotate(0)}100%{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}.ms-Spinner>.ms-Spinner-circle{margin:auto;box-sizing:border-box;border-radius:50%;width:100%;height:100%;border:1.5px solid "},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";border-top-color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";-webkit-animation:ms-Spinner-spin 1.3s infinite cubic-bezier(.53,.21,.29,.67);animation:ms-Spinner-spin 1.3s infinite cubic-bezier(.53,.21,.29,.67)}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--xSmall{width:12px;height:12px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--small{width:16px;height:16px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--medium,.ms-Spinner>.ms-Spinner-circle.ms-Spinner--normal{width:20px;height:20px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--large{width:28px;height:28px}.ms-Spinner>.ms-Spinner-label{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";margin-top:10px;text-align:center}@media screen and (-ms-high-contrast:active){.ms-Spinner>.ms-Spinner-circle{border-top-style:none}}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(228)),r(n(94))},function(e,t,n){"use strict";function r(e,t,n,r,o){}e.exports=r},function(e,t,n){"use strict";var r=n(10),o=n(1),i=n(96);e.exports=function(){function e(e,t,n,r,a,s){s!==i&&o(!1,"Calling PropTypes validators directly is not supported by the `prop-types` package. Use PropTypes.checkPropTypes() to call them. Read more at http://fb.me/use-check-prop-types")}function t(){return e}e.isRequired=e;var n={array:e,bool:e,func:e,number:e,object:e,string:e,symbol:e,any:e,arrayOf:t,element:e,instanceOf:t,node:e,objectOf:t,oneOf:t,oneOfType:t,shape:t,exact:t};return n.checkPropTypes=r,n.PropTypes=n,n}},function(e,t,n){"use strict";var r=n(10),o=n(1),i=n(2),a=n(4),s=n(96),u=n(231);e.exports=function(e,t){function n(e){var t=e&&(P&&e[P]||e[T]);if("function"==typeof t)return t}function l(e,t){return e===t?0!==e||1/e==1/t:e!==e&&t!==t}function c(e){this.message=e,this.stack=""}function p(e){function n(n,r,i,a,u,l,p){if(a=a||O,l=l||i,p!==s)if(t)o(!1,"Calling PropTypes validators directly is not supported by the `prop-types` package. Use `PropTypes.checkPropTypes()` to call them. Read more at http://fb.me/use-check-prop-types");else;return null==r[i]?n?new c(null===r[i]?"The "+u+" `"+l+"` is marked as required in `"+a+"`, but its value is `null`.":"The "+u+" `"+l+"` is marked as required in `"+a+"`, but its value is `undefined`."):null:e(r,i,a,u,l)}var r=n.bind(null,!1);return r.isRequired=n.bind(null,!0),r}function d(e){function t(t,n,r,o,i,a){var s=t[n];if(x(s)!==e)return new c("Invalid "+o+" `"+i+"` of type `"+C(s)+"` supplied to `"+r+"`, expected `"+e+"`.");return null}return p(t)}function f(e){function t(t,n,r,o,i){if("function"!=typeof e)return new c("Property `"+i+"` of component `"+r+"` has invalid PropType notation inside arrayOf.");var a=t[n];if(!Array.isArray(a)){return new c("Invalid "+o+" `"+i+"` of type `"+x(a)+"` supplied to `"+r+"`, expected an array.")}for(var u=0;u8&&_<=11),C=32,E=String.fromCharCode(C),S={beforeInput:{phasedRegistrationNames:{bubbled:"onBeforeInput",captured:"onBeforeInputCapture"},dependencies:["topCompositionEnd","topKeyPress","topTextInput","topPaste"]},compositionEnd:{phasedRegistrationNames:{bubbled:"onCompositionEnd",captured:"onCompositionEndCapture"},dependencies:["topBlur","topCompositionEnd","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]},compositionStart:{phasedRegistrationNames:{bubbled:"onCompositionStart",captured:"onCompositionStartCapture"},dependencies:["topBlur","topCompositionStart","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]},compositionUpdate:{phasedRegistrationNames:{bubbled:"onCompositionUpdate",captured:"onCompositionUpdateCapture"},dependencies:["topBlur","topCompositionUpdate","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]}},P=!1,T=null,O={eventTypes:S,extractEvents:function(e,t,n,r){return[u(e,t,n,r),p(e,t,n,r)]}};e.exports=O},function(e,t,n){"use strict";var r=n(97),o=n(8),i=(n(11),n(188),n(288)),a=n(195),s=n(198),u=(n(2),s(function(e){return a(e)})),l=!1,c="cssFloat";if(o.canUseDOM){var p=document.createElement("div").style;try{p.font=""}catch(e){l=!0}void 0===document.documentElement.style.cssFloat&&(c="styleFloat")}var d={createMarkupForStyles:function(e,t){var n="";for(var r in e)if(e.hasOwnProperty(r)){var o=0===r.indexOf("--"),a=e[r];null!=a&&(n+=u(r)+":",n+=i(r,a,t,o)+";")}return n||null},setValueForStyles:function(e,t,n){var o=e.style;for(var a in t)if(t.hasOwnProperty(a)){var s=0===a.indexOf("--"),u=i(a,t[a],n,s);if("float"!==a&&"cssFloat"!==a||(a=c),s)o.setProperty(a,u);else if(u)o[a]=u;else{var p=l&&r.shorthandPropertyExpansions[a];if(p)for(var d in p)o[d]="";else o[a]=""}}}};e.exports=d},function(e,t,n){"use strict";function r(e,t,n){var r=P.getPooled(M.change,e,t,n);return r.type="change",x.accumulateTwoPhaseDispatches(r),r}function o(e){var t=e.nodeName&&e.nodeName.toLowerCase();return"select"===t||"input"===t&&"file"===e.type}function i(e){var t=r(R,e,O(e));S.batchedUpdates(a,t)}function a(e){w.enqueueEvents(e),w.processEventQueue(!1)}function s(e,t){A=e,R=t,A.attachEvent("onchange",i)}function u(){A&&(A.detachEvent("onchange",i),A=null,R=null)}function l(e,t){var n=T.updateValueIfChanged(e),r=!0===t.simulated&&B._allowSimulatedPassThrough;if(n||r)return e}function c(e,t){if("topChange"===e)return t}function p(e,t,n){"topFocus"===e?(u(),s(t,n)):"topBlur"===e&&u()}function d(e,t){A=e,R=t,A.attachEvent("onpropertychange",m)}function f(){A&&(A.detachEvent("onpropertychange",m),A=null,R=null)}function m(e){"value"===e.propertyName&&l(R,e)&&i(e)}function h(e,t,n){"topFocus"===e?(f(),d(t,n)):"topBlur"===e&&f()}function g(e,t,n){if("topSelectionChange"===e||"topKeyUp"===e||"topKeyDown"===e)return l(R,n)}function v(e){var t=e.nodeName;return t&&"input"===t.toLowerCase()&&("checkbox"===e.type||"radio"===e.type)}function y(e,t,n){if("topClick"===e)return l(t,n)}function b(e,t,n){if("topInput"===e||"topChange"===e)return l(t,n)}function _(e,t){if(null!=e){var n=e._wrapperState||t._wrapperState;if(n&&n.controlled&&"number"===t.type){var r=""+t.value;t.getAttribute("value")!==r&&t.setAttribute("value",r)}}}var w=n(27),x=n(28),C=n(8),E=n(5),S=n(12),P=n(13),T=n(113),O=n(62),I=n(63),k=n(115),M={change:{phasedRegistrationNames:{bubbled:"onChange",captured:"onChangeCapture"},dependencies:["topBlur","topChange","topClick","topFocus","topInput","topKeyDown","topKeyUp","topSelectionChange"]}},A=null,R=null,D=!1;C.canUseDOM&&(D=I("change")&&(!document.documentMode||document.documentMode>8));var N=!1;C.canUseDOM&&(N=I("input")&&(!document.documentMode||document.documentMode>9));var B={eventTypes:M,_allowSimulatedPassThrough:!0,_isInputEventSupported:N,extractEvents:function(e,t,n,i){var a,s,u=t?E.getNodeFromInstance(t):window;if(o(u)?D?a=c:s=p:k(u)?N?a=b:(a=g,s=h):v(u)&&(a=y),a){var l=a(e,t,n);if(l){return r(l,n,i)}}s&&s(e,u,t),"topBlur"===e&&_(t,u)}};e.exports=B},function(e,t,n){"use strict";var r=n(3),o=n(20),i=n(8),a=n(191),s=n(10),u=(n(1),{dangerouslyReplaceNodeWithMarkup:function(e,t){if(i.canUseDOM||r("56"),t||r("57"),"HTML"===e.nodeName&&r("58"),"string"==typeof t){var n=a(t,s)[0];e.parentNode.replaceChild(n,e)}else o.replaceChildWithTree(e,t)}});e.exports=u},function(e,t,n){"use strict";var r=["ResponderEventPlugin","SimpleEventPlugin","TapEventPlugin","EnterLeaveEventPlugin","ChangeEventPlugin","SelectEventPlugin","BeforeInputEventPlugin"];e.exports=r},function(e,t,n){"use strict";var r=n(28),o=n(5),i=n(36),a={mouseEnter:{registrationName:"onMouseEnter",dependencies:["topMouseOut","topMouseOver"]},mouseLeave:{registrationName:"onMouseLeave",dependencies:["topMouseOut","topMouseOver"]}},s={eventTypes:a,extractEvents:function(e,t,n,s){if("topMouseOver"===e&&(n.relatedTarget||n.fromElement))return null;if("topMouseOut"!==e&&"topMouseOver"!==e)return null;var u;if(s.window===s)u=s;else{var l=s.ownerDocument;u=l?l.defaultView||l.parentWindow:window}var c,p;if("topMouseOut"===e){c=t;var d=n.relatedTarget||n.toElement;p=d?o.getClosestInstanceFromNode(d):null}else c=null,p=t;if(c===p)return null;var f=null==c?u:o.getNodeFromInstance(c),m=null==p?u:o.getNodeFromInstance(p),h=i.getPooled(a.mouseLeave,c,n,s);h.type="mouseleave",h.target=f,h.relatedTarget=m;var g=i.getPooled(a.mouseEnter,p,n,s);return g.type="mouseenter",g.target=m,g.relatedTarget=f,r.accumulateEnterLeaveDispatches(h,g,c,p),[h,g]}};e.exports=s},function(e,t,n){"use strict";function r(e){this._root=e,this._startText=this.getText(),this._fallbackText=null}var o=n(4),i=n(16),a=n(112);o(r.prototype,{destructor:function(){this._root=null,this._startText=null,this._fallbackText=null},getText:function(){return"value"in this._root?this._root.value:this._root[a()]},getData:function(){if(this._fallbackText)return this._fallbackText;var e,t,n=this._startText,r=n.length,o=this.getText(),i=o.length;for(e=0;e1?1-t:void 0;return this._fallbackText=o.slice(e,s),this._fallbackText}}),i.addPoolingTo(r),e.exports=r},function(e,t,n){"use strict";var r=n(21),o=r.injection.MUST_USE_PROPERTY,i=r.injection.HAS_BOOLEAN_VALUE,a=r.injection.HAS_NUMERIC_VALUE,s=r.injection.HAS_POSITIVE_NUMERIC_VALUE,u=r.injection.HAS_OVERLOADED_BOOLEAN_VALUE,l={isCustomAttribute:RegExp.prototype.test.bind(new RegExp("^(data|aria)-["+r.ATTRIBUTE_NAME_CHAR+"]*$")),Properties:{accept:0,acceptCharset:0,accessKey:0,action:0,allowFullScreen:i,allowTransparency:0,alt:0,as:0,async:i,autoComplete:0,autoPlay:i,capture:i,cellPadding:0,cellSpacing:0,charSet:0,challenge:0,checked:o|i,cite:0,classID:0,className:0,cols:s,colSpan:0,content:0,contentEditable:0,contextMenu:0,controls:i,controlsList:0,coords:0,crossOrigin:0,data:0,dateTime:0,default:i,defer:i,dir:0,disabled:i,download:u,draggable:0,encType:0,form:0,formAction:0,formEncType:0,formMethod:0,formNoValidate:i,formTarget:0,frameBorder:0,headers:0,height:0,hidden:i,high:0,href:0,hrefLang:0,htmlFor:0,httpEquiv:0,icon:0,id:0,inputMode:0,integrity:0,is:0,keyParams:0,keyType:0,kind:0,label:0,lang:0,list:0,loop:i,low:0,manifest:0,marginHeight:0,marginWidth:0,max:0,maxLength:0,media:0,mediaGroup:0,method:0,min:0,minLength:0,multiple:o|i,muted:o|i,name:0,nonce:0,noValidate:i,open:i,optimum:0,pattern:0,placeholder:0,playsInline:i,poster:0,preload:0,profile:0,radioGroup:0,readOnly:i,referrerPolicy:0,rel:0,required:i,reversed:i,role:0,rows:s,rowSpan:a,sandbox:0,scope:0,scoped:i,scrolling:0,seamless:i,selected:o|i,shape:0,size:s,sizes:0,span:s,spellCheck:0,src:0,srcDoc:0,srcLang:0,srcSet:0,start:a,step:0,style:0,summary:0,tabIndex:0,target:0,title:0,type:0,useMap:0,value:0,width:0,wmode:0,wrap:0,about:0,datatype:0,inlist:0,prefix:0,property:0,resource:0,typeof:0,vocab:0,autoCapitalize:0,autoCorrect:0,autoSave:0,color:0,itemProp:0,itemScope:i,itemType:0,itemID:0,itemRef:0,results:0,security:0,unselectable:0},DOMAttributeNames:{acceptCharset:"accept-charset",className:"class",htmlFor:"for",httpEquiv:"http-equiv"},DOMPropertyNames:{},DOMMutationMethods:{value:function(e,t){if(null==t)return e.removeAttribute("value");"number"!==e.type||!1===e.hasAttribute("value")?e.setAttribute("value",""+t):e.validity&&!e.validity.badInput&&e.ownerDocument.activeElement!==e&&e.setAttribute("value",""+t)}}};e.exports=l},function(e,t,n){"use strict";(function(t){function r(e,t,n,r){var o=void 0===e[n];null!=t&&o&&(e[n]=i(t,!0))}var o=n(22),i=n(114),a=(n(54),n(64)),s=n(117);n(2);void 0!==t&&n.i({NODE_ENV:"production"});var u={instantiateChildren:function(e,t,n,o){if(null==e)return null;var i={};return s(e,r,i),i},updateChildren:function(e,t,n,r,s,u,l,c,p){if(t||e){var d,f;for(d in t)if(t.hasOwnProperty(d)){f=e&&e[d];var m=f&&f._currentElement,h=t[d];if(null!=f&&a(m,h))o.receiveComponent(f,h,s,c),t[d]=f;else{f&&(r[d]=o.getHostNode(f),o.unmountComponent(f,!1));var g=i(h,!0);t[d]=g;var v=o.mountComponent(g,s,u,l,c,p);n.push(v)}}for(d in e)!e.hasOwnProperty(d)||t&&t.hasOwnProperty(d)||(f=e[d],r[d]=o.getHostNode(f),o.unmountComponent(f,!1))}},unmountChildren:function(e,t){for(var n in e)if(e.hasOwnProperty(n)){var r=e[n];o.unmountComponent(r,t)}}};e.exports=u}).call(t,n(34))},function(e,t,n){"use strict";var r=n(50),o=n(252),i={processChildrenUpdates:o.dangerouslyProcessChildrenUpdates,replaceNodeWithMarkup:r.dangerouslyReplaceNodeWithMarkup};e.exports=i},function(e,t,n){"use strict";function r(e){}function o(e){return!(!e.prototype||!e.prototype.isReactComponent)}function i(e){return!(!e.prototype||!e.prototype.isPureReactComponent)}var a=n(3),s=n(4),u=n(23),l=n(56),c=n(14),p=n(57),d=n(29),f=(n(11),n(107)),m=n(22),h=n(33),g=(n(1),n(47)),v=n(64),y=(n(2),{ImpureClass:0,PureClass:1,StatelessFunctional:2});r.prototype.render=function(){var e=d.get(this)._currentElement.type,t=e(this.props,this.context,this.updater);return t};var b=1,_={construct:function(e){this._currentElement=e,this._rootNodeID=0,this._compositeType=null,this._instance=null,this._hostParent=null,this._hostContainerInfo=null,this._updateBatchNumber=null,this._pendingElement=null,this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1,this._renderedNodeType=null,this._renderedComponent=null,this._context=null,this._mountOrder=0,this._topLevelWrapper=null,this._pendingCallbacks=null,this._calledComponentWillUnmount=!1},mountComponent:function(e,t,n,s){this._context=s,this._mountOrder=b++,this._hostParent=t,this._hostContainerInfo=n;var l,c=this._currentElement.props,p=this._processContext(s),f=this._currentElement.type,m=e.getUpdateQueue(),g=o(f),v=this._constructComponent(g,c,p,m);g||null!=v&&null!=v.render?i(f)?this._compositeType=y.PureClass:this._compositeType=y.ImpureClass:(l=v,null===v||!1===v||u.isValidElement(v)||a("105",f.displayName||f.name||"Component"),v=new r(f),this._compositeType=y.StatelessFunctional);v.props=c,v.context=p,v.refs=h,v.updater=m,this._instance=v,d.set(v,this);var _=v.state;void 0===_&&(v.state=_=null),("object"!=typeof _||Array.isArray(_))&&a("106",this.getName()||"ReactCompositeComponent"),this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1;var w;return w=v.unstable_handleError?this.performInitialMountWithErrorHandling(l,t,n,e,s):this.performInitialMount(l,t,n,e,s),v.componentDidMount&&e.getReactMountReady().enqueue(v.componentDidMount,v),w},_constructComponent:function(e,t,n,r){return this._constructComponentWithoutOwner(e,t,n,r)},_constructComponentWithoutOwner:function(e,t,n,r){var o=this._currentElement.type;return e?new o(t,n,r):o(t,n,r)},performInitialMountWithErrorHandling:function(e,t,n,r,o){var i,a=r.checkpoint();try{i=this.performInitialMount(e,t,n,r,o)}catch(s){r.rollback(a),this._instance.unstable_handleError(s),this._pendingStateQueue&&(this._instance.state=this._processPendingState(this._instance.props,this._instance.context)),a=r.checkpoint(),this._renderedComponent.unmountComponent(!0),r.rollback(a),i=this.performInitialMount(e,t,n,r,o)}return i},performInitialMount:function(e,t,n,r,o){var i=this._instance,a=0;i.componentWillMount&&(i.componentWillMount(),this._pendingStateQueue&&(i.state=this._processPendingState(i.props,i.context))),void 0===e&&(e=this._renderValidatedComponent());var s=f.getType(e);this._renderedNodeType=s;var u=this._instantiateReactComponent(e,s!==f.EMPTY);this._renderedComponent=u;var l=m.mountComponent(u,r,t,n,this._processChildContext(o),a);return l},getHostNode:function(){return m.getHostNode(this._renderedComponent)},unmountComponent:function(e){if(this._renderedComponent){var t=this._instance;if(t.componentWillUnmount&&!t._calledComponentWillUnmount)if(t._calledComponentWillUnmount=!0,e){var n=this.getName()+".componentWillUnmount()";p.invokeGuardedCallback(n,t.componentWillUnmount.bind(t))}else t.componentWillUnmount();this._renderedComponent&&(m.unmountComponent(this._renderedComponent,e),this._renderedNodeType=null,this._renderedComponent=null,this._instance=null),this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1,this._pendingCallbacks=null,this._pendingElement=null,this._context=null,this._rootNodeID=0,this._topLevelWrapper=null,d.remove(t)}},_maskContext:function(e){var t=this._currentElement.type,n=t.contextTypes;if(!n)return h;var r={};for(var o in n)r[o]=e[o];return r},_processContext:function(e){var t=this._maskContext(e);return t},_processChildContext:function(e){var t,n=this._currentElement.type,r=this._instance;if(r.getChildContext&&(t=r.getChildContext()),t){"object"!=typeof n.childContextTypes&&a("107",this.getName()||"ReactCompositeComponent");for(var o in t)o in n.childContextTypes||a("108",this.getName()||"ReactCompositeComponent",o);return s({},e,t)}return e},_checkContextTypes:function(e,t,n){},receiveComponent:function(e,t,n){var r=this._currentElement,o=this._context;this._pendingElement=null,this.updateComponent(t,r,e,o,n)},performUpdateIfNecessary:function(e){null!=this._pendingElement?m.receiveComponent(this,this._pendingElement,e,this._context):null!==this._pendingStateQueue||this._pendingForceUpdate?this.updateComponent(e,this._currentElement,this._currentElement,this._context,this._context):this._updateBatchNumber=null},updateComponent:function(e,t,n,r,o){var i=this._instance;null==i&&a("136",this.getName()||"ReactCompositeComponent");var s,u=!1;this._context===o?s=i.context:(s=this._processContext(o),u=!0);var l=t.props,c=n.props;t!==n&&(u=!0),u&&i.componentWillReceiveProps&&i.componentWillReceiveProps(c,s);var p=this._processPendingState(c,s),d=!0;this._pendingForceUpdate||(i.shouldComponentUpdate?d=i.shouldComponentUpdate(c,p,s):this._compositeType===y.PureClass&&(d=!g(l,c)||!g(i.state,p))),this._updateBatchNumber=null,d?(this._pendingForceUpdate=!1,this._performComponentUpdate(n,c,p,s,e,o)):(this._currentElement=n,this._context=o,i.props=c,i.state=p,i.context=s)},_processPendingState:function(e,t){var n=this._instance,r=this._pendingStateQueue,o=this._pendingReplaceState;if(this._pendingReplaceState=!1,this._pendingStateQueue=null,!r)return n.state;if(o&&1===r.length)return r[0];for(var i=s({},o?r[0]:n.state),a=o?1:0;a=0||null!=t.is}function h(e){var t=e.type;f(t),this._currentElement=e,this._tag=t.toLowerCase(),this._namespaceURI=null,this._renderedChildren=null,this._previousStyle=null,this._previousStyleCopy=null,this._hostNode=null,this._hostParent=null,this._rootNodeID=0,this._domID=0,this._hostContainerInfo=null,this._wrapperState=null,this._topLevelWrapper=null,this._flags=0}var g=n(3),v=n(4),y=n(235),b=n(237),_=n(20),w=n(51),x=n(21),C=n(99),E=n(27),S=n(52),P=n(35),T=n(100),O=n(5),I=n(253),k=n(254),M=n(101),A=n(257),R=(n(11),n(266)),D=n(271),N=(n(10),n(38)),B=(n(1),n(63),n(47),n(113)),F=(n(65),n(2),T),L=E.deleteListener,j=O.getNodeFromInstance,U=P.listenTo,V=S.registrationNameModules,W={string:!0,number:!0},H="__html",q={children:null,dangerouslySetInnerHTML:null,suppressContentEditableWarning:null},K=11,z={topAbort:"abort",topCanPlay:"canplay",topCanPlayThrough:"canplaythrough",topDurationChange:"durationchange",topEmptied:"emptied",topEncrypted:"encrypted",topEnded:"ended",topError:"error",topLoadedData:"loadeddata",topLoadedMetadata:"loadedmetadata",topLoadStart:"loadstart",topPause:"pause",topPlay:"play",topPlaying:"playing",topProgress:"progress",topRateChange:"ratechange",topSeeked:"seeked",topSeeking:"seeking",topStalled:"stalled",topSuspend:"suspend",topTimeUpdate:"timeupdate",topVolumeChange:"volumechange",topWaiting:"waiting"},G={area:!0,base:!0,br:!0,col:!0,embed:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0},Y={listing:!0,pre:!0,textarea:!0},X=v({menuitem:!0},G),Z=/^[a-zA-Z][a-zA-Z:_\.\-\d]*$/,Q={},$={}.hasOwnProperty,J=1;h.displayName="ReactDOMComponent",h.Mixin={mountComponent:function(e,t,n,r){this._rootNodeID=J++,this._domID=n._idCounter++,this._hostParent=t,this._hostContainerInfo=n;var i=this._currentElement.props;switch(this._tag){case"audio":case"form":case"iframe":case"img":case"link":case"object":case"source":case"video":this._wrapperState={listeners:null},e.getReactMountReady().enqueue(p,this);break;case"input":I.mountWrapper(this,i,t),i=I.getHostProps(this,i),e.getReactMountReady().enqueue(c,this),e.getReactMountReady().enqueue(p,this);break;case"option":k.mountWrapper(this,i,t),i=k.getHostProps(this,i);break;case"select":M.mountWrapper(this,i,t),i=M.getHostProps(this,i),e.getReactMountReady().enqueue(p,this);break;case"textarea":A.mountWrapper(this,i,t),i=A.getHostProps(this,i),e.getReactMountReady().enqueue(c,this),e.getReactMountReady().enqueue(p,this)}o(this,i);var a,d;null!=t?(a=t._namespaceURI,d=t._tag):n._tag&&(a=n._namespaceURI,d=n._tag),(null==a||a===w.svg&&"foreignobject"===d)&&(a=w.html),a===w.html&&("svg"===this._tag?a=w.svg:"math"===this._tag&&(a=w.mathml)),this._namespaceURI=a;var f;if(e.useCreateElement){var m,h=n._ownerDocument;if(a===w.html)if("script"===this._tag){var g=h.createElement("div"),v=this._currentElement.type;g.innerHTML="<"+v+">",m=g.removeChild(g.firstChild)}else m=i.is?h.createElement(this._currentElement.type,i.is):h.createElement(this._currentElement.type);else m=h.createElementNS(a,this._currentElement.type);O.precacheNode(this,m),this._flags|=F.hasCachedChildNodes,this._hostParent||C.setAttributeForRoot(m),this._updateDOMProperties(null,i,e);var b=_(m);this._createInitialChildren(e,i,r,b),f=b}else{var x=this._createOpenTagMarkupAndPutListeners(e,i),E=this._createContentMarkup(e,i,r);f=!E&&G[this._tag]?x+"/>":x+">"+E+""}switch(this._tag){case"input":e.getReactMountReady().enqueue(s,this),i.autoFocus&&e.getReactMountReady().enqueue(y.focusDOMComponent,this);break;case"textarea":e.getReactMountReady().enqueue(u,this),i.autoFocus&&e.getReactMountReady().enqueue(y.focusDOMComponent,this);break;case"select":case"button":i.autoFocus&&e.getReactMountReady().enqueue(y.focusDOMComponent,this);break;case"option":e.getReactMountReady().enqueue(l,this)}return f},_createOpenTagMarkupAndPutListeners:function(e,t){var n="<"+this._currentElement.type;for(var r in t)if(t.hasOwnProperty(r)){var o=t[r];if(null!=o)if(V.hasOwnProperty(r))o&&i(this,r,o,e);else{"style"===r&&(o&&(o=this._previousStyleCopy=v({},t.style)),o=b.createMarkupForStyles(o,this));var a=null;null!=this._tag&&m(this._tag,t)?q.hasOwnProperty(r)||(a=C.createMarkupForCustomAttribute(r,o)):a=C.createMarkupForProperty(r,o),a&&(n+=" "+a)}}return e.renderToStaticMarkup?n:(this._hostParent||(n+=" "+C.createMarkupForRoot()),n+=" "+C.createMarkupForID(this._domID))},_createContentMarkup:function(e,t,n){var r="",o=t.dangerouslySetInnerHTML;if(null!=o)null!=o.__html&&(r=o.__html);else{var i=W[typeof t.children]?t.children:null,a=null!=i?null:t.children;if(null!=i)r=N(i);else if(null!=a){var s=this.mountChildren(a,e,n);r=s.join("")}}return Y[this._tag]&&"\n"===r.charAt(0)?"\n"+r:r},_createInitialChildren:function(e,t,n,r){var o=t.dangerouslySetInnerHTML;if(null!=o)null!=o.__html&&_.queueHTML(r,o.__html);else{var i=W[typeof t.children]?t.children:null,a=null!=i?null:t.children;if(null!=i)""!==i&&_.queueText(r,i);else if(null!=a)for(var s=this.mountChildren(a,e,n),u=0;ut.end?(n=t.end,r=t.start):(n=t.start,r=t.end),o.moveToElementText(e),o.moveStart("character",n),o.setEndPoint("EndToStart",o),o.moveEnd("character",r-n),o.select()}function s(e,t){if(window.getSelection){var n=window.getSelection(),r=e[c()].length,o=Math.min(t.start,r),i=void 0===t.end?o:Math.min(t.end,r);if(!n.extend&&o>i){var a=i;i=o,o=a}var s=l(e,o),u=l(e,i);if(s&&u){var p=document.createRange();p.setStart(s.node,s.offset),n.removeAllRanges(),o>i?(n.addRange(p),n.extend(u.node,u.offset)):(p.setEnd(u.node,u.offset),n.addRange(p))}}}var u=n(8),l=n(293),c=n(112),p=u.canUseDOM&&"selection"in document&&!("getSelection"in window),d={getOffsets:p?o:i,setOffsets:p?a:s};e.exports=d},function(e,t,n){"use strict";var r=n(3),o=n(4),i=n(50),a=n(20),s=n(5),u=n(38),l=(n(1),n(65),function(e){this._currentElement=e,this._stringText=""+e,this._hostNode=null,this._hostParent=null,this._domID=0,this._mountIndex=0,this._closingComment=null,this._commentNodes=null});o(l.prototype,{mountComponent:function(e,t,n,r){var o=n._idCounter++,i=" react-text: "+o+" ";if(this._domID=o,this._hostParent=t,e.useCreateElement){var l=n._ownerDocument,c=l.createComment(i),p=l.createComment(" /react-text "),d=a(l.createDocumentFragment());return a.queueChild(d,a(c)),this._stringText&&a.queueChild(d,a(l.createTextNode(this._stringText))),a.queueChild(d,a(p)),s.precacheNode(this,c),this._closingComment=p,d}var f=u(this._stringText);return e.renderToStaticMarkup?f:"\x3c!--"+i+"--\x3e"+f+"\x3c!-- /react-text --\x3e"},receiveComponent:function(e,t){if(e!==this._currentElement){this._currentElement=e;var n=""+e;if(n!==this._stringText){this._stringText=n;var r=this.getHostNode();i.replaceDelimitedText(r[0],r[1],n)}}},getHostNode:function(){var e=this._commentNodes;if(e)return e;if(!this._closingComment)for(var t=s.getNodeFromInstance(this),n=t.nextSibling;;){if(null==n&&r("67",this._domID),8===n.nodeType&&" /react-text "===n.nodeValue){this._closingComment=n;break}n=n.nextSibling}return e=[this._hostNode,this._closingComment],this._commentNodes=e,e},unmountComponent:function(){this._closingComment=null,this._commentNodes=null,s.uncacheNode(this)}}),e.exports=l},function(e,t,n){"use strict";function r(){this._rootNodeID&&c.updateWrapper(this)}function o(e){var t=this._currentElement.props,n=s.executeOnChange(t,e);return l.asap(r,this),n}var i=n(3),a=n(4),s=n(55),u=n(5),l=n(12),c=(n(1),n(2),{getHostProps:function(e,t){return null!=t.dangerouslySetInnerHTML&&i("91"),a({},t,{value:void 0,defaultValue:void 0,children:""+e._wrapperState.initialValue,onChange:e._wrapperState.onChange})},mountWrapper:function(e,t){var n=s.getValue(t),r=n;if(null==n){var a=t.defaultValue,u=t.children;null!=u&&(null!=a&&i("92"),Array.isArray(u)&&(u.length<=1||i("93"),u=u[0]),a=""+u),null==a&&(a=""),r=a}e._wrapperState={initialValue:""+r,listeners:null,onChange:o.bind(e)}},updateWrapper:function(e){var t=e._currentElement.props,n=u.getNodeFromInstance(e),r=s.getValue(t);if(null!=r){var o=""+r;o!==n.value&&(n.value=o),null==t.defaultValue&&(n.defaultValue=o)}null!=t.defaultValue&&(n.defaultValue=t.defaultValue)},postMountWrapper:function(e){var t=u.getNodeFromInstance(e),n=t.textContent;n===e._wrapperState.initialValue&&(t.value=n)}});e.exports=c},function(e,t,n){"use strict";function r(e,t){"_hostNode"in e||u("33"),"_hostNode"in t||u("33");for(var n=0,r=e;r;r=r._hostParent)n++;for(var o=0,i=t;i;i=i._hostParent)o++;for(;n-o>0;)e=e._hostParent,n--;for(;o-n>0;)t=t._hostParent,o--;for(var a=n;a--;){if(e===t)return e;e=e._hostParent,t=t._hostParent}return null}function o(e,t){"_hostNode"in e||u("35"),"_hostNode"in t||u("35");for(;t;){if(t===e)return!0;t=t._hostParent}return!1}function i(e){return"_hostNode"in e||u("36"),e._hostParent}function a(e,t,n){for(var r=[];e;)r.push(e),e=e._hostParent;var o;for(o=r.length;o-- >0;)t(r[o],"captured",n);for(o=0;o0;)n(u[l],"captured",i)}var u=n(3);n(1);e.exports={isAncestor:o,getLowestCommonAncestor:r,getParentInstance:i,traverseTwoPhase:a,traverseEnterLeave:s}},function(e,t,n){"use strict";function r(){this.reinitializeTransaction()}var o=n(4),i=n(12),a=n(37),s=n(10),u={initialize:s,close:function(){d.isBatchingUpdates=!1}},l={initialize:s,close:i.flushBatchedUpdates.bind(i)},c=[l,u];o(r.prototype,a,{getTransactionWrappers:function(){return c}});var p=new r,d={isBatchingUpdates:!1,batchedUpdates:function(e,t,n,r,o,i){var a=d.isBatchingUpdates;return d.isBatchingUpdates=!0,a?e(t,n,r,o,i):p.perform(e,null,t,n,r,o,i)}};e.exports=d},function(e,t,n){"use strict";function r(){C||(C=!0,y.EventEmitter.injectReactEventListener(v),y.EventPluginHub.injectEventPluginOrder(s),y.EventPluginUtils.injectComponentTree(d),y.EventPluginUtils.injectTreeTraversal(m),y.EventPluginHub.injectEventPluginsByName({SimpleEventPlugin:x,EnterLeaveEventPlugin:u,ChangeEventPlugin:a,SelectEventPlugin:w,BeforeInputEventPlugin:i}),y.HostComponent.injectGenericComponentClass(p),y.HostComponent.injectTextComponentClass(h),y.DOMProperty.injectDOMPropertyConfig(o),y.DOMProperty.injectDOMPropertyConfig(l),y.DOMProperty.injectDOMPropertyConfig(_),y.EmptyComponent.injectEmptyComponentFactory(function(e){return new f(e)}),y.Updates.injectReconcileTransaction(b),y.Updates.injectBatchingStrategy(g),y.Component.injectEnvironment(c))}var o=n(234),i=n(236),a=n(238),s=n(240),u=n(241),l=n(243),c=n(245),p=n(248),d=n(5),f=n(250),m=n(258),h=n(256),g=n(259),v=n(263),y=n(264),b=n(269),_=n(274),w=n(275),x=n(276),C=!1;e.exports={inject:r}},function(e,t,n){"use strict";var r="function"==typeof Symbol&&Symbol.for&&Symbol.for("react.element")||60103;e.exports=r},function(e,t,n){"use strict";function r(e){o.enqueueEvents(e),o.processEventQueue(!1)}var o=n(27),i={handleTopLevel:function(e,t,n,i){r(o.extractEvents(e,t,n,i))}};e.exports=i},function(e,t,n){"use strict";function r(e){for(;e._hostParent;)e=e._hostParent;var t=p.getNodeFromInstance(e),n=t.parentNode;return p.getClosestInstanceFromNode(n)}function o(e,t){this.topLevelType=e,this.nativeEvent=t,this.ancestors=[]}function i(e){var t=f(e.nativeEvent),n=p.getClosestInstanceFromNode(t),o=n;do{e.ancestors.push(o),o=o&&r(o)}while(o);for(var i=0;i/,i=/^<\!\-\-/,a={CHECKSUM_ATTR_NAME:"data-react-checksum",addChecksumToMarkup:function(e){var t=r(e);return i.test(e)?e:e.replace(o," "+a.CHECKSUM_ATTR_NAME+'="'+t+'"$&')},canReuseMarkup:function(e,t){var n=t.getAttribute(a.CHECKSUM_ATTR_NAME);return n=n&&parseInt(n,10),r(e)===n}};e.exports=a},function(e,t,n){"use strict";function r(e,t,n){return{type:"INSERT_MARKUP",content:e,fromIndex:null,fromNode:null,toIndex:n,afterNode:t}}function o(e,t,n){return{type:"MOVE_EXISTING",content:null,fromIndex:e._mountIndex,fromNode:d.getHostNode(e),toIndex:n,afterNode:t}}function i(e,t){return{type:"REMOVE_NODE",content:null,fromIndex:e._mountIndex,fromNode:t,toIndex:null,afterNode:null}}function a(e){return{type:"SET_MARKUP",content:e,fromIndex:null,fromNode:null,toIndex:null,afterNode:null}}function s(e){return{type:"TEXT_CONTENT",content:e,fromIndex:null,fromNode:null,toIndex:null,afterNode:null}}function u(e,t){return t&&(e=e||[],e.push(t)),e}function l(e,t){p.processChildrenUpdates(e,t)}var c=n(3),p=n(56),d=(n(29),n(11),n(14),n(22)),f=n(244),m=(n(10),n(290)),h=(n(1),{Mixin:{_reconcilerInstantiateChildren:function(e,t,n){return f.instantiateChildren(e,t,n)},_reconcilerUpdateChildren:function(e,t,n,r,o,i){var a,s=0;return a=m(t,s),f.updateChildren(e,a,n,r,o,this,this._hostContainerInfo,i,s),a},mountChildren:function(e,t,n){var r=this._reconcilerInstantiateChildren(e,t,n);this._renderedChildren=r;var o=[],i=0;for(var a in r)if(r.hasOwnProperty(a)){var s=r[a],u=0,l=d.mountComponent(s,t,this,this._hostContainerInfo,n,u);s._mountIndex=i++,o.push(l)}return o},updateTextContent:function(e){var t=this._renderedChildren;f.unmountChildren(t,!1);for(var n in t)t.hasOwnProperty(n)&&c("118");l(this,[s(e)])},updateMarkup:function(e){var t=this._renderedChildren;f.unmountChildren(t,!1);for(var n in t)t.hasOwnProperty(n)&&c("118");l(this,[a(e)])},updateChildren:function(e,t,n){this._updateChildren(e,t,n)},_updateChildren:function(e,t,n){var r=this._renderedChildren,o={},i=[],a=this._reconcilerUpdateChildren(r,e,i,o,t,n);if(a||r){var s,c=null,p=0,f=0,m=0,h=null;for(s in a)if(a.hasOwnProperty(s)){var g=r&&r[s],v=a[s];g===v?(c=u(c,this.moveChild(g,h,p,f)),f=Math.max(g._mountIndex,f),g._mountIndex=p):(g&&(f=Math.max(g._mountIndex,f)),c=u(c,this._mountChildAtIndex(v,i[m],h,p,t,n)),m++),p++,h=d.getHostNode(v)}for(s in o)o.hasOwnProperty(s)&&(c=u(c,this._unmountChild(r[s],o[s])));c&&l(this,c),this._renderedChildren=a}},unmountChildren:function(e){var t=this._renderedChildren;f.unmountChildren(t,e),this._renderedChildren=null},moveChild:function(e,t,n,r){if(e._mountIndex=t)return{node:n,offset:t-i};i=a}n=r(o(n))}}e.exports=i},function(e,t,n){"use strict";function r(e,t){var n={};return n[e.toLowerCase()]=t.toLowerCase(),n["Webkit"+e]="webkit"+t,n["Moz"+e]="moz"+t,n["ms"+e]="MS"+t,n["O"+e]="o"+t.toLowerCase(),n}function o(e){if(s[e])return s[e];if(!a[e])return e;var t=a[e];for(var n in t)if(t.hasOwnProperty(n)&&n in u)return s[e]=t[n];return""}var i=n(8),a={animationend:r("Animation","AnimationEnd"),animationiteration:r("Animation","AnimationIteration"),animationstart:r("Animation","AnimationStart"),transitionend:r("Transition","TransitionEnd")},s={},u={};i.canUseDOM&&(u=document.createElement("div").style,"AnimationEvent"in window||(delete a.animationend.animation,delete a.animationiteration.animation,delete a.animationstart.animation),"TransitionEvent"in window||delete a.transitionend.transition),e.exports=o},function(e,t,n){"use strict";function r(e){return'"'+o(e)+'"'}var o=n(38);e.exports=r},function(e,t,n){"use strict";var r=n(106);e.exports=r.renderSubtreeIntoContainer},function(e,t,n){"use strict";function r(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function o(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function i(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}function a(){var e,t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"store",n=arguments[1],a=n||t+"Subscription",u=function(e){function n(i,a){r(this,n);var s=o(this,e.call(this,i,a));return s[t]=i.store,s}return i(n,e),n.prototype.getChildContext=function(){var e;return e={},e[t]=this[t],e[a]=null,e},n.prototype.render=function(){return s.Children.only(this.props.children)},n}(s.Component);return u.propTypes={store:c.a.isRequired,children:l.a.element.isRequired},u.childContextTypes=(e={},e[t]=c.a.isRequired,e[a]=c.b,e),u}t.b=a;var s=n(0),u=(n.n(s),n(19)),l=n.n(u),c=n(120);n(66);t.a=a()},function(e,t,n){"use strict";function r(e,t){var n={};for(var r in e)t.indexOf(r)>=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e,t,n){for(var r=t.length-1;r>=0;r--){var o=t[r](e);if(o)return o}return function(t,r){throw new Error("Invalid value of type "+typeof e+" for "+n+" argument when connecting component "+r.wrappedComponentName+".")}}function i(e,t){return e===t}var a=n(118),s=n(305),u=n(299),l=n(300),c=n(301),p=n(302),d=Object.assign||function(e){for(var t=1;t0&&void 0!==arguments[0]?arguments[0]:{},t=e.connectHOC,n=void 0===t?a.a:t,f=e.mapStateToPropsFactories,m=void 0===f?l.a:f,h=e.mapDispatchToPropsFactories,g=void 0===h?u.a:h,v=e.mergePropsFactories,y=void 0===v?c.a:v,b=e.selectorFactory,_=void 0===b?p.a:b;return function(e,t,a){var u=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},l=u.pure,c=void 0===l||l,p=u.areStatesEqual,f=void 0===p?i:p,h=u.areOwnPropsEqual,v=void 0===h?s.a:h,b=u.areStatePropsEqual,w=void 0===b?s.a:b,x=u.areMergedPropsEqual,C=void 0===x?s.a:x,E=r(u,["pure","areStatesEqual","areOwnPropsEqual","areStatePropsEqual","areMergedPropsEqual"]),S=o(e,m,"mapStateToProps"),P=o(t,g,"mapDispatchToProps"),T=o(a,y,"mergeProps");return n(_,d({methodName:"connect",getDisplayName:function(e){return"Connect("+e+")"},shouldHandleStateChanges:Boolean(e),initMapStateToProps:S,initMapDispatchToProps:P,initMergeProps:T,pure:c,areStatesEqual:f,areOwnPropsEqual:v,areStatePropsEqual:w,areMergedPropsEqual:C},E))}}()},function(e,t,n){"use strict";function r(e){return"function"==typeof e?n.i(s.a)(e,"mapDispatchToProps"):void 0}function o(e){return e?void 0:n.i(s.b)(function(e){return{dispatch:e}})}function i(e){return e&&"object"==typeof e?n.i(s.b)(function(t){return n.i(a.bindActionCreators)(e,t)}):void 0}var a=n(40),s=n(119);t.a=[r,o,i]},function(e,t,n){"use strict";function r(e){return"function"==typeof e?n.i(i.a)(e,"mapStateToProps"):void 0}function o(e){return e?void 0:n.i(i.b)(function(){return{}})}var i=n(119);t.a=[r,o]},function(e,t,n){"use strict";function r(e,t,n){return s({},n,e,t)}function o(e){return function(t,n){var r=(n.displayName,n.pure),o=n.areMergedPropsEqual,i=!1,a=void 0;return function(t,n,s){var u=e(t,n,s);return i?r&&o(u,a)||(a=u):(i=!0,a=u),a}}}function i(e){return"function"==typeof e?o(e):void 0}function a(e){return e?void 0:function(){return r}}var s=(n(121),Object.assign||function(e){for(var t=1;t=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e,t,n,r){return function(o,i){return n(e(o,i),t(r,i),i)}}function i(e,t,n,r,o){function i(o,i){return m=o,h=i,g=e(m,h),v=t(r,h),y=n(g,v,h),f=!0,y}function a(){return g=e(m,h),t.dependsOnOwnProps&&(v=t(r,h)),y=n(g,v,h)}function s(){return e.dependsOnOwnProps&&(g=e(m,h)),t.dependsOnOwnProps&&(v=t(r,h)),y=n(g,v,h)}function u(){var t=e(m,h),r=!d(t,g);return g=t,r&&(y=n(g,v,h)),y}function l(e,t){var n=!p(t,h),r=!c(e,m);return m=e,h=t,n&&r?a():n?s():r?u():y}var c=o.areStatesEqual,p=o.areOwnPropsEqual,d=o.areStatePropsEqual,f=!1,m=void 0,h=void 0,g=void 0,v=void 0,y=void 0;return function(e,t){return f?l(e,t):i(e,t)}}function a(e,t){var n=t.initMapStateToProps,a=t.initMapDispatchToProps,s=t.initMergeProps,u=r(t,["initMapStateToProps","initMapDispatchToProps","initMergeProps"]),l=n(e,u),c=a(e,u),p=s(e,u);return(u.pure?i:o)(l,c,p,e,u)}t.a=a;n(303)},function(e,t,n){"use strict";n(66)},function(e,t,n){"use strict";function r(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function o(){var e=[],t=[];return{clear:function(){t=i,e=i},notify:function(){for(var n=e=t,r=0;r0&&void 0!==arguments[0]?arguments[0]:{},t=arguments[1];if(u)throw u;for(var o=!1,i={},a=0;a=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6),u=n(219);n(343);var l;!function(e){e[e.landscape=0]="landscape",e[e.portrait=1]="portrait"}(l=t.CoverStyle||(t.CoverStyle={})),t.CoverStyleMap=(p={},p[l.landscape]="ms-Image-image--landscape",p[l.portrait]="ms-Image-image--portrait",p),t.ImageFitMap=(d={},d[u.ImageFit.center]="ms-Image-image--center",d[u.ImageFit.contain]="ms-Image-image--contain",d[u.ImageFit.cover]="ms-Image-image--cover",d[u.ImageFit.none]="ms-Image-image--none",d);var c=function(e){function n(t){var n=e.call(this,t)||this;return n._coverStyle=l.portrait,n.state={loadState:u.ImageLoadState.notLoaded},n}return r(n,e),n.prototype.componentWillReceiveProps=function(e){e.src!==this.props.src?this.setState({loadState:u.ImageLoadState.notLoaded}):this.state.loadState===u.ImageLoadState.loaded&&this._computeCoverStyle(e)},n.prototype.componentDidUpdate=function(e,t){this._checkImageLoaded(),this.props.onLoadingStateChange&&t.loadState!==this.state.loadState&&this.props.onLoadingStateChange(this.state.loadState)},n.prototype.render=function(){var e=s.getNativeProps(this.props,s.imageProperties,["width","height"]),n=this.props,r=n.src,i=n.alt,l=n.width,c=n.height,p=n.shouldFadeIn,d=n.className,f=n.imageFit,m=n.role,h=n.maximizeFrame,g=this.state.loadState,v=this._coverStyle,y=g===u.ImageLoadState.loaded||g===u.ImageLoadState.notLoaded&&this.props.shouldStartVisible;return a.createElement("div",{className:s.css("ms-Image",d,{"ms-Image--maximizeFrame":h}),style:{width:l,height:c},ref:this._resolveRef("_frameElement")},a.createElement("img",o({},e,{onLoad:this._onImageLoaded,onError:this._onImageError,key:"fabricImage"+this.props.src||"",className:s.css("ms-Image-image",t.CoverStyleMap[v],void 0!==f&&t.ImageFitMap[f],{"is-fadeIn":p,"is-notLoaded":!y,"is-loaded":y,"ms-u-fadeIn400":y&&p,"is-error":g===u.ImageLoadState.error,"ms-Image-image--scaleWidth":void 0===f&&!!l&&!c,"ms-Image-image--scaleHeight":void 0===f&&!l&&!!c,"ms-Image-image--scaleWidthHeight":void 0===f&&!!l&&!!c}),ref:this._resolveRef("_imageElement"),src:r,alt:i,role:m})))},n.prototype._onImageLoaded=function(e){var t=this.props,n=t.src,r=t.onLoad;r&&r(e),this._computeCoverStyle(this.props),n&&this.setState({loadState:u.ImageLoadState.loaded})},n.prototype._checkImageLoaded=function(){var e=this.props.src;this.state.loadState===u.ImageLoadState.notLoaded&&((e&&this._imageElement.naturalWidth>0&&this._imageElement.naturalHeight>0||this._imageElement.complete&&n._svgRegex.test(e))&&(this._computeCoverStyle(this.props),this.setState({loadState:u.ImageLoadState.loaded})))},n.prototype._computeCoverStyle=function(e){var t=e.imageFit,n=e.width,r=e.height;if((t===u.ImageFit.cover||t===u.ImageFit.contain)&&this._imageElement){var o=void 0;o=n&&r?n/r:this._frameElement.clientWidth/this._frameElement.clientHeight;var i=this._imageElement.naturalWidth/this._imageElement.naturalHeight;this._coverStyle=i>o?l.landscape:l.portrait}},n.prototype._onImageError=function(e){this.props.onError&&this.props.onError(e),this.setState({loadState:u.ImageLoadState.error})},n}(s.BaseComponent);c.defaultProps={shouldFadeIn:!0},c._svgRegex=/\.svg$/i,i([s.autobind],c.prototype,"_onImageLoaded",null),i([s.autobind],c.prototype,"_onImageError",null),t.Image=c;var p,d},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(387))},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(0),o=n(307),i=n(411),a=n(412),s=function(){function e(){this._location=[{filterItem:function(e){return"ScriptLink"===e.Location&&!!e.ScriptSrc},key:"ScriptSrc",name:"Script Src",renderForm:function(e,t){return r.createElement(i.default,{item:e,onInputChange:t,isScriptBlock:!1})},spLocationName:"ScriptLink",type:"ScriptSrc",validateForm:function(e){return e.sequence>0&&""!==e.scriptSrc}},{filterItem:function(e){return"ScriptLink"===e.Location&&!!e.ScriptBlock},key:"ScriptBlock",name:"Script Block",renderForm:function(e,t){return r.createElement(i.default,{item:e,onInputChange:t,isScriptBlock:!0})},spLocationName:"ScriptLink",type:"ScriptBlock",validateForm:function(e){return e.sequence>0&&""!==e.scriptBlock}},{filterItem:function(e){var t=["ActionsMenu","SiteActions"];return"Microsoft.SharePoint.StandardMenu"===e.Location&&t.indexOf(e.Group)>=0},key:"StandardMenu",name:"Standard Menu",renderForm:function(e,t){return r.createElement(a.default,{item:e,onInputChange:t})},spLocationName:"Microsoft.SharePoint.StandardMenu",type:"StandardMenu",validateForm:function(e){return e.sequence>0&&""!==e.group&&""!==e.url}}]}return Object.defineProperty(e.prototype,"supportedCustomActions",{get:function(){return this._location.map(function(e){return e.spLocationName})},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"supportedCustomActionsFilter",{get:function(){return this._location.map(function(e){return e.filterItem})},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"contextMenuItems",{get:function(){var e=this;return this._location.map(function(t){return{className:"ms-ContextualMenu-item",key:t.key,name:t.name,onRender:e._renderCharmMenuItem,type:t.type}})},enumerable:!0,configurable:!0}),e.prototype.getFormComponent=function(e,t){var n;return n="ScriptLink"===e.location?this._location.filter(function(t){return e.scriptBlock?"ScriptBlock"===t.type:"ScriptSrc"===t.type}):this._location.filter(function(t){return t.spLocationName===e.location}),n.length>0?n[0].renderForm(e,t):null},e.prototype.getLocationItem=function(e){var t;return t="ScriptLink"===e.location?this._location.filter(function(t){return e.scriptBlock?"ScriptBlock"===t.type:"ScriptSrc"===t.type}):this._location.filter(function(t){return t.spLocationName===e.location}),t.length>0?t[0]:null},e.prototype.getLocationByKey=function(e){var t=this._location.filter(function(t){return t.key===e});return t.length>0?t[0]:null},e.prototype.getSpLocationNameByType=function(e){var t=this.getLocationByKey(e);return t?t.spLocationName:null},e.prototype._renderCharmMenuItem=function(e){return r.createElement(o.Link,{className:"ms-ContextualMenu-link",to:"newItem/"+e.type,key:e.name},r.createElement("div",{className:"ms-ContextualMenu-linkContent"},r.createElement("span",{className:"ms-ContextualMenu-itemText ms-fontWeight-regular"},e.name)))},e}();t.customActionLocationHelper=new s},function(e,t,n){"use strict";t.__esModule=!0,t.go=t.replaceLocation=t.pushLocation=t.startListener=t.getUserConfirmation=t.getCurrentLocation=void 0;var r=n(130),o=n(200),i=n(358),a=n(69),s=n(336),u=s.canUseDOM&&!(0,o.supportsPopstateOnHashchange)(),l=function(e){var t=e&&e.key;return(0,r.createLocation)({pathname:window.location.pathname,search:window.location.search,hash:window.location.hash,state:t?(0,i.readState)(t):void 0},void 0,t)},c=t.getCurrentLocation=function(){var e=void 0;try{e=window.history.state||{}}catch(t){e={}}return l(e)},p=(t.getUserConfirmation=function(e,t){return t(window.confirm(e))},t.startListener=function(e){var t=function(t){(0,o.isExtraneousPopstateEvent)(t)||e(l(t.state))};(0,o.addEventListener)(window,"popstate",t);var n=function(){return e(c())};return u&&(0,o.addEventListener)(window,"hashchange",n),function(){(0,o.removeEventListener)(window,"popstate",t),u&&(0,o.removeEventListener)(window,"hashchange",n)}},function(e,t){var n=e.state,r=e.key;void 0!==n&&(0,i.saveState)(r,n),t({key:r},(0,a.createPath)(e))});t.pushLocation=function(e){return p(e,function(e,t){return window.history.pushState(e,null,t)})},t.replaceLocation=function(e){return p(e,function(e,t){return window.history.replaceState(e,null,t)})},t.go=function(e){e&&window.history.go(e)}},function(e,t,n){"use strict";t.__esModule=!0;t.canUseDOM=!("undefined"==typeof window||!window.document||!window.document.createElement)},function(e,t,n){"use strict";t.__esModule=!0;var r=n(418),o=n(69),i=n(338),a=function(e){return e&&e.__esModule?e:{default:e}}(i),s=n(199),u=n(130),l=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=e.getCurrentLocation,n=e.getUserConfirmation,i=e.pushLocation,l=e.replaceLocation,c=e.go,p=e.keyLength,d=void 0,f=void 0,m=[],h=[],g=[],v=function(){return f&&f.action===s.POP?g.indexOf(f.key):d?g.indexOf(d.key):-1},y=function(e){var t=v();d=e,d.action===s.PUSH?g=[].concat(g.slice(0,t+1),[d.key]):d.action===s.REPLACE&&(g[t]=d.key),h.forEach(function(e){return e(d)})},b=function(e){return m.push(e),function(){return m=m.filter(function(t){return t!==e})}},_=function(e){return h.push(e),function(){return h=h.filter(function(t){return t!==e})}},w=function(e,t){(0,r.loopAsync)(m.length,function(t,n,r){(0,a.default)(m[t],e,function(e){return null!=e?r(e):n()})},function(e){n&&"string"==typeof e?n(e,function(e){return t(!1!==e)}):t(!1!==e)})},x=function(e){d&&(0,u.locationsAreEqual)(d,e)||f&&(0,u.locationsAreEqual)(f,e)||(f=e,w(e,function(t){if(f===e)if(f=null,t){if(e.action===s.PUSH){var n=(0,o.createPath)(d),r=(0,o.createPath)(e);r===n&&(0,u.statesAreEqual)(d.state,e.state)&&(e.action=s.REPLACE)}e.action===s.POP?y(e):e.action===s.PUSH?!1!==i(e)&&y(e):e.action===s.REPLACE&&!1!==l(e)&&y(e)}else if(d&&e.action===s.POP){var a=g.indexOf(d.key),p=g.indexOf(e.key);-1!==a&&-1!==p&&c(a-p)}}))},C=function(e){return x(I(e,s.PUSH))},E=function(e){return x(I(e,s.REPLACE))},S=function(){return c(-1)},P=function(){return c(1)},T=function(){return Math.random().toString(36).substr(2,p||6)},O=function(e){return(0,o.createPath)(e)},I=function(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:T();return(0,u.createLocation)(e,t,n)};return{getCurrentLocation:t,listenBefore:b,listen:_,transitionTo:x,push:C,replace:E,go:c,goBack:S,goForward:P,createKey:T,createPath:o.createPath,createHref:O,createLocation:I}};t.default=l},function(e,t,n){"use strict";t.__esModule=!0;var r=n(72),o=(function(e){e&&e.__esModule}(r),function(e,t,n){var r=e(t,n);e.length<2&&n(r)});t.default=o},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(369))},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(346))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(140),u=n(6),l={},c=["text","number","password","email","tel","url","search"],p=function(e){function t(t){var n=e.call(this,t)||this;return n._id=u.getId("FocusZone"),l[n._id]=n,n._focusAlignment={left:0,top:0},n}return r(t,e),t.prototype.componentDidMount=function(){for(var e=this.refs.root.ownerDocument.defaultView,t=u.getParent(this.refs.root);t&&t!==document.body&&1===t.nodeType;){if(u.isElementFocusZone(t)){this._isInnerZone=!0;break}t=u.getParent(t)}this._events.on(e,"keydown",this._onKeyDownCapture,!0),this._updateTabIndexes(),this.props.defaultActiveElement&&(this._activeElement=u.getDocument().querySelector(this.props.defaultActiveElement))},t.prototype.componentWillUnmount=function(){delete l[this._id]},t.prototype.render=function(){var e=this.props,t=e.rootProps,n=e.ariaLabelledBy,r=e.className;return a.createElement("div",o({},t,{className:u.css("ms-FocusZone",r),ref:"root","data-focuszone-id":this._id,"aria-labelledby":n,onKeyDown:this._onKeyDown,onFocus:this._onFocus},{onMouseDownCapture:this._onMouseDown}),this.props.children)},t.prototype.focus=function(){if(this._activeElement&&u.elementContains(this.refs.root,this._activeElement))return this._activeElement.focus(),!0;var e=this.refs.root.firstChild;return this.focusElement(u.getNextElement(this.refs.root,e,!0))},t.prototype.focusElement=function(e){var t=this.props.onBeforeFocus;return!(t&&!t(e))&&(!(!e||(this._activeElement&&(this._activeElement.tabIndex=-1),this._activeElement=e,!e))&&(this._focusAlignment||this._setFocusAlignment(e,!0,!0),this._activeElement.tabIndex=0,e.focus(),!0))},t.prototype._onFocus=function(e){var t=this.props.onActiveElementChanged;if(this._isImmediateDescendantOfZone(e.target))this._activeElement=e.target,this._setFocusAlignment(this._activeElement);else for(var n=e.target;n&&n!==this.refs.root;){if(u.isElementTabbable(n)&&this._isImmediateDescendantOfZone(n)){this._activeElement=n;break}n=u.getParent(n)}t&&t(this._activeElement,e)},t.prototype._onKeyDownCapture=function(e){e.which===u.KeyCodes.tab&&this._updateTabIndexes()},t.prototype._onMouseDown=function(e){if(!this.props.disabled){for(var t=e.target,n=[];t&&t!==this.refs.root;)n.push(t),t=u.getParent(t);for(;n.length&&(t=n.pop(),!u.isElementFocusZone(t));)t&&u.isElementTabbable(t)&&(t.tabIndex=0,this._setFocusAlignment(t,!0,!0))}},t.prototype._onKeyDown=function(e){var t=this.props,n=t.direction,r=t.disabled,o=t.isInnerZoneKeystroke;if(!r){if(o&&this._isImmediateDescendantOfZone(e.target)&&o(e)){var i=this._getFirstInnerZone();if(!i||!i.focus())return}else switch(e.which){case u.KeyCodes.left:if(n!==s.FocusZoneDirection.vertical&&this._moveFocusLeft())break;return;case u.KeyCodes.right:if(n!==s.FocusZoneDirection.vertical&&this._moveFocusRight())break;return;case u.KeyCodes.up:if(n!==s.FocusZoneDirection.horizontal&&this._moveFocusUp())break;return;case u.KeyCodes.down:if(n!==s.FocusZoneDirection.horizontal&&this._moveFocusDown())break;return;case u.KeyCodes.home:var a=this.refs.root.firstChild;if(this.focusElement(u.getNextElement(this.refs.root,a,!0)))break;return;case u.KeyCodes.end:var l=this.refs.root.lastChild;if(this.focusElement(u.getPreviousElement(this.refs.root,l,!0,!0,!0)))break;return;case u.KeyCodes.enter:if(this._tryInvokeClickForFocusable(e.target))break;return;default:return}e.preventDefault(),e.stopPropagation()}},t.prototype._tryInvokeClickForFocusable=function(e){do{if("BUTTON"===e.tagName||"A"===e.tagName)return!1;if(this._isImmediateDescendantOfZone(e)&&"true"===e.getAttribute("data-is-focusable")&&"true"!==e.getAttribute("data-disable-click-on-enter"))return u.EventGroup.raise(e,"click",null,!0),!0;e=u.getParent(e)}while(e!==this.refs.root);return!1},t.prototype._getFirstInnerZone=function(e){e=e||this._activeElement||this.refs.root;for(var t=e.firstElementChild;t;){if(u.isElementFocusZone(t))return l[t.getAttribute("data-focuszone-id")];var n=this._getFirstInnerZone(t);if(n)return n;t=t.nextElementSibling}return null},t.prototype._moveFocus=function(e,t,n){var r,o=this._activeElement,i=-1,a=!1,l=this.props.direction===s.FocusZoneDirection.bidirectional;if(!o)return!1;if(this._isElementInput(o)&&!this._shouldInputLoseFocus(o,e))return!1;var c=l?o.getBoundingClientRect():null;do{if(o=e?u.getNextElement(this.refs.root,o):u.getPreviousElement(this.refs.root,o),!l){r=o;break}if(o){var p=o.getBoundingClientRect(),d=t(c,p);if(d>-1&&(-1===i||d=0&&d<0)break}}while(o);if(r&&r!==this._activeElement)a=!0,this.focusElement(r);else if(this.props.isCircularNavigation)return e?this.focusElement(u.getNextElement(this.refs.root,this.refs.root.firstElementChild,!0)):this.focusElement(u.getPreviousElement(this.refs.root,this.refs.root.lastElementChild,!0,!0,!0));return a},t.prototype._moveFocusDown=function(){var e=-1,t=this._focusAlignment.left;return!!this._moveFocus(!0,function(n,r){var o=-1,i=Math.floor(r.top),a=Math.floor(n.bottom);return(-1===e&&i>=a||i===e)&&(e=i,o=t>=r.left&&t<=r.left+r.width?0:Math.abs(r.left+r.width/2-t)),o})&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusUp=function(){var e=-1,t=this._focusAlignment.left;return!!this._moveFocus(!1,function(n,r){var o=-1,i=Math.floor(r.bottom),a=Math.floor(r.top),s=Math.floor(n.top);return(-1===e&&i<=s||a===e)&&(e=a,o=t>=r.left&&t<=r.left+r.width?0:Math.abs(r.left+r.width/2-t)),o})&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusLeft=function(){var e=this,t=-1,n=this._focusAlignment.top;return!!this._moveFocus(u.getRTL(),function(r,o){var i=-1;return(-1===t&&o.right<=r.right&&(e.props.direction===s.FocusZoneDirection.horizontal||o.top===r.top)||o.top===t)&&(t=o.top,i=Math.abs(o.top+o.height/2-n)),i})&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusRight=function(){var e=this,t=-1,n=this._focusAlignment.top;return!!this._moveFocus(!u.getRTL(),function(r,o){var i=-1;return(-1===t&&o.left>=r.left&&(e.props.direction===s.FocusZoneDirection.horizontal||o.top===r.top)||o.top===t)&&(t=o.top,i=Math.abs(o.top+o.height/2-n)),i})&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._setFocusAlignment=function(e,t,n){if(this.props.direction===s.FocusZoneDirection.bidirectional&&(!this._focusAlignment||t||n)){var r=e.getBoundingClientRect(),o=r.left+r.width/2,i=r.top+r.height/2;this._focusAlignment||(this._focusAlignment={left:o,top:i}),t&&(this._focusAlignment.left=o),n&&(this._focusAlignment.top=i)}},t.prototype._isImmediateDescendantOfZone=function(e){for(var t=u.getParent(e);t&&t!==this.refs.root&&t!==document.body;){if(u.isElementFocusZone(t))return!1;t=u.getParent(t)}return!0},t.prototype._updateTabIndexes=function(e){e||(e=this.refs.root,this._activeElement&&!u.elementContains(e,this._activeElement)&&(this._activeElement=null));for(var t=e.children,n=0;t&&n-1){var n=e.selectionStart,r=e.selectionEnd,o=n!==r,i=e.value;if(o||n>0&&!t||n!==i.length&&t)return!1}return!0},t}(u.BaseComponent);p.defaultProps={isCircularNavigation:!1,direction:s.FocusZoneDirection.bidirectional},i([u.autobind],p.prototype,"_onFocus",null),i([u.autobind],p.prototype,"_onMouseDown",null),i([u.autobind],p.prototype,"_onKeyDown",null),t.FocusZone=p},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(341)),r(n(140))},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:".ms-Image{overflow:hidden}.ms-Image--maximizeFrame{height:100%;width:100%}.ms-Image-image{display:block;opacity:0}.ms-Image-image.is-loaded{opacity:1}.ms-Image-image--center,.ms-Image-image--contain,.ms-Image-image--cover{position:relative;top:50%}html[dir=ltr] .ms-Image-image--center,html[dir=ltr] .ms-Image-image--contain,html[dir=ltr] .ms-Image-image--cover{left:50%}html[dir=rtl] .ms-Image-image--center,html[dir=rtl] .ms-Image-image--contain,html[dir=rtl] .ms-Image-image--cover{right:50%}html[dir=ltr] .ms-Image-image--center,html[dir=ltr] .ms-Image-image--contain,html[dir=ltr] .ms-Image-image--cover{-webkit-transform:translate(-50%,-50%);transform:translate(-50%,-50%)}html[dir=rtl] .ms-Image-image--center,html[dir=rtl] .ms-Image-image--contain,html[dir=rtl] .ms-Image-image--cover{-webkit-transform:translate(50%,-50%);transform:translate(50%,-50%)}.ms-Image-image--contain.ms-Image-image--landscape{width:100%;height:auto}.ms-Image-image--contain.ms-Image-image--portrait{height:100%;width:auto}.ms-Image-image--cover.ms-Image-image--landscape{height:100%;width:auto}.ms-Image-image--cover.ms-Image-image--portrait{width:100%;height:auto}.ms-Image-image--none{height:auto;width:auto}.ms-Image-image--scaleWidthHeight{height:100%;width:100%}.ms-Image-image--scaleWidth{height:auto;width:100%}.ms-Image-image--scaleHeight{height:100%;width:auto}"}])},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=e&&u&&(a=!0,n())}}var i=0,a=!1,s=!1,u=!1,l=void 0;o()}function o(e,t,n){function r(e,t,r){a||(t?(a=!0,n(t)):(i[e]=r,(a=++s===o)&&n(null,i)))}var o=e.length,i=[];if(0===o)return n(null,i);var a=!1,s=0;e.forEach(function(e,n){t(e,n,function(e,t){r(n,e,t)})})}t.b=r,t.a=o},function(e,t,n){"use strict";function r(e){return"@@contextSubscriber/"+e}function o(e){var t,n,o=r(e),i=o+"/listeners",a=o+"/eventIndex",s=o+"/subscribe";return n={childContextTypes:(t={},t[o]=u.isRequired,t),getChildContext:function(){var e;return e={},e[o]={eventIndex:this[a],subscribe:this[s]},e},componentWillMount:function(){this[i]=[],this[a]=0},componentWillReceiveProps:function(){this[a]++},componentDidUpdate:function(){var e=this;this[i].forEach(function(t){return t(e[a])})}},n[s]=function(e){var t=this;return this[i].push(e),function(){t[i]=t[i].filter(function(t){return t!==e})}},n}function i(e){var t,n,o=r(e),i=o+"/lastRenderedEventIndex",a=o+"/handleContextUpdate",s=o+"/unsubscribe";return n={contextTypes:(t={},t[o]=u,t),getInitialState:function(){var e;return this.context[o]?(e={},e[i]=this.context[o].eventIndex,e):{}},componentDidMount:function(){this.context[o]&&(this[s]=this.context[o].subscribe(this[a]))},componentWillReceiveProps:function(){var e;this.context[o]&&this.setState((e={},e[i]=this.context[o].eventIndex,e))},componentWillUnmount:function(){this[s]&&(this[s](),this[s]=null)}},n[a]=function(e){if(e!==this.state[i]){var t;this.setState((t={},t[i]=e,t))}},n}t.a=o,t.b=i;var a=n(19),s=n.n(a),u=s.a.shape({subscribe:s.a.func.isRequired,eventIndex:s.a.number.isRequired})},function(e,t,n){"use strict";n.d(t,"b",function(){return o}),n.d(t,"a",function(){return i});var r=n(19),o=(n.n(r),n.i(r.shape)({push:r.func.isRequired,replace:r.func.isRequired,go:r.func.isRequired,goBack:r.func.isRequired,goForward:r.func.isRequired,setRouteLeaveHook:r.func.isRequired,isActive:r.func.isRequired})),i=n.i(r.shape)({pathname:r.string.isRequired,search:r.string.isRequired,state:r.object,action:r.string.isRequired,key:r.string})},function(e,t,n){"use strict";var r=n(17),o=n.n(r),i=n(0),a=n.n(i),s=n(46),u=n.n(s),l=n(19),c=(n.n(l),n(446)),p=n(348),d=n(71),f=Object.assign||function(e){for(var t=1;t0&&void 0!==arguments[0]?arguments[0]:{},n=e(t),o=t.basename,s=function(e){return e?(o&&null==e.basename&&(0===e.pathname.toLowerCase().indexOf(o.toLowerCase())?(e.pathname=e.pathname.substring(o.length),e.basename=o,""===e.pathname&&(e.pathname="/")):e.basename=""),e):e},u=function(e){if(!o)return e;var t="string"==typeof e?(0,a.parsePath)(e):e,n=t.pathname,i="/"===o.slice(-1)?o:o+"/",s="/"===n.charAt(0)?n.slice(1):n;return r({},t,{pathname:i+s})};return r({},n,{getCurrentLocation:function(){return s(n.getCurrentLocation())},listenBefore:function(e){return n.listenBefore(function(t,n){return(0,i.default)(e,s(t),n)})},listen:function(e){return n.listen(function(t){return e(s(t))})},push:function(e){return n.push(u(e))},replace:function(e){return n.replace(u(e))},createPath:function(e){return n.createPath(u(e))},createHref:function(e){return n.createHref(u(e))},createLocation:function(e){for(var t=arguments.length,r=Array(t>1?t-1:0),o=1;o0&&void 0!==arguments[0]?arguments[0]:{},n=e(t),o=t.stringifyQuery,i=t.parseQueryString;"function"!=typeof o&&(o=l),"function"!=typeof i&&(i=c);var p=function(e){return e?(null==e.query&&(e.query=i(e.search.substring(1))),e):e},d=function(e,t){if(null==t)return e;var n="string"==typeof e?(0,u.parsePath)(e):e,i=o(t);return r({},n,{search:i?"?"+i:""})};return r({},n,{getCurrentLocation:function(){return p(n.getCurrentLocation())},listenBefore:function(e){return n.listenBefore(function(t,n){return(0,a.default)(e,p(t),n)})},listen:function(e){return n.listen(function(t){return e(p(t))})},push:function(e){return n.push(d(e,e.query))},replace:function(e){return n.replace(d(e,e.query))},createPath:function(e){return n.createPath(d(e,e.query))},createHref:function(e){return n.createHref(d(e,e.query))},createLocation:function(e){for(var t=arguments.length,r=Array(t>1?t-1:0),o=1;o=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},i=n(0),a=n(49),s=n(6),u=n(393),l=n(365);n(367);var c={top:0,left:0},p={opacity:0},d=function(e){function t(t){var n=e.call(this,t,{beakStyle:"beakWidth"})||this;return n._didSetInitialFocus=!1,n.state={positions:null,slideDirectionalClassName:null,calloutElementRect:null},n._positionAttempts=0,n}return r(t,e),t.prototype.componentDidUpdate=function(){this._setInitialFocus(),this._updatePosition()},t.prototype.componentWillMount=function(){var e=this.props.targetElement?this.props.targetElement:this.props.target;this._setTargetWindowAndElement(e)},t.prototype.componentWillUpdate=function(e){if(e.targetElement!==this.props.targetElement||e.target!==this.props.target){var t=e.targetElement?e.targetElement:e.target;this._maxHeight=void 0,this._setTargetWindowAndElement(t)}e.gapSpace===this.props.gapSpace&&this.props.beakWidth===e.beakWidth||(this._maxHeight=void 0)},t.prototype.componentDidMount=function(){this._onComponentDidMount()},t.prototype.render=function(){if(!this._targetWindow)return null;var e=this.props,t=e.className,n=e.target,r=e.targetElement,o=e.isBeakVisible,a=e.beakStyle,u=e.children,d=e.beakWidth,f=this.state.positions,m=d;"ms-Callout-smallbeak"===a&&(m=16);var h={top:f&&f.beakPosition?f.beakPosition.top:c.top,left:f&&f.beakPosition?f.beakPosition.left:c.left,height:m,width:m},g=f&&f.directionalClassName?"ms-u-"+f.directionalClassName:"",v=this._getMaxHeight(),y=o&&(!!r||!!n);return i.createElement("div",{ref:this._resolveRef("_hostElement"),className:"ms-Callout-container"},i.createElement("div",{className:s.css("ms-Callout",t,g),style:f?f.calloutPosition:p,ref:this._resolveRef("_calloutElement")},y&&i.createElement("div",{className:"ms-Callout-beak",style:h}),y&&i.createElement("div",{className:"ms-Callout-beakCurtain"}),i.createElement(l.Popup,{className:"ms-Callout-main",onDismiss:this.dismiss,shouldRestoreFocus:!0,style:{maxHeight:v}},u)))},t.prototype.dismiss=function(e){var t=this.props.onDismiss;t&&t(e)},t.prototype._dismissOnScroll=function(e){this.state.positions&&this._dismissOnLostFocus(e)},t.prototype._dismissOnLostFocus=function(e){var t=e.target,n=this._hostElement&&!s.elementContains(this._hostElement,t);(!this._target&&n||e.target!==this._targetWindow&&n&&(this._target.stopPropagation||!this._target||t!==this._target&&!s.elementContains(this._target,t)))&&this.dismiss(e)},t.prototype._setInitialFocus=function(){this.props.setInitialFocus&&!this._didSetInitialFocus&&this.state.positions&&(this._didSetInitialFocus=!0,s.focusFirstChild(this._calloutElement))},t.prototype._onComponentDidMount=function(){var e=this;this._async.setTimeout(function(){e._events.on(e._targetWindow,"scroll",e._dismissOnScroll,!0),e._events.on(e._targetWindow,"resize",e.dismiss,!0),e._events.on(e._targetWindow,"focus",e._dismissOnLostFocus,!0),e._events.on(e._targetWindow,"click",e._dismissOnLostFocus,!0)},0),this.props.onLayerMounted&&this.props.onLayerMounted(),this._updatePosition()},t.prototype._updatePosition=function(){var e=this.state.positions,t=this._hostElement,n=this._calloutElement;if(t&&n){var r=void 0;r=s.assign(r,this.props),r.bounds=this._getBounds(),this.props.targetElement?r.targetElement=this._target:r.target=this._target;var o=u.getRelativePositions(r,t,n);!e&&o||e&&o&&!this._arePositionsEqual(e,o)&&this._positionAttempts<5?(this._positionAttempts++,this.setState({positions:o})):(this._positionAttempts=0,this.props.onPositioned&&this.props.onPositioned())}},t.prototype._getBounds=function(){if(!this._bounds){var e=this.props.bounds;e||(e={top:8,left:8,right:this._targetWindow.innerWidth-8,bottom:this._targetWindow.innerHeight-8,width:this._targetWindow.innerWidth-16,height:this._targetWindow.innerHeight-16}),this._bounds=e}return this._bounds},t.prototype._getMaxHeight=function(){if(!this._maxHeight)if(this.props.directionalHintFixed&&this._target){var e=this.props.isBeakVisible?this.props.beakWidth:0,t=this.props.gapSpace?this.props.gapSpace:0;this._maxHeight=u.getMaxHeight(this._target,this.props.directionalHint,e+t,this._getBounds())}else this._maxHeight=this._getBounds().height-2;return this._maxHeight},t.prototype._arePositionsEqual=function(e,t){return e.calloutPosition.top.toFixed(2)===t.calloutPosition.top.toFixed(2)&&(e.calloutPosition.left.toFixed(2)===t.calloutPosition.left.toFixed(2)&&(e.beakPosition.top.toFixed(2)===t.beakPosition.top.toFixed(2)&&e.beakPosition.top.toFixed(2)===t.beakPosition.top.toFixed(2)))},t.prototype._setTargetWindowAndElement=function(e){if(e)if("string"==typeof e){var t=s.getDocument();this._target=t?t.querySelector(e):null,this._targetWindow=s.getWindow()}else if(e.stopPropagation)this._target=e,this._targetWindow=s.getWindow(e.toElement);else{var n=e;this._target=e,this._targetWindow=s.getWindow(n)}else this._targetWindow=s.getWindow()},t}(s.BaseComponent);d.defaultProps={isBeakVisible:!0,beakWidth:16,gapSpace:16,directionalHint:a.DirectionalHint.bottomAutoEdge},o([s.autobind],d.prototype,"dismiss",null),o([s.autobind],d.prototype,"_setInitialFocus",null),o([s.autobind],d.prototype,"_onComponentDidMount",null),t.CalloutContent=d},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(366)),r(n(49))},function(e,t,n){"use strict";function r(e){var t=o(e);return!(!t||!t.length)}function o(e){return e.subMenuProps?e.subMenuProps.items:e.items}var i=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},a=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},u=n(0),l=n(330),c=n(49),p=n(209),d=n(6),f=n(339),m=n(363);n(371);var h;!function(e){e[e.vertical=0]="vertical",e[e.horizontal=1]="horizontal"}(h||(h={}));var g;!function(e){e[e.auto=0]="auto",e[e.left=1]="left",e[e.center=2]="center",e[e.right=3]="right"}(g||(g={}));var v;!function(e){e[e.top=0]="top",e[e.center=1]="center",e[e.bottom=2]="bottom"}(v||(v={})),t.hasSubmenuItems=r,t.getSubmenuItems=o;var y=function(e){function t(t){var n=e.call(this,t)||this;return n.state={contextualMenuItems:null,subMenuId:d.getId("ContextualMenu")},n._isFocusingPreviousElement=!1,n._enterTimerId=0,n}return i(t,e),t.prototype.dismiss=function(e,t){var n=this.props.onDismiss;n&&n(e,t)},t.prototype.componentWillUpdate=function(e){if(e.targetElement!==this.props.targetElement||e.target!==this.props.target){var t=e.targetElement?e.targetElement:e.target;this._setTargetWindowAndElement(t)}},t.prototype.componentWillMount=function(){var e=this.props.targetElement?this.props.targetElement:this.props.target;this._setTargetWindowAndElement(e),this._previousActiveElement=this._targetWindow?this._targetWindow.document.activeElement:null},t.prototype.componentDidMount=function(){this._events.on(this._targetWindow,"resize",this.dismiss)},t.prototype.componentWillUnmount=function(){var e=this;this._isFocusingPreviousElement&&this._previousActiveElement&&setTimeout(function(){return e._previousActiveElement.focus()},0),this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this,n=this.props,r=n.className,o=n.items,i=n.isBeakVisible,s=n.labelElementId,l=n.targetElement,c=n.id,m=n.targetPoint,h=n.useTargetPoint,g=n.beakWidth,v=n.directionalHint,y=n.gapSpace,b=n.coverTarget,_=n.ariaLabel,w=n.doNotLayer,x=n.arrowDirection,C=n.target,E=n.bounds,S=n.directionalHintFixed,P=n.shouldFocusOnMount,T=this.state.submenuProps,O=!(!o||!o.some(function(e){return!!e.icon||!!e.iconProps})),I=!(!o||!o.some(function(e){return!!e.canCheck}));return o&&o.length>0?u.createElement(f.Callout,{target:C,targetElement:l,targetPoint:m,useTargetPoint:h,isBeakVisible:i,beakWidth:g,directionalHint:v,gapSpace:y,coverTarget:b,doNotLayer:w,className:"ms-ContextualMenu-Callout",setInitialFocus:P,onDismiss:this.props.onDismiss,bounds:E,directionalHintFixed:S},u.createElement("div",{ref:function(t){return e._host=t},id:c,className:d.css("ms-ContextualMenu-container",r)},o&&o.length?u.createElement(p.FocusZone,{className:"ms-ContextualMenu is-open",direction:x,ariaLabelledBy:s,ref:function(t){return e._focusZone=t},rootProps:{role:"menu"}},u.createElement("ul",{className:"ms-ContextualMenu-list is-open",onKeyDown:this._onKeyDown,"aria-label":_},o.map(function(t,n){return e._renderMenuItem(t,n,I,O)}))):null,T?u.createElement(t,a({},T)):null)):null},t.prototype._renderMenuItem=function(e,t,n,r){var o=[];switch("-"===e.name&&(e.itemType=l.ContextualMenuItemType.Divider),e.itemType){case l.ContextualMenuItemType.Divider:o.push(this._renderSeparator(t,e.className));break;case l.ContextualMenuItemType.Header:o.push(this._renderSeparator(t));var i=this._renderHeaderMenuItem(e,t,n,r);o.push(this._renderListItem(i,e.key||t,e.className,e.title));break;default:var a=this._renderNormalItem(e,t,n,r);o.push(this._renderListItem(a,e.key||t,e.className,e.title))}return o},t.prototype._renderListItem=function(e,t,n,r){return u.createElement("li",{role:"menuitem",title:r,key:t,className:d.css("ms-ContextualMenu-item",n)},e)},t.prototype._renderSeparator=function(e,t){return e>0?u.createElement("li",{role:"separator",key:"separator-"+e,className:d.css("ms-ContextualMenu-divider",t)}):null},t.prototype._renderNormalItem=function(e,t,n,r){return e.onRender?[e.onRender(e)]:e.href?this._renderAnchorMenuItem(e,t,n,r):this._renderButtonItem(e,t,n,r)},t.prototype._renderHeaderMenuItem=function(e,t,n,r){return u.createElement("div",{className:"ms-ContextualMenu-header"},this._renderMenuItemChildren(e,t,n,r))},t.prototype._renderAnchorMenuItem=function(e,t,n,r){return u.createElement("div",null,u.createElement("a",a({},d.getNativeProps(e,d.anchorProperties),{href:e.href,className:d.css("ms-ContextualMenu-link",e.isDisabled||e.disabled?"is-disabled":""),role:"menuitem",onClick:this._onAnchorClick.bind(this,e)}),r?this._renderIcon(e):null,u.createElement("span",{className:"ms-ContextualMenu-linkText"}," ",e.name," ")))},t.prototype._renderButtonItem=function(e,t,n,o){var i=this,a=this.state,s=a.expandedMenuItemKey,l=a.subMenuId,c="";e.ariaLabel?c=e.ariaLabel:e.name&&(c=e.name);var p={className:d.css("ms-ContextualMenu-link",{"is-expanded":s===e.key}),onClick:this._onItemClick.bind(this,e),onKeyDown:r(e)?this._onItemKeyDown.bind(this,e):null,onMouseEnter:this._onItemMouseEnter.bind(this,e),onMouseLeave:this._onMouseLeave,onMouseDown:function(t){return i._onItemMouseDown(e,t)},disabled:e.isDisabled||e.disabled,role:"menuitem",href:e.href,title:e.title,"aria-label":c,"aria-haspopup":!!r(e)||null,"aria-owns":e.key===s?l:null};return u.createElement("button",d.assign({},d.getNativeProps(e,d.buttonProperties),p),this._renderMenuItemChildren(e,t,n,o))},t.prototype._renderMenuItemChildren=function(e,t,n,o){var i=e.isChecked||e.checked;return u.createElement("div",{className:"ms-ContextualMenu-linkContent"},n?u.createElement(m.Icon,{iconName:i?"CheckMark":"CustomIcon",className:"ms-ContextualMenu-icon",onClick:this._onItemClick.bind(this,e)}):null,o?this._renderIcon(e):null,u.createElement("span",{className:"ms-ContextualMenu-itemText"},e.name),r(e)?u.createElement(m.Icon,a({iconName:d.getRTL()?"ChevronLeft":"ChevronRight"},e.submenuIconProps,{className:d.css("ms-ContextualMenu-submenuIcon",e.submenuIconProps?e.submenuIconProps.className:"")})):null)},t.prototype._renderIcon=function(e){var t=e.iconProps?e.iconProps:{iconName:"CustomIcon",className:e.icon?"ms-Icon--"+e.icon:""},n="None"===t.iconName?"":"ms-ContextualMenu-iconColor",r=d.css("ms-ContextualMenu-icon",n,t.className);return u.createElement(m.Icon,a({},t,{className:r}))},t.prototype._onKeyDown=function(e){var t=d.getRTL()?d.KeyCodes.right:d.KeyCodes.left;(e.which===d.KeyCodes.escape||e.which===d.KeyCodes.tab||e.which===t&&this.props.isSubMenu&&this.props.arrowDirection===p.FocusZoneDirection.vertical)&&(this._isFocusingPreviousElement=!0,e.preventDefault(),e.stopPropagation(),this.dismiss(e))},t.prototype._onItemMouseEnter=function(e,t){var n=this,o=t.currentTarget;e.key!==this.state.expandedMenuItemKey&&(r(e)?this._enterTimerId=this._async.setTimeout(function(){return n._onItemSubMenuExpand(e,o)},500):this._enterTimerId=this._async.setTimeout(function(){return n._onSubMenuDismiss(t)},500))},t.prototype._onMouseLeave=function(e){this._async.clearTimeout(this._enterTimerId)},t.prototype._onItemMouseDown=function(e,t){e.onMouseDown&&e.onMouseDown(e,t)},t.prototype._onItemClick=function(e,t){var n=o(e);n&&n.length?e.key===this.state.expandedMenuItemKey?this._onSubMenuDismiss(t):this._onItemSubMenuExpand(e,t.currentTarget):this._executeItemClick(e,t),t.stopPropagation(),t.preventDefault()},t.prototype._onAnchorClick=function(e,t){this._executeItemClick(e,t),t.stopPropagation()},t.prototype._executeItemClick=function(e,t){e.onClick&&e.onClick(t,e),this.dismiss(t,!0)},t.prototype._onItemKeyDown=function(e,t){var n=d.getRTL()?d.KeyCodes.left:d.KeyCodes.right;t.which===n&&(this._onItemSubMenuExpand(e,t.currentTarget),t.preventDefault())},t.prototype._onItemSubMenuExpand=function(e,t){if(this.state.expandedMenuItemKey!==e.key){this.state.submenuProps&&this._onSubMenuDismiss();var n={items:o(e),target:t,onDismiss:this._onSubMenuDismiss,isSubMenu:!0,id:this.state.subMenuId,shouldFocusOnMount:!0,directionalHint:d.getRTL()?c.DirectionalHint.leftTopEdge:c.DirectionalHint.rightTopEdge,className:this.props.className,gapSpace:0};e.subMenuProps&&d.assign(n,e.subMenuProps),this.setState({expandedMenuItemKey:e.key,submenuProps:n})}},t.prototype._onSubMenuDismiss=function(e,t){t?this.dismiss(e,t):this.setState({dismissedMenuItemKey:this.state.expandedMenuItemKey,expandedMenuItemKey:null,submenuProps:null})},t.prototype._setTargetWindowAndElement=function(e){if(e)if("string"==typeof e){var t=d.getDocument();this._target=t?t.querySelector(e):null,this._targetWindow=d.getWindow()}else if(e.stopPropagation)this._target=e,this._targetWindow=d.getWindow(e.toElement);else{var n=e;this._target=e,this._targetWindow=d.getWindow(n)}else this._targetWindow=d.getWindow()},t}(d.BaseComponent);y.defaultProps={items:[],shouldFocusOnMount:!0,isBeakVisible:!1,gapSpace:0,directionalHint:c.DirectionalHint.bottomAutoEdge,beakWidth:16,arrowDirection:p.FocusZoneDirection.vertical},s([d.autobind],y.prototype,"dismiss",null),s([d.autobind],y.prototype,"_onKeyDown",null),s([d.autobind],y.prototype,"_onMouseLeave",null),s([d.autobind],y.prototype,"_onSubMenuDismiss",null),t.ContextualMenu=y},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:".ms-ContextualMenu{background-color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:';min-width:180px}.ms-ContextualMenu-list{list-style-type:none;margin:0;padding:0;line-height:0}.ms-ContextualMenu-item{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";height:36px;position:relative;box-sizing:border-box}.ms-ContextualMenu-link{font:inherit;color:inherit;background:0 0;border:none;width:100%;height:36px;line-height:36px;display:block;cursor:pointer;padding:0 6px}.ms-ContextualMenu-link::-moz-focus-inner{border:0}.ms-ContextualMenu-link{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-ContextualMenu-link:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .ms-ContextualMenu-link{text-align:left}html[dir=rtl] .ms-ContextualMenu-link{text-align:right}.ms-ContextualMenu-link:hover:not([disabled]){background:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-ContextualMenu-link.is-disabled,.ms-ContextualMenu-link[disabled]{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:";cursor:default;pointer-events:none}.ms-ContextualMenu-link.is-disabled .ms-ContextualMenu-icon,.ms-ContextualMenu-link[disabled] .ms-ContextualMenu-icon{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.is-focusVisible .ms-ContextualMenu-link:focus{background:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-ContextualMenu-link.is-expanded,.ms-ContextualMenu-link.is-expanded:hover{background:"},{theme:"neutralQuaternaryAlt",defaultValue:"#dadada"},{rawString:";color:"},{theme:"black",defaultValue:"#000000"},{rawString:';font-weight:600}.ms-ContextualMenu-header{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:12px;font-weight:400;font-weight:600;color:'},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";background:0 0;border:none;height:36px;line-height:36px;cursor:default;padding:0 6px;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.ms-ContextualMenu-header::-moz-focus-inner{border:0}.ms-ContextualMenu-header{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-ContextualMenu-header:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .ms-ContextualMenu-header{text-align:left}html[dir=rtl] .ms-ContextualMenu-header{text-align:right}a.ms-ContextualMenu-link{padding:0 6px;text-rendering:auto;color:inherit;letter-spacing:normal;word-spacing:normal;text-transform:none;text-indent:0;text-shadow:none;box-sizing:border-box}.ms-ContextualMenu-linkContent{white-space:nowrap;height:inherit;display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-align:center;-ms-flex-align:center;align-items:center;max-width:100%}.ms-ContextualMenu-divider{display:block;height:1px;background-color:"},{theme:"neutralLight",defaultValue:"#eaeaea"},{rawString:";position:relative}.ms-ContextualMenu-icon{display:inline-block;min-height:1px;max-height:36px;width:14px;margin:0 4px;vertical-align:middle;-ms-flex-negative:0;flex-shrink:0}.ms-ContextualMenu-iconColor{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}.ms-ContextualMenu-itemText{margin:0 4px;vertical-align:middle;display:inline-block;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;text-overflow:ellipsis;overflow:hidden;white-space:nowrap}.ms-ContextualMenu-linkText{margin:0 4px;display:inline-block;vertical-align:top;white-space:nowrap}.ms-ContextualMenu-submenuIcon{height:36px;line-height:36px;text-align:center;font-size:10px;display:inline-block;vertical-align:middle;-ms-flex-negative:0;flex-shrink:0}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(370)),r(n(330))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n-1&&(this.setState({isFocusVisible:!0}),u=!0)},t}(i.Component);t.Fabric=l},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(373))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6),u=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._isInFocusStack=!1,t._isInClickStack=!1,t}return r(t,e),t.prototype.componentWillMount=function(){var e=this.props,n=e.isClickableOutsideFocusTrap,r=void 0!==n&&n,o=e.forceFocusInsideTrap;(void 0===o||o)&&(this._isInFocusStack=!0,t._focusStack.push(this)),r||(this._isInClickStack=!0,t._clickStack.push(this))},t.prototype.componentDidMount=function(){var e=this.props,t=e.elementToFocusOnDismiss,n=e.isClickableOutsideFocusTrap,r=void 0!==n&&n,o=e.forceFocusInsideTrap,i=void 0===o||o;this._previouslyFocusedElement=t||document.activeElement,this.focus(),i&&this._events.on(window,"focus",this._forceFocusInTrap,!0),r||this._events.on(window,"click",this._forceClickInTrap,!0)},t.prototype.componentWillUnmount=function(){var e=this,n=this.props.ignoreExternalFocusing;if(this._events.dispose(),this._isInFocusStack||this._isInClickStack){var r=function(t){return e!==t};this._isInFocusStack&&(t._focusStack=t._focusStack.filter(r)),this._isInClickStack&&(t._clickStack=t._clickStack.filter(r))}!n&&this._previouslyFocusedElement&&this._previouslyFocusedElement.focus()},t.prototype.render=function(){var e=this.props,t=e.className,n=e.ariaLabelledBy,r=s.getNativeProps(this.props,s.divProperties);return a.createElement("div",o({},r,{className:t,ref:"root","aria-labelledby":n,onKeyDown:this._onKeyboardHandler}),this.props.children)},t.prototype.focus=function(){var e,t=this.props.firstFocusableSelector,n=this.refs.root;(e=t?n.querySelector("."+t):s.getNextElement(n,n.firstChild,!0,!1,!1,!0))&&e.focus()},t.prototype._onKeyboardHandler=function(e){if(e.which===s.KeyCodes.tab){var t=this.refs.root,n=s.getFirstFocusable(t,t.firstChild,!0),r=s.getLastFocusable(t,t.lastChild,!0);e.shiftKey&&n===e.target?(r.focus(),e.preventDefault(),e.stopPropagation()):e.shiftKey||r!==e.target||(n.focus(),e.preventDefault(),e.stopPropagation())}},t.prototype._forceFocusInTrap=function(e){if(t._focusStack.length&&this===t._focusStack[t._focusStack.length-1]){var n=document.activeElement;s.elementContains(this.refs.root,n)||(this.focus(),e.preventDefault(),e.stopPropagation())}},t.prototype._forceClickInTrap=function(e){if(t._clickStack.length&&this===t._clickStack[t._clickStack.length-1]){var n=e.target;n&&!s.elementContains(this.refs.root,n)&&(this.focus(),e.preventDefault(),e.stopPropagation())}},t}(s.BaseComponent);u._focusStack=[],u._clickStack=[],i([s.autobind],u.prototype,"_onKeyboardHandler",null),t.FocusTrapZone=u},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(375))},function(e,t,n){"use strict";var r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6),u=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return r(t,e),t.prototype.componentWillMount=function(){this._originalFocusedElement=s.getDocument().activeElement},t.prototype.componentDidMount=function(){this._events.on(this.refs.root,"focus",this._onFocus,!0),this._events.on(this.refs.root,"blur",this._onBlur,!0),s.doesElementContainFocus(this.refs.root)&&(this._containsFocus=!0)},t.prototype.componentWillUnmount=function(){this.props.shouldRestoreFocus&&this._originalFocusedElement&&this._containsFocus&&this._originalFocusedElement!==window&&this._originalFocusedElement&&this._originalFocusedElement.focus()},t.prototype.render=function(){var e=this.props,t=e.role,n=e.className,r=e.ariaLabelledBy,i=e.ariaDescribedBy;return a.createElement("div",o({ref:"root"},s.getNativeProps(this.props,s.divProperties),{className:n,role:t,"aria-labelledby":r,"aria-describedby":i,onKeyDown:this._onKeyDown}),this.props.children)},t.prototype._onKeyDown=function(e){switch(e.which){case s.KeyCodes.escape:this.props.onDismiss&&(this.props.onDismiss(),e.preventDefault(),e.stopPropagation())}},t.prototype._onFocus=function(){this._containsFocus=!0},t.prototype._onBlur=function(){this._containsFocus=!1},t}(s.BaseComponent);u.defaultProps={shouldRestoreFocus:!0},i([s.autobind],u.prototype,"_onKeyDown",null),t.Popup=u},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;nd[e];)e++;else{if(void 0===p)throw new Error("Content was rendered in a server environment without providing a default responsive mode. Call setResponsiveMode to define what the responsive mode is.");e=p}return e},n}(l.BaseDecorator)}var i,a=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},s=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n0?o:r.height}function n(e,t){var n;if(t.preventDefault){var r=t;n=new s.Rectangle(r.clientX,r.clientX,r.clientY,r.clientY)}else n=o(t);if(!b(n,e))for(var a=_(n,e),u=0,l=a;u100?s=100:s<0&&(s=0),s}function y(e,t){return!(e.width>t.width||e.height>t.height)}function b(e,t){return!(e.topt.bottom)&&(!(e.leftt.right)))}function _(e,t){var n=new Array;return e.topt.bottom&&n.push(i.bottom),e.leftt.right&&n.push(i.right),n}function w(e,t,n){var r,o;switch(t){case i.top:r={x:e.left,y:e.top},o={x:e.right,y:e.top};break;case i.left:r={x:e.left,y:e.top},o={x:e.left,y:e.bottom};break;case i.right:r={x:e.right,y:e.top},o={x:e.right,y:e.bottom};break;case i.bottom:r={x:e.left,y:e.bottom},o={x:e.right,y:e.bottom};break;default:r={x:0,y:0},o={x:0,y:0}}return C(r,o,n)}function x(e,t,n){switch(t){case i.top:case i.bottom:return 0!==e.width?(n.x-e.left)/e.width*100:100;case i.left:case i.right:return 0!==e.height?(n.y-e.top)/e.height*100:100}}function C(e,t,n){return{x:e.x+(t.x-e.x)*n/100,y:e.y+(t.y-e.y)*n/100}}function E(e,t){return new s.Rectangle(t.x,t.x+e.width,t.y,t.y+e.height)}function S(e,t,n){switch(n){case i.top:return E(e,{x:e.left,y:t});case i.bottom:return E(e,{x:e.left,y:t-e.height});case i.left:return E(e,{x:t,y:e.top});case i.right:return E(e,{x:t-e.width,y:e.top})}return new s.Rectangle}function P(e,t,n){var r=t.x-e.left,o=t.y-e.top;return E(e,{x:n.x-r,y:n.y-o})}function T(e,t,n){var r=0,o=0;switch(n){case i.top:o=-1*t;break;case i.left:r=-1*t;break;case i.right:r=t;break;case i.bottom:o=t}return E(e,{x:e.left+r,y:e.top+o})}function O(e,t,n,r,o,i,a){return void 0===a&&(a=0),T(P(e,w(e,t,n),w(r,o,i)),a,o)}function I(e,t,n){switch(t){case i.top:case i.bottom:var r=void 0;return r=n.x>e.right?e.right:n.xe.bottom?e.bottom:n.y-1))return l;a.splice(a.indexOf(u),1),u=a.indexOf(m)>-1?m:a.slice(-1)[0],l.calloutEdge=d[u],l.targetEdge=u,l.calloutRectangle=O(l.calloutRectangle,l.calloutEdge,l.alignPercent,t,l.targetEdge,n,o)}return e}e._getMaxHeightFromTargetRectangle=t,e._getTargetRect=n,e._getTargetRectDEPRECATED=r,e._getRectangleFromHTMLElement=o,e._positionCalloutWithinBounds=u,e._getBestRectangleFitWithinBounds=l,e._positionBeak=f,e._finalizeBeakPosition=m,e._getRectangleFromIRect=h,e._finalizeCalloutPosition=g,e._recalculateMatchingPercents=v,e._canRectangleFitWithinBounds=y,e._isRectangleWithinBounds=b,e._getOutOfBoundsEdges=_,e._getPointOnEdgeFromPercent=w,e._getPercentOfEdgeFromPoint=x,e._calculatePointPercentAlongLine=C,e._moveTopLeftOfRectangleToPoint=E,e._alignEdgeToCoordinate=S,e._movePointOnRectangleToPoint=P,e._moveRectangleInDirection=T,e._moveRectangleToAnchorRectangle=O,e._getClosestPointOnEdgeToPoint=I,e._calculateActualBeakWidthInPixels=k,e._getBorderSize=M,e._getPositionData=A,e._flipRectangleToFit=R}(f=t.positioningFunctions||(t.positioningFunctions={}));var m,h,g,v},function(e,t,n){"use strict";function r(e,t){var n={};for(var r in e)t.indexOf(r)>=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e){return 0===e.button}function i(e){return!!(e.metaKey||e.altKey||e.ctrlKey||e.shiftKey)}function a(e){for(var t in e)if(Object.prototype.hasOwnProperty.call(e,t))return!1;return!0}function s(e,t){return"function"==typeof e?e(t.location):e}var u=n(0),l=n.n(u),c=n(46),p=n.n(c),d=n(19),f=(n.n(d),n(17)),m=n.n(f),h=n(349),g=n(348),v=Object.assign||function(e){for(var t=1;t=0;r--){var o=e[r],i=o.path||"";if(n=i.replace(/\/*$/,"/")+n,0===i.indexOf("/"))break}return"/"+n}},propTypes:{path:i.string,from:i.string,to:i.string.isRequired,query:i.object,state:i.object,onEnter:c.c,children:c.c},render:function(){s()(!1)}});t.a=p},function(e,t,n){"use strict";function r(e,t,n){return o(i({},e,{setRouteLeaveHook:t.listenBeforeLeavingRoute,isActive:t.isActive}),n)}function o(e,t){var n=t.location,r=t.params,o=t.routes;return e.location=n,e.params=r,e.routes=o,e}t.a=r,t.b=o;var i=Object.assign||function(e){for(var t=1;t1&&void 0!==arguments[1]&&arguments[1];return e.__id__||t&&(e.__id__=P++)}function m(e){return e.map(function(e){return T[f(e)]}).filter(function(e){return e})}function h(e,r){n.i(l.a)(t,e,function(t,o){if(null==o)return void r();S=c({},o,{location:e});for(var a=m(n.i(i.a)(_,S).leaveRoutes),s=void 0,u=0,l=a.length;null==s&&u0?(i=a[0],n=u.customActionLocationHelper.getLocationItem(i)):l.spCustomActionsHistory.History.push("/")}else o&&(n=u.customActionLocationHelper.getLocationByKey(o),i={description:"",group:"",id:"",imageUrl:"",location:n.spLocationName,locationInternal:"",name:"",registrationType:0,scriptBlock:"",scriptSrc:"",sequence:1,title:"",url:""});return{customActionType:e.spCustomActionsReducer.customActionType,item:i,isWorkingOnIt:e.spCustomActionsReducer.isWorkingOnIt,locationItem:n}},h=function(e){return{createCustomAction:function(t,n){return e(s.default.createCustomAction(t,n))},updateCustomAction:function(t,n){return e(s.default.updateCustomAction(t,n))}}};t.default=a.connect(m,h)(f)},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(0),o=n(355),i=function(e){var t="",n="",i="";return e.isScriptBlock?(t="Script Block",n="scriptBlock",i=e.item.scriptBlock):(t="Script Link",n="scriptSrc",i=e.item.scriptSrc),r.createElement("div",{className:"ms-ListBasicExample-itemContent ms-Grid-col ms-u-sm11 ms-u-md11 ms-u-lg11"},r.createElement(o.SpCustomActionsItemInput,{inputKey:"title",label:"Title",value:e.item.title,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"name",label:"Name",value:e.item.name,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"description",label:"Description",value:e.item.description,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"sequence",label:"Sequence",value:e.item.sequence,type:"number",required:!0,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:n,label:t,value:i,multipleLine:e.isScriptBlock,required:!0,onValueChange:e.onInputChange}))};t.default=i},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(0),o=n(355),i=n(413),a=function(e){return r.createElement("div",{className:"ms-ListBasicExample-itemContent ms-Grid-col ms-u-sm11 ms-u-md11 ms-u-lg11"},r.createElement(o.SpCustomActionsItemInput,{inputKey:"title",label:"Title",value:e.item.title,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"name",label:"Name",value:e.item.name,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"description",label:"Description",value:e.item.description,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"imageUrl",label:"Image Url",value:e.item.imageUrl,onValueChange:e.onInputChange}),r.createElement(i.SpCustomActionsItemSelect,{selectKey:"group",label:"Group",value:e.item.group,required:!0,onValueChange:e.onInputChange,options:[{key:"ActionsMenu",text:"ActionsMenu"},{key:"SiteActions",text:"SiteActions"}]}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"sequence",label:"Sequence",value:e.item.sequence,type:"number",required:!0,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"url",label:"Url",value:e.item.url,required:!0,onValueChange:e.onInputChange}))};t.default=a},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(425),o=n(0);t.SpCustomActionsItemSelect=function(e){var t=function(t){return e.onValueChange(t.key.toString(),e.selectKey),!1},n=!e.required||""!==e.value;return o.createElement("div",null,o.createElement(r.Dropdown,{label:e.label,selectedKey:e.value||"",disabled:e.disabled,onChanged:t,options:e.options}),n||o.createElement("div",{className:"ms-u-screenReaderOnly"},"The value can not be empty"),n||o.createElement("span",null,o.createElement("p",{className:"ms-TextField-errorMessage ms-u-slideDownIn20"},"The value can not be empty")))}},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(139),o=n(0),i=n(409);t.SpCustomActionList=function(e){var t=e.filtertText.toLowerCase(),n=function(t,n){return o.createElement(i.default,{item:t,key:n,caType:e.caType,deleteCustomAction:e.deleteCustomAction})},a=""!==t?e.customActions.filter(function(e,n){return e.name.toLowerCase().indexOf(t)>=0}):e.customActions;return a.sort(function(e,t){return e.sequence-t.sequence}),o.createElement(r.List,{items:a,onRenderCell:n})}},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(40),o=n(416);t.rootReducer=r.combineReducers({spCustomActionsReducer:o.spCustomActionsReducer})},function(e,t,n){"use strict";var r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=e&&a&&(o=!0,n())}}()}},function(e,t,n){"use strict";t.__esModule=!0,t.replaceLocation=t.pushLocation=t.startListener=t.getCurrentLocation=t.go=t.getUserConfirmation=void 0;var r=n(335);Object.defineProperty(t,"getUserConfirmation",{enumerable:!0,get:function(){return r.getUserConfirmation}}),Object.defineProperty(t,"go",{enumerable:!0,get:function(){return r.go}});var o=n(72),i=(function(e){e&&e.__esModule}(o),n(130)),a=n(200),s=n(358),u=n(69),l=function(){var e=window.location.href,t=e.indexOf("#");return-1===t?"":e.substring(t+1)},c=function(e){return window.location.hash=e},p=function(e){var t=window.location.href.indexOf("#");window.location.replace(window.location.href.slice(0,t>=0?t:0)+"#"+e)},d=t.getCurrentLocation=function(e,t){var n=e.decodePath(l()),r=(0,u.getQueryStringValueFromPath)(n,t),o=void 0;r&&(n=(0,u.stripQueryStringValueFromPath)(n,t),o=(0,s.readState)(r));var a=(0,u.parsePath)(n);return a.state=o,(0,i.createLocation)(a,void 0,r)},f=void 0,m=(t.startListener=function(e,t,n){var r=function(){var r=l(),o=t.encodePath(r);if(r!==o)p(o);else{var i=d(t,n);if(f&&i.key&&f.key===i.key)return;f=i,e(i)}},o=l(),i=t.encodePath(o);return o!==i&&p(i),(0,a.addEventListener)(window,"hashchange",r),function(){return(0,a.removeEventListener)(window,"hashchange",r)}},function(e,t,n,r){var o=e.state,i=e.key,a=t.encodePath((0,u.createPath)(e));void 0!==o&&(a=(0,u.addQueryStringValueToPath)(a,n,i),(0,s.saveState)(i,o)),f=e,r(a)});t.pushLocation=function(e,t,n){return m(e,t,n,function(e){l()!==e&&c(e)})},t.replaceLocation=function(e,t,n){return m(e,t,n,function(e){l()!==e&&p(e)})}},function(e,t,n){"use strict";t.__esModule=!0,t.replaceLocation=t.pushLocation=t.getCurrentLocation=t.go=t.getUserConfirmation=void 0;var r=n(335);Object.defineProperty(t,"getUserConfirmation",{enumerable:!0,get:function(){return r.getUserConfirmation}}),Object.defineProperty(t,"go",{enumerable:!0,get:function(){return r.go}});var o=n(130),i=n(69);t.getCurrentLocation=function(){return(0,o.createLocation)(window.location)},t.pushLocation=function(e){return window.location.href=(0,i.createPath)(e),!1},t.replaceLocation=function(e){return window.location.replace((0,i.createPath)(e)),!1}},function(e,t,n){"use strict";function r(e){if(e&&e.__esModule)return e;var t={};if(null!=e)for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n]);return t.default=e,t}function o(e){return e&&e.__esModule?e:{default:e}}t.__esModule=!0;var i=Object.assign||function(e){for(var t=1;t0&&void 0!==arguments[0]?arguments[0]:{};u.canUseDOM||(0,s.default)(!1);var t=e.forceRefresh||!(0,f.supportsHistory)(),n=t?d:c,r=n.getUserConfirmation,o=n.getCurrentLocation,a=n.pushLocation,l=n.replaceLocation,p=n.go,m=(0,h.default)(i({getUserConfirmation:r},e,{getCurrentLocation:o,pushLocation:a,replaceLocation:l,go:p})),g=0,v=void 0,y=function(e,t){1==++g&&(v=c.startListener(m.transitionTo));var n=t?m.listenBefore(e):m.listen(e);return function(){n(),0==--g&&v()}};return i({},m,{listenBefore:function(e){return y(e,!0)},listen:function(e){return y(e,!1)}})};t.default=g},function(e,t,n){"use strict";function r(e){return e&&e.__esModule?e:{default:e}}t.__esModule=!0;var o=Object.assign||function(e){for(var t=1;t0&&void 0!==arguments[0]?arguments[0]:{};u.canUseDOM||(0,s.default)(!1);var t=e.queryKey,n=e.hashType;"string"!=typeof t&&(t="_k"),null==n&&(n="slash"),n in h||(n="slash");var r=h[n],i=p.getUserConfirmation,a=function(){return p.getCurrentLocation(r,t)},c=function(e){return p.pushLocation(e,r,t)},d=function(e){return p.replaceLocation(e,r,t)},m=(0,f.default)(o({getUserConfirmation:i},e,{getCurrentLocation:a,pushLocation:c,replaceLocation:d,go:p.go})),g=0,v=void 0,y=function(e,n){1==++g&&(v=p.startListener(m.transitionTo,r,t));var o=n?m.listenBefore(e):m.listen(e);return function(){o(),0==--g&&v()}},b=function(e){return y(e,!0)},_=function(e){return y(e,!1)};(0,l.supportsGoWithoutReloadUsingHash)();return o({},m,{listenBefore:b,listen:_,go:function(e){m.go(e)},createHref:function(e){return"#"+r.encodePath(m.createHref(e))}})};t.default=g},function(e,t,n){"use strict";function r(e){return e&&e.__esModule?e:{default:e}}t.__esModule=!0;var o=Object.assign||function(e){for(var t=1;t0&&void 0!==arguments[0]?arguments[0]:{};Array.isArray(e)?e={entries:e}:"string"==typeof e&&(e={entries:[e]});var t=function(){var e=h[g],t=(0,l.createPath)(e),n=void 0,r=void 0;e.key&&(n=e.key,r=b(n));var i=(0,l.parsePath)(t);return(0,u.createLocation)(o({},i,{state:r}),void 0,n)},n=function(e){var t=g+e;return t>=0&&t=0&&g=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},i=n(0),a=n(49),s=n(339),u=n(70),l=n(139),c=n(427),p=n(209),d=n(392),f=n(6);n(429);var m=h=function(e){function t(t){var n=e.call(this,t,{isDisabled:"disabled"})||this;n._id=t.id||f.getId("Dropdown");var r=void 0!==t.defaultSelectedKey?t.defaultSelectedKey:t.selectedKey;return n.state={isOpen:!1,selectedIndex:n._getSelectedIndex(t.options,r)},n}return r(t,e),t.prototype.componentWillReceiveProps=function(e){void 0===e.selectedKey||e.selectedKey===this.props.selectedKey&&e.options===this.props.options||this.setState({selectedIndex:this._getSelectedIndex(e.options,e.selectedKey)})},t.prototype.render=function(){var e=this,t=this._id,n=this.props,r=n.className,o=n.label,a=n.options,s=n.disabled,u=n.isDisabled,l=n.ariaLabel,c=n.onRenderTitle,p=void 0===c?this._onRenderTitle:c,d=n.onRenderContainer,m=void 0===d?this._onRenderContainer:d,h=this.state,g=h.isOpen,v=h.selectedIndex,y=a[v];return void 0!==u&&(s=u),i.createElement("div",{ref:"root"},o&&i.createElement("label",{id:t+"-label",className:"ms-Label",ref:function(t){return e._dropdownLabel=t}},o),i.createElement("div",{"data-is-focusable":!s,ref:function(t){return e._dropDown=t},id:t,className:f.css("ms-Dropdown",r,{"is-open":g,"is-disabled":s}),tabIndex:s?-1:0,onKeyDown:this._onDropdownKeyDown,onClick:this._onDropdownClick,"aria-expanded":g?"true":"false",role:"combobox","aria-live":s||g?"off":"assertive","aria-label":l||o,"aria-describedby":t+"-option","aria-activedescendant":v>=0?this._id+"-list"+v:this._id+"-list"},i.createElement("span",{id:t+"-option",className:"ms-Dropdown-title",key:v,"aria-atomic":!0},y&&p(y,this._onRenderTitle)),i.createElement("i",{className:"ms-Dropdown-caretDown ms-Icon ms-Icon--ChevronDown"})),g&&m(this.props,this._onRenderContainer))},t.prototype.focus=function(){this._dropDown&&-1!==this._dropDown.tabIndex&&this._dropDown.focus()},t.prototype.setSelectedIndex=function(e){var t=this.props,n=t.onChanged,r=t.options,o=this.state.selectedIndex;(e=Math.max(0,Math.min(r.length-1,e)))!==o&&(this.setState({selectedIndex:e}),n&&n(r[e],e))},t.prototype._onRenderTitle=function(e){return i.createElement("span",null,e.text)},t.prototype._onRenderContainer=function(e){var t=this.props,n=t.onRenderList,r=void 0===n?this._onRenderList:n;return t.responsiveMode<=d.ResponsiveMode.medium?i.createElement(c.Panel,{className:"ms-Dropdown-panel",isOpen:!0,isLightDismiss:!0,onDismissed:this._onDismiss,hasCloseButton:!1},r(e,this._onRenderList)):i.createElement(s.Callout,{isBeakVisible:!1,className:"ms-Dropdown-callout",gapSpace:0,doNotLayer:!1,targetElement:this._dropDown,directionalHint:a.DirectionalHint.bottomLeftEdge,onDismiss:this._onDismiss,onPositioned:this._onPositioned},i.createElement("div",{style:{width:this._dropDown.clientWidth-2}},r(e,this._onRenderList)))},t.prototype._onRenderList=function(e){var t=this,n=this.props.onRenderItem,r=void 0===n?this._onRenderItem:n,o=this._id,a=this.state.selectedIndex;return i.createElement(p.FocusZone,{ref:this._resolveRef("_focusZone"),direction:p.FocusZoneDirection.vertical,defaultActiveElement:"#"+o+"-list"+a},i.createElement(l.List,{id:o+"-list",className:"ms-Dropdown-items","aria-labelledby":o+"-label",items:e.options,onRenderCell:function(e,n){return e.index=n,r(e,t._onRenderItem)}}))},t.prototype._onRenderItem=function(e){var t=this,n=this.props.onRenderOption,r=void 0===n?this._onRenderOption:n,o=this._id;return i.createElement(u.BaseButton,{id:o+"-list"+e.index,ref:h.Option+e.index,key:e.key,"data-index":e.index,"data-is-focusable":!0,className:f.css("ms-Dropdown-item",{"is-selected":this.state.selectedIndex===e.index}),onClick:function(){return t._onItemClick(e.index)},onFocus:function(){return t.setSelectedIndex(e.index)},role:"option","aria-selected":this.state.selectedIndex===e.index?"true":"false","aria-label":e.text}," ",r(e,this._onRenderOption))},t.prototype._onRenderOption=function(e){return i.createElement("span",null,e.text)},t.prototype._onPositioned=function(){this._focusZone.focus()},t.prototype._onItemClick=function(e){this.setSelectedIndex(e),this.setState({isOpen:!1})},t.prototype._onDismiss=function(){this.setState({isOpen:!1})},t.prototype._getSelectedIndex=function(e,t){return f.findIndex(e,function(e){return e.isSelected||e.selected||null!=t&&e.key===t})},t.prototype._onDropdownKeyDown=function(e){switch(e.which){case f.KeyCodes.enter:this.setState({isOpen:!this.state.isOpen});break;case f.KeyCodes.escape:if(!this.state.isOpen)return;this.setState({isOpen:!1});break;case f.KeyCodes.up:this.setSelectedIndex(this.state.selectedIndex-1);break;case f.KeyCodes.down:this.setSelectedIndex(this.state.selectedIndex+1);break;case f.KeyCodes.home:this.setSelectedIndex(0);break;case f.KeyCodes.end:this.setSelectedIndex(this.props.options.length-1);break;default:return}e.stopPropagation(),e.preventDefault()},t.prototype._onDropdownClick=function(){var e=this.props,t=e.disabled,n=e.isDisabled,r=this.state.isOpen;void 0!==n&&(t=n),t||this.setState({isOpen:!r})},t}(f.BaseComponent);m.defaultProps={options:[]},m.Option="option",o([f.autobind],m.prototype,"_onRenderTitle",null),o([f.autobind],m.prototype,"_onRenderContainer",null),o([f.autobind],m.prototype,"_onRenderList",null),o([f.autobind],m.prototype,"_onRenderItem",null),o([f.autobind],m.prototype,"_onRenderOption",null),o([f.autobind],m.prototype,"_onPositioned",null),o([f.autobind],m.prototype,"_onDismiss",null),o([f.autobind],m.prototype,"_onDropdownKeyDown",null),o([f.autobind],m.prototype,"_onDropdownClick",null),m=h=o([d.withResponsiveMode],m),t.Dropdown=m;var h},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:'.ms-Dropdown{box-sizing:border-box;margin:0;padding:0;box-shadow:none;font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";margin-bottom:10px;position:relative;outline:0;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.ms-Dropdown:active .ms-Dropdown-caretDown,.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:focus .ms-Dropdown-caretDown,.ms-Dropdown:focus .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-caretDown,.ms-Dropdown:hover .ms-Dropdown-title{color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown:active .ms-Dropdown-caretDown,.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:focus .ms-Dropdown-caretDown,.ms-Dropdown:focus .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-caretDown,.ms-Dropdown:hover .ms-Dropdown-title{color:#1AEBFF}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown:active .ms-Dropdown-caretDown,.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:focus .ms-Dropdown-caretDown,.ms-Dropdown:focus .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-caretDown,.ms-Dropdown:hover .ms-Dropdown-title{color:#37006E}}.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-title{border-color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-title{border-color:#1AEBFF}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-title{border-color:#37006E}}.ms-Dropdown:focus .ms-Dropdown-title{border-color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown:focus .ms-Dropdown-title{border-color:#1AEBFF}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown:focus .ms-Dropdown-title{border-color:#37006E}}.ms-Dropdown .ms-Label{display:inline-block;margin-bottom:8px}.ms-Dropdown.is-disabled .ms-Dropdown-title{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";border-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";color:"},{theme:"neutralTertiary",defaultValue:"#a6a6a6"},{rawString:";cursor:default}@media screen and (-ms-high-contrast:active){.ms-Dropdown.is-disabled .ms-Dropdown-title{border-color:#0f0;color:#0f0}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown.is-disabled .ms-Dropdown-title{border-color:#600000;color:#600000}}.ms-Dropdown.is-disabled .ms-Dropdown-caretDown{color:"},{theme:"neutralTertiary",defaultValue:"#a6a6a6"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown.is-disabled .ms-Dropdown-caretDown{color:#0f0}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown.is-disabled .ms-Dropdown-caretDown{color:#600000}}.ms-Dropdown-caretDown{color:"},{theme:"neutralDark",defaultValue:"#212121"},{rawString:";font-size:12px;position:absolute;top:0;pointer-events:none;line-height:32px}html[dir=ltr] .ms-Dropdown-caretDown{right:12px}html[dir=rtl] .ms-Dropdown-caretDown{left:12px}.ms-Dropdown-title{box-sizing:border-box;margin:0;padding:0;box-shadow:none;background:"},{theme:"white",defaultValue:"#ffffff"},{rawString:";border:1px solid "},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:";cursor:pointer;display:block;height:32px;line-height:30px;padding:0 32px 0 12px;position:relative;overflow:hidden;white-space:nowrap;text-overflow:ellipsis}html[dir=rtl] .ms-Dropdown-title{padding:0 12px 0 32px}.ms-Dropdown-callout{box-shadow:0 0 15px -5px rgba(0,0,0,.4);border:1px solid "},{theme:"neutralLight",defaultValue:"#eaeaea"},{rawString:"}.ms-Dropdown-panel .ms-Panel-main{box-shadow:-30px 0 30px -30px rgba(0,0,0,.2)}.ms-Dropdown-panel .ms-Panel-contentInner{padding:0 0 20px}.ms-Dropdown-item{background:0 0;box-sizing:border-box;cursor:pointer;display:block;width:100%;text-align:left;min-height:36px;line-height:20px;padding:5px 16px;position:relative;border:1px solid transparent;word-wrap:break-word}@media screen and (-ms-high-contrast:active){.ms-Dropdown-item{border-color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown-item{border-color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}.ms-Dropdown-item:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown-item:hover{background-color:#1AEBFF;border-color:#1AEBFF;color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-Dropdown-item:hover:focus{border-color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown-item:hover{background-color:#37006E;border-color:#37006E;color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}.ms-Dropdown-item::-moz-focus-inner{border:0}.ms-Dropdown-item{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-Dropdown-item:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}.ms-Dropdown-item:focus{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-Dropdown-item:active{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-Dropdown-item.is-disabled{background:"},{theme:"white",defaultValue:"#ffffff"},{rawString:";color:"},{theme:"neutralTertiary",defaultValue:"#a6a6a6"},{rawString:";cursor:default}.ms-Dropdown-item.is-selected,.ms-Dropdown-item.ms-Dropdown-item--selected{background-color:"},{theme:"neutralQuaternaryAlt",defaultValue:"#dadada"},{rawString:";color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-Dropdown-item.is-selected:hover,.ms-Dropdown-item.ms-Dropdown-item--selected:hover{background-color:"},{theme:"neutralQuaternaryAlt",defaultValue:"#dadada"},{rawString:"}.ms-Dropdown-item.is-selected::-moz-focus-inner,.ms-Dropdown-item.ms-Dropdown-item--selected::-moz-focus-inner{border:0}.ms-Dropdown-item.is-selected,.ms-Dropdown-item.ms-Dropdown-item--selected{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-Dropdown-item.is-selected:focus:after,.ms-Fabric.is-focusVisible .ms-Dropdown-item.ms-Dropdown-item--selected:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown-item.is-selected,.ms-Dropdown-item.ms-Dropdown-item--selected{background-color:#1AEBFF;border-color:#1AEBFF;color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-Dropdown-item.is-selected:focus,.ms-Dropdown-item.ms-Dropdown-item--selected:focus{border-color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown-item.is-selected,.ms-Dropdown-item.ms-Dropdown-item--selected{background-color:#37006E;border-color:#37006E;color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}"}])},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(428))},,function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(0),i=n(6),a=n(376),s=n(386),u=n(143),l=n(364),c=n(333);n(433);var p=function(e){function t(t){var n=e.call(this,t)||this;return n._onPanelClick=n._onPanelClick.bind(n),n._onPanelRef=n._onPanelRef.bind(n),n.state={isOpen:!!t.isOpen,isAnimatingOpen:t.isOpen,isAnimatingClose:!1,id:i.getId("Panel")},n}return r(t,e),t.prototype.componentDidMount=function(){var e=this;this.state.isOpen&&this._async.setTimeout(function(){e.setState({isAnimatingOpen:!1})},2e3)},t.prototype.componentWillReceiveProps=function(e){e.isOpen!==this.state.isOpen&&this.setState({isOpen:!0,isAnimatingOpen:!!e.isOpen,isAnimatingClose:!e.isOpen})},t.prototype.render=function(){var e=this.props,t=e.children,n=e.className,r=void 0===n?"":n,p=e.type,d=e.hasCloseButton,f=e.isLightDismiss,m=e.isBlocking,h=e.headerText,g=e.closeButtonAriaLabel,v=e.headerClassName,y=void 0===v?"":v,b=e.elementToFocusOnDismiss,_=e.ignoreExternalFocusing,w=e.forceFocusInsideTrap,x=e.firstFocusableSelector,C=this.state,E=C.isOpen,S=C.isAnimatingOpen,P=C.isAnimatingClose,T=C.id,O=p===s.PanelType.smallFixedNear,I=i.getRTL(),k=I?O:!O,M=T+"-headerText";if(!E)return null;var A;h&&(A=o.createElement("p",{className:i.css("ms-Panel-headerText",y),id:M},h));var R;d&&(R=o.createElement("button",{className:"ms-Panel-closeButton ms-PanelAction-close",onClick:this._onPanelClick,"aria-label":g,"data-is-visible":!0},o.createElement("i",{className:"ms-Panel-closeIcon ms-Icon ms-Icon--Cancel"})));var D;return m&&(D=o.createElement(l.Overlay,{isDarkThemed:!1,onClick:f?this._onPanelClick:null})),o.createElement(u.Layer,null,o.createElement(c.Popup,{role:"dialog",ariaLabelledBy:h&&M,onDismiss:this.props.onDismiss},o.createElement("div",{ref:this._onPanelRef,className:i.css("ms-Panel",r,{"ms-Panel--openLeft":!k,"ms-Panel--openRight":k,"is-open":E,"ms-Panel-animateIn":S,"ms-Panel-animateOut":P,"ms-Panel--smFluid":p===s.PanelType.smallFluid,"ms-Panel--smLeft":p===s.PanelType.smallFixedNear,"ms-Panel--sm":p===s.PanelType.smallFixedFar,"ms-Panel--md":p===s.PanelType.medium,"ms-Panel--lg":p===s.PanelType.large||p===s.PanelType.largeFixed,"ms-Panel--fixed":p===s.PanelType.largeFixed,"ms-Panel--xl":p===s.PanelType.extraLarge,"ms-Panel--hasCloseButton":d})},D,o.createElement(a.FocusTrapZone,{className:"ms-Panel-main",elementToFocusOnDismiss:b,isClickableOutsideFocusTrap:f,ignoreExternalFocusing:_,forceFocusInsideTrap:w,firstFocusableSelector:x},o.createElement("div",{className:"ms-Panel-commands","data-is-visible":!0},"",R),o.createElement("div",{className:"ms-Panel-contentInner"},A,o.createElement("div",{className:"ms-Panel-content"},t))))))},t.prototype.componentDidUpdate=function(e,t){!1===t.isAnimatingClose&&!0===this.state.isAnimatingClose&&this.props.onDismiss&&this.props.onDismiss()},t.prototype.dismiss=function(){this.state.isOpen&&this.setState({isAnimatingOpen:!1,isAnimatingClose:!0})},t.prototype._onPanelClick=function(){this.dismiss()},t.prototype._onPanelRef=function(e){e?this._events.on(e,"animationend",this._onAnimationEnd):this._events.off()},t.prototype._onAnimationEnd=function(e){e.animationName.indexOf("In")>-1&&this.setState({isOpen:!0,isAnimatingOpen:!1}),e.animationName.indexOf("Out")>-1&&(this.setState({isOpen:!1,isAnimatingClose:!1}),this.props.onDismissed&&this.props.onDismissed())},t}(i.BaseComponent);p.defaultProps={isOpen:!1,isBlocking:!0,hasCloseButton:!0,type:s.PanelType.smallFixedFar},t.Panel=p},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:".ms-Panel{pointer-events:inherit;overflow:hidden}.ms-Panel .ms-Panel-main{position:absolute;overflow-x:hidden;overflow-y:auto;-webkit-overflow-scrolling:touch}.ms-Panel{display:none;pointer-events:none}.ms-Panel .ms-Overlay{display:none;pointer-events:none;opacity:1;cursor:pointer;-webkit-transition:opacity 367ms cubic-bezier(.1,.9,.2,1);transition:opacity 367ms cubic-bezier(.1,.9,.2,1)}.ms-Panel-main{background-color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:";bottom:0;position:fixed;top:0;display:none;width:100%}html[dir=ltr] .ms-Panel-main{right:0}html[dir=rtl] .ms-Panel-main{left:0}@media (min-width:480px){.ms-Panel-main{border-left:1px solid "},{theme:"neutralLight",defaultValue:"#eaeaea"},{rawString:";border-right:1px solid "},{theme:"neutralLight",defaultValue:"#eaeaea"},{rawString:";pointer-events:auto;width:340px;box-shadow:-30px 0 30px -30px rgba(0,0,0,.2)}html[dir=ltr] .ms-Panel-main{left:auto}html[dir=rtl] .ms-Panel-main{right:auto}}.ms-Panel.ms-Panel--sm .ms-Panel-main{width:272px}@media (min-width:480px){.ms-Panel.ms-Panel--sm .ms-Panel-main{width:340px}}.ms-Panel.ms-Panel--smLeft .ms-Panel-main{width:272px}html[dir=ltr] .ms-Panel.ms-Panel--smLeft .ms-Panel-main{right:auto}html[dir=rtl] .ms-Panel.ms-Panel--smLeft .ms-Panel-main{left:auto}html[dir=ltr] .ms-Panel.ms-Panel--smLeft .ms-Panel-main{left:0}html[dir=rtl] .ms-Panel.ms-Panel--smLeft .ms-Panel-main{right:0}.ms-Panel.ms-Panel--smFluid .ms-Panel-main{width:100%}@media (min-width:640px){.ms-Panel.ms-Panel--lg .ms-Panel-main,.ms-Panel.ms-Panel--md .ms-Panel-main,.ms-Panel.ms-Panel--xl .ms-Panel-main{width:auto}html[dir=ltr] .ms-Panel.ms-Panel--lg .ms-Panel-main,html[dir=ltr] .ms-Panel.ms-Panel--md .ms-Panel-main,html[dir=ltr] .ms-Panel.ms-Panel--xl .ms-Panel-main{left:48px}html[dir=rtl] .ms-Panel.ms-Panel--lg .ms-Panel-main,html[dir=rtl] .ms-Panel.ms-Panel--md .ms-Panel-main,html[dir=rtl] .ms-Panel.ms-Panel--xl .ms-Panel-main{right:48px}}@media (min-width:1024px){.ms-Panel.ms-Panel--md .ms-Panel-main{width:643px}html[dir=ltr] .ms-Panel.ms-Panel--md .ms-Panel-main{left:auto}html[dir=rtl] .ms-Panel.ms-Panel--md .ms-Panel-main{right:auto}}@media (min-width:1366px){html[dir=ltr] .ms-Panel.ms-Panel--lg .ms-Panel-main{left:428px}html[dir=rtl] .ms-Panel.ms-Panel--lg .ms-Panel-main{right:428px}}@media (min-width:1366px){.ms-Panel.ms-Panel--lg.ms-Panel--fixed .ms-Panel-main{width:940px}html[dir=ltr] .ms-Panel.ms-Panel--lg.ms-Panel--fixed .ms-Panel-main{left:auto}html[dir=rtl] .ms-Panel.ms-Panel--lg.ms-Panel--fixed .ms-Panel-main{right:auto}}@media (min-width:1366px){html[dir=ltr] .ms-Panel.ms-Panel--xl .ms-Panel-main{left:176px}html[dir=rtl] .ms-Panel.ms-Panel--xl .ms-Panel-main{right:176px}}.ms-Panel.is-open{display:block}.ms-Panel.is-open .ms-Panel-main{opacity:1;pointer-events:auto;display:block}.ms-Panel.is-open .ms-Overlay{display:block;pointer-events:auto}@media screen and (-ms-high-contrast:active){.ms-Panel.is-open .ms-Overlay{opacity:0}}.ms-Panel.is-open.ms-Panel-animateIn .ms-Panel-main{-webkit-animation-duration:367ms;-webkit-animation-name:fadeIn;-webkit-animation-fill-mode:both;animation-duration:367ms;animation-name:fadeIn;animation-fill-mode:both;-webkit-animation-duration:167ms;animation-duration:167ms}.ms-Panel.is-open.ms-Panel-animateOut .ms-Panel-main{-webkit-animation-duration:367ms;-webkit-animation-name:fadeOut;-webkit-animation-fill-mode:both;animation-duration:367ms;animation-name:fadeOut;animation-fill-mode:both;-webkit-animation-duration:.1s;animation-duration:.1s}.ms-Panel.is-open.ms-Panel-animateOut .ms-Overlay{display:none}@media (min-width:480px){.ms-Panel.is-open.ms-Panel--openRight.ms-Panel-animateIn .ms-Panel-main{-webkit-animation-name:fadeIn,slideLeftIn40;animation-name:fadeIn,slideLeftIn40;-webkit-animation-duration:367ms;-moz-animation-duration:367ms;-ms-animation-duration:367ms;-o-animation-duration:367ms;-webkit-animation-timing-function:cubic-bezier(.1,.9,.2,1);animation-timing-function:cubic-bezier(.1,.9,.2,1);-webkit-animation-fill-mode:both;animation-fill-mode:both}.ms-Panel.is-open.ms-Panel--openRight.ms-Panel-animateIn .ms-Overlay{-webkit-animation-duration:367ms;-webkit-animation-name:fadeIn;-webkit-animation-fill-mode:both;animation-duration:367ms;animation-name:fadeIn;animation-fill-mode:both;-webkit-animation-duration:267ms;animation-duration:267ms}.ms-Panel.is-open.ms-Panel--openRight.ms-Panel-animateOut .ms-Panel-main{-webkit-animation-name:fadeOut,slideRightOut40;animation-name:fadeOut,slideRightOut40;-webkit-animation-duration:167ms;-moz-animation-duration:167ms;-ms-animation-duration:167ms;-o-animation-duration:167ms;-webkit-animation-timing-function:cubic-bezier(.1,.25,.75,.9);animation-timing-function:cubic-bezier(.1,.25,.75,.9);-webkit-animation-fill-mode:both;animation-fill-mode:both}.ms-Panel.is-open.ms-Panel--openRight.ms-Panel-animateOut .ms-Overlay{-webkit-animation-duration:367ms;-webkit-animation-name:fadeOut;-webkit-animation-fill-mode:both;animation-duration:367ms;animation-name:fadeOut;animation-fill-mode:both;-webkit-animation-duration:167ms;animation-duration:167ms}.ms-Panel.is-open.ms-Panel--openLeft.ms-Panel-animateIn .ms-Panel-main{-webkit-animation-name:fadeIn,slideRightIn40;animation-name:fadeIn,slideRightIn40;-webkit-animation-duration:367ms;-moz-animation-duration:367ms;-ms-animation-duration:367ms;-o-animation-duration:367ms;-webkit-animation-timing-function:cubic-bezier(.1,.9,.2,1);animation-timing-function:cubic-bezier(.1,.9,.2,1);-webkit-animation-fill-mode:both;animation-fill-mode:both}.ms-Panel.is-open.ms-Panel--openLeft.ms-Panel-animateIn .ms-Overlay{-webkit-animation-duration:367ms;-webkit-animation-name:fadeIn;-webkit-animation-fill-mode:both;animation-duration:367ms;animation-name:fadeIn;animation-fill-mode:both;-webkit-animation-duration:267ms;animation-duration:267ms}.ms-Panel.is-open.ms-Panel--openLeft.ms-Panel-animateOut .ms-Panel-main{-webkit-animation-name:fadeOut,slideLeftOut40;animation-name:fadeOut,slideLeftOut40;-webkit-animation-duration:167ms;-moz-animation-duration:167ms;-ms-animation-duration:167ms;-o-animation-duration:167ms;-webkit-animation-timing-function:cubic-bezier(.1,.25,.75,.9);animation-timing-function:cubic-bezier(.1,.25,.75,.9);-webkit-animation-fill-mode:both;animation-fill-mode:both}.ms-Panel.is-open.ms-Panel--openLeft.ms-Panel-animateOut .ms-Overlay{-webkit-animation-duration:367ms;-webkit-animation-name:fadeOut;-webkit-animation-fill-mode:both;animation-duration:367ms;animation-name:fadeOut;animation-fill-mode:both;-webkit-animation-duration:167ms;animation-duration:167ms}.ms-Panel.is-open .ms-Overlay{cursor:pointer;opacity:1;pointer-events:auto}}@media screen and (min-width:480px) and (-ms-high-contrast:active){.ms-Panel.is-open.ms-Panel--openLeft.ms-Panel-animateIn .ms-Overlay,.ms-Panel.is-open.ms-Panel--openRight.ms-Panel-animateIn .ms-Overlay{opacity:0;-webkit-animation-name:none;animation-name:none}}.ms-Panel-closeButton{background:0 0;border:0;cursor:pointer;position:absolute;top:0;height:40px;width:40px;line-height:40px;padding:0;color:"},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:";font-size:16px}html[dir=ltr] .ms-Panel-closeButton{right:8px}html[dir=rtl] .ms-Panel-closeButton{left:8px}.ms-Panel-closeButton:hover{color:"},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:'}.ms-Panel-contentInner{position:absolute;top:0;bottom:0;left:0;right:0;padding:0 16px 20px;overflow-y:auto;-webkit-overflow-scrolling:touch;-webkit-transform:translateZ(0);transform:translateZ(0)}.ms-Panel--hasCloseButton .ms-Panel-contentInner{top:40px}@media (min-width:640px){.ms-Panel-contentInner{padding:0 32px 20px}}@media (min-width:1366px){.ms-Panel-contentInner{padding:0 40px 20px}}.ms-Panel-headerText{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:21px;font-weight:100;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";margin:10px 0;padding:4px 0;line-height:1;text-overflow:ellipsis;overflow:hidden}@media (min-width:1024px){.ms-Panel-headerText{margin-top:30px}}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(432)),r(n(386))},function(e,t,n){"use strict";function r(e){switch(e.arrayFormat){case"index":return function(t,n,r){return null===n?[i(t,e),"[",r,"]"].join(""):[i(t,e),"[",i(r,e),"]=",i(n,e)].join("")};case"bracket":return function(t,n){return null===n?i(t,e):[i(t,e),"[]=",i(n,e)].join("")};default:return function(t,n){return null===n?i(t,e):[i(t,e),"=",i(n,e)].join("")}}}function o(e){var t;switch(e.arrayFormat){case"index":return function(e,n,r){if(t=/\[(\d*)\]$/.exec(e),e=e.replace(/\[\d*\]$/,""),!t)return void(r[e]=n);void 0===r[e]&&(r[e]={}),r[e][t[1]]=n};case"bracket":return function(e,n,r){return t=/(\[\])$/.exec(e),e=e.replace(/\[\]$/,""),t?void 0===r[e]?void(r[e]=[n]):void(r[e]=[].concat(r[e],n)):void(r[e]=n)};default:return function(e,t,n){if(void 0===n[e])return void(n[e]=t);n[e]=[].concat(n[e],t)}}}function i(e,t){return t.encode?t.strict?s(e):encodeURIComponent(e):e}function a(e){return Array.isArray(e)?e.sort():"object"==typeof e?a(Object.keys(e)).sort(function(e,t){return Number(e)-Number(t)}).map(function(t){return e[t]}):e}var s=n(452),u=n(4);t.extract=function(e){return e.split("?")[1]||""},t.parse=function(e,t){t=u({arrayFormat:"none"},t);var n=o(t),r=Object.create(null);return"string"!=typeof e?r:(e=e.trim().replace(/^(\?|#|&)/,""))?(e.split("&").forEach(function(e){var t=e.replace(/\+/g," ").split("="),o=t.shift(),i=t.length>0?t.join("="):void 0;i=void 0===i?null:decodeURIComponent(i),n(decodeURIComponent(o),i,r)}),Object.keys(r).sort().reduce(function(e,t){var n=r[t];return Boolean(n)&&"object"==typeof n&&!Array.isArray(n)?e[t]=a(n):e[t]=n,e},Object.create(null))):r},t.stringify=function(e,t){t=u({encode:!0,strict:!0,arrayFormat:"none"},t);var n=r(t);return e?Object.keys(e).sort().map(function(r){var o=e[r];if(void 0===o)return"";if(null===o)return i(r,t);if(Array.isArray(o)){var a=[];return o.slice().forEach(function(e){void 0!==e&&a.push(n(r,e,a.length))}),a.join("&")}return i(r,t)+"="+i(o,t)}).filter(function(e){return e.length>0}).join("&"):""}},function(e,t,n){"use strict";var r=n(0),o=n.n(r),i=n(46),a=n.n(i),s=n(394),u=Object.assign||function(e){for(var t=1;t=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}var o=n(17),i=n.n(o),a=n(0),s=n.n(a),u=n(46),l=n.n(u),c=n(19),p=(n.n(c),n(400)),d=n(141),f=n(350),m=n(71),h=n(397),g=(n(132),Object.assign||function(e){for(var t=1;t0&&void 0!==arguments[0]?arguments[0]:r.createElement;return function(t,n){return u.reduceRight(function(e,t){return t(e,n)},e(t,n))}};return function(e){return s.reduceRight(function(t,n){return n(t,e)},o.a.createElement(i.a,a({},e,{createElement:l(e.createElement)})))}}},function(e,t,n){"use strict";var r=n(421),o=n.n(r),i=n(399);t.a=n.i(i.a)(o.a)},function(e,t,n){"use strict";function r(e,t,r){return!!e.path&&n.i(i.b)(e.path).some(function(e){return t.params[e]!==r.params[e]})}function o(e,t){var n=e&&e.routes,o=t.routes,i=void 0,a=void 0,s=void 0;if(n){var u=!1;i=n.filter(function(n){if(u)return!0;var i=-1===o.indexOf(n)||r(n,e,t);return i&&(u=!0),i}),i.reverse(),s=[],a=[],o.forEach(function(e){var t=-1===n.indexOf(e),r=-1!==i.indexOf(e);t||r?s.push(e):a.push(e)})}else i=[],a=[],s=o;return{leaveRoutes:i,changeRoutes:a,enterRoutes:s}}var i=n(131);t.a=o},function(e,t,n){"use strict";function r(e,t,r){if(t.component||t.components)return void r(null,t.component||t.components);var o=t.getComponent||t.getComponents;if(o){var i=o.call(t,e,r);n.i(a.a)(i)&&i.then(function(e){return r(null,e)},r)}else r()}function o(e,t){n.i(i.a)(e.routes,function(t,n,o){r(e,t,o)},t)}var i=n(347),a=n(395);t.a=o},function(e,t,n){"use strict";function r(e,t){var r={};return e.path?(n.i(o.b)(e.path).forEach(function(e){Object.prototype.hasOwnProperty.call(t,e)&&(r[e]=t[e])}),r):r}var o=n(131);t.a=r},function(e,t,n){"use strict";var r=n(422),o=n.n(r),i=n(399);t.a=n.i(i.a)(o.a)},function(e,t,n){"use strict";function r(e,t){if(e==t)return!0;if(null==e||null==t)return!1;if(Array.isArray(e))return Array.isArray(t)&&e.length===t.length&&e.every(function(e,n){return r(e,t[n])});if("object"===(void 0===e?"undefined":l(e))){for(var n in e)if(Object.prototype.hasOwnProperty.call(e,n))if(void 0===e[n]){if(void 0!==t[n])return!1}else{if(!Object.prototype.hasOwnProperty.call(t,n))return!1;if(!r(e[n],t[n]))return!1}return!0}return String(e)===String(t)}function o(e,t){return"/"!==t.charAt(0)&&(t="/"+t),"/"!==e.charAt(e.length-1)&&(e+="/"),"/"!==t.charAt(t.length-1)&&(t+="/"),t===e}function i(e,t,r){for(var o=e,i=[],a=[],s=0,l=t.length;s=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e,t){var o=e.history,a=e.routes,f=e.location,m=r(e,["history","routes","location"]);o||f||s()(!1),o=o||n.i(u.a)(m);var h=n.i(l.a)(o,n.i(c.a)(a));f=f?o.createLocation(f):o.getCurrentLocation(),h.match(f,function(e,r,a){var s=void 0;if(a){var u=n.i(p.a)(o,h,a);s=d({},a,{router:u,matchContext:{transitionManager:h,router:u}})}t(e,r&&o.createLocation(r,i.REPLACE),s)})}var i=n(199),a=(n.n(i),n(17)),s=n.n(a),u=n(398),l=n(400),c=n(71),p=n(397),d=Object.assign||function(e){for(var t=1;t4&&void 0!==arguments[4]?arguments[4]:[],a=arguments.length>5&&void 0!==arguments[5]?arguments[5]:[];void 0===o&&("/"!==t.pathname.charAt(0)&&(t=f({},t,{pathname:"/"+t.pathname})),o=t.pathname),n.i(l.b)(e.length,function(n,r,u){s(e[n],t,o,i,a,function(e,t){e||t?u(e,t):r()})},r)}t.a=u;var l=n(347),c=n(395),p=n(131),d=(n(132),n(71)),f=Object.assign||function(e){for(var t=1;tn&&t.push({rawString:e.substring(n,o)}),t.push({theme:r[1],defaultValue:r[2]}),n=g.lastIndex}t.push({rawString:e.substring(n)})}return t}function l(e,t){var n=document.getElementsByTagName("head")[0],r=document.createElement("style");r.type="text/css",r.appendChild(document.createTextNode(u(e))),t?(n.replaceChild(r,t.styleElement),t.styleElement=r):n.appendChild(r),t||m.registeredStyles.push({styleElement:r,themableStyle:e})}function p(e,t){var n=document.getElementsByTagName("head")[0],r=m.lastStyleElement,o=m.registeredStyles,i=r?r.styleSheet:void 0,a=i?i.cssText:"",c=o[o.length-1],l=u(e);(!r||a.length+l.length>v)&&(r=document.createElement("style"),r.type="text/css",t?(n.replaceChild(r,t.styleElement),t.styleElement=r):n.appendChild(r),t||(c={styleElement:r,themableStyle:e},o.push(c))),r.styleSheet.cssText+=s(l),Array.prototype.push.apply(c.themableStyle,e),m.lastStyleElement=r}function d(){var e=!1;if("undefined"!=typeof document){var t=document.createElement("style");t.type="text/css",e=!!t.styleSheet}return e}var f,h="undefined"==typeof window?e:window,m=h.__themeState__=h.__themeState__||{theme:void 0,lastStyleElement:void 0,registeredStyles:[]},g=/[\'\"]\[theme:\s*(\w+)\s*(?:\,\s*default:\s*([\\"\']?[\.\,\(\)\#\-\s\w]*[\.\,\(\)\#\-\w][\"\']?))?\s*\][\'\"]/g,v=1e4;t.loadStyles=n,t.configureLoadStyles=r,t.loadTheme=i,t.detokenize=s,t.splitStyles=c}).call(t,n(66))},function(e,t,n){"use strict";var r=!("undefined"==typeof window||!window.document||!window.document.createElement),o={canUseDOM:r,canUseWorkers:"undefined"!=typeof Worker,canUseEventListeners:r&&!(!window.addEventListener&&!window.attachEvent),canUseViewport:r&&!!window.screen,isInWorker:!r};e.exports=o},function(e,t,n){"use strict";function r(e){return"[object Array]"===C.call(e)}function o(e){return"[object ArrayBuffer]"===C.call(e)}function i(e){return"undefined"!=typeof FormData&&e instanceof FormData}function a(e){var t;return t="undefined"!=typeof ArrayBuffer&&ArrayBuffer.isView?ArrayBuffer.isView(e):e&&e.buffer&&e.buffer instanceof ArrayBuffer}function s(e){return"string"==typeof e}function u(e){return"number"==typeof e}function c(e){return"undefined"==typeof e}function l(e){return null!==e&&"object"==typeof e}function p(e){return"[object Date]"===C.call(e)}function d(e){return"[object File]"===C.call(e)}function f(e){return"[object Blob]"===C.call(e)}function h(e){return"[object Function]"===C.call(e)}function m(e){return l(e)&&h(e.pipe)}function g(e){return"undefined"!=typeof URLSearchParams&&e instanceof URLSearchParams}function v(e){return e.replace(/^\s*/,"").replace(/\s*$/,"")}function y(){return"undefined"!=typeof window&&"undefined"!=typeof document&&"function"==typeof document.createElement}function b(e,t){if(null!==e&&"undefined"!=typeof e)if("object"==typeof e||r(e)||(e=[e]),r(e))for(var n=0,o=e.length;n1){for(var g=Array(m),v=0;v1){for(var b=Array(y),_=0;_-1&&o._virtual.children.splice(i,1)}n._virtual.parent=r||void 0,r&&(r._virtual||(r._virtual={children:[]}),r._virtual.children.push(n))}function o(e){var t;return e&&p(e)&&(t=e._virtual.parent),t}function i(e,t){return void 0===t&&(t=!0),e&&(t&&o(e)||e.parentNode&&e.parentNode)}function a(e,t,n){void 0===n&&(n=!0);var r=!1;if(e&&t)if(n)for(r=!1;t;){var o=i(t);if(o===e){r=!0;break}t=o}else e.contains&&(r=e.contains(t));return r}function s(e){d=e}function u(e){return d?void 0:e&&e.ownerDocument&&e.ownerDocument.defaultView?e.ownerDocument.defaultView:window}function c(e){return d?void 0:e&&e.ownerDocument?e.ownerDocument:document}function l(e){var t;return e&&(e===window?t={left:0,top:0,width:window.innerWidth,height:window.innerHeight,right:window.innerWidth,bottom:window.innerHeight}:e.getBoundingClientRect&&(t=e.getBoundingClientRect())),t}function p(e){return e&&!!e._virtual}t.setVirtualParent=r,t.getVirtualParent=o,t.getParent=i,t.elementContains=a;var d=!1;t.setSSR=s,t.getWindow=u,t.getDocument=c,t.getRect=l},function(e,t){function n(){throw new Error("setTimeout has not been defined")}function r(){throw new Error("clearTimeout has not been defined")}function o(e){if(l===setTimeout)return setTimeout(e,0);if((l===n||!l)&&setTimeout)return l=setTimeout,setTimeout(e,0);try{return l(e,0)}catch(t){try{return l.call(null,e,0)}catch(t){return l.call(this,e,0)}}}function i(e){if(p===clearTimeout)return clearTimeout(e);if((p===r||!p)&&clearTimeout)return p=clearTimeout,clearTimeout(e);try{return p(e)}catch(t){try{return p.call(null,e)}catch(t){return p.call(this,e)}}}function a(){m&&f&&(m=!1,f.length?h=f.concat(h):g=-1,h.length&&s())}function s(){if(!m){var e=o(a);m=!0;for(var t=h.length;t;){for(f=h,h=[];++g1)for(var n=1;n]/;e.exports=o},function(e,t,n){"use strict";var r,o=n(8),i=n(48),a=/^[ \r\n\t\f]/,s=/<(!--|link|noscript|meta|script|style)[ \r\n\t\f\/>]/,u=n(56),c=u(function(e,t){if(e.namespaceURI!==i.svg||"innerHTML"in e)e.innerHTML=t;else{r=r||document.createElement("div"),r.innerHTML=""+t+"";for(var n=r.firstChild;n.firstChild;)e.appendChild(n.firstChild)}});if(o.canUseDOM){var l=document.createElement("div");l.innerHTML=" ",""===l.innerHTML&&(c=function(e,t){if(e.parentNode&&e.parentNode.replaceChild(e,e),a.test(t)||"<"===t[0]&&s.test(t)){e.innerHTML=String.fromCharCode(65279)+t;var n=e.firstChild;1===n.data.length?e.removeChild(n):n.deleteData(0,1)}else e.innerHTML=t}),l=null}e.exports=c},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(124),o=n(306),i=n(305),a=n(304),s=n(123);n(125);n.d(t,"createStore",function(){return r.a}),n.d(t,"combineReducers",function(){return o.a}),n.d(t,"bindActionCreators",function(){return i.a}),n.d(t,"applyMiddleware",function(){return a.a}),n.d(t,"compose",function(){return s.a})},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(283),o=n(113),i=n(284);n.d(t,"Provider",function(){return r.a}),n.d(t,"connectAdvanced",function(){return o.a}),n.d(t,"connect",function(){return i.a})},function(e,t,n){"use strict";e.exports=n(232)},function(e,t,n){"use strict";var r=function(){function e(t){this._id=e._uniqueId++,this._parent=t,this._eventRecords=[]}return e.raise=function(t,n,r,o){var i;if(e._isElement(t)){if(document.createEvent){var a=document.createEvent("HTMLEvents");a.initEvent(n,o,!0),a.args=r,i=t.dispatchEvent(a)}else if(document.createEventObject){var s=document.createEventObject(r);t.fireEvent("on"+n,s)}}else for(;t&&i!==!1;){var u=t.__events__,c=u?u[n]:null;for(var l in c)if(c.hasOwnProperty(l))for(var p=c[l],d=0;i!==!1&&d-1)for(var a=n.split(/[ ,]+/),s=0;s=200&&e<300}};c.headers={common:{Accept:"application/json, text/plain, */*"}},i.forEach(["delete","get","head"],function(e){c.headers[e]={}}),i.forEach(["post","put","patch"],function(e){c.headers[e]=i.merge(u)}),e.exports=c}).call(t,n(33))},function(e,t,n){"use strict";function r(e,t){return e===t?0!==e||0!==t||1/e===1/t:e!==e&&t!==t}function o(e,t){if(r(e,t))return!0;if("object"!=typeof e||null===e||"object"!=typeof t||null===t)return!1;var n=Object.keys(e),o=Object.keys(t);if(n.length!==o.length)return!1;for(var a=0;a-1?void 0:a("96",e),!c.plugins[n]){t.extractEvents?void 0:a("97",e),c.plugins[n]=t;var r=t.eventTypes;for(var i in r)o(r[i],t,i)?void 0:a("98",i,e)}}}function o(e,t,n){c.eventNameDispatchConfigs.hasOwnProperty(n)?a("99",n):void 0,c.eventNameDispatchConfigs[n]=e;var r=e.phasedRegistrationNames;if(r){for(var o in r)if(r.hasOwnProperty(o)){var s=r[o];i(s,t,n)}return!0}return!!e.registrationName&&(i(e.registrationName,t,n),!0)}function i(e,t,n){c.registrationNameModules[e]?a("100",e):void 0,c.registrationNameModules[e]=t,c.registrationNameDependencies[e]=t.eventTypes[n].dependencies}var a=n(3),s=(n(1),null),u={},c={plugins:[],eventNameDispatchConfigs:{},registrationNameModules:{},registrationNameDependencies:{},possibleRegistrationNames:null,injectEventPluginOrder:function(e){s?a("101"):void 0,s=Array.prototype.slice.call(e),r()},injectEventPluginsByName:function(e){var t=!1;for(var n in e)if(e.hasOwnProperty(n)){var o=e[n];u.hasOwnProperty(n)&&u[n]===o||(u[n]?a("102",n):void 0,u[n]=o,t=!0)}t&&r()},getPluginModuleForEvent:function(e){var t=e.dispatchConfig;if(t.registrationName)return c.registrationNameModules[t.registrationName]||null;if(void 0!==t.phasedRegistrationNames){var n=t.phasedRegistrationNames;for(var r in n)if(n.hasOwnProperty(r)){var o=c.registrationNameModules[n[r]];if(o)return o}}return null},_resetEventPlugins:function(){s=null;for(var e in u)u.hasOwnProperty(e)&&delete u[e];c.plugins.length=0;var t=c.eventNameDispatchConfigs;for(var n in t)t.hasOwnProperty(n)&&delete t[n];var r=c.registrationNameModules;for(var o in r)r.hasOwnProperty(o)&&delete r[o]}};e.exports=c},function(e,t,n){"use strict";function r(e){return"topMouseUp"===e||"topTouchEnd"===e||"topTouchCancel"===e}function o(e){return"topMouseMove"===e||"topTouchMove"===e}function i(e){return"topMouseDown"===e||"topTouchStart"===e}function a(e,t,n,r){var o=e.type||"unknown-event";e.currentTarget=v.getNodeFromInstance(r),t?m.invokeGuardedCallbackWithCatch(o,n,e):m.invokeGuardedCallback(o,n,e),e.currentTarget=null}function s(e,t){var n=e._dispatchListeners,r=e._dispatchInstances;if(Array.isArray(n))for(var o=0;o0&&r.length<20?n+" (keys: "+r.join(", ")+")":n}function i(e,t){var n=s.get(e);if(!n){return null}return n}var a=n(3),s=(n(14),n(29)),u=(n(11),n(12)),c=(n(1),n(2),{isMounted:function(e){var t=s.get(e);return!!t&&!!t._renderedComponent},enqueueCallback:function(e,t,n){c.validateCallback(t,n);var o=i(e);return o?(o._pendingCallbacks?o._pendingCallbacks.push(t):o._pendingCallbacks=[t],void r(o)):null},enqueueCallbackInternal:function(e,t){e._pendingCallbacks?e._pendingCallbacks.push(t):e._pendingCallbacks=[t],r(e)},enqueueForceUpdate:function(e){var t=i(e,"forceUpdate");t&&(t._pendingForceUpdate=!0,r(t))},enqueueReplaceState:function(e,t){var n=i(e,"replaceState");n&&(n._pendingStateQueue=[t],n._pendingReplaceState=!0,r(n))},enqueueSetState:function(e,t){var n=i(e,"setState");if(n){var o=n._pendingStateQueue||(n._pendingStateQueue=[]);o.push(t),r(n)}},enqueueElementInternal:function(e,t,n){e._pendingElement=t,e._context=n,r(e)},validateCallback:function(e,t){e&&"function"!=typeof e?a("122",t,o(e)):void 0}});e.exports=c},function(e,t,n){"use strict";var r=function(e){return"undefined"!=typeof MSApp&&MSApp.execUnsafeLocalFunction?function(t,n,r,o){MSApp.execUnsafeLocalFunction(function(){return e(t,n,r,o)})}:e};e.exports=r},function(e,t,n){"use strict";function r(e){var t,n=e.keyCode;return"charCode"in e?(t=e.charCode,0===t&&13===n&&(t=13)):t=n,t>=32||13===t?t:0}e.exports=r},function(e,t,n){"use strict";function r(e){var t=this,n=t.nativeEvent;if(n.getModifierState)return n.getModifierState(e);var r=i[e];return!!r&&!!n[r]}function o(e){return r}var i={Alt:"altKey",Control:"ctrlKey",Meta:"metaKey",Shift:"shiftKey"};e.exports=o},function(e,t,n){"use strict";function r(e){var t=e.target||e.srcElement||window;return t.correspondingUseElement&&(t=t.correspondingUseElement),3===t.nodeType?t.parentNode:t}e.exports=r},function(e,t,n){"use strict";function r(e,t){if(!i.canUseDOM||t&&!("addEventListener"in document))return!1;var n="on"+e,r=n in document;if(!r){var a=document.createElement("div");a.setAttribute(n,"return;"),r="function"==typeof a[n]}return!r&&o&&"wheel"===e&&(r=document.implementation.hasFeature("Events.wheel","3.0")),r}var o,i=n(8);i.canUseDOM&&(o=document.implementation&&document.implementation.hasFeature&&document.implementation.hasFeature("","")!==!0),e.exports=r},function(e,t,n){"use strict";function r(e,t){var n=null===e||e===!1,r=null===t||t===!1;if(n||r)return n===r;var o=typeof e,i=typeof t;return"string"===o||"number"===o?"string"===i||"number"===i:"object"===i&&e.type===t.type&&e.key===t.key}e.exports=r},function(e,t,n){"use strict";var r=(n(4),n(10)),o=(n(2),r);e.exports=o},function(e,t,n){"use strict";function r(e){"undefined"!=typeof console&&"function"==typeof console.error;try{throw new Error(e)}catch(e){}}t.a=r},function(e,t,n){"use strict";function r(e,t,n){this.props=e,this.context=t,this.refs=a,this.updater=n||i}var o=n(24),i=n(65),a=(n(121),n(25));n(1),n(2);r.prototype.isReactComponent={},r.prototype.setState=function(e,t){"object"!=typeof e&&"function"!=typeof e&&null!=e?o("85"):void 0,this.updater.enqueueSetState(this,e),t&&this.updater.enqueueCallback(this,t,"setState")},r.prototype.forceUpdate=function(e){this.updater.enqueueForceUpdate(this),e&&this.updater.enqueueCallback(this,e,"forceUpdate")};e.exports=r},function(e,t,n){"use strict";function r(e,t){}var o=(n(2),{isMounted:function(e){return!1},enqueueCallback:function(e,t){},enqueueForceUpdate:function(e){r(e,"forceUpdate")},enqueueReplaceState:function(e,t){r(e,"replaceState")},enqueueSetState:function(e,t){r(e,"setState")}});e.exports=o},function(e,t){var n;n=function(){return this}();try{n=n||Function("return this")()||(0,eval)("this")}catch(e){"object"==typeof window&&(n=window)}e.exports=n},function(e,t,n){"use strict";var r=n(17),o=function(){function e(){}return e.capitalize=function(e){return e.charAt(0).toUpperCase()+e.slice(1)},e.formatString=function(){for(var e=[],t=0;t=a&&(!t||s)?(c=n,l&&(r.clearTimeout(l),l=null),o=e.apply(r._parent,i)):null===l&&u&&(l=r.setTimeout(p,f)),o},d=function(){for(var e=[],t=0;t=a&&(h=!0),l=n);var m=n-l,g=a-m,v=n-p,y=!1;return null!==c&&(v>=c&&d?y=!0:g=Math.min(g,c-v)),m>=a||y||h?(d&&(r.clearTimeout(d),d=null),p=n,o=e.apply(r._parent,i)):null!==d&&t||!u||(d=r.setTimeout(f,g)),o},h=function(){for(var e=[],t=0;t.":"function"==typeof t?" Instead of passing a class like Foo, pass React.createElement(Foo) or .":null!=t&&void 0!==t.props?" This may be caused by unintentionally loading two independent copies of React.":"");var a,s=g.createElement(F,{child:t});if(e){var u=E.get(e);a=u._processChildContext(u._context)}else a=P;var l=d(n);if(l){var p=l._currentElement,h=p.props.child;if(M(h,t)){var m=l._renderedComponent.getPublicInstance(),v=r&&function(){r.call(m)};return U._updateRootComponent(l,s,a,n,v),m}U.unmountComponentAtNode(n)}var y=o(n),b=y&&!!i(y),_=c(n),w=b&&!l&&!_,C=U._renderNewRootComponent(s,n,w,a)._renderedComponent.getPublicInstance();return r&&r.call(C),C},render:function(e,t,n){return U._renderSubtreeIntoContainer(null,e,t,n)},unmountComponentAtNode:function(e){l(e)?void 0:f("40");var t=d(e);if(!t){c(e),1===e.nodeType&&e.hasAttribute(A);return!1}return delete B[t._instance.rootID],T.batchedUpdates(u,t,e,!1),!0},_mountImageIntoNode:function(e,t,n,i,a){if(l(t)?void 0:f("41"),i){var s=o(t);if(C.canReuseMarkup(e,s))return void y.precacheNode(n,s);var u=s.getAttribute(C.CHECKSUM_ATTR_NAME);s.removeAttribute(C.CHECKSUM_ATTR_NAME);var c=s.outerHTML;s.setAttribute(C.CHECKSUM_ATTR_NAME,u);var p=e,d=r(p,c),m=" (client) "+p.substring(d-20,d+20)+"\n (server) "+c.substring(d-20,d+20);t.nodeType===D?f("42",m):void 0}if(t.nodeType===D?f("43"):void 0,a.useCreateElement){for(;t.lastChild;)t.removeChild(t.lastChild);h.insertTreeBefore(t,e,null)}else O(t,e),y.precacheNode(n,t.firstChild)}};e.exports=U},function(e,t,n){"use strict";var r=n(3),o=n(22),i=(n(1),{HOST:0,COMPOSITE:1,EMPTY:2,getType:function(e){return null===e||e===!1?i.EMPTY:o.isValidElement(e)?"function"==typeof e.type?i.COMPOSITE:i.HOST:void r("26",e)}});e.exports=i},function(e,t,n){"use strict";var r={currentScrollLeft:0,currentScrollTop:0,refreshScrollValues:function(e){r.currentScrollLeft=e.x,r.currentScrollTop=e.y}};e.exports=r},function(e,t,n){"use strict";function r(e,t){return null==t?o("30"):void 0,null==e?t:Array.isArray(e)?Array.isArray(t)?(e.push.apply(e,t),e):(e.push(t),e):Array.isArray(t)?[e].concat(t):[e,t]}var o=n(3);n(1);e.exports=r},function(e,t,n){"use strict";function r(e,t,n){Array.isArray(e)?e.forEach(t,n):e&&t.call(n,e)}e.exports=r},function(e,t,n){"use strict";function r(e){for(var t;(t=e._renderedNodeType)===o.COMPOSITE;)e=e._renderedComponent;return t===o.HOST?e._renderedComponent:t===o.EMPTY?null:void 0}var o=n(103);e.exports=r},function(e,t,n){"use strict";function r(){return!i&&o.canUseDOM&&(i="textContent"in document.documentElement?"textContent":"innerText"),i}var o=n(8),i=null;e.exports=r},function(e,t,n){"use strict";function r(e){if(e){var t=e.getName();if(t)return" Check the render method of `"+t+"`."}return""}function o(e){return"function"==typeof e&&"undefined"!=typeof e.prototype&&"function"==typeof e.prototype.mountComponent&&"function"==typeof e.prototype.receiveComponent}function i(e,t){var n;if(null===e||e===!1)n=c.create(i);else if("object"==typeof e){var s=e,u=s.type;if("function"!=typeof u&&"string"!=typeof u){var d="";d+=r(s._owner),a("130",null==u?u:typeof u,d)}"string"==typeof s.type?n=l.createInternalComponent(s):o(s.type)?(n=new s.type(s),n.getHostNode||(n.getHostNode=n.getNativeNode)):n=new p(s)}else"string"==typeof e||"number"==typeof e?n=l.createInstanceForText(e):a("131",typeof e);return n._mountIndex=0,n._mountImage=null,n}var a=n(3),s=n(4),u=n(231),c=n(98),l=n(100),p=(n(278),n(1),n(2),function(e){this.construct(e)});s(p.prototype,u,{_instantiateReactComponent:i}),e.exports=i},function(e,t,n){"use strict";function r(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return"input"===t?!!o[e.type]:"textarea"===t}var o={color:!0,date:!0,datetime:!0,"datetime-local":!0,email:!0,month:!0,number:!0,password:!0,range:!0,search:!0,tel:!0,text:!0,time:!0,url:!0,week:!0};e.exports=r},function(e,t,n){"use strict";var r=n(8),o=n(37),i=n(38),a=function(e,t){if(t){var n=e.firstChild;if(n&&n===e.lastChild&&3===n.nodeType)return void(n.nodeValue=t)}e.textContent=t};r.canUseDOM&&("textContent"in document.documentElement||(a=function(e,t){return 3===e.nodeType?void(e.nodeValue=t):void i(e,o(t))})),e.exports=a},function(e,t,n){"use strict";function r(e,t){return e&&"object"==typeof e&&null!=e.key?c.escape(e.key):t.toString(36)}function o(e,t,n,i){var d=typeof e;if("undefined"!==d&&"boolean"!==d||(e=null),null===e||"string"===d||"number"===d||"object"===d&&e.$$typeof===s)return n(i,e,""===t?l+r(e,0):t),1;var f,h,m=0,g=""===t?l:t+p;if(Array.isArray(e))for(var v=0;v=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function s(e){var t,s,u=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},l=u.getDisplayName,v=void 0===l?function(e){return"ConnectAdvanced("+e+")"}:l,y=u.methodName,b=void 0===y?"connectAdvanced":y,_=u.renderCountProp,w=void 0===_?void 0:_,E=u.shouldHandleStateChanges,C=void 0===E||E,x=u.storeKey,S=void 0===x?"store":x,T=u.withRef,P=void 0!==T&&T,I=a(u,["getDisplayName","methodName","renderCountProp","shouldHandleStateChanges","storeKey","withRef"]),O=S+"Subscription",M=g++,k=(t={},t[S]=h.a,t[O]=d.PropTypes.instanceOf(f.a),t),A=(s={},s[O]=d.PropTypes.instanceOf(f.a),s);return function(t){p()("function"==typeof t,"You must pass a component to the function returned by connect. Instead received "+t);var a=t.displayName||t.name||"Component",s=v(a),u=m({},I,{getDisplayName:v,methodName:b,renderCountProp:w,shouldHandleStateChanges:C,storeKey:S,withRef:P,displayName:s,wrappedComponentName:a,WrappedComponent:t}),l=function(a){function c(e,t){r(this,c);var n=o(this,a.call(this,e,t));return n.version=M,n.state={},n.renderCount=0,n.store=n.props[S]||n.context[S],n.parentSub=e[O]||t[O],n.setWrappedInstance=n.setWrappedInstance.bind(n),p()(n.store,'Could not find "'+S+'" in either the context or '+('props of "'+s+'". ')+"Either wrap the root component in a , "+('or explicitly pass "'+S+'" as a prop to "'+s+'".')),n.getState=n.store.getState.bind(n.store),n.initSelector(),n.initSubscription(),n}return i(c,a),c.prototype.getChildContext=function(){var e;return e={},e[O]=this.subscription||this.parentSub,e},c.prototype.componentDidMount=function(){C&&(this.subscription.trySubscribe(),this.selector.run(this.props),this.selector.shouldComponentUpdate&&this.forceUpdate())},c.prototype.componentWillReceiveProps=function(e){this.selector.run(e)},c.prototype.shouldComponentUpdate=function(){return this.selector.shouldComponentUpdate},c.prototype.componentWillUnmount=function(){this.subscription&&this.subscription.tryUnsubscribe(),this.subscription=null,this.store=null,this.parentSub=null,this.selector.run=function(){}},c.prototype.getWrappedInstance=function(){return p()(P,"To access the wrapped instance, you need to specify "+("{ withRef: true } in the options argument of the "+b+"() call.")),this.wrappedInstance},c.prototype.setWrappedInstance=function(e){this.wrappedInstance=e},c.prototype.initSelector=function(){var t=this.store.dispatch,n=this.getState,r=e(t,u),o=this.selector={shouldComponentUpdate:!0,props:r(n(),this.props),run:function(e){try{var t=r(n(),e);(o.error||t!==o.props)&&(o.shouldComponentUpdate=!0,o.props=t,o.error=null)}catch(e){o.shouldComponentUpdate=!0,o.error=e}}}},c.prototype.initSubscription=function(){var e=this;C&&!function(){var t=e.subscription=new f.a(e.store,e.parentSub),n={};t.onStateChange=function(){this.selector.run(this.props),this.selector.shouldComponentUpdate?(this.componentDidUpdate=function(){this.componentDidUpdate=void 0,t.notifyNestedSubs()},this.setState(n)):t.notifyNestedSubs()}.bind(e)}()},c.prototype.isSubscribed=function(){return Boolean(this.subscription)&&this.subscription.isSubscribed()},c.prototype.addExtraProps=function(e){if(!P&&!w)return e;var t=m({},e);return P&&(t.ref=this.setWrappedInstance),w&&(t[w]=this.renderCount++),t},c.prototype.render=function(){var e=this.selector;if(e.shouldComponentUpdate=!1,e.error)throw e.error;return n.i(d.createElement)(t,this.addExtraProps(e.props))},c}(d.Component);return l.WrappedComponent=t,l.displayName=s,l.childContextTypes=A,l.contextTypes=k,l.propTypes=k,c()(l,t)}}var u=n(133),c=n.n(u),l=n(16),p=n.n(l),d=n(0),f=(n.n(d),n(115)),h=n(116);t.a=s;var m=Object.assign||function(e){for(var t=1;t0?void 0:l()(!1),null!=d&&(a+=encodeURI(d));else if("("===c)u[o]="",o+=1;else if(")"===c){var m=u.pop();o-=1,o?u[o-1]+=m:a+=m}else if("\\("===c)a+="(";else if("\\)"===c)a+=")";else if(":"===c.charAt(0))if(p=c.substring(1),d=t[p],null!=d||o>0?void 0:l()(!1),null==d){if(o){u[o-1]="";for(var g=r.indexOf(c),v=r.slice(g,r.length),y=-1,b=0;b0?void 0:l()(!1),f=g+y-1}}else o?u[o-1]+=encodeURIComponent(d):a+=encodeURIComponent(d);else o?u[o-1]+=c:a+=c;return o<=0?void 0:l()(!1),a.replace(/\/+/g,"/")}var c=n(16),l=n.n(c);t.c=a,t.b=s,t.a=u;var p=Object.create(null)},function(e,t,n){"use strict";var r=n(70);n.n(r)},function(e,t,n){"use strict";t.ActionsId={CREATE_CUSTOM_ACTION:"CREATE_CUSTOM_ACTION",DELETE_CUSTOM_ACTION:"DELETE_CUSTOM_ACTION",HANDLE_ASYNC_ERROR:"HANDLE_ASYNC_ERROR",SET_ALL_CUSTOM_ACTIONS:"SET_ALL_CUSTOM_ACTIONS",SET_FILTER_TEXT:"SET_FILTER_TEXT",SET_MESSAGE_DATA:"SET_MESSAGE_DATA",SET_USER_PERMISSIONS:"SET_USER_PERMISSIONS",SET_WORKING_ON_IT:"SET_WORKING_ON_IT",UPDATE_CUSTOM_ACTION:"UPDATE_CUSTOM_ACTION"},t.constants={CANCEL_TEXT:"Cancel",COMPONENT_SITE_CA_DIV_ID:"spSiteCuastomActionsBaseDiv",COMPONENT_WEB_CA_DIV_ID:"spWebCuastomActionsBaseDiv",CONFIRM_DELETE_CUSTOM_ACTION:"Are you sure you want to remove this custom action?",CREATE_TEXT:"Create",CUSTOM_ACTION_REST_REQUEST_URL:"/usercustomactions",DELETE_TEXT:"Delete",EDIT_TEXT:"Edit",EMPTY_STRING:"",EMPTY_TEXTBOX_ERROR_MESSAGE:"The value can not be empty",ERROR_MESSAGE_DELETING_CUSTOM_ACTION:"Deleting the custom action",ERROR_MESSAGE_SETTING_CUSTOM_ACTION:"Creating or updating the custom action",ERROR_MESSAGE_CHECK_USER_PERMISSIONS:"An error occurred checking current user's permissions",ERROR_MESSAGE_CREATE_CUSTOM_ACTION:"An error occurred creating a new web custom action",ERROR_MESSAGE_DELETE_CUSTOM_ACTION:"An error occurred deleting the selected custom action",ERROR_MESSAGE_GET_ALL_CUSTOM_ACTIONS:"An error occurred gettin all custom actions",ERROR_MESSAGE_UPDATE_CUSTOM_ACTION:"An error occurred updating the selected custom action",MESSAGE_CUSTOM_ACTION_CREATED:"A new custom action has been created.",MESSAGE_CUSTOM_ACTION_DELETED:"The selected custom action has been deleted.",MESSAGE_CUSTOM_ACTION_UPDATED:"The selected custom action has been updated.",MESSAGE_USER_NO_PERMISSIONS:"The current user does NOT have permissions to work with the web custom action.",MODAL_DIALOG_WIDTH:"700px",MODAL_SITE_CA_DIALOG_TITLE:"Site Custom Actions",MODAL_WEB_CA_DIALOG_TITLE:"Web Custom Actions",SAVE_TEXT:"Save",STRING_STRING:"string",TEXTBOX_PREFIX:"spPropInput_",UNDEFINED_STRING:"undefined"}},function(e,t,n){"use strict";var r=n(41),o=n(17);n(140);var i=function(){function e(e){var t=this;this.remove=function(){var e=document.getElementById(o.constants.STYLE_TAG_ID);e.parentElement.removeChild(e),r.unmountComponentAtNode(document.getElementById(t.baseDivId))},this.baseDivId=e;var n=document.getElementById(this.baseDivId);if(!n){n=document.createElement(o.constants.HTML_TAG_DIV),n.setAttribute(o.constants.HTML_ATTR_ID,this.baseDivId);var i=document.querySelector(o.constants.HTML_TAG_FORM);i||(i=document.querySelector(o.constants.HTML_TAG_BODY)),i.appendChild(n)}}return e}();t.AppBase=i},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(0),i=n(17),a=function(e){function t(){var t=e.call(this)||this;return t.state={isClosed:!1},t.closeBtnClick=t.closeBtnClick.bind(t),t}return r(t,e),t.prototype.render=function(){return o.createElement("div",{className:"chrome-sp-dev-tool-wrapper"},o.createElement("div",{className:"sp-dev-too-modal",style:void 0!==this.props.modalWidth?{width:this.props.modalWidth}:{}},o.createElement("div",{className:"sp-dev-tool-modal-header"},o.createElement("span",{className:"ms-font-xxl ms-fontColor-themePrimary ms-fontWeight-semibold"},this.props.modalDialogTitle),o.createElement("a",{title:i.constants.MODAL_WRAPPER_CLOSE_BUTTON_TEXT,className:"ms-Button ms-Button--icon sp-dev-tool-close-btn",href:i.constants.MODAL_WRAPPER_CLOSE_BUTTON_HREF,onClick:this.closeBtnClick},o.createElement("span",{className:"ms-Button-icon"},o.createElement("i",{className:"ms-Icon ms-Icon--Cancel"})),o.createElement("span",{className:"ms-Button-label"})),o.createElement("hr",null)),this.props.children))},t.prototype.closeBtnClick=function(e){this.props.onCloseClick()},t}(o.Component);Object.defineProperty(t,"__esModule",{value:!0}),t.default=a},function(e,t,n){"use strict";var r=n(199),o=n(0),i=n(17);t.WorkingOnIt=function(){return o.createElement("div",{className:"working-on-it-wrapper"},o.createElement(r.Spinner,{type:r.SpinnerType.large,label:i.constants.WORKING_ON_IT_TEXT}))}},function(e,t,n){"use strict";var r={childContextTypes:!0,contextTypes:!0,defaultProps:!0,displayName:!0,getDefaultProps:!0,mixins:!0,propTypes:!0,type:!0},o={name:!0,length:!0,prototype:!0,caller:!0,arguments:!0,arity:!0},i="function"==typeof Object.getOwnPropertySymbols;e.exports=function(e,t,n){if("string"!=typeof t){var a=Object.getOwnPropertyNames(t);i&&(a=a.concat(Object.getOwnPropertySymbols(t)));for(var s=0;s should not have a "'+t+'" prop')}var o=n(0);n.n(o);t.c=r,n.d(t,"a",function(){return d}),n.d(t,"b",function(){return f}),n.d(t,"d",function(){return m});var i=o.PropTypes.func,a=o.PropTypes.object,s=o.PropTypes.arrayOf,u=o.PropTypes.oneOfType,c=o.PropTypes.element,l=o.PropTypes.shape,p=o.PropTypes.string,d=(l({listen:i.isRequired,push:i.isRequired,replace:i.isRequired,go:i.isRequired,goBack:i.isRequired,goForward:i.isRequired}),u([i,p])),f=u([d,a]),h=u([a,c]),m=u([h,s(h)])},,function(e,t,n){"use strict";var r=n(156),o=n(17),i=function(){function e(){}return e.prototype.getErroResolver=function(e,t){return function(t,n){var r=n.get_message();n.get_stackTrace();e(r)}},e.prototype.getRequest=function(e){return r.get(e,{headers:{accept:o.constants.AXIOS_HEADER_ACCEPT}})},e.prototype.checkUserPermissions=function(e){var t=this;return new Promise(function(n,r){var i=SP.ClientContext.get_current(),a=i.get_web();if(typeof a.doesUserHavePermissions!==o.constants.TYPE_OF_FUNCTION)r(o.constants.MESSAGE_CANT_CHECK_PERMISSIONS);else{var s=new SP.BasePermissions;s.set(e);var u=a.doesUserHavePermissions(s),c=function(e,t){n(u.get_value())};i.executeQueryAsync(c,t.getErroResolver(r,o.constants.MESSAGE_CHECKING_CURRENT_USER_PERMISSIONS))}})},e}();Object.defineProperty(t,"__esModule",{value:!0}),t.default=i},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(31),i=n(0),a=n(67),s=function(e){function t(){var t=e.call(this)||this;return t.state={showMessage:!1},t.onDismissClick=t.onDismissClick.bind(t),t}return r(t,e),t.prototype.render=function(){return this.state.showMessage?i.createElement(o.MessageBar,{messageBarType:this.props.messageType,onDismiss:this.onDismissClick},a.default.capitalize(o.MessageBarType[this.props.messageType])," - ",this.props.message):null},t.prototype.componentDidMount=function(){this.setState({showMessage:this.props.showMessage})},t.prototype.componentWillReceiveProps=function(e){this.setState({showMessage:e.showMessage})},t.prototype.onDismissClick=function(e){return this.onCloseClick(e),!1},t.prototype.onCloseClick=function(e){return e.preventDefault(),this.setState({showMessage:!1}),null!==this.props.onCloseMessageClick&&this.props.onCloseMessageClick(),!1},t}(i.Component);Object.defineProperty(t,"__esModule",{value:!0}),t.default=s},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(198),i=n(0),a=n(17),s=function(e){function t(){var t=e.call(this)||this;return t._divRefCallBack=t._divRefCallBack.bind(t),t}return r(t,e),t.prototype.componentDidMount=function(){this.input&&this.input.focus()},t.prototype.render=function(){return i.createElement("div",{className:"ms-Grid filters-container"},i.createElement("div",{className:"ms-Grid-row"},i.createElement("div",{className:"ms-Grid-col ms-u-sm6 ms-u-md6 ms-u-lg6",ref:this._divRefCallBack},i.createElement(o.SearchBox,{value:this.props.filterStr,onChange:this.props.setFilterText})),i.createElement("div",{className:this.props.parentOverrideClass||"ms-Grid-col ms-u-sm6 ms-u-md6 ms-u-lg6"},this.props.children)))},t.prototype._divRefCallBack=function(e){e&&this.props.referenceCallBack&&this.props.referenceCallBack(e.querySelector(a.constants.HTML_TAG_INPUT))},t}(i.Component);Object.defineProperty(t,"__esModule",{value:!0}),t.default=s},function(e,t){},function(e,t,n){"use strict";var r=n(42),o=n(75),i=n(32),a=16,s=100,u=15,c=function(){function e(e){this._events=new r.EventGroup(this),this._scrollableParent=o.findScrollableParent(e),this._incrementScroll=this._incrementScroll.bind(this),this._scrollRect=i.getRect(this._scrollableParent),this._scrollableParent===window&&(this._scrollableParent=document.body),this._scrollableParent&&this._events.on(window,"mousemove",this._onMouseMove,!0)}return e.prototype.dispose=function(){this._events.dispose(),this._stopScroll()},e.prototype._onMouseMove=function(e){var t=this._scrollRect.top,n=t+this._scrollRect.height-s;e.clientYn?this._scrollVelocity=Math.min(u,u*((e.clientY-n)/s)):this._scrollVelocity=0,this._scrollVelocity?this._startScroll():this._stopScroll()},e.prototype._startScroll=function(){this._timeoutId||this._incrementScroll()},e.prototype._incrementScroll=function(){this._scrollableParent.scrollTop+=Math.round(this._scrollVelocity),this._timeoutId=setTimeout(this._incrementScroll,a)},e.prototype._stopScroll=function(){this._timeoutId&&(clearTimeout(this._timeoutId),delete this._timeoutId)},e}();t.AutoScroll=c},function(e,t,n){"use strict";function r(e,t,n){for(var r=0,i=n.length;r1?t[1]:""},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_disposables",{get:function(){return this.__disposables||(this.__disposables=[]),this.__disposables},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_async",{get:function(){return this.__async||(this.__async=new u.Async(this),this._disposables.push(this.__async)),this.__async},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_events",{get:function(){return this.__events||(this.__events=new c.EventGroup(this),this._disposables.push(this.__events)),this.__events},enumerable:!0,configurable:!0}),t.prototype._resolveRef=function(e){var t=this;return this.__resolves||(this.__resolves={}),this.__resolves[e]||(this.__resolves[e]=function(n){return t[e]=n}),this.__resolves[e]},t}(s.Component);t.BaseComponent=l,l.onError=function(e){throw e}},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(0),i=function(e){function t(t){var n=e.call(this,t)||this;return n.state={isRendered:!1},n}return r(t,e),t.prototype.componentDidMount=function(){var e=this,t=this.props.delay;this._timeoutId=setTimeout(function(){e.setState({isRendered:!0})},t)},t.prototype.componentWillUnmount=function(){clearTimeout(this._timeoutId)},t.prototype.render=function(){return this.state.isRendered?o.Children.only(this.props.children):null},t}(o.Component);i.defaultProps={delay:0},t.DelayedRender=i},function(e,t,n){"use strict";var r=function(){function e(e,t,n,r){void 0===e&&(e=0),void 0===t&&(t=0),void 0===n&&(n=0),void 0===r&&(r=0),this.top=n,this.bottom=r,this.left=e,this.right=t}return Object.defineProperty(e.prototype,"width",{get:function(){return this.right-this.left},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"height",{get:function(){return this.bottom-this.top},enumerable:!0,configurable:!0}),e.prototype.equals=function(e){return parseFloat(this.top.toFixed(4))===parseFloat(e.top.toFixed(4))&&parseFloat(this.bottom.toFixed(4))===parseFloat(e.bottom.toFixed(4))&&parseFloat(this.left.toFixed(4))===parseFloat(e.left.toFixed(4))&&parseFloat(this.right.toFixed(4))===parseFloat(e.right.toFixed(4))},e}();t.Rectangle=r},function(e,t,n){"use strict";function r(e,t){for(var n=-1,r=0;e&&r=0||e.getAttribute&&"true"===n||"button"===e.getAttribute("role"))}function l(e){return e&&!!e.getAttribute(m)}function p(e){var t=d.getDocument(e).activeElement;return!(!t||!d.elementContains(e,t))}var d=n(32),f="data-is-focusable",h="data-is-visible",m="data-focuszone-id";t.getFirstFocusable=r,t.getLastFocusable=o,t.focusFirstChild=i,t.getPreviousElement=a,t.getNextElement=s,t.isElementVisible=u,t.isElementTabbable=c,t.isElementFocusZone=l,t.doesElementContainFocus=p},function(e,t,n){"use strict";function r(e,t,n){void 0===n&&(n=i);var r=[],o=function(o){"function"!=typeof t[o]||void 0!==e[o]||n&&n.indexOf(o)!==-1||(r.push(o),e[o]=function(){t[o].apply(t,arguments)})};for(var a in t)o(a);return r}function o(e,t){t.forEach(function(t){return delete e[t]})}var i=["setState","render","componentWillMount","componentDidMount","componentWillReceiveProps","shouldComponentUpdate","componentWillUpdate","componentDidUpdate","componentWillUnmount"];t.hoistMethods=r,t.unhoistMethods=o},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(72)),r(n(141)),r(n(142)),r(n(143)),r(n(42)),r(n(73)),r(n(144)),r(n(145)),r(n(146)),r(n(147)),r(n(32)),r(n(148)),r(n(149)),r(n(151)),r(n(74)),r(n(152)),r(n(153)),r(n(154)),r(n(75)),r(n(155))},function(e,t,n){"use strict";function r(e,t){var n=Math.sqrt(Math.pow(e.x-t.x,2)+Math.pow(e.y-t.y,2));return n}t.getDistanceBetweenPoints=r},function(e,t,n){"use strict";function r(e,t,n){return o.filteredAssign(function(e){return(!n||n.indexOf(e)<0)&&(0===e.indexOf("data-")||0===e.indexOf("aria-")||t.indexOf(e)>=0)},{},e)}var o=n(74);t.baseElementEvents=["onCopy","onCut","onPaste","onCompositionEnd","onCompositionStart","onCompositionUpdate","onFocus","onFocusCapture","onBlur","onBlurCapture","onChange","onInput","onSubmit","onLoad","onError","onKeyDown","onKeyDownCapture","onKeyPress","onKeyUp","onAbort","onCanPlay","onCanPlayThrough","onDurationChange","onEmptied","onEncrypted","onEnded","onLoadedData","onLoadedMetadata","onLoadStart","onPause","onPlay","onPlaying","onProgress","onRateChange","onSeeked","onSeeking","onStalled","onSuspend","onTimeUpdate","onVolumeChange","onWaiting","onClick","onClickCapture","onContextMenu","onDoubleClick","onDrag","onDragEnd","onDragEnter","onDragExit","onDragLeave","onDragOver","onDragStart","onDrop","onMouseDown","onMouseDownCapture","onMouseEnter","onMouseLeave","onMouseMove","onMouseOut","onMouseOver","onMouseUp","onMouseUpCapture","onSelect","onTouchCancel","onTouchEnd","onTouchMove","onTouchStart","onScroll","onWheel"],t.baseElementProperties=["defaultChecked","defaultValue","accept","acceptCharset","accessKey","action","allowFullScreen","allowTransparency","alt","async","autoComplete","autoFocus","autoPlay","capture","cellPadding","cellSpacing","charSet","challenge","checked","children","classID","className","cols","colSpan","content","contentEditable","contextMenu","controls","coords","crossOrigin","data","dateTime","default","defer","dir","download","draggable","encType","form","formAction","formEncType","formMethod","formNoValidate","formTarget","frameBorder","headers","height","hidden","high","hrefLang","htmlFor","httpEquiv","icon","id","inputMode","integrity","is","keyParams","keyType","kind","label","lang","list","loop","low","manifest","marginHeight","marginWidth","max","maxLength","media","mediaGroup","method","min","minLength","multiple","muted","name","noValidate","open","optimum","pattern","placeholder","poster","preload","radioGroup","readOnly","rel","required","role","rows","rowSpan","sandbox","scope","scoped","scrolling","seamless","selected","shape","size","sizes","span","spellCheck","src","srcDoc","srcLang","srcSet","start","step","style","summary","tabIndex","title","type","useMap","value","width","wmode","wrap"],t.htmlElementProperties=t.baseElementProperties.concat(t.baseElementEvents),t.anchorProperties=t.htmlElementProperties.concat(["href","target"]),t.buttonProperties=t.htmlElementProperties.concat(["disabled"]),t.divProperties=t.htmlElementProperties.concat(["align","noWrap"]),t.inputProperties=t.buttonProperties,t.textAreaProperties=t.buttonProperties,t.imageProperties=t.divProperties,t.getNativeProps=r},function(e,t,n){"use strict";function r(e){return a+e}function o(e){a=e}function i(){return"en-us"}var a="";t.getResourceUrl=r,t.setBaseUrl=o,t.getLanguage=i},function(e,t,n){"use strict";function r(){if(void 0===a){var e=u.getDocument();if(!e)throw new Error("getRTL was called in a server environment without setRTL being called first. Call setRTL to set the correct direction first.");a="rtl"===document.documentElement.getAttribute("dir")}return a}function o(e){var t=u.getDocument();t&&t.documentElement.setAttribute("dir",e?"rtl":"ltr"),a=e}function i(e){return r()&&(e===s.KeyCodes.left?e=s.KeyCodes.right:e===s.KeyCodes.right&&(e=s.KeyCodes.left)),e}var a,s=n(73),u=n(32);t.getRTL=r,t.setRTL=o,t.getRTLSafeKeyCode=i},function(e,t,n){"use strict";function r(e){function t(e){var t=a[e.replace(o,"")];return null!==t&&void 0!==t||(t=""),t}for(var n=[],r=1;r>8-s%1*8)){if(n=o.charCodeAt(s+=.75),n>255)throw new r;t=t<<8|n}return a}var i="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=";r.prototype=new Error,r.prototype.code=5,r.prototype.name="InvalidCharacterError",e.exports=o},function(e,t,n){"use strict";function r(e){return encodeURIComponent(e).replace(/%40/gi,"@").replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}var o=n(9);e.exports=function(e,t,n){if(!t)return e;var i;if(n)i=n(t);else if(o.isURLSearchParams(t))i=t.toString();else{var a=[];o.forEach(t,function(e,t){null!==e&&"undefined"!=typeof e&&(o.isArray(e)&&(t+="[]"),o.isArray(e)||(e=[e]),o.forEach(e,function(e){o.isDate(e)?e=e.toISOString():o.isObject(e)&&(e=JSON.stringify(e)),a.push(r(t)+"="+r(e))}))}),i=a.join("&")}return i&&(e+=(e.indexOf("?")===-1?"?":"&")+i),e}},function(e,t,n){"use strict";e.exports=function(e,t){return e.replace(/\/+$/,"")+"/"+t.replace(/^\/+/,"")}},function(e,t,n){"use strict";var r=n(9);e.exports=r.isStandardBrowserEnv()?function(){return{write:function(e,t,n,o,i,a){var s=[];s.push(e+"="+encodeURIComponent(t)),r.isNumber(n)&&s.push("expires="+new Date(n).toGMTString()),r.isString(o)&&s.push("path="+o),r.isString(i)&&s.push("domain="+i),a===!0&&s.push("secure"),document.cookie=s.join("; ")},read:function(e){var t=document.cookie.match(new RegExp("(^|;\\s*)("+e+")=([^;]*)"));return t?decodeURIComponent(t[3]):null},remove:function(e){this.write(e,"",Date.now()-864e5)}}}():function(){return{write:function(){},read:function(){return null},remove:function(){}}}()},function(e,t,n){"use strict";e.exports=function(e){return/^([a-z][a-z\d\+\-\.]*:)?\/\//i.test(e)}},function(e,t,n){"use strict";var r=n(9);e.exports=r.isStandardBrowserEnv()?function(){function e(e){var t=e;return n&&(o.setAttribute("href",t),t=o.href),o.setAttribute("href",t),{href:o.href,protocol:o.protocol?o.protocol.replace(/:$/,""):"",host:o.host,search:o.search?o.search.replace(/^\?/,""):"",hash:o.hash?o.hash.replace(/^#/,""):"",hostname:o.hostname,port:o.port,pathname:"/"===o.pathname.charAt(0)?o.pathname:"/"+o.pathname}}var t,n=/(msie|trident)/i.test(navigator.userAgent),o=document.createElement("a");return t=e(window.location.href),function(n){var o=r.isString(n)?e(n):n;return o.protocol===t.protocol&&o.host===t.host}}():function(){return function(){return!0}}()},function(e,t,n){"use strict";var r=n(9);e.exports=function(e,t){r.forEach(e,function(n,r){r!==t&&r.toUpperCase()===t.toUpperCase()&&(e[t]=n,delete e[r])})}},function(e,t,n){"use strict";var r=n(9);e.exports=function(e){var t,n,o,i={};return e?(r.forEach(e.split("\n"),function(e){o=e.indexOf(":"),t=r.trim(e.substr(0,o)).toLowerCase(),n=r.trim(e.substr(o+1)),t&&(i[t]=i[t]?i[t]+", "+n:n)}),i):i}},function(e,t,n){"use strict";e.exports=function(e){return function(t){return e.apply(null,t)}}},function(e,t,n){"use strict";function r(e){return e.replace(o,function(e,t){return t.toUpperCase()})}var o=/-(.)/g;e.exports=r},function(e,t,n){"use strict";function r(e){return o(e.replace(i,"ms-"))}var o=n(174),i=/^-ms-/;e.exports=r},function(e,t,n){"use strict";function r(e,t){return!(!e||!t)&&(e===t||!o(e)&&(o(t)?r(e,t.parentNode):"contains"in e?e.contains(t):!!e.compareDocumentPosition&&!!(16&e.compareDocumentPosition(t))))}var o=n(184);e.exports=r},function(e,t,n){"use strict";function r(e){var t=e.length;if(Array.isArray(e)||"object"!=typeof e&&"function"!=typeof e?a(!1):void 0,"number"!=typeof t?a(!1):void 0,0===t||t-1 in e?void 0:a(!1),"function"==typeof e.callee?a(!1):void 0,e.hasOwnProperty)try{return Array.prototype.slice.call(e)}catch(e){}for(var n=Array(t),r=0;r":a.innerHTML="<"+e+">",s[e]=!a.firstChild),s[e]?d[e]:null}var o=n(8),i=n(1),a=o.canUseDOM?document.createElement("div"):null,s={},u=[1,'"],c=[1,"","
"],l=[3,"","
"],p=[1,'',""],d={"*":[1,"?
","
"],area:[1,"",""],col:[2,"","
"],legend:[1,"
","
"],param:[1,"",""],tr:[2,"","
"],optgroup:u,option:u,caption:c,colgroup:c,tbody:c,tfoot:c,thead:c,td:l,th:l},f=["circle","clipPath","defs","ellipse","g","image","line","linearGradient","mask","path","pattern","polygon","polyline","radialGradient","rect","stop","text","tspan"];f.forEach(function(e){d[e]=p,s[e]=!0}),e.exports=r},function(e,t,n){"use strict";function r(e){return e===window?{x:window.pageXOffset||document.documentElement.scrollLeft,y:window.pageYOffset||document.documentElement.scrollTop}:{x:e.scrollLeft,y:e.scrollTop}}e.exports=r},function(e,t,n){"use strict";function r(e){return e.replace(o,"-$1").toLowerCase()}var o=/([A-Z])/g;e.exports=r},function(e,t,n){"use strict";function r(e){return o(e).replace(i,"-ms-")}var o=n(181),i=/^ms-/;e.exports=r},function(e,t,n){"use strict";function r(e){return!(!e||!("function"==typeof Node?e instanceof Node:"object"==typeof e&&"number"==typeof e.nodeType&&"string"==typeof e.nodeName))}e.exports=r},function(e,t,n){"use strict";function r(e){return o(e)&&3==e.nodeType}var o=n(183);e.exports=r},function(e,t,n){"use strict";function r(e){var t={};return function(n){return t.hasOwnProperty(n)||(t[n]=e.call(this,n)),t[n]}}e.exports=r},function(e,t,n){"use strict";t.__esModule=!0;t.PUSH="PUSH",t.REPLACE="REPLACE",t.POP="POP"},function(e,t,n){"use strict";t.__esModule=!0;t.addEventListener=function(e,t,n){return e.addEventListener?e.addEventListener(t,n,!1):e.attachEvent("on"+t,n)},t.removeEventListener=function(e,t,n){return e.removeEventListener?e.removeEventListener(t,n,!1):e.detachEvent("on"+t,n)},t.supportsHistory=function(){var e=window.navigator.userAgent;return(e.indexOf("Android 2.")===-1&&e.indexOf("Android 4.0")===-1||e.indexOf("Mobile Safari")===-1||e.indexOf("Chrome")!==-1||e.indexOf("Windows Phone")!==-1)&&(window.history&&"pushState"in window.history)},t.supportsGoWithoutReloadUsingHash=function(){return window.navigator.userAgent.indexOf("Firefox")===-1},t.supportsPopstateOnHashchange=function(){return window.navigator.userAgent.indexOf("Trident")===-1}},function(e,t,n){"use strict";function r(e){return null==e?void 0===e?u:s:c&&c in Object(e)?n.i(i.a)(e):n.i(a.a)(e)}var o=n(84),i=n(191),a=n(192),s="[object Null]",u="[object Undefined]",c=o.a?o.a.toStringTag:void 0;t.a=r},function(e,t,n){"use strict";(function(e){var n="object"==typeof e&&e&&e.Object===Object&&e;t.a=n}).call(t,n(66))},function(e,t,n){"use strict";var r=n(193),o=n.i(r.a)(Object.getPrototypeOf,Object);t.a=o},function(e,t,n){"use strict";function r(e){var t=a.call(e,u),n=e[u];try{e[u]=void 0;var r=!0}catch(e){}var o=s.call(e);return r&&(t?e[u]=n:delete e[u]),o}var o=n(84),i=Object.prototype,a=i.hasOwnProperty,s=i.toString,u=o.a?o.a.toStringTag:void 0;t.a=r},function(e,t,n){"use strict";function r(e){return i.call(e)}var o=Object.prototype,i=o.toString;t.a=r},function(e,t,n){"use strict";function r(e,t){return function(n){return e(t(n))}}t.a=r},function(e,t,n){"use strict";var r=n(189),o="object"==typeof self&&self&&self.Object===Object&&self,i=r.a||o||Function("return this")();t.a=i},function(e,t,n){"use strict";function r(e){return null!=e&&"object"==typeof e}t.a=r},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(326))},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(209))},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(215))},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(218))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=t.top&&e.left>=t.left&&e.bottom<=t.bottom&&e.right<=t.right}function i(e,t){return e.top=t.tope.bottom||e.bottom===-1?t.bottom:e.bottom,e.right=t.right>e.right||e.right===-1?t.right:e.right,e.width=e.right-e.left+1,e.height=e.bottom-e.top+1,e}var a=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},s=n(0),u=n(6),c=16,l=100,p=500,d=200,f=10,h=30,m=2,g=2,v={top:-1,bottom:-1,left:-1,right:-1,width:0,height:0},y=function(e){return e.getBoundingClientRect()},b=y,_=y,w=function(e){function t(t){var n=e.call(this,t)||this;return n.state={pages:[]},n._estimatedPageHeight=0,n._totalEstimates=0,n._requiredWindowsAhead=0,n._requiredWindowsBehind=0,n._measureVersion=0,n._onAsyncScroll=n._async.debounce(n._onAsyncScroll,l,{leading:!1,maxWait:p}),n._onAsyncIdle=n._async.debounce(n._onAsyncIdle,d,{leading:!1}),n._onAsyncResize=n._async.debounce(n._onAsyncResize,c,{leading:!1}),n._cachedPageHeights={},n._estimatedPageHeight=0,n._focusedIndex=-1,n._scrollingToIndex=-1,n}return a(t,e),t.prototype.scrollToIndex=function(e,t){for(var n=this.props.startIndex,r=this._getRenderCount(),o=n+r,i=0,a=1,s=n;se;if(u){if(t){for(var c=e-s,l=0;l=f.top&&p<=f.bottom;if(h)return;var m=if.bottom;m||g&&(i=this._scrollElement.scrollTop+(p-f.bottom))}this._scrollElement.scrollTop=i;break}i+=this._getPageHeight(s,a,this._surfaceRect)}},t.prototype.componentDidMount=function(){this._updatePages(),this._measureVersion++,this._scrollElement=u.findScrollableParent(this.refs.root),this._events.on(window,"resize",this._onAsyncResize),this._events.on(this.refs.root,"focus",this._onFocus,!0),this._scrollElement&&(this._events.on(this._scrollElement,"scroll",this._onScroll),this._events.on(this._scrollElement,"scroll",this._onAsyncScroll))},t.prototype.componentWillReceiveProps=function(e){e.items===this.props.items&&e.renderCount===this.props.renderCount&&e.startIndex===this.props.startIndex||(this._measureVersion++,this._updatePages(e))},t.prototype.shouldComponentUpdate=function(e,t){var n=this.props,r=n.renderedWindowsAhead,o=n.renderedWindowsBehind,i=this.state.pages,a=t.pages,s=t.measureVersion,u=!1;if(this._measureVersion===s&&e.renderedWindowsAhead===r,e.renderedWindowsBehind===o,e.items===this.props.items&&i.length===a.length)for(var c=0;ca||n>s)&&this._onAsyncIdle()},t.prototype._onAsyncResize=function(){this.forceUpdate()},t.prototype._updatePages=function(e){var t=this,n=e||this.props,r=n.items,o=n.startIndex,i=n.renderCount;i=this._getRenderCount(e),this._requiredRect||this._updateRenderRects(e);var a=this._buildPages(r,o,i),s=this.state.pages;this.setState(a,function(){var e=t._updatePageMeasurements(s,a.pages);e?(t._materializedRect=null,t._hasCompletedFirstRender?t._onAsyncScroll():(t._hasCompletedFirstRender=!0,t._updatePages())):t._onAsyncIdle()})},t.prototype._updatePageMeasurements=function(e,t){for(var n={},r=!1,o=this._getRenderCount(),i=0;i-1,v=m>=h._allowedRect.top&&s<=h._allowedRect.bottom,y=m>=h._requiredRect.top&&s<=h._requiredRect.bottom,b=!d&&(y||v&&g),_=l>=n&&l0&&a[0].items&&a[0].items.length.ms-MessageBar-dismissal{right:0;top:0;position:absolute!important}.ms-MessageBar-actions,.ms-MessageBar-actionsOneline{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-flex:0;-ms-flex:0 0 auto;flex:0 0 auto;-webkit-box-orient:horizontal;-webkit-box-direction:reverse;-ms-flex-direction:row-reverse;flex-direction:row-reverse;-webkit-box-align:center;-ms-flex-align:center;align-items:center}.ms-MessageBar-actionsOneline{position:relative}.ms-MessageBar-dismissal{min-width:0}.ms-MessageBar-dismissal::-moz-focus-inner{border:0}.ms-MessageBar-dismissal{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-MessageBar-dismissal:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .ms-MessageBar-dismissalOneline .ms-MessageBar-dismissal{margin-right:-8px}html[dir=rtl] .ms-MessageBar-dismissalOneline .ms-MessageBar-dismissal{margin-left:-8px}.ms-MessageBar+.ms-MessageBar{margin-bottom:6px}html[dir=ltr] .ms-MessageBar-innerTextPadding{padding-right:24px}html[dir=rtl] .ms-MessageBar-innerTextPadding{padding-left:24px}html[dir=ltr] .ms-MessageBar-innerTextPadding .ms-MessageBar-innerText>span,html[dir=ltr] .ms-MessageBar-innerTextPadding span{padding-right:4px}html[dir=rtl] .ms-MessageBar-innerTextPadding .ms-MessageBar-innerText>span,html[dir=rtl] .ms-MessageBar-innerTextPadding span{padding-left:4px}.ms-MessageBar-multiline>.ms-MessageBar-content>.ms-MessageBar-actionables{-webkit-box-orient:vertical;-webkit-box-direction:normal;-ms-flex-direction:column;flex-direction:column}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-icon{-webkit-box-align:center;-ms-flex-align:center;-ms-grid-row-align:center;align-items:center}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text{-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center;-webkit-box-align:center;-ms-flex-align:center;-ms-grid-row-align:center;align-items:center}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text .ms-MessageBar-innerText,.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text .ms-MessageBar-innerTextPadding{max-height:1.3em;line-height:1.3em;overflow-x:hidden;text-overflow:ellipsis;white-space:nowrap}.ms-MessageBar-singleline .ms-MessageBar-content>.ms-MessageBar-actionables{-webkit-box-orient:horizontal;-webkit-box-direction:normal;-ms-flex-direction:row;flex-direction:row}.ms-MessageBar .ms-Icon--Cancel{font-size:14px}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(210)),r(n(91))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6);n(214);var u=function(e){function t(t){var n=e.call(this,t)||this;return n.props.onChanged&&(n.props.onChange=n.props.onChanged),n.state={value:t.value||"",hasFocus:!1,id:s.getId("SearchBox")},n}return r(t,e),t.prototype.componentWillReceiveProps=function(e){void 0!==e.value&&this.setState({value:e.value})},t.prototype.render=function(){var e=this.props,t=e.labelText,n=e.className,r=this.state,i=r.value,u=r.hasFocus,c=r.id;return a.createElement("div",o({ref:this._resolveRef("_rootElement"),className:s.css("ms-SearchBox",n,{"is-active":u,"can-clear":i.length>0})},{onFocusCapture:this._onFocusCapture}),a.createElement("i",{className:"ms-SearchBox-icon ms-Icon ms-Icon--Search"}),a.createElement("input",{id:c,className:"ms-SearchBox-field",placeholder:t,onChange:this._onInputChange,onKeyDown:this._onKeyDown,value:i,ref:this._resolveRef("_inputElement")}),a.createElement("div",{className:"ms-SearchBox-clearButton",onClick:this._onClearClick},a.createElement("i",{className:"ms-Icon ms-Icon--Clear"})))},t.prototype.focus=function(){this._inputElement&&this._inputElement.focus()},t.prototype._onClearClick=function(e){this.setState({value:""}),this._callOnChange(""),e.stopPropagation(),e.preventDefault(),this._inputElement.focus()},t.prototype._onFocusCapture=function(e){this.setState({hasFocus:!0}),this._events.on(s.getDocument().body,"focus",this._handleDocumentFocus,!0)},t.prototype._onKeyDown=function(e){switch(e.which){case s.KeyCodes.escape:this._onClearClick(e);break;case s.KeyCodes.enter:this.props.onSearch&&this.state.value.length>0&&this.props.onSearch(this.state.value);break;default:return}e.preventDefault(),e.stopPropagation()},t.prototype._onInputChange=function(e){this.setState({value:this._inputElement.value}),this._callOnChange(this._inputElement.value)},t.prototype._handleDocumentFocus=function(e){s.elementContains(this._rootElement,e.target)||(this._events.off(s.getDocument().body,"focus"),this.setState({hasFocus:!1}))},t.prototype._callOnChange=function(e){var t=this.props.onChange;t&&t(e)},t}(s.BaseComponent);u.defaultProps={labelText:"Search"},i([s.autobind],u.prototype,"_onClearClick",null),i([s.autobind],u.prototype,"_onFocusCapture",null),i([s.autobind],u.prototype,"_onKeyDown",null),i([s.autobind],u.prototype,"_onInputChange",null),t.SearchBox=u},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:'.ms-SearchBox{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;box-sizing:border-box;margin:0;padding:0;box-shadow:none;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";position:relative;margin-bottom:10px;border:1px solid "},{theme:"themeTertiary",defaultValue:"#71afe5"},{rawString:"}.ms-SearchBox.is-active{border-color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}html[dir=ltr] .ms-SearchBox.is-active .ms-SearchBox-field{padding-left:8px}html[dir=rtl] .ms-SearchBox.is-active .ms-SearchBox-field{padding-right:8px}.ms-SearchBox.is-active .ms-SearchBox-icon{display:none}.ms-SearchBox.is-disabled{border-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-SearchBox.is-disabled .ms-SearchBox-icon{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.ms-SearchBox.is-disabled .ms-SearchBox-field{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";pointer-events:none;cursor:default}.ms-SearchBox.can-clear .ms-SearchBox-clearButton{display:block}.ms-SearchBox:hover .ms-SearchBox-field{border-color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}.ms-SearchBox:hover .ms-SearchBox-label{color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-SearchBox:hover .ms-SearchBox-label .ms-SearchBox-icon{color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}input.ms-SearchBox-field{position:relative;box-sizing:border-box;margin:0;padding:0;box-shadow:none;border:none;outline:transparent 1px solid;font-weight:inherit;font-family:inherit;font-size:inherit;color:"},{theme:"black",defaultValue:"#000000"},{rawString:";height:34px;padding:6px 38px 7px 31px;width:100%;background-color:transparent;-webkit-transition:padding-left 167ms;transition:padding-left 167ms}html[dir=rtl] input.ms-SearchBox-field{padding:6px 31px 7px 38px}html[dir=ltr] input.ms-SearchBox-field:focus{padding-right:32px}html[dir=rtl] input.ms-SearchBox-field:focus{padding-left:32px}input.ms-SearchBox-field::-ms-clear{display:none}.ms-SearchBox-clearButton{display:none;border:none;cursor:pointer;position:absolute;top:0;width:40px;height:36px;line-height:36px;vertical-align:top;color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";text-align:center;font-size:16px}html[dir=ltr] .ms-SearchBox-clearButton{right:0}html[dir=rtl] .ms-SearchBox-clearButton{left:0}.ms-SearchBox-icon{font-size:17px;color:"},{theme:"neutralSecondaryAlt",defaultValue:"#767676"},{rawString:";position:absolute;top:0;height:36px;line-height:36px;vertical-align:top;font-size:16px;width:16px;color:#0078d7}html[dir=ltr] .ms-SearchBox-icon{left:8px}html[dir=rtl] .ms-SearchBox-icon{right:8px}html[dir=ltr] .ms-SearchBox-icon{margin-right:6px}html[dir=rtl] .ms-SearchBox-icon{margin-left:6px}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(213))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(0),i=n(6),a=n(92);n(217);var s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return r(t,e),t.prototype.render=function(){var e=this.props,t=e.type,n=e.size,r=e.label,s=e.className;return o.createElement("div",{className:i.css("ms-Spinner",s)},o.createElement("div",{className:i.css("ms-Spinner-circle",{"ms-Spinner--xSmall":n===a.SpinnerSize.xSmall},{"ms-Spinner--small":n===a.SpinnerSize.small},{"ms-Spinner--medium":n===a.SpinnerSize.medium},{"ms-Spinner--large":n===a.SpinnerSize.large},{"ms-Spinner--normal":t===a.SpinnerType.normal},{"ms-Spinner--large":t===a.SpinnerType.large})}),r&&o.createElement("div",{className:"ms-Spinner-label"},r))},t}(o.Component);s.defaultProps={size:a.SpinnerSize.medium},t.Spinner=s},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:"@-webkit-keyframes ms-Spinner-spin{0%{-webkit-transform:rotate(0);transform:rotate(0)}100%{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}@keyframes ms-Spinner-spin{0%{-webkit-transform:rotate(0);transform:rotate(0)}100%{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}.ms-Spinner>.ms-Spinner-circle{margin:auto;box-sizing:border-box;border-radius:50%;width:100%;height:100%;border:1.5px solid "},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";border-top-color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";-webkit-animation:ms-Spinner-spin 1.3s infinite cubic-bezier(.53,.21,.29,.67);animation:ms-Spinner-spin 1.3s infinite cubic-bezier(.53,.21,.29,.67)}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--xSmall{width:12px;height:12px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--small{width:16px;height:16px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--medium,.ms-Spinner>.ms-Spinner-circle.ms-Spinner--normal{width:20px;height:20px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--large{width:28px;height:28px}.ms-Spinner>.ms-Spinner-label{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";margin-top:10px;text-align:center}@media screen and (-ms-high-contrast:active){.ms-Spinner>.ms-Spinner-circle{border-top-style:none}}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(216)),r(n(92))},function(e,t,n){"use strict";var r={Properties:{"aria-current":0,"aria-details":0,"aria-disabled":0,"aria-hidden":0,"aria-invalid":0,"aria-keyshortcuts":0,"aria-label":0,"aria-roledescription":0,"aria-autocomplete":0,"aria-checked":0,"aria-expanded":0,"aria-haspopup":0,"aria-level":0,"aria-modal":0,"aria-multiline":0,"aria-multiselectable":0,"aria-orientation":0,"aria-placeholder":0,"aria-pressed":0,"aria-readonly":0,"aria-required":0,"aria-selected":0,"aria-sort":0,"aria-valuemax":0,"aria-valuemin":0,"aria-valuenow":0,"aria-valuetext":0,"aria-atomic":0,"aria-busy":0,"aria-live":0,"aria-relevant":0,"aria-dropeffect":0,"aria-grabbed":0,"aria-activedescendant":0,"aria-colcount":0,"aria-colindex":0,"aria-colspan":0,"aria-controls":0,"aria-describedby":0,"aria-errormessage":0,"aria-flowto":0,"aria-labelledby":0,"aria-owns":0,"aria-posinset":0,"aria-rowcount":0,"aria-rowindex":0,"aria-rowspan":0,"aria-setsize":0},DOMAttributeNames:{},DOMPropertyNames:{}};e.exports=r},function(e,t,n){"use strict";var r=n(5),o=n(82),i={focusDOMComponent:function(){o(r.getNodeFromInstance(this))}};e.exports=i},function(e,t,n){"use strict";function r(){var e=window.opera;return"object"==typeof e&&"function"==typeof e.version&&parseInt(e.version(),10)<=12}function o(e){return(e.ctrlKey||e.altKey||e.metaKey)&&!(e.ctrlKey&&e.altKey)}function i(e){switch(e){case"topCompositionStart":return T.compositionStart;case"topCompositionEnd":return T.compositionEnd;case"topCompositionUpdate":return T.compositionUpdate}}function a(e,t){return"topKeyDown"===e&&t.keyCode===b}function s(e,t){switch(e){case"topKeyUp":return y.indexOf(t.keyCode)!==-1;case"topKeyDown":return t.keyCode!==b;case"topKeyPress":case"topMouseDown":case"topBlur":return!0;default:return!1}}function u(e){var t=e.detail;return"object"==typeof t&&"data"in t?t.data:null}function c(e,t,n,r){var o,c;if(_?o=i(e):I?s(e,n)&&(o=T.compositionEnd):a(e,n)&&(o=T.compositionStart),!o)return null;C&&(I||o!==T.compositionStart?o===T.compositionEnd&&I&&(c=I.getData()):I=m.getPooled(r));var l=g.getPooled(o,t,n,r);if(c)l.data=c;else{var p=u(n);null!==p&&(l.data=p)}return f.accumulateTwoPhaseDispatches(l),l}function l(e,t){switch(e){case"topCompositionEnd":return u(t);case"topKeyPress":var n=t.which;return n!==x?null:(P=!0,S);case"topTextInput":var r=t.data;return r===S&&P?null:r;default:return null}}function p(e,t){if(I){if("topCompositionEnd"===e||!_&&s(e,t)){var n=I.getData();return m.release(I),I=null,n}return null}switch(e){case"topPaste":return null;case"topKeyPress":return t.which&&!o(t)?String.fromCharCode(t.which):null;case"topCompositionEnd":return C?null:t.data;default:return null}}function d(e,t,n,r){var o;if(o=E?l(e,n):p(e,n),!o)return null;var i=v.getPooled(T.beforeInput,t,n,r);return i.data=o,f.accumulateTwoPhaseDispatches(i),i}var f=n(28),h=n(8),m=n(227),g=n(264),v=n(267),y=[9,13,27,32],b=229,_=h.canUseDOM&&"CompositionEvent"in window,w=null;h.canUseDOM&&"documentMode"in document&&(w=document.documentMode);var E=h.canUseDOM&&"TextEvent"in window&&!w&&!r(),C=h.canUseDOM&&(!_||w&&w>8&&w<=11),x=32,S=String.fromCharCode(x),T={beforeInput:{phasedRegistrationNames:{bubbled:"onBeforeInput",captured:"onBeforeInputCapture"},dependencies:["topCompositionEnd","topKeyPress","topTextInput","topPaste"]},compositionEnd:{phasedRegistrationNames:{bubbled:"onCompositionEnd",captured:"onCompositionEndCapture"},dependencies:["topBlur","topCompositionEnd","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]},compositionStart:{phasedRegistrationNames:{bubbled:"onCompositionStart",captured:"onCompositionStartCapture"},dependencies:["topBlur","topCompositionStart","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]},compositionUpdate:{phasedRegistrationNames:{bubbled:"onCompositionUpdate",captured:"onCompositionUpdateCapture"},dependencies:["topBlur","topCompositionUpdate","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]}},P=!1,I=null,O={eventTypes:T,extractEvents:function(e,t,n,r){return[c(e,t,n,r),d(e,t,n,r)]}};e.exports=O},function(e,t,n){"use strict";var r=n(93),o=n(8),i=(n(11),n(175),n(273)),a=n(182),s=n(185),u=(n(2),s(function(e){return a(e)})),c=!1,l="cssFloat";if(o.canUseDOM){var p=document.createElement("div").style;try{p.font=""}catch(e){c=!0}void 0===document.documentElement.style.cssFloat&&(l="styleFloat")}var d={createMarkupForStyles:function(e,t){var n="";for(var r in e)if(e.hasOwnProperty(r)){var o=e[r];null!=o&&(n+=u(r)+":",n+=i(r,o,t)+";")}return n||null},setValueForStyles:function(e,t,n){var o=e.style;for(var a in t)if(t.hasOwnProperty(a)){var s=i(a,t[a],n);if("float"!==a&&"cssFloat"!==a||(a=l),s)o[a]=s;else{var u=c&&r.shorthandPropertyExpansions[a];if(u)for(var p in u)o[p]="";else o[a]=""}}}};e.exports=d},function(e,t,n){"use strict";function r(e){var t=e.nodeName&&e.nodeName.toLowerCase();return"select"===t||"input"===t&&"file"===e.type}function o(e){var t=C.getPooled(P.change,O,e,x(e));b.accumulateTwoPhaseDispatches(t),E.batchedUpdates(i,t)}function i(e){y.enqueueEvents(e),y.processEventQueue(!1)}function a(e,t){I=e,O=t,I.attachEvent("onchange",o)}function s(){I&&(I.detachEvent("onchange",o),I=null,O=null)}function u(e,t){if("topChange"===e)return t}function c(e,t,n){"topFocus"===e?(s(),a(t,n)):"topBlur"===e&&s()}function l(e,t){I=e,O=t,M=e.value,k=Object.getOwnPropertyDescriptor(e.constructor.prototype,"value"),Object.defineProperty(I,"value",D),I.attachEvent?I.attachEvent("onpropertychange",d):I.addEventListener("propertychange",d,!1)}function p(){I&&(delete I.value,I.detachEvent?I.detachEvent("onpropertychange",d):I.removeEventListener("propertychange",d,!1),I=null,O=null,M=null,k=null)}function d(e){if("value"===e.propertyName){var t=e.srcElement.value;t!==M&&(M=t,o(e))}}function f(e,t){if("topInput"===e)return t}function h(e,t,n){"topFocus"===e?(p(),l(t,n)):"topBlur"===e&&p()}function m(e,t){if(("topSelectionChange"===e||"topKeyUp"===e||"topKeyDown"===e)&&I&&I.value!==M)return M=I.value,O}function g(e){return e.nodeName&&"input"===e.nodeName.toLowerCase()&&("checkbox"===e.type||"radio"===e.type)}function v(e,t){if("topClick"===e)return t}var y=n(27),b=n(28),_=n(8),w=n(5),E=n(12),C=n(13),x=n(59),S=n(60),T=n(110),P={change:{phasedRegistrationNames:{bubbled:"onChange",captured:"onChangeCapture"},dependencies:["topBlur","topChange","topClick","topFocus","topInput","topKeyDown","topKeyUp","topSelectionChange"]}},I=null,O=null,M=null,k=null,A=!1;_.canUseDOM&&(A=S("change")&&(!document.documentMode||document.documentMode>8));var R=!1;_.canUseDOM&&(R=S("input")&&(!document.documentMode||document.documentMode>11));var D={get:function(){return k.get.call(this)},set:function(e){M=""+e,k.set.call(this,e)}},N={eventTypes:P,extractEvents:function(e,t,n,o){var i,a,s=t?w.getNodeFromInstance(t):window;if(r(s)?A?i=u:a=c:T(s)?R?i=f:(i=m,a=h):g(s)&&(i=v),i){var l=i(e,t);if(l){var p=C.getPooled(P.change,l,n,o);return p.type="change",b.accumulateTwoPhaseDispatches(p),p}}a&&a(e,s,t)}};e.exports=N},function(e,t,n){"use strict";var r=n(3),o=n(19),i=n(8),a=n(178),s=n(10),u=(n(1),{dangerouslyReplaceNodeWithMarkup:function(e,t){if(i.canUseDOM?void 0:r("56"),t?void 0:r("57"),"HTML"===e.nodeName?r("58"):void 0,"string"==typeof t){var n=a(t,s)[0];e.parentNode.replaceChild(n,e)}else o.replaceChildWithTree(e,t)}});e.exports=u},function(e,t,n){"use strict";var r=["ResponderEventPlugin","SimpleEventPlugin","TapEventPlugin","EnterLeaveEventPlugin","ChangeEventPlugin","SelectEventPlugin","BeforeInputEventPlugin"];e.exports=r},function(e,t,n){"use strict";var r=n(28),o=n(5),i=n(35),a={mouseEnter:{registrationName:"onMouseEnter",dependencies:["topMouseOut","topMouseOver"]},mouseLeave:{registrationName:"onMouseLeave",dependencies:["topMouseOut","topMouseOver"]}},s={eventTypes:a,extractEvents:function(e,t,n,s){if("topMouseOver"===e&&(n.relatedTarget||n.fromElement))return null;if("topMouseOut"!==e&&"topMouseOver"!==e)return null;var u;if(s.window===s)u=s;else{var c=s.ownerDocument;u=c?c.defaultView||c.parentWindow:window}var l,p;if("topMouseOut"===e){l=t;var d=n.relatedTarget||n.toElement;p=d?o.getClosestInstanceFromNode(d):null}else l=null,p=t;if(l===p)return null;var f=null==l?u:o.getNodeFromInstance(l),h=null==p?u:o.getNodeFromInstance(p),m=i.getPooled(a.mouseLeave,l,n,s);m.type="mouseleave",m.target=f,m.relatedTarget=h;var g=i.getPooled(a.mouseEnter,p,n,s);return g.type="mouseenter",g.target=h,g.relatedTarget=f,r.accumulateEnterLeaveDispatches(m,g,l,p),[m,g]}};e.exports=s},function(e,t,n){"use strict";function r(e){this._root=e,this._startText=this.getText(),this._fallbackText=null}var o=n(4),i=n(15),a=n(108);o(r.prototype,{destructor:function(){this._root=null,this._startText=null,this._fallbackText=null},getText:function(){return"value"in this._root?this._root.value:this._root[a()]},getData:function(){if(this._fallbackText)return this._fallbackText;var e,t,n=this._startText,r=n.length,o=this.getText(),i=o.length;for(e=0;e1?1-t:void 0;return this._fallbackText=o.slice(e,s),this._fallbackText}}),i.addPoolingTo(r),e.exports=r},function(e,t,n){"use strict";var r=n(20),o=r.injection.MUST_USE_PROPERTY,i=r.injection.HAS_BOOLEAN_VALUE,a=r.injection.HAS_NUMERIC_VALUE,s=r.injection.HAS_POSITIVE_NUMERIC_VALUE,u=r.injection.HAS_OVERLOADED_BOOLEAN_VALUE,c={isCustomAttribute:RegExp.prototype.test.bind(new RegExp("^(data|aria)-["+r.ATTRIBUTE_NAME_CHAR+"]*$")),Properties:{accept:0,acceptCharset:0,accessKey:0,action:0,allowFullScreen:i,allowTransparency:0,alt:0,as:0,async:i,autoComplete:0,autoPlay:i,capture:i,cellPadding:0,cellSpacing:0,charSet:0,challenge:0,checked:o|i,cite:0,classID:0,className:0,cols:s,colSpan:0,content:0,contentEditable:0,contextMenu:0,controls:i,coords:0,crossOrigin:0,data:0,dateTime:0,default:i,defer:i,dir:0,disabled:i,download:u,draggable:0,encType:0,form:0,formAction:0,formEncType:0,formMethod:0,formNoValidate:i,formTarget:0,frameBorder:0,headers:0,height:0,hidden:i,high:0,href:0,hrefLang:0,htmlFor:0,httpEquiv:0,icon:0,id:0,inputMode:0,integrity:0,is:0,keyParams:0,keyType:0,kind:0,label:0,lang:0,list:0,loop:i,low:0,manifest:0,marginHeight:0,marginWidth:0,max:0,maxLength:0,media:0,mediaGroup:0,method:0,min:0,minLength:0,multiple:o|i,muted:o|i,name:0,nonce:0,noValidate:i,open:i,optimum:0,pattern:0,placeholder:0,playsInline:i,poster:0,preload:0,profile:0,radioGroup:0,readOnly:i,referrerPolicy:0,rel:0,required:i,reversed:i,role:0,rows:s,rowSpan:a,sandbox:0,scope:0,scoped:i,scrolling:0,seamless:i,selected:o|i,shape:0,size:s,sizes:0,span:s,spellCheck:0,src:0,srcDoc:0,srcLang:0,srcSet:0,start:a,step:0,style:0,summary:0,tabIndex:0,target:0,title:0,type:0,useMap:0,value:0,width:0,wmode:0,wrap:0,about:0,datatype:0,inlist:0,prefix:0,property:0,resource:0,typeof:0,vocab:0,autoCapitalize:0,autoCorrect:0,autoSave:0,color:0,itemProp:0,itemScope:i,itemType:0,itemID:0,itemRef:0,results:0,security:0,unselectable:0},DOMAttributeNames:{acceptCharset:"accept-charset",className:"class",htmlFor:"for",httpEquiv:"http-equiv"},DOMPropertyNames:{}};e.exports=c},function(e,t,n){"use strict";(function(t){function r(e,t,n,r){var o=void 0===e[n];null!=t&&o&&(e[n]=i(t,!0))}var o=n(21),i=n(109),a=(n(51),n(61)),s=n(112);n(2);"undefined"!=typeof t&&n.i({NODE_ENV:"production"}),1;var u={instantiateChildren:function(e,t,n,o){if(null==e)return null;var i={};return s(e,r,i),i},updateChildren:function(e,t,n,r,s,u,c,l,p){if(t||e){var d,f;for(d in t)if(t.hasOwnProperty(d)){f=e&&e[d];var h=f&&f._currentElement,m=t[d];if(null!=f&&a(h,m))o.receiveComponent(f,m,s,l),t[d]=f;else{f&&(r[d]=o.getHostNode(f),o.unmountComponent(f,!1));var g=i(m,!0);t[d]=g;var v=o.mountComponent(g,s,u,c,l,p);n.push(v)}}for(d in e)!e.hasOwnProperty(d)||t&&t.hasOwnProperty(d)||(f=e[d],r[d]=o.getHostNode(f),o.unmountComponent(f,!1))}},unmountChildren:function(e,t){for(var n in e)if(e.hasOwnProperty(n)){var r=e[n];o.unmountComponent(r,t)}}};e.exports=u}).call(t,n(33))},function(e,t,n){"use strict";var r=n(47),o=n(237),i={processChildrenUpdates:o.dangerouslyProcessChildrenUpdates,replaceNodeWithMarkup:r.dangerouslyReplaceNodeWithMarkup};e.exports=i},function(e,t,n){"use strict";function r(e){}function o(e,t){}function i(e){return!(!e.prototype||!e.prototype.isReactComponent)}function a(e){return!(!e.prototype||!e.prototype.isPureReactComponent)}var s=n(3),u=n(4),c=n(22),l=n(53),p=n(14),d=n(54),f=n(29),h=(n(11),n(103)),m=n(21),g=n(25),v=(n(1),n(44)),y=n(61),b=(n(2),{ImpureClass:0,PureClass:1,StatelessFunctional:2});r.prototype.render=function(){var e=f.get(this)._currentElement.type,t=e(this.props,this.context,this.updater);return o(e,t),t};var _=1,w={construct:function(e){this._currentElement=e,this._rootNodeID=0,this._compositeType=null,this._instance=null,this._hostParent=null,this._hostContainerInfo=null,this._updateBatchNumber=null,this._pendingElement=null,this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1,this._renderedNodeType=null,this._renderedComponent=null,this._context=null,this._mountOrder=0,this._topLevelWrapper=null,this._pendingCallbacks=null,this._calledComponentWillUnmount=!1},mountComponent:function(e,t,n,u){this._context=u,this._mountOrder=_++,this._hostParent=t,this._hostContainerInfo=n;var l,p=this._currentElement.props,d=this._processContext(u),h=this._currentElement.type,m=e.getUpdateQueue(),v=i(h),y=this._constructComponent(v,p,d,m);v||null!=y&&null!=y.render?a(h)?this._compositeType=b.PureClass:this._compositeType=b.ImpureClass:(l=y,o(h,l),null===y||y===!1||c.isValidElement(y)?void 0:s("105",h.displayName||h.name||"Component"),y=new r(h),this._compositeType=b.StatelessFunctional);y.props=p,y.context=d,y.refs=g,y.updater=m,this._instance=y,f.set(y,this);var w=y.state;void 0===w&&(y.state=w=null),"object"!=typeof w||Array.isArray(w)?s("106",this.getName()||"ReactCompositeComponent"):void 0,this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1;var E;return E=y.unstable_handleError?this.performInitialMountWithErrorHandling(l,t,n,e,u):this.performInitialMount(l,t,n,e,u),y.componentDidMount&&e.getReactMountReady().enqueue(y.componentDidMount,y),E},_constructComponent:function(e,t,n,r){return this._constructComponentWithoutOwner(e,t,n,r)},_constructComponentWithoutOwner:function(e,t,n,r){var o=this._currentElement.type;return e?new o(t,n,r):o(t,n,r)},performInitialMountWithErrorHandling:function(e,t,n,r,o){var i,a=r.checkpoint();try{i=this.performInitialMount(e,t,n,r,o)}catch(s){r.rollback(a),this._instance.unstable_handleError(s),this._pendingStateQueue&&(this._instance.state=this._processPendingState(this._instance.props,this._instance.context)),a=r.checkpoint(),this._renderedComponent.unmountComponent(!0),r.rollback(a),i=this.performInitialMount(e,t,n,r,o)}return i},performInitialMount:function(e,t,n,r,o){var i=this._instance,a=0;i.componentWillMount&&(i.componentWillMount(),this._pendingStateQueue&&(i.state=this._processPendingState(i.props,i.context))),void 0===e&&(e=this._renderValidatedComponent());var s=h.getType(e);this._renderedNodeType=s;var u=this._instantiateReactComponent(e,s!==h.EMPTY);this._renderedComponent=u;var c=m.mountComponent(u,r,t,n,this._processChildContext(o),a);return c},getHostNode:function(){return m.getHostNode(this._renderedComponent)},unmountComponent:function(e){if(this._renderedComponent){var t=this._instance;if(t.componentWillUnmount&&!t._calledComponentWillUnmount)if(t._calledComponentWillUnmount=!0,e){var n=this.getName()+".componentWillUnmount()";d.invokeGuardedCallback(n,t.componentWillUnmount.bind(t))}else t.componentWillUnmount();this._renderedComponent&&(m.unmountComponent(this._renderedComponent,e), -this._renderedNodeType=null,this._renderedComponent=null,this._instance=null),this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1,this._pendingCallbacks=null,this._pendingElement=null,this._context=null,this._rootNodeID=0,this._topLevelWrapper=null,f.remove(t)}},_maskContext:function(e){var t=this._currentElement.type,n=t.contextTypes;if(!n)return g;var r={};for(var o in n)r[o]=e[o];return r},_processContext:function(e){var t=this._maskContext(e);return t},_processChildContext:function(e){var t,n=this._currentElement.type,r=this._instance;if(r.getChildContext&&(t=r.getChildContext()),t){"object"!=typeof n.childContextTypes?s("107",this.getName()||"ReactCompositeComponent"):void 0;for(var o in t)o in n.childContextTypes?void 0:s("108",this.getName()||"ReactCompositeComponent",o);return u({},e,t)}return e},_checkContextTypes:function(e,t,n){},receiveComponent:function(e,t,n){var r=this._currentElement,o=this._context;this._pendingElement=null,this.updateComponent(t,r,e,o,n)},performUpdateIfNecessary:function(e){null!=this._pendingElement?m.receiveComponent(this,this._pendingElement,e,this._context):null!==this._pendingStateQueue||this._pendingForceUpdate?this.updateComponent(e,this._currentElement,this._currentElement,this._context,this._context):this._updateBatchNumber=null},updateComponent:function(e,t,n,r,o){var i=this._instance;null==i?s("136",this.getName()||"ReactCompositeComponent"):void 0;var a,u=!1;this._context===o?a=i.context:(a=this._processContext(o),u=!0);var c=t.props,l=n.props;t!==n&&(u=!0),u&&i.componentWillReceiveProps&&i.componentWillReceiveProps(l,a);var p=this._processPendingState(l,a),d=!0;this._pendingForceUpdate||(i.shouldComponentUpdate?d=i.shouldComponentUpdate(l,p,a):this._compositeType===b.PureClass&&(d=!v(c,l)||!v(i.state,p))),this._updateBatchNumber=null,d?(this._pendingForceUpdate=!1,this._performComponentUpdate(n,l,p,a,e,o)):(this._currentElement=n,this._context=o,i.props=l,i.state=p,i.context=a)},_processPendingState:function(e,t){var n=this._instance,r=this._pendingStateQueue,o=this._pendingReplaceState;if(this._pendingReplaceState=!1,this._pendingStateQueue=null,!r)return n.state;if(o&&1===r.length)return r[0];for(var i=u({},o?r[0]:n.state),a=o?1:0;a=0||null!=t.is}function h(e){var t=e.type;d(t),this._currentElement=e,this._tag=t.toLowerCase(),this._namespaceURI=null,this._renderedChildren=null,this._previousStyle=null,this._previousStyleCopy=null,this._hostNode=null,this._hostParent=null,this._rootNodeID=0,this._domID=0,this._hostContainerInfo=null,this._wrapperState=null,this._topLevelWrapper=null,this._flags=0}var m=n(3),g=n(4),v=n(220),y=n(222),b=n(19),_=n(48),w=n(20),E=n(95),C=n(27),x=n(49),S=n(34),T=n(96),P=n(5),I=n(238),O=n(239),M=n(97),k=n(242),A=(n(11),n(251)),R=n(256),D=(n(10),n(37)),N=(n(1),n(60),n(44),n(62),n(2),T),B=C.deleteListener,L=P.getNodeFromInstance,F=S.listenTo,U=x.registrationNameModules,j={string:!0,number:!0},V="style",H="__html",W={children:null,dangerouslySetInnerHTML:null,suppressContentEditableWarning:null},q=11,K={topAbort:"abort",topCanPlay:"canplay",topCanPlayThrough:"canplaythrough",topDurationChange:"durationchange",topEmptied:"emptied",topEncrypted:"encrypted",topEnded:"ended",topError:"error",topLoadedData:"loadeddata",topLoadedMetadata:"loadedmetadata",topLoadStart:"loadstart",topPause:"pause",topPlay:"play",topPlaying:"playing",topProgress:"progress",topRateChange:"ratechange",topSeeked:"seeked",topSeeking:"seeking",topStalled:"stalled",topSuspend:"suspend",topTimeUpdate:"timeupdate",topVolumeChange:"volumechange",topWaiting:"waiting"},z={area:!0,base:!0,br:!0,col:!0,embed:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0},G={listing:!0,pre:!0,textarea:!0},Y=g({menuitem:!0},z),X=/^[a-zA-Z][a-zA-Z:_\.\-\d]*$/,Z={},Q={}.hasOwnProperty,$=1;h.displayName="ReactDOMComponent",h.Mixin={mountComponent:function(e,t,n,r){this._rootNodeID=$++,this._domID=n._idCounter++,this._hostParent=t,this._hostContainerInfo=n;var i=this._currentElement.props;switch(this._tag){case"audio":case"form":case"iframe":case"img":case"link":case"object":case"source":case"video":this._wrapperState={listeners:null},e.getReactMountReady().enqueue(l,this);break;case"input":I.mountWrapper(this,i,t),i=I.getHostProps(this,i),e.getReactMountReady().enqueue(l,this);break;case"option":O.mountWrapper(this,i,t),i=O.getHostProps(this,i);break;case"select":M.mountWrapper(this,i,t),i=M.getHostProps(this,i),e.getReactMountReady().enqueue(l,this);break;case"textarea":k.mountWrapper(this,i,t),i=k.getHostProps(this,i),e.getReactMountReady().enqueue(l,this)}o(this,i);var a,p;null!=t?(a=t._namespaceURI,p=t._tag):n._tag&&(a=n._namespaceURI,p=n._tag),(null==a||a===_.svg&&"foreignobject"===p)&&(a=_.html),a===_.html&&("svg"===this._tag?a=_.svg:"math"===this._tag&&(a=_.mathml)),this._namespaceURI=a;var d;if(e.useCreateElement){var f,h=n._ownerDocument;if(a===_.html)if("script"===this._tag){var m=h.createElement("div"),g=this._currentElement.type;m.innerHTML="<"+g+">",f=m.removeChild(m.firstChild)}else f=i.is?h.createElement(this._currentElement.type,i.is):h.createElement(this._currentElement.type);else f=h.createElementNS(a,this._currentElement.type);P.precacheNode(this,f),this._flags|=N.hasCachedChildNodes,this._hostParent||E.setAttributeForRoot(f),this._updateDOMProperties(null,i,e);var y=b(f);this._createInitialChildren(e,i,r,y),d=y}else{var w=this._createOpenTagMarkupAndPutListeners(e,i),C=this._createContentMarkup(e,i,r);d=!C&&z[this._tag]?w+"/>":w+">"+C+""}switch(this._tag){case"input":e.getReactMountReady().enqueue(s,this),i.autoFocus&&e.getReactMountReady().enqueue(v.focusDOMComponent,this);break;case"textarea":e.getReactMountReady().enqueue(u,this),i.autoFocus&&e.getReactMountReady().enqueue(v.focusDOMComponent,this);break;case"select":i.autoFocus&&e.getReactMountReady().enqueue(v.focusDOMComponent,this);break;case"button":i.autoFocus&&e.getReactMountReady().enqueue(v.focusDOMComponent,this);break;case"option":e.getReactMountReady().enqueue(c,this)}return d},_createOpenTagMarkupAndPutListeners:function(e,t){var n="<"+this._currentElement.type;for(var r in t)if(t.hasOwnProperty(r)){var o=t[r];if(null!=o)if(U.hasOwnProperty(r))o&&i(this,r,o,e);else{r===V&&(o&&(o=this._previousStyleCopy=g({},t.style)),o=y.createMarkupForStyles(o,this));var a=null;null!=this._tag&&f(this._tag,t)?W.hasOwnProperty(r)||(a=E.createMarkupForCustomAttribute(r,o)):a=E.createMarkupForProperty(r,o),a&&(n+=" "+a)}}return e.renderToStaticMarkup?n:(this._hostParent||(n+=" "+E.createMarkupForRoot()),n+=" "+E.createMarkupForID(this._domID))},_createContentMarkup:function(e,t,n){var r="",o=t.dangerouslySetInnerHTML;if(null!=o)null!=o.__html&&(r=o.__html);else{var i=j[typeof t.children]?t.children:null,a=null!=i?null:t.children;if(null!=i)r=D(i);else if(null!=a){var s=this.mountChildren(a,e,n);r=s.join("")}}return G[this._tag]&&"\n"===r.charAt(0)?"\n"+r:r},_createInitialChildren:function(e,t,n,r){var o=t.dangerouslySetInnerHTML;if(null!=o)null!=o.__html&&b.queueHTML(r,o.__html);else{var i=j[typeof t.children]?t.children:null,a=null!=i?null:t.children;if(null!=i)""!==i&&b.queueText(r,i);else if(null!=a)for(var s=this.mountChildren(a,e,n),u=0;u"},receiveComponent:function(){},getHostNode:function(){return i.getNodeFromInstance(this)},unmountComponent:function(){i.uncacheNode(this)}}),e.exports=a},function(e,t,n){"use strict";var r={useCreateElement:!0,useFiber:!1};e.exports=r},function(e,t,n){"use strict";var r=n(47),o=n(5),i={dangerouslyProcessChildrenUpdates:function(e,t){var n=o.getNodeFromInstance(e);r.processUpdates(n,t)}};e.exports=i},function(e,t,n){"use strict";function r(){this._rootNodeID&&p.updateWrapper(this)}function o(e){var t=this._currentElement.props,n=u.executeOnChange(t,e);l.asap(r,this);var o=t.name;if("radio"===t.type&&null!=o){for(var a=c.getNodeFromInstance(this),s=a;s.parentNode;)s=s.parentNode;for(var p=s.querySelectorAll("input[name="+JSON.stringify(""+o)+'][type="radio"]'),d=0;dt.end?(n=t.end,r=t.start):(n=t.start,r=t.end),o.moveToElementText(e),o.moveStart("character",n),o.setEndPoint("EndToStart",o),o.moveEnd("character",r-n),o.select()}function s(e,t){if(window.getSelection){var n=window.getSelection(),r=e[l()].length,o=Math.min(t.start,r),i=void 0===t.end?o:Math.min(t.end,r);if(!n.extend&&o>i){var a=i;i=o,o=a}var s=c(e,o),u=c(e,i);if(s&&u){var p=document.createRange();p.setStart(s.node,s.offset),n.removeAllRanges(),o>i?(n.addRange(p),n.extend(u.node,u.offset)):(p.setEnd(u.node,u.offset),n.addRange(p))}}}var u=n(8),c=n(279),l=n(108),p=u.canUseDOM&&"selection"in document&&!("getSelection"in window),d={getOffsets:p?o:i,setOffsets:p?a:s};e.exports=d},function(e,t,n){"use strict";var r=n(3),o=n(4),i=n(47),a=n(19),s=n(5),u=n(37),c=(n(1),n(62),function(e){this._currentElement=e,this._stringText=""+e,this._hostNode=null,this._hostParent=null,this._domID=0,this._mountIndex=0,this._closingComment=null,this._commentNodes=null});o(c.prototype,{mountComponent:function(e,t,n,r){var o=n._idCounter++,i=" react-text: "+o+" ",c=" /react-text ";if(this._domID=o,this._hostParent=t,e.useCreateElement){var l=n._ownerDocument,p=l.createComment(i),d=l.createComment(c),f=a(l.createDocumentFragment());return a.queueChild(f,a(p)),this._stringText&&a.queueChild(f,a(l.createTextNode(this._stringText))),a.queueChild(f,a(d)),s.precacheNode(this,p),this._closingComment=d,f}var h=u(this._stringText);return e.renderToStaticMarkup?h:""+h+""},receiveComponent:function(e,t){if(e!==this._currentElement){this._currentElement=e;var n=""+e;if(n!==this._stringText){this._stringText=n;var r=this.getHostNode();i.replaceDelimitedText(r[0],r[1],n)}}},getHostNode:function(){var e=this._commentNodes;if(e)return e;if(!this._closingComment)for(var t=s.getNodeFromInstance(this),n=t.nextSibling;;){if(null==n?r("67",this._domID):void 0,8===n.nodeType&&" /react-text "===n.nodeValue){this._closingComment=n;break}n=n.nextSibling}return e=[this._hostNode,this._closingComment],this._commentNodes=e,e},unmountComponent:function(){this._closingComment=null,this._commentNodes=null,s.uncacheNode(this)}}),e.exports=c},function(e,t,n){"use strict";function r(){this._rootNodeID&&l.updateWrapper(this)}function o(e){var t=this._currentElement.props,n=s.executeOnChange(t,e);return c.asap(r,this),n}var i=n(3),a=n(4),s=n(52),u=n(5),c=n(12),l=(n(1),n(2),{getHostProps:function(e,t){null!=t.dangerouslySetInnerHTML?i("91"):void 0;var n=a({},t,{value:void 0,defaultValue:void 0,children:""+e._wrapperState.initialValue,onChange:e._wrapperState.onChange});return n},mountWrapper:function(e,t){var n=s.getValue(t),r=n;if(null==n){var a=t.defaultValue,u=t.children;null!=u&&(null!=a?i("92"):void 0,Array.isArray(u)&&(u.length<=1?void 0:i("93"),u=u[0]),a=""+u),null==a&&(a=""),r=a}e._wrapperState={initialValue:""+r,listeners:null,onChange:o.bind(e)}},updateWrapper:function(e){var t=e._currentElement.props,n=u.getNodeFromInstance(e),r=s.getValue(t);if(null!=r){var o=""+r;o!==n.value&&(n.value=o),null==t.defaultValue&&(n.defaultValue=o)}null!=t.defaultValue&&(n.defaultValue=t.defaultValue)},postMountWrapper:function(e){var t=u.getNodeFromInstance(e),n=t.textContent;n===e._wrapperState.initialValue&&(t.value=n)}});e.exports=l},function(e,t,n){"use strict";function r(e,t){"_hostNode"in e?void 0:u("33"),"_hostNode"in t?void 0:u("33");for(var n=0,r=e;r;r=r._hostParent)n++;for(var o=0,i=t;i;i=i._hostParent)o++;for(;n-o>0;)e=e._hostParent,n--;for(;o-n>0;)t=t._hostParent,o--;for(var a=n;a--;){if(e===t)return e;e=e._hostParent,t=t._hostParent}return null}function o(e,t){"_hostNode"in e?void 0:u("35"),"_hostNode"in t?void 0:u("35");for(;t;){if(t===e)return!0;t=t._hostParent}return!1}function i(e){return"_hostNode"in e?void 0:u("36"),e._hostParent}function a(e,t,n){for(var r=[];e;)r.push(e),e=e._hostParent;var o;for(o=r.length;o-- >0;)t(r[o],"captured",n);for(o=0;o0;)n(u[c],"captured",i)}var u=n(3);n(1);e.exports={isAncestor:o,getLowestCommonAncestor:r,getParentInstance:i,traverseTwoPhase:a,traverseEnterLeave:s}},function(e,t,n){"use strict";function r(){this.reinitializeTransaction()}var o=n(4),i=n(12),a=n(36),s=n(10),u={initialize:s,close:function(){d.isBatchingUpdates=!1}},c={initialize:s,close:i.flushBatchedUpdates.bind(i)},l=[c,u];o(r.prototype,a,{getTransactionWrappers:function(){return l}});var p=new r,d={isBatchingUpdates:!1,batchedUpdates:function(e,t,n,r,o,i){var a=d.isBatchingUpdates;return d.isBatchingUpdates=!0,a?e(t,n,r,o,i):p.perform(e,null,t,n,r,o,i)}};e.exports=d},function(e,t,n){"use strict";function r(){C||(C=!0,y.EventEmitter.injectReactEventListener(v),y.EventPluginHub.injectEventPluginOrder(s),y.EventPluginUtils.injectComponentTree(d),y.EventPluginUtils.injectTreeTraversal(h),y.EventPluginHub.injectEventPluginsByName({SimpleEventPlugin:E,EnterLeaveEventPlugin:u,ChangeEventPlugin:a,SelectEventPlugin:w,BeforeInputEventPlugin:i}),y.HostComponent.injectGenericComponentClass(p),y.HostComponent.injectTextComponentClass(m),y.DOMProperty.injectDOMPropertyConfig(o),y.DOMProperty.injectDOMPropertyConfig(c),y.DOMProperty.injectDOMPropertyConfig(_),y.EmptyComponent.injectEmptyComponentFactory(function(e){return new f(e)}),y.Updates.injectReconcileTransaction(b),y.Updates.injectBatchingStrategy(g),y.Component.injectEnvironment(l))}var o=n(219),i=n(221),a=n(223),s=n(225),u=n(226),c=n(228),l=n(230),p=n(233),d=n(5),f=n(235),h=n(243),m=n(241),g=n(244),v=n(248),y=n(249),b=n(254),_=n(259),w=n(260),E=n(261),C=!1;e.exports={inject:r}},function(e,t,n){"use strict";var r="function"==typeof Symbol&&Symbol.for&&Symbol.for("react.element")||60103;e.exports=r},function(e,t,n){"use strict";function r(e){o.enqueueEvents(e),o.processEventQueue(!1)}var o=n(27),i={handleTopLevel:function(e,t,n,i){var a=o.extractEvents(e,t,n,i);r(a)}};e.exports=i},function(e,t,n){"use strict";function r(e){for(;e._hostParent;)e=e._hostParent;var t=p.getNodeFromInstance(e),n=t.parentNode;return p.getClosestInstanceFromNode(n)}function o(e,t){this.topLevelType=e,this.nativeEvent=t,this.ancestors=[]}function i(e){var t=f(e.nativeEvent),n=p.getClosestInstanceFromNode(t),o=n;do e.ancestors.push(o),o=o&&r(o);while(o);for(var i=0;i/,i=/^<\!\-\-/,a={CHECKSUM_ATTR_NAME:"data-react-checksum",addChecksumToMarkup:function(e){var t=r(e);return i.test(e)?e:e.replace(o," "+a.CHECKSUM_ATTR_NAME+'="'+t+'"$&')},canReuseMarkup:function(e,t){var n=t.getAttribute(a.CHECKSUM_ATTR_NAME);n=n&&parseInt(n,10);var o=r(e);return o===n}};e.exports=a},function(e,t,n){"use strict";function r(e,t,n){return{type:"INSERT_MARKUP",content:e,fromIndex:null,fromNode:null,toIndex:n,afterNode:t}}function o(e,t,n){return{type:"MOVE_EXISTING",content:null,fromIndex:e._mountIndex,fromNode:d.getHostNode(e),toIndex:n,afterNode:t}}function i(e,t){return{type:"REMOVE_NODE",content:null,fromIndex:e._mountIndex,fromNode:t,toIndex:null,afterNode:null}}function a(e){return{type:"SET_MARKUP",content:e,fromIndex:null,fromNode:null,toIndex:null,afterNode:null}}function s(e){return{type:"TEXT_CONTENT",content:e,fromIndex:null,fromNode:null,toIndex:null,afterNode:null}}function u(e,t){return t&&(e=e||[],e.push(t)),e}function c(e,t){p.processChildrenUpdates(e,t)}var l=n(3),p=n(53),d=(n(29),n(11),n(14),n(21)),f=n(229),h=(n(10),n(275)),m=(n(1),{Mixin:{_reconcilerInstantiateChildren:function(e,t,n){return f.instantiateChildren(e,t,n)},_reconcilerUpdateChildren:function(e,t,n,r,o,i){var a,s=0;return a=h(t,s),f.updateChildren(e,a,n,r,o,this,this._hostContainerInfo,i,s),a},mountChildren:function(e,t,n){var r=this._reconcilerInstantiateChildren(e,t,n);this._renderedChildren=r;var o=[],i=0;for(var a in r)if(r.hasOwnProperty(a)){var s=r[a],u=0,c=d.mountComponent(s,t,this,this._hostContainerInfo,n,u);s._mountIndex=i++,o.push(c)}return o},updateTextContent:function(e){var t=this._renderedChildren;f.unmountChildren(t,!1);for(var n in t)t.hasOwnProperty(n)&&l("118");var r=[s(e)];c(this,r)},updateMarkup:function(e){var t=this._renderedChildren;f.unmountChildren(t,!1);for(var n in t)t.hasOwnProperty(n)&&l("118");var r=[a(e)];c(this,r)},updateChildren:function(e,t,n){this._updateChildren(e,t,n)},_updateChildren:function(e,t,n){var r=this._renderedChildren,o={},i=[],a=this._reconcilerUpdateChildren(r,e,i,o,t,n);if(a||r){var s,l=null,p=0,f=0,h=0,m=null;for(s in a)if(a.hasOwnProperty(s)){var g=r&&r[s],v=a[s];g===v?(l=u(l,this.moveChild(g,m,p,f)),f=Math.max(g._mountIndex,f),g._mountIndex=p):(g&&(f=Math.max(g._mountIndex,f)),l=u(l,this._mountChildAtIndex(v,i[h],m,p,t,n)),h++),p++,m=d.getHostNode(v)}for(s in o)o.hasOwnProperty(s)&&(l=u(l,this._unmountChild(r[s],o[s])));l&&c(this,l),this._renderedChildren=a}},unmountChildren:function(e){var t=this._renderedChildren;f.unmountChildren(t,e),this._renderedChildren=null},moveChild:function(e,t,n,r){if(e._mountIndex=t)return{node:n,offset:t-i};i=a}n=r(o(n))}}e.exports=i},function(e,t,n){"use strict";function r(e,t){var n={};return n[e.toLowerCase()]=t.toLowerCase(),n["Webkit"+e]="webkit"+t,n["Moz"+e]="moz"+t,n["ms"+e]="MS"+t,n["O"+e]="o"+t.toLowerCase(),n}function o(e){if(s[e])return s[e];if(!a[e])return e;var t=a[e];for(var n in t)if(t.hasOwnProperty(n)&&n in u)return s[e]=t[n];return""}var i=n(8),a={animationend:r("Animation","AnimationEnd"),animationiteration:r("Animation","AnimationIteration"),animationstart:r("Animation","AnimationStart"),transitionend:r("Transition","TransitionEnd")},s={},u={};i.canUseDOM&&(u=document.createElement("div").style,"AnimationEvent"in window||(delete a.animationend.animation,delete a.animationiteration.animation,delete a.animationstart.animation),"TransitionEvent"in window||delete a.transitionend.transition),e.exports=o},function(e,t,n){"use strict";function r(e){return'"'+o(e)+'"'}var o=n(37);e.exports=r},function(e,t,n){"use strict";var r=n(102);e.exports=r.renderSubtreeIntoContainer},function(e,t,n){"use strict";function r(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function o(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function i(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}var a=n(0),s=(n.n(a),n(115)),u=n(116);n(63);n.d(t,"a",function(){return c});var c=function(e){function t(n,i){r(this,t);var a=o(this,e.call(this,n,i));return a.store=n.store,a}return i(t,e),t.prototype.getChildContext=function(){return{store:this.store,storeSubscription:null}},t.prototype.render=function(){return a.Children.only(this.props.children)},t}(a.Component);c.propTypes={store:u.a.isRequired,children:a.PropTypes.element.isRequired},c.childContextTypes={store:u.a.isRequired,storeSubscription:a.PropTypes.instanceOf(s.a)},c.displayName="Provider"},function(e,t,n){"use strict";function r(e,t){var n={};for(var r in e)t.indexOf(r)>=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e,t,n){for(var r=t.length-1;r>=0;r--){var o=t[r](e);if(o)return o}return function(t,r){throw new Error("Invalid value of type "+typeof e+" for "+n+" argument when connecting component "+r.wrappedComponentName+".")}}function i(e,t){return e===t}function a(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=e.connectHOC,n=void 0===t?s.a:t,a=e.mapStateToPropsFactories,h=void 0===a?l.a:a,m=e.mapDispatchToPropsFactories,g=void 0===m?c.a:m,v=e.mergePropsFactories,y=void 0===v?p.a:v,b=e.selectorFactory,_=void 0===b?d.a:b;return function(e,t,a){var s=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},c=s.pure,l=void 0===c||c,p=s.areStatesEqual,d=void 0===p?i:p,m=s.areOwnPropsEqual,v=void 0===m?u.a:m,b=s.areStatePropsEqual,w=void 0===b?u.a:b,E=s.areMergedPropsEqual,C=void 0===E?u.a:E,x=r(s,["pure","areStatesEqual","areOwnPropsEqual","areStatePropsEqual","areMergedPropsEqual"]),S=o(e,h,"mapStateToProps"),T=o(t,g,"mapDispatchToProps"),P=o(a,y,"mergeProps");return n(_,f({methodName:"connect",getDisplayName:function(e){return"Connect("+e+")"},shouldHandleStateChanges:Boolean(e),initMapStateToProps:S,initMapDispatchToProps:T,initMergeProps:P,pure:l,areStatesEqual:d,areOwnPropsEqual:v,areStatePropsEqual:w,areMergedPropsEqual:C},x))}}var s=n(113),u=n(290),c=n(285),l=n(286),p=n(287),d=n(288),f=Object.assign||function(e){for(var t=1;t=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e,t,n,r){return function(o,i){return n(e(o,i),t(r,i),i)}}function i(e,t,n,r,o){function i(o,i){return h=o,m=i,g=e(h,m),v=t(r,m),y=n(g,v,m),f=!0,y}function a(){return g=e(h,m),t.dependsOnOwnProps&&(v=t(r,m)),y=n(g,v,m)}function s(){return e.dependsOnOwnProps&&(g=e(h,m)),t.dependsOnOwnProps&&(v=t(r,m)),y=n(g,v,m)}function u(){var t=e(h,m),r=!d(t,g);return g=t,r&&(y=n(g,v,m)),y}function c(e,t){var n=!p(t,m),r=!l(e,h);return h=e,m=t,n&&r?a():n?s():r?u():y}var l=o.areStatesEqual,p=o.areOwnPropsEqual,d=o.areStatePropsEqual,f=!1,h=void 0,m=void 0,g=void 0,v=void 0,y=void 0;return function(e,t){return f?c(e,t):i(e,t)}}function a(e,t){var n=t.initMapStateToProps,a=t.initMapDispatchToProps,s=t.initMergeProps,u=r(t,["initMapStateToProps","initMapDispatchToProps","initMergeProps"]),c=n(e,u),l=a(e,u),p=s(e,u),d=u.pure?i:o;return d(c,l,p,e,u)}n(289);t.a=a},function(e,t,n){"use strict";n(63)},function(e,t,n){"use strict";function r(e,t){if(e===t)return!0;var n=0,r=0;for(var i in e){if(o.call(e,i)&&e[i]!==t[i])return!1;n++}for(var a in t)o.call(t,a)&&r++;return n===r}t.a=r;var o=Object.prototype.hasOwnProperty},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(409);n.d(t,"Router",function(){return r.a});var o=n(370);n.d(t,"Link",function(){return o.a});var i=n(405);n.d(t,"IndexLink",function(){return i.a});var a=n(420);n.d(t,"withRouter",function(){return a.a});var s=n(406);n.d(t,"IndexRedirect",function(){return s.a});var u=n(407);n.d(t,"IndexRoute",function(){return u.a});var c=n(372);n.d(t,"Redirect",function(){return c.a});var l=n(408);n.d(t,"Route",function(){return l.a});var p=n(69);n.d(t,"createRoutes",function(){return p.a});var d=n(334);n.d(t,"RouterContext",function(){return d.a});var f=n(333);n.d(t,"locationShape",function(){return f.a}),n.d(t,"routerShape",function(){return f.b});var h=n(418);n.d(t,"match",function(){return h.a});var m=n(377);n.d(t,"useRouterHistory",function(){return m.a});var g=n(127);n.d(t,"formatPattern",function(){return g.a});var v=n(411);n.d(t,"applyRouterMiddleware",function(){return v.a});var y=n(412);n.d(t,"browserHistory",function(){return y.a});var b=n(416);n.d(t,"hashHistory",function(){return b.a});var _=n(374);n.d(t,"createMemoryHistory",function(){return _.a})},function(e,t,n){"use strict";function r(e){var t=/[=:]/g,n={"=":"=0",":":"=2"},r=(""+e).replace(t,function(e){return n[e]});return"$"+r}function o(e){var t=/(=0|=2)/g,n={"=0":"=","=2":":"},r="."===e[0]&&"$"===e[1]?e.substring(2):e.substring(1);return(""+r).replace(t,function(e){return n[e]})}var i={escape:r,unescape:o};e.exports=i},function(e,t,n){"use strict";var r=n(24),o=(n(1),function(e){var t=this;if(t.instancePool.length){var n=t.instancePool.pop();return t.call(n,e),n}return new t(e)}),i=function(e,t){var n=this;if(n.instancePool.length){var r=n.instancePool.pop();return n.call(r,e,t),r}return new n(e,t)},a=function(e,t,n){var r=this;if(r.instancePool.length){var o=r.instancePool.pop();return r.call(o,e,t,n),o}return new r(e,t,n)},s=function(e,t,n,r){var o=this;if(o.instancePool.length){var i=o.instancePool.pop();return o.call(i,e,t,n,r),i}return new o(e,t,n,r)},u=function(e){var t=this;e instanceof t?void 0:r("25"),e.destructor(),t.instancePool.length>"),P={array:a("array"),bool:a("boolean"),func:a("function"),number:a("number"),object:a("object"),string:a("string"),symbol:a("symbol"),any:s(),arrayOf:u,element:c(),instanceOf:l,node:h(),objectOf:d,oneOf:p,oneOfType:f,shape:m};o.prototype=Error.prototype,e.exports=P},function(e,t,n){"use strict";var r="SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED";e.exports=r},function(e,t,n){"use strict";function r(e,t,n){this.props=e,this.context=t,this.refs=u,this.updater=n||s}function o(){}var i=n(4),a=n(64),s=n(65),u=n(25);o.prototype=a.prototype,r.prototype=new o,r.prototype.constructor=r,i(r.prototype,a.prototype),r.prototype.isPureReactComponent=!0,e.exports=r},function(e,t,n){"use strict";e.exports="15.4.2"},function(e,t,n){"use strict";function r(e){return i.isValidElement(e)?void 0:o("143"),e}var o=n(24),i=n(23);n(1);e.exports=r},function(e,t,n){"use strict";function r(e,t){return e&&"object"==typeof e&&null!=e.key?c.escape(e.key):t.toString(36)}function o(e,t,n,i){var d=typeof e;if("undefined"!==d&&"boolean"!==d||(e=null),null===e||"string"===d||"number"===d||"object"===d&&e.$$typeof===s)return n(i,e,""===t?l+r(e,0):t),1;var f,h,m=0,g=""===t?l:t+p;if(Array.isArray(e))for(var v=0;v=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6),u=n(207);n(327);var c;!function(e){e[e.landscape=0]="landscape",e[e.portrait=1]="portrait"}(c=t.CoverStyle||(t.CoverStyle={})),t.CoverStyleMap=(d={},d[c.landscape]="ms-Image-image--landscape",d[c.portrait]="ms-Image-image--portrait",d),t.ImageFitMap=(f={},f[u.ImageFit.center]="ms-Image-image--center",f[u.ImageFit.contain]="ms-Image-image--contain",f[u.ImageFit.cover]="ms-Image-image--cover",f[u.ImageFit.none]="ms-Image-image--none",f);var l="fabricImage",p=function(e){function n(t){var n=e.call(this,t)||this;return n.state={loadState:u.ImageLoadState.notLoaded},n}return r(n,e),n.prototype.componentWillReceiveProps=function(e){e.src!==this.props.src?this.setState({loadState:u.ImageLoadState.notLoaded}):this.state.loadState===u.ImageLoadState.loaded&&this._computeCoverStyle(e)},n.prototype.componentDidUpdate=function(e,t){this._checkImageLoaded(),this.props.onLoadingStateChange&&t.loadState!==this.state.loadState&&this.props.onLoadingStateChange(this.state.loadState)},n.prototype.render=function(){var e=s.getNativeProps(this.props,s.imageProperties,["width","height"]),n=this.props,r=n.src,i=n.alt,c=n.width,p=n.height,d=n.shouldFadeIn,f=n.className,h=n.imageFit,m=n.role,g=n.maximizeFrame,v=this.state.loadState,y=this._coverStyle,b=v===u.ImageLoadState.loaded;return a.createElement("div",{className:s.css("ms-Image",f,{"ms-Image--maximizeFrame":g}),style:{width:c,height:p},ref:this._resolveRef("_frameElement")},a.createElement("img",o({},e,{onLoad:this._onImageLoaded,onError:this._onImageError,key:l+this.props.src||"",className:s.css("ms-Image-image",void 0!==y&&t.CoverStyleMap[y],void 0!==h&&t.ImageFitMap[h],{"is-fadeIn":d,"is-notLoaded":!b,"is-loaded":b,"ms-u-fadeIn400":b&&d,"is-error":v===u.ImageLoadState.error,"ms-Image-image--scaleWidth":void 0===h&&!!c&&!p,"ms-Image-image--scaleHeight":void 0===h&&!c&&!!p,"ms-Image-image--scaleWidthHeight":void 0===h&&!!c&&!!p}),ref:this._resolveRef("_imageElement"),src:r,alt:i,role:m})))},n.prototype._onImageLoaded=function(e){var t=this.props,n=t.src,r=t.onLoad;r&&r(e),this._computeCoverStyle(this.props),n&&this.setState({loadState:u.ImageLoadState.loaded})},n.prototype._checkImageLoaded=function(){var e=this.props.src,t=this.state.loadState;if(t===u.ImageLoadState.notLoaded){var r=e&&this._imageElement.naturalWidth>0&&this._imageElement.naturalHeight>0||this._imageElement.complete&&n._svgRegex.test(e);r&&(this._computeCoverStyle(this.props),this.setState({loadState:u.ImageLoadState.loaded}))}},n.prototype._computeCoverStyle=function(e){var t=e.imageFit,n=e.width,r=e.height;if((t===u.ImageFit.cover||t===u.ImageFit.contain)&&this._imageElement){var o=void 0;o=n&&r?n/r:this._frameElement.clientWidth/this._frameElement.clientHeight;var i=this._imageElement.naturalWidth/this._imageElement.naturalHeight;i>o?this._coverStyle=c.landscape:this._coverStyle=c.portrait}},n.prototype._onImageError=function(e){this.props.onError&&this.props.onError(e),this.setState({loadState:u.ImageLoadState.error})},n}(s.BaseComponent);p.defaultProps={shouldFadeIn:!0},p._svgRegex=/\.svg$/i,i([s.autobind],p.prototype,"_onImageLoaded",null),i([s.autobind],p.prototype,"_onImageError",null),t.Image=p;var d,f},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(0),i=n(41),a=n(347),s=n(6);n(362);var u={},c=function(e){function t(t){var n=e.call(this,t,{onLayerMounted:"onLayerDidMount"})||this;return n.props.hostId&&(u[n.props.hostId]||(u[n.props.hostId]=[]),u[n.props.hostId].push(n)),n}return r(t,e),t.notifyHostChanged=function(e){u[e]&&u[e].forEach(function(e){return e.forceUpdate()})},t.prototype.componentDidMount=function(){this.componentDidUpdate()},t.prototype.componentWillUnmount=function(){var e=this;this._removeLayerElement(),this.props.hostId&&(u[this.props.hostId]=u[this.props.hostId].filter(function(t){return t!==e}),u[this.props.hostId].length||delete u[this.props.hostId])},t.prototype.componentDidUpdate=function(){var e=this,t=this._getHost();if(t!==this._host&&this._removeLayerElement(),t){if(this._host=t,!this._layerElement){var n=s.getDocument(this._rootElement);this._layerElement=n.createElement("div"),this._layerElement.className=s.css("ms-Layer",{"ms-Layer--fixed":!this.props.hostId}),t.appendChild(this._layerElement),s.setVirtualParent(this._layerElement,this._rootElement)}i.unstable_renderSubtreeIntoContainer(this,o.createElement(a.Fabric,{className:"ms-Layer-content"},this.props.children),this._layerElement,function(){e._hasMounted||(e._hasMounted=!0,e.props.onLayerMounted&&e.props.onLayerMounted(),e.props.onLayerDidMount())})}},t.prototype.render=function(){return o.createElement("span",{className:"ms-Layer",ref:this._resolveRef("_rootElement")})},t.prototype._removeLayerElement=function(){if(this._layerElement){this.props.onLayerWillUnmount(),i.unmountComponentAtNode(this._layerElement);var e=this._layerElement.parentNode;e&&e.removeChild(this._layerElement),this._layerElement=void 0,this._hasMounted=!1}},t.prototype._getHost=function(){var e=this.props.hostId,t=s.getDocument(this._rootElement);return e?t.getElementById(e):t.body},t}(s.BaseComponent);c.defaultProps={onLayerDidMount:function(){},onLayerWillUnmount:function(){}},t.Layer=c},function(e,t,n){"use strict";var r=n(0);t.IconButton=function(e){return r.createElement("a",{title:e.title,"aria-label":e.title,className:"ms-Button ms-Button--icon",onClick:e.onClick,disabled:"undefined"!=typeof e.disabled&&e.disabled},r.createElement("span",{className:"ms-Button-icon"},r.createElement("i",{className:"ms-Icon ms-Icon--"+e.icon})),r.createElement("span",{className:"ms-Button-label"}," ",e.text))}},function(e,t,n){"use strict";var r=n(0),o=n(291),i=n(385),a=n(386),s=function(){function e(){this._location=[{filterItem:function(e){return"ScriptLink"===e.Location&&!!e.ScriptSrc},key:"ScriptSrc",name:"Script Src",renderForm:function(e,t){return r.createElement(i.default,{item:e,onInputChange:t,isScriptBlock:!1})},spLocationName:"ScriptLink",type:"ScriptSrc",validateForm:function(e){return e.sequence>0&&""!==e.scriptSrc}},{filterItem:function(e){return"ScriptLink"===e.Location&&!!e.ScriptBlock},key:"ScriptBlock",name:"Script Block",renderForm:function(e,t){return r.createElement(i.default,{item:e,onInputChange:t,isScriptBlock:!0})},spLocationName:"ScriptLink",type:"ScriptBlock",validateForm:function(e){return e.sequence>0&&""!==e.scriptBlock}},{filterItem:function(e){var t=["ActionsMenu","SiteActions"];return"Microsoft.SharePoint.StandardMenu"===e.Location&&t.indexOf(e.Group)>=0},key:"StandardMenu",name:"Standard Menu",renderForm:function(e,t){return r.createElement(a.default,{item:e,onInputChange:t})},spLocationName:"Microsoft.SharePoint.StandardMenu",type:"StandardMenu",validateForm:function(e){return e.sequence>0&&""!==e.group&&""!==e.url}}]}return Object.defineProperty(e.prototype,"supportedCustomActions",{get:function(){return this._location.map(function(e){return e.spLocationName})},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"supportedCustomActionsFilter",{get:function(){return this._location.map(function(e){return e.filterItem})},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"contextMenuItems",{get:function(){var e=this;return this._location.map(function(t){return{className:"ms-ContextualMenu-item",key:t.key,name:t.name,onRender:e._renderCharmMenuItem,type:t.type}})},enumerable:!0,configurable:!0}),e.prototype.getFormComponent=function(e,t){var n;return n="ScriptLink"===e.location?this._location.filter(function(t){return e.scriptBlock?"ScriptBlock"===t.type:"ScriptSrc"===t.type}):this._location.filter(function(t){return t.spLocationName===e.location}),n.length>0?n[0].renderForm(e,t):null},e.prototype.getLocationItem=function(e){var t;return t="ScriptLink"===e.location?this._location.filter(function(t){return e.scriptBlock?"ScriptBlock"===t.type:"ScriptSrc"===t.type}):this._location.filter(function(t){return t.spLocationName===e.location}),t.length>0?t[0]:null},e.prototype.getLocationByKey=function(e){var t=this._location.filter(function(t){return t.key===e});return t.length>0?t[0]:null},e.prototype.getSpLocationNameByType=function(e){var t=this.getLocationByKey(e);return t?t.spLocationName:null},e.prototype._renderCharmMenuItem=function(e){return r.createElement(o.Link,{className:"ms-ContextualMenu-link",to:"newItem/"+e.type,key:e.name},r.createElement("div",{className:"ms-ContextualMenu-linkContent"},r.createElement("span",{className:"ms-ContextualMenu-itemText ms-fontWeight-regular"},e.name)))},e}();t.customActionLocationHelper=new s},function(e,t,n){"use strict";t.__esModule=!0,t.go=t.replaceLocation=t.pushLocation=t.startListener=t.getUserConfirmation=t.getCurrentLocation=void 0;var r=n(126),o=n(187),i=n(343),a=n(68),s=n(320),u="popstate",c="hashchange",l=s.canUseDOM&&!(0,o.supportsPopstateOnHashchange)(),p=function(e){var t=e&&e.key;return(0,r.createLocation)({pathname:window.location.pathname,search:window.location.search,hash:window.location.hash,state:t?(0,i.readState)(t):void 0},void 0,t)},d=t.getCurrentLocation=function(){var e=void 0;try{e=window.history.state||{}}catch(t){e={}}return p(e)},f=(t.getUserConfirmation=function(e,t){return t(window.confirm(e))},t.startListener=function(e){var t=function(t){void 0!==t.state&&e(p(t.state))};(0,o.addEventListener)(window,u,t);var n=function(){return e(d())};return l&&(0,o.addEventListener)(window,c,n),function(){(0,o.removeEventListener)(window,u,t),l&&(0,o.removeEventListener)(window,c,n)}},function(e,t){var n=e.state,r=e.key;void 0!==n&&(0,i.saveState)(r,n),t({key:r},(0,a.createPath)(e))});t.pushLocation=function(e){return f(e,function(e,t){return window.history.pushState(e,null,t)})},t.replaceLocation=function(e){return f(e,function(e,t){return window.history.replaceState(e,null,t)})},t.go=function(e){e&&window.history.go(e)}},function(e,t,n){"use strict";t.__esModule=!0;t.canUseDOM=!("undefined"==typeof window||!window.document||!window.document.createElement)},function(e,t,n){"use strict";function r(e){return e&&e.__esModule?e:{default:e}}t.__esModule=!0;var o=n(392),i=n(68),a=n(322),s=r(a),u=n(186),c=n(126),l=function(){var e=arguments.length<=0||void 0===arguments[0]?{}:arguments[0],t=e.getCurrentLocation,n=e.getUserConfirmation,r=e.pushLocation,a=e.replaceLocation,l=e.go,p=e.keyLength,d=void 0,f=void 0,h=[],m=[],g=[],v=function(){return f&&f.action===u.POP?g.indexOf(f.key):d?g.indexOf(d.key):-1},y=function(e){var t=v();d=e,d.action===u.PUSH?g=[].concat(g.slice(0,t+1),[d.key]):d.action===u.REPLACE&&(g[t]=d.key),m.forEach(function(e){return e(d)})},b=function(e){return h.push(e),function(){return h=h.filter(function(t){return t!==e})}},_=function(e){return m.push(e),function(){return m=m.filter(function(t){return t!==e})}},w=function(e,t){(0,o.loopAsync)(h.length,function(t,n,r){(0,s.default)(h[t],e,function(e){return null!=e?r(e):n()})},function(e){n&&"string"==typeof e?n(e,function(e){return t(e!==!1)}):t(e!==!1)})},E=function(e){d&&(0,c.locationsAreEqual)(d,e)||f&&(0,c.locationsAreEqual)(f,e)||(f=e,w(e,function(t){if(f===e)if(f=null,t){if(e.action===u.PUSH){var n=(0,i.createPath)(d),o=(0,i.createPath)(e);o===n&&(0,c.statesAreEqual)(d.state,e.state)&&(e.action=u.REPLACE)}e.action===u.POP?y(e):e.action===u.PUSH?r(e)!==!1&&y(e):e.action===u.REPLACE&&a(e)!==!1&&y(e)}else if(d&&e.action===u.POP){var s=g.indexOf(d.key),p=g.indexOf(e.key);s!==-1&&p!==-1&&l(s-p)}}))},C=function(e){return E(O(e,u.PUSH))},x=function(e){return E(O(e,u.REPLACE))},S=function(){return l(-1)},T=function(){return l(1)},P=function(){return Math.random().toString(36).substr(2,p||6)},I=function(e){return(0,i.createPath)(e)},O=function(e,t){var n=arguments.length<=2||void 0===arguments[2]?P():arguments[2];return(0,c.createLocation)(e,t,n)};return{getCurrentLocation:t,listenBefore:b,listen:_,transitionTo:E,push:C,replace:x,go:l,goBack:S,goForward:T,createKey:P,createPath:i.createPath,createHref:I,createLocation:O}};t.default=l},function(e,t,n){"use strict";function r(e){return e&&e.__esModule?e:{default:e}}t.__esModule=!0;var o=n(70),i=(r(o),function(e,t,n){var r=e(t,n);e.length<2&&n(r)});t.default=i},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(353))},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(330))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(134),u=n(6),c="data-is-focusable",l="data-disable-click-on-enter",p="data-focuszone-id",d="tabindex",f={},h=["text","number","password","email","tel","url","search"],m=function(e){function t(t){var n=e.call(this,t)||this;return n._id=u.getId("FocusZone"),f[n._id]=n,n._focusAlignment={left:0,top:0},n}return r(t,e),t.prototype.componentDidMount=function(){for(var e=this.refs.root.ownerDocument.defaultView,t=u.getParent(this.refs.root);t&&t!==document.body&&1===t.nodeType;){if(u.isElementFocusZone(t)){this._isInnerZone=!0;break}t=u.getParent(t)}this._events.on(e,"keydown",this._onKeyDownCapture,!0),this._updateTabIndexes(),this.props.defaultActiveElement&&(this._activeElement=u.getDocument().querySelector(this.props.defaultActiveElement))},t.prototype.componentWillUnmount=function(){delete f[this._id]},t.prototype.render=function(){var e=this.props,t=e.rootProps,n=e.ariaLabelledBy,r=e.className;return a.createElement("div",o({},t,{className:u.css("ms-FocusZone",r),ref:"root","data-focuszone-id":this._id,"aria-labelledby":n,onKeyDown:this._onKeyDown,onFocus:this._onFocus},{onMouseDownCapture:this._onMouseDown}),this.props.children)},t.prototype.focus=function(){if(this._activeElement&&u.elementContains(this.refs.root,this._activeElement))return this._activeElement.focus(),!0;var e=this.refs.root.firstChild;return this.focusElement(u.getNextElement(this.refs.root,e,!0))},t.prototype.focusElement=function(e){var t=this.props.onBeforeFocus;return!(t&&!t(e))&&(!(!e||(this._activeElement&&(this._activeElement.tabIndex=-1),this._activeElement=e,!e))&&(this._focusAlignment||this._setFocusAlignment(e,!0,!0),this._activeElement.tabIndex=0,e.focus(),!0))},t.prototype._onFocus=function(e){var t=this.props.onActiveElementChanged;if(this._isImmediateDescendantOfZone(e.target))this._activeElement=e.target,this._setFocusAlignment(this._activeElement);else for(var n=e.target;n&&n!==this.refs.root;){if(u.isElementTabbable(n)&&this._isImmediateDescendantOfZone(n)){this._activeElement=n;break}n=u.getParent(n)}t&&t(this._activeElement,e)},t.prototype._onKeyDownCapture=function(e){e.which===u.KeyCodes.tab&&this._updateTabIndexes()},t.prototype._onMouseDown=function(e){var t=this.props.disabled;if(!t){for(var n=e.target,r=[];n&&n!==this.refs.root;)r.push(n),n=u.getParent(n);for(;r.length&&(n=r.pop(),!u.isElementFocusZone(n));)n&&u.isElementTabbable(n)&&(n.tabIndex=0,this._setFocusAlignment(n,!0,!0))}},t.prototype._onKeyDown=function(e){var t=this.props,n=t.direction,r=t.disabled,o=t.isInnerZoneKeystroke;if(!r){if(o&&this._isImmediateDescendantOfZone(e.target)&&o(e)){var i=this._getFirstInnerZone();if(!i||!i.focus())return}else switch(e.which){case u.KeyCodes.left:if(n!==s.FocusZoneDirection.vertical&&this._moveFocusLeft())break;return;case u.KeyCodes.right:if(n!==s.FocusZoneDirection.vertical&&this._moveFocusRight())break;return;case u.KeyCodes.up:if(n!==s.FocusZoneDirection.horizontal&&this._moveFocusUp())break;return;case u.KeyCodes.down:if(n!==s.FocusZoneDirection.horizontal&&this._moveFocusDown())break;return;case u.KeyCodes.home:var a=this.refs.root.firstChild;if(this.focusElement(u.getNextElement(this.refs.root,a,!0)))break;return;case u.KeyCodes.end:var c=this.refs.root.lastChild;if(this.focusElement(u.getPreviousElement(this.refs.root,c,!0,!0,!0)))break;return;case u.KeyCodes.enter:if(this._tryInvokeClickForFocusable(e.target))break;return;default:return}e.preventDefault(),e.stopPropagation()}},t.prototype._tryInvokeClickForFocusable=function(e){do{if("BUTTON"===e.tagName||"A"===e.tagName)return!1;if(this._isImmediateDescendantOfZone(e)&&"true"===e.getAttribute(c)&&"true"!==e.getAttribute(l))return u.EventGroup.raise(e,"click",null,!0),!0;e=u.getParent(e)}while(e!==this.refs.root);return!1},t.prototype._getFirstInnerZone=function(e){e=e||this._activeElement||this.refs.root;for(var t=e.firstElementChild;t;){if(u.isElementFocusZone(t))return f[t.getAttribute(p)];var n=this._getFirstInnerZone(t);if(n)return n;t=t.nextElementSibling}return null},t.prototype._moveFocus=function(e,t,n){var r,o=this._activeElement,i=-1,a=!1,c=this.props.direction===s.FocusZoneDirection.bidirectional;if(!o)return!1;if(this._isElementInput(o)&&!this._shouldInputLoseFocus(o,e))return!1;var l=c?o.getBoundingClientRect():null;do{if(o=e?u.getNextElement(this.refs.root,o):u.getPreviousElement(this.refs.root,o),!c){r=o;break}if(o){var p=o.getBoundingClientRect(),d=t(l,p);if(d>-1&&(i===-1||d=0&&d<0)break}}while(o);if(r&&r!==this._activeElement)a=!0,this.focusElement(r);else if(this.props.isCircularNavigation)return e?this.focusElement(u.getNextElement(this.refs.root,this.refs.root.firstElementChild,!0)):this.focusElement(u.getPreviousElement(this.refs.root,this.refs.root.lastElementChild,!0,!0,!0));return a},t.prototype._moveFocusDown=function(){var e=-1,t=this._focusAlignment.left;return!!this._moveFocus(!0,function(n,r){var o=-1,i=Math.floor(r.top),a=Math.floor(n.bottom);return(e===-1&&i>=a||i===e)&&(e=i,o=t>=r.left&&t<=r.left+r.width?0:Math.abs(r.left+r.width/2-t)),o})&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusUp=function(){var e=-1,t=this._focusAlignment.left;return!!this._moveFocus(!1,function(n,r){var o=-1,i=Math.floor(r.bottom),a=Math.floor(r.top),s=Math.floor(n.top);return(e===-1&&i<=s||a===e)&&(e=a,o=t>=r.left&&t<=r.left+r.width?0:Math.abs(r.left+r.width/2-t)),o})&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusLeft=function(){var e=this,t=-1,n=this._focusAlignment.top;return!!this._moveFocus(u.getRTL(),function(r,o){var i=-1;return(t===-1&&o.right<=r.right&&(e.props.direction===s.FocusZoneDirection.horizontal||o.top===r.top)||o.top===t)&&(t=o.top,i=Math.abs(o.top+o.height/2-n)),i})&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusRight=function(){var e=this,t=-1,n=this._focusAlignment.top;return!!this._moveFocus(!u.getRTL(),function(r,o){var i=-1;return(t===-1&&o.left>=r.left&&(e.props.direction===s.FocusZoneDirection.horizontal||o.top===r.top)||o.top===t)&&(t=o.top,i=Math.abs(o.top+o.height/2-n)),i})&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._setFocusAlignment=function(e,t,n){if(this.props.direction===s.FocusZoneDirection.bidirectional&&(!this._focusAlignment||t||n)){var r=e.getBoundingClientRect(),o=r.left+r.width/2,i=r.top+r.height/2;this._focusAlignment||(this._focusAlignment={left:o,top:i}),t&&(this._focusAlignment.left=o),n&&(this._focusAlignment.top=i)}},t.prototype._isImmediateDescendantOfZone=function(e){for(var t=u.getParent(e);t&&t!==this.refs.root&&t!==document.body;){if(u.isElementFocusZone(t))return!1;t=u.getParent(t)}return!0},t.prototype._updateTabIndexes=function(e){e||(e=this.refs.root,this._activeElement&&!u.elementContains(e,this._activeElement)&&(this._activeElement=null));for(var t=e.children,n=0;t&&n-1){var n=e.selectionStart,r=e.selectionEnd,o=n!==r,i=e.value;if(o||n>0&&!t||n!==i.length&&t)return!1}return!0},t}(u.BaseComponent);m.defaultProps={isCircularNavigation:!1,direction:s.FocusZoneDirection.bidirectional},i([u.autobind],m.prototype,"_onFocus",null),i([u.autobind],m.prototype,"_onMouseDown",null),i([u.autobind],m.prototype,"_onKeyDown",null),t.FocusZone=m},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n]); -}r(n(325)),r(n(134))},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:".ms-Image{overflow:hidden}.ms-Image--maximizeFrame{height:100%;width:100%}.ms-Image-image{display:block;opacity:0}.ms-Image-image.is-loaded{opacity:1}.ms-Image-image--center,.ms-Image-image--contain,.ms-Image-image--cover{position:relative;top:50%}html[dir=ltr] .ms-Image-image--center,html[dir=ltr] .ms-Image-image--contain,html[dir=ltr] .ms-Image-image--cover{left:50%}html[dir=rtl] .ms-Image-image--center,html[dir=rtl] .ms-Image-image--contain,html[dir=rtl] .ms-Image-image--cover{right:50%}html[dir=ltr] .ms-Image-image--center,html[dir=ltr] .ms-Image-image--contain,html[dir=ltr] .ms-Image-image--cover{-webkit-transform:translate(-50%,-50%);transform:translate(-50%,-50%)}html[dir=rtl] .ms-Image-image--center,html[dir=rtl] .ms-Image-image--contain,html[dir=rtl] .ms-Image-image--cover{-webkit-transform:translate(50%,-50%);transform:translate(50%,-50%)}.ms-Image-image--contain.ms-Image-image--landscape{width:100%;height:auto}.ms-Image-image--contain.ms-Image-image--portrait{height:100%;width:auto}.ms-Image-image--cover.ms-Image-image--landscape{height:100%;width:auto}.ms-Image-image--cover.ms-Image-image--portrait{width:100%;height:auto}.ms-Image-image--none{height:auto;width:auto}.ms-Image-image--scaleWidthHeight{height:100%;width:100%}.ms-Image-image--scaleWidth{height:auto;width:100%}.ms-Image-image--scaleHeight{height:100%;width:auto}"}])},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=e&&u&&(a=!0,n()))}}var i=0,a=!1,s=!1,u=!1,c=void 0;o()}function o(e,t,n){function r(e,t,r){a||(t?(a=!0,n(t)):(i[e]=r,a=++s===o,a&&n(null,i)))}var o=e.length,i=[];if(0===o)return n(null,i);var a=!1,s=0;e.forEach(function(e,n){t(e,n,function(e,t){r(n,e,t)})})}t.b=r,t.a=o},function(e,t,n){"use strict";function r(e){return"@@contextSubscriber/"+e}function o(e){var t,n,o=r(e),i=o+"/listeners",a=o+"/eventIndex",u=o+"/subscribe";return n={childContextTypes:(t={},t[o]=s.isRequired,t),getChildContext:function(){var e;return e={},e[o]={eventIndex:this[a],subscribe:this[u]},e},componentWillMount:function(){this[i]=[],this[a]=0},componentWillReceiveProps:function(){this[a]++},componentDidUpdate:function(){var e=this;this[i].forEach(function(t){return t(e[a])})}},n[u]=function(e){var t=this;return this[i].push(e),function(){t[i]=t[i].filter(function(t){return t!==e})}},n}function i(e){var t,n,o=r(e),i=o+"/lastRenderedEventIndex",a=o+"/handleContextUpdate",u=o+"/unsubscribe";return n={contextTypes:(t={},t[o]=s,t),getInitialState:function(){var e;return this.context[o]?(e={},e[i]=this.context[o].eventIndex,e):{}},componentDidMount:function(){this.context[o]&&(this[u]=this.context[o].subscribe(this[a]))},componentWillReceiveProps:function(){var e;this.context[o]&&this.setState((e={},e[i]=this.context[o].eventIndex,e))},componentWillUnmount:function(){this[u]&&(this[u](),this[u]=null)}},n[a]=function(e){if(e!==this.state[i]){var t;this.setState((t={},t[i]=e,t))}},n}var a=n(0);n.n(a);t.a=o,t.b=i;var s=a.PropTypes.shape({subscribe:a.PropTypes.func.isRequired,eventIndex:a.PropTypes.number.isRequired})},function(e,t,n){"use strict";var r=n(0);n.n(r);n.d(t,"b",function(){return u}),n.d(t,"a",function(){return c});var o=r.PropTypes.func,i=r.PropTypes.object,a=r.PropTypes.shape,s=r.PropTypes.string,u=a({push:o.isRequired,replace:o.isRequired,go:o.isRequired,goBack:o.isRequired,goForward:o.isRequired,setRouteLeaveHook:o.isRequired,isActive:o.isRequired}),c=a({pathname:s.isRequired,search:s.isRequired,state:i,action:s.isRequired,key:s})},function(e,t,n){"use strict";var r=n(16),o=n.n(r),i=n(0),a=n.n(i),s=n(415),u=n(332),c=n(69),l=Object.assign||function(e){for(var t=1;t1?t-1:0),o=1;o1?t-1:0),o=1;o=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},i=n(0),a=n(46),s=n(6),u=n(369),c=n(349);n(351);var l={top:0,left:0},p={opacity:0},d=1,f=8,h=function(e){function t(t){var n=e.call(this,t,{beakStyle:"beakWidth"})||this;return n._didSetInitialFocus=!1,n.state={positions:null,slideDirectionalClassName:null,calloutElementRect:null},n._positionAttempts=0,n}return r(t,e),t.prototype.componentDidUpdate=function(){this._setInitialFocus(),this._updatePosition()},t.prototype.componentWillMount=function(){var e=this.props.targetElement?this.props.targetElement:this.props.target;this._setTargetWindowAndElement(e)},t.prototype.componentWillUpdate=function(e){if(e.targetElement!==this.props.targetElement||e.target!==this.props.target){var t=e.targetElement?e.targetElement:e.target;this._maxHeight=void 0,this._setTargetWindowAndElement(t)}e.gapSpace===this.props.gapSpace&&this.props.beakWidth===e.beakWidth||(this._maxHeight=void 0)},t.prototype.componentDidMount=function(){this._onComponentDidMount()},t.prototype.render=function(){if(!this._targetWindow)return null;var e=this.props,t=e.className,n=e.target,r=e.targetElement,o=e.isBeakVisible,a=e.beakStyle,u=e.children,d=e.beakWidth,f=this.state.positions,h=d;"ms-Callout-smallbeak"===a&&(h=16);var m={top:f&&f.beakPosition?f.beakPosition.top:l.top,left:f&&f.beakPosition?f.beakPosition.left:l.left,height:h,width:h},g=f&&f.directionalClassName?"ms-u-"+f.directionalClassName:"",v=this._getMaxHeight(),y=o&&(!!r||!!n),b=i.createElement("div",{ref:this._resolveRef("_hostElement"),className:"ms-Callout-container"},i.createElement("div",{className:s.css("ms-Callout",t,g),style:f?f.calloutPosition:p,ref:this._resolveRef("_calloutElement")},y&&i.createElement("div",{className:"ms-Callout-beak",style:m}),y&&i.createElement("div",{className:"ms-Callout-beakCurtain"}),i.createElement(c.Popup,{className:"ms-Callout-main",onDismiss:this.dismiss,shouldRestoreFocus:!0,style:{maxHeight:v}},u)));return b},t.prototype.dismiss=function(e){var t=this.props.onDismiss;t&&t(e)},t.prototype._dismissOnScroll=function(e){this.state.positions&&this._dismissOnLostFocus(e)},t.prototype._dismissOnLostFocus=function(e){var t=e.target,n=this._hostElement&&!s.elementContains(this._hostElement,t);(!this._target&&n||e.target!==this._targetWindow&&n&&(this._target.stopPropagation||!this._target||t!==this._target&&!s.elementContains(this._target,t)))&&this.dismiss(e)},t.prototype._setInitialFocus=function(){this.props.setInitialFocus&&!this._didSetInitialFocus&&this.state.positions&&(this._didSetInitialFocus=!0,s.focusFirstChild(this._calloutElement))},t.prototype._onComponentDidMount=function(){var e=this;this._async.setTimeout(function(){e._events.on(e._targetWindow,"scroll",e._dismissOnScroll,!0),e._events.on(e._targetWindow,"resize",e.dismiss,!0),e._events.on(e._targetWindow,"focus",e._dismissOnLostFocus,!0),e._events.on(e._targetWindow,"click",e._dismissOnLostFocus,!0)},0),this.props.onLayerMounted&&this.props.onLayerMounted(),this._updatePosition()},t.prototype._updatePosition=function(){var e=this.state.positions,t=this._hostElement,n=this._calloutElement;if(t&&n){var r=void 0;r=s.assign(r,this.props),r.bounds=this._getBounds(),this.props.targetElement?r.targetElement=this._target:r.target=this._target;var o=u.getRelativePositions(r,t,n);!e&&o||e&&o&&!this._arePositionsEqual(e,o)&&this._positionAttempts<5?(this._positionAttempts++,this.setState({positions:o})):(this._positionAttempts=0,this.props.onPositioned&&this.props.onPositioned())}},t.prototype._getBounds=function(){if(!this._bounds){var e=this.props.bounds;e||(e={top:0+f,left:0+f,right:this._targetWindow.innerWidth-f,bottom:this._targetWindow.innerHeight-f,width:this._targetWindow.innerWidth-2*f,height:this._targetWindow.innerHeight-2*f}),this._bounds=e}return this._bounds},t.prototype._getMaxHeight=function(){if(!this._maxHeight)if(this.props.directionalHintFixed&&this._target){var e=this.props.isBeakVisible?this.props.beakWidth:0,t=this.props.gapSpace?this.props.gapSpace:0;this._maxHeight=u.getMaxHeight(this._target,this.props.directionalHint,e+t,this._getBounds())}else this._maxHeight=this._getBounds().height-2*d;return this._maxHeight},t.prototype._arePositionsEqual=function(e,t){return e.calloutPosition.top.toFixed(2)===t.calloutPosition.top.toFixed(2)&&(e.calloutPosition.left.toFixed(2)===t.calloutPosition.left.toFixed(2)&&(e.beakPosition.top.toFixed(2)===t.beakPosition.top.toFixed(2)&&e.beakPosition.top.toFixed(2)===t.beakPosition.top.toFixed(2)))},t.prototype._setTargetWindowAndElement=function(e){if(e)if("string"==typeof e){var t=s.getDocument();this._target=t?t.querySelector(e):null,this._targetWindow=s.getWindow()}else if(e.stopPropagation)this._target=e,this._targetWindow=s.getWindow(e.toElement);else{var n=e;this._target=e,this._targetWindow=s.getWindow(n)}else this._targetWindow=s.getWindow()},t}(s.BaseComponent);h.defaultProps={isBeakVisible:!0,beakWidth:16,gapSpace:16,directionalHint:a.DirectionalHint.bottomAutoEdge},o([s.autobind],h.prototype,"dismiss",null),o([s.autobind],h.prototype,"_setInitialFocus",null),o([s.autobind],h.prototype,"_onComponentDidMount",null),t.CalloutContent=h},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(350)),r(n(46))},function(e,t,n){"use strict";function r(e){var t=o(e);return!(!t||!t.length)}function o(e){return e.subMenuProps?e.subMenuProps.items:e.items}var i=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},a=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},u=n(0),c=n(313),l=n(46),p=n(196),d=n(6),f=n(323),h=n(348);n(355);var m;!function(e){e[e.vertical=0]="vertical",e[e.horizontal=1]="horizontal"}(m||(m={}));var g;!function(e){e[e.auto=0]="auto",e[e.left=1]="left",e[e.center=2]="center",e[e.right=3]="right"}(g||(g={}));var v;!function(e){e[e.top=0]="top",e[e.center=1]="center",e[e.bottom=2]="bottom"}(v||(v={})),t.hasSubmenuItems=r,t.getSubmenuItems=o;var y=function(e){function t(t){var n=e.call(this,t)||this;return n.state={contextualMenuItems:null,subMenuId:d.getId("ContextualMenu")},n._isFocusingPreviousElement=!1,n._enterTimerId=0,n}return i(t,e),t.prototype.dismiss=function(e,t){var n=this.props.onDismiss;n&&n(e,t)},t.prototype.componentWillUpdate=function(e){if(e.targetElement!==this.props.targetElement||e.target!==this.props.target){var t=e.targetElement?e.targetElement:e.target;this._setTargetWindowAndElement(t)}},t.prototype.componentWillMount=function(){var e=this.props.targetElement?this.props.targetElement:this.props.target;this._setTargetWindowAndElement(e),this._previousActiveElement=this._targetWindow?this._targetWindow.document.activeElement:null},t.prototype.componentDidMount=function(){this._events.on(this._targetWindow,"resize",this.dismiss)},t.prototype.componentWillUnmount=function(){var e=this;this._isFocusingPreviousElement&&this._previousActiveElement&&setTimeout(function(){return e._previousActiveElement.focus()},0),this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this,n=this.props,r=n.className,o=n.items,i=n.isBeakVisible,s=n.labelElementId,c=n.targetElement,l=n.id,h=n.targetPoint,m=n.useTargetPoint,g=n.beakWidth,v=n.directionalHint,y=n.gapSpace,b=n.coverTarget,_=n.ariaLabel,w=n.doNotLayer,E=n.arrowDirection,C=n.target,x=n.bounds,S=n.directionalHintFixed,T=n.shouldFocusOnMount,P=this.state.submenuProps,I=!(!o||!o.some(function(e){return!!e.icon||!!e.iconProps})),O=!(!o||!o.some(function(e){return!!e.canCheck}));return o&&o.length>0?u.createElement(f.Callout,{target:C,targetElement:c,targetPoint:h,useTargetPoint:m,isBeakVisible:i,beakWidth:g,directionalHint:v,gapSpace:y,coverTarget:b,doNotLayer:w,className:"ms-ContextualMenu-Callout",setInitialFocus:T,onDismiss:this.props.onDismiss,bounds:x,directionalHintFixed:S},u.createElement("div",{ref:function(t){return e._host=t},id:l,className:d.css("ms-ContextualMenu-container",r)},o&&o.length?u.createElement(p.FocusZone,{className:"ms-ContextualMenu is-open",direction:E,ariaLabelledBy:s,ref:function(t){return e._focusZone=t},rootProps:{role:"menu"}},u.createElement("ul",{className:"ms-ContextualMenu-list is-open",onKeyDown:this._onKeyDown,"aria-label":_},o.map(function(t,n){return e._renderMenuItem(t,n,O,I)}))):null,P?u.createElement(t,a({},P)):null)):null},t.prototype._renderMenuItem=function(e,t,n,r){var o=[];switch("-"===e.name&&(e.itemType=c.ContextualMenuItemType.Divider),e.itemType){case c.ContextualMenuItemType.Divider:o.push(this._renderSeparator(t,e.className));break;case c.ContextualMenuItemType.Header:o.push(this._renderSeparator(t));var i=this._renderHeaderMenuItem(e,t,n,r);o.push(this._renderListItem(i,e.key||t,e.className,e.title));break;default:var a=this._renderNormalItem(e,t,n,r);o.push(this._renderListItem(a,e.key||t,e.className,e.title))}return o},t.prototype._renderListItem=function(e,t,n,r){return u.createElement("li",{role:"menuitem",title:r,key:t,className:d.css("ms-ContextualMenu-item",n)},e)},t.prototype._renderSeparator=function(e,t){return e>0?u.createElement("li",{role:"separator",key:"separator-"+e,className:d.css("ms-ContextualMenu-divider",t)}):null},t.prototype._renderNormalItem=function(e,t,n,r){return e.onRender?[e.onRender(e)]:e.href?this._renderAnchorMenuItem(e,t,n,r):this._renderButtonItem(e,t,n,r)},t.prototype._renderHeaderMenuItem=function(e,t,n,r){return u.createElement("div",{className:"ms-ContextualMenu-header"},this._renderMenuItemChildren(e,t,n,r))},t.prototype._renderAnchorMenuItem=function(e,t,n,r){return u.createElement("div",null,u.createElement("a",a({},d.getNativeProps(e,d.anchorProperties),{href:e.href,className:d.css("ms-ContextualMenu-link",e.isDisabled||e.disabled?"is-disabled":""),role:"menuitem",onClick:this._onAnchorClick.bind(this,e)}),r?this._renderIcon(e):null,u.createElement("span",{className:"ms-ContextualMenu-linkText"}," ",e.name," ")))},t.prototype._renderButtonItem=function(e,t,n,o){var i=this,a=this.state,s=a.expandedMenuItemKey,c=a.subMenuId,l="";e.ariaLabel?l=e.ariaLabel:e.name&&(l=e.name);var p={className:d.css("ms-ContextualMenu-link",{"is-expanded":s===e.key}),onClick:this._onItemClick.bind(this,e),onKeyDown:r(e)?this._onItemKeyDown.bind(this,e):null,onMouseEnter:this._onItemMouseEnter.bind(this,e),onMouseLeave:this._onMouseLeave,onMouseDown:function(t){return i._onItemMouseDown(e,t)},disabled:e.isDisabled||e.disabled,role:"menuitem",href:e.href,title:e.title,"aria-label":l,"aria-haspopup":!!r(e)||null,"aria-owns":e.key===s?c:null};return u.createElement("button",d.assign({},d.getNativeProps(e,d.buttonProperties),p),this._renderMenuItemChildren(e,t,n,o))},t.prototype._renderMenuItemChildren=function(e,t,n,o){var i=e.isChecked||e.checked;return u.createElement("div",{className:"ms-ContextualMenu-linkContent"},n?u.createElement(h.Icon,{iconName:i?"CheckMark":"CustomIcon",className:"ms-ContextualMenu-icon",onClick:this._onItemClick.bind(this,e)}):null,o?this._renderIcon(e):null,u.createElement("span",{className:"ms-ContextualMenu-itemText"},e.name),r(e)?u.createElement(h.Icon,a({iconName:d.getRTL()?"ChevronLeft":"ChevronRight"},e.submenuIconProps,{className:d.css("ms-ContextualMenu-submenuIcon",e.submenuIconProps?e.submenuIconProps.className:"")})):null)},t.prototype._renderIcon=function(e){var t=e.iconProps?e.iconProps:{iconName:"CustomIcon",className:e.icon?"ms-Icon--"+e.icon:""},n="None"===t.iconName?"":"ms-ContextualMenu-iconColor",r=d.css("ms-ContextualMenu-icon",n,t.className);return u.createElement(h.Icon,a({},t,{className:r}))},t.prototype._onKeyDown=function(e){var t=d.getRTL()?d.KeyCodes.right:d.KeyCodes.left;(e.which===d.KeyCodes.escape||e.which===d.KeyCodes.tab||e.which===t&&this.props.isSubMenu&&this.props.arrowDirection===p.FocusZoneDirection.vertical)&&(this._isFocusingPreviousElement=!0,e.preventDefault(),e.stopPropagation(),this.dismiss(e))},t.prototype._onItemMouseEnter=function(e,t){var n=this,o=t.currentTarget;e.key!==this.state.expandedMenuItemKey&&(r(e)?this._enterTimerId=this._async.setTimeout(function(){return n._onItemSubMenuExpand(e,o)},500):this._enterTimerId=this._async.setTimeout(function(){return n._onSubMenuDismiss(t)},500))},t.prototype._onMouseLeave=function(e){this._async.clearTimeout(this._enterTimerId)},t.prototype._onItemMouseDown=function(e,t){e.onMouseDown&&e.onMouseDown(e,t)},t.prototype._onItemClick=function(e,t){var n=o(e);n&&n.length?e.key===this.state.expandedMenuItemKey?this._onSubMenuDismiss(t):this._onItemSubMenuExpand(e,t.currentTarget):this._executeItemClick(e,t),t.stopPropagation(),t.preventDefault()},t.prototype._onAnchorClick=function(e,t){this._executeItemClick(e,t),t.stopPropagation()},t.prototype._executeItemClick=function(e,t){e.onClick&&e.onClick(t,e),this.dismiss(t,!0)},t.prototype._onItemKeyDown=function(e,t){var n=d.getRTL()?d.KeyCodes.left:d.KeyCodes.right;t.which===n&&(this._onItemSubMenuExpand(e,t.currentTarget),t.preventDefault())},t.prototype._onItemSubMenuExpand=function(e,t){if(this.state.expandedMenuItemKey!==e.key){this.state.submenuProps&&this._onSubMenuDismiss();var n={items:o(e),target:t,onDismiss:this._onSubMenuDismiss,isSubMenu:!0,id:this.state.subMenuId,shouldFocusOnMount:!0,directionalHint:d.getRTL()?l.DirectionalHint.leftTopEdge:l.DirectionalHint.rightTopEdge,className:this.props.className,gapSpace:0};e.subMenuProps&&d.assign(n,e.subMenuProps),this.setState({expandedMenuItemKey:e.key,submenuProps:n})}},t.prototype._onSubMenuDismiss=function(e,t){t?this.dismiss(e,t):this.setState({dismissedMenuItemKey:this.state.expandedMenuItemKey,expandedMenuItemKey:null,submenuProps:null})},t.prototype._setTargetWindowAndElement=function(e){if(e)if("string"==typeof e){var t=d.getDocument();this._target=t?t.querySelector(e):null,this._targetWindow=d.getWindow()}else if(e.stopPropagation)this._target=e,this._targetWindow=d.getWindow(e.toElement);else{var n=e;this._target=e,this._targetWindow=d.getWindow(n)}else this._targetWindow=d.getWindow()},t}(d.BaseComponent);y.defaultProps={items:[],shouldFocusOnMount:!0,isBeakVisible:!1,gapSpace:0,directionalHint:l.DirectionalHint.bottomAutoEdge,beakWidth:16,arrowDirection:p.FocusZoneDirection.vertical}, -s([d.autobind],y.prototype,"dismiss",null),s([d.autobind],y.prototype,"_onKeyDown",null),s([d.autobind],y.prototype,"_onMouseLeave",null),s([d.autobind],y.prototype,"_onSubMenuDismiss",null),t.ContextualMenu=y},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:".ms-ContextualMenu{background-color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:';min-width:180px}.ms-ContextualMenu-list{list-style-type:none;margin:0;padding:0;line-height:0}.ms-ContextualMenu-item{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";height:36px;position:relative;box-sizing:border-box}.ms-ContextualMenu-link{font:inherit;color:inherit;background:0 0;border:none;width:100%;height:36px;line-height:36px;display:block;cursor:pointer;padding:0 6px}.ms-ContextualMenu-link::-moz-focus-inner{border:0}.ms-ContextualMenu-link{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-ContextualMenu-link:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .ms-ContextualMenu-link{text-align:left}html[dir=rtl] .ms-ContextualMenu-link{text-align:right}.ms-ContextualMenu-link:hover:not([disabled]){background:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-ContextualMenu-link.is-disabled,.ms-ContextualMenu-link[disabled]{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:";cursor:default;pointer-events:none}.ms-ContextualMenu-link.is-disabled .ms-ContextualMenu-icon,.ms-ContextualMenu-link[disabled] .ms-ContextualMenu-icon{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.is-focusVisible .ms-ContextualMenu-link:focus{background:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-ContextualMenu-link.is-expanded,.ms-ContextualMenu-link.is-expanded:hover{background:"},{theme:"neutralQuaternaryAlt",defaultValue:"#dadada"},{rawString:";color:"},{theme:"black",defaultValue:"#000000"},{rawString:';font-weight:600}.ms-ContextualMenu-header{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:12px;font-weight:400;font-weight:600;color:'},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";background:0 0;border:none;height:36px;line-height:36px;cursor:default;padding:0 6px;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.ms-ContextualMenu-header::-moz-focus-inner{border:0}.ms-ContextualMenu-header{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-ContextualMenu-header:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .ms-ContextualMenu-header{text-align:left}html[dir=rtl] .ms-ContextualMenu-header{text-align:right}a.ms-ContextualMenu-link{padding:0 6px;text-rendering:auto;color:inherit;letter-spacing:normal;word-spacing:normal;text-transform:none;text-indent:0;text-shadow:none;box-sizing:border-box}.ms-ContextualMenu-linkContent{white-space:nowrap;height:inherit;display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-align:center;-ms-flex-align:center;align-items:center;max-width:100%}.ms-ContextualMenu-divider{display:block;height:1px;background-color:"},{theme:"neutralLight",defaultValue:"#eaeaea"},{rawString:";position:relative}.ms-ContextualMenu-icon{display:inline-block;min-height:1px;max-height:36px;width:14px;margin:0 4px;vertical-align:middle;-ms-flex-negative:0;flex-shrink:0}.ms-ContextualMenu-iconColor{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}.ms-ContextualMenu-itemText{margin:0 4px;vertical-align:middle;display:inline-block;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;text-overflow:ellipsis;overflow:hidden;white-space:nowrap}.ms-ContextualMenu-linkText{margin:0 4px;display:inline-block;vertical-align:top;white-space:nowrap}.ms-ContextualMenu-submenuIcon{height:36px;line-height:36px;text-align:center;font-size:10px;display:inline-block;vertical-align:middle;-ms-flex-negative:0;flex-shrink:0}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(354)),r(n(313))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n-1&&(this.setState({isFocusVisible:!0}),u=!0)},t}(i.Component);t.Fabric=c},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(357))},function(e,t,n){"use strict";var r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6),u=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return r(t,e),t.prototype.componentWillMount=function(){this._originalFocusedElement=s.getDocument().activeElement},t.prototype.componentDidMount=function(){this._events.on(this.refs.root,"focus",this._onFocus,!0),this._events.on(this.refs.root,"blur",this._onBlur,!0),s.doesElementContainFocus(this.refs.root)&&(this._containsFocus=!0)},t.prototype.componentWillUnmount=function(){this.props.shouldRestoreFocus&&this._originalFocusedElement&&this._containsFocus&&this._originalFocusedElement!==window&&this._originalFocusedElement&&this._originalFocusedElement.focus()},t.prototype.render=function(){var e=this.props,t=e.role,n=e.className,r=e.ariaLabelledBy,i=e.ariaDescribedBy;return a.createElement("div",o({ref:"root"},s.getNativeProps(this.props,s.divProperties),{className:n,role:t,"aria-labelledby":r,"aria-describedby":i,onKeyDown:this._onKeyDown}),this.props.children)},t.prototype._onKeyDown=function(e){switch(e.which){case s.KeyCodes.escape:this.props.onDismiss&&(this.props.onDismiss(),e.preventDefault(),e.stopPropagation())}},t.prototype._onFocus=function(){this._containsFocus=!0},t.prototype._onBlur=function(){this._containsFocus=!1},t}(s.BaseComponent);u.defaultProps={shouldRestoreFocus:!0},i([s.autobind],u.prototype,"_onKeyDown",null),t.Popup=u},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n0?o:r.height}function n(e,t){var n;if(t.preventDefault){var r=t;n=new s.Rectangle(r.clientX,r.clientX,r.clientY,r.clientY)}else n=o(t);if(!b(n,e))for(var a=_(n,e),u=0,c=a;u100?s=100:s<0&&(s=0),s}function y(e,t){return!(e.width>t.width||e.height>t.height)}function b(e,t){return!(e.topt.bottom)&&(!(e.leftt.right)))}function _(e,t){var n=new Array;return e.topt.bottom&&n.push(i.bottom),e.leftt.right&&n.push(i.right),n}function w(e,t,n){var r,o;switch(t){case i.top:r={x:e.left,y:e.top},o={x:e.right,y:e.top};break;case i.left:r={x:e.left,y:e.top},o={x:e.left,y:e.bottom};break;case i.right:r={x:e.right,y:e.top},o={x:e.right,y:e.bottom};break;case i.bottom: -r={x:e.left,y:e.bottom},o={x:e.right,y:e.bottom};break;default:r={x:0,y:0},o={x:0,y:0}}return C(r,o,n)}function E(e,t,n){switch(t){case i.top:case i.bottom:return 0!==e.width?(n.x-e.left)/e.width*100:100;case i.left:case i.right:return 0!==e.height?(n.y-e.top)/e.height*100:100}}function C(e,t,n){var r=e.x+(t.x-e.x)*n/100,o=e.y+(t.y-e.y)*n/100;return{x:r,y:o}}function x(e,t){return new s.Rectangle(t.x,t.x+e.width,t.y,t.y+e.height)}function S(e,t,n){switch(n){case i.top:return x(e,{x:e.left,y:t});case i.bottom:return x(e,{x:e.left,y:t-e.height});case i.left:return x(e,{x:t,y:e.top});case i.right:return x(e,{x:t-e.width,y:e.top})}return new s.Rectangle}function T(e,t,n){var r=t.x-e.left,o=t.y-e.top;return x(e,{x:n.x-r,y:n.y-o})}function P(e,t,n){var r=0,o=0;switch(n){case i.top:o=t*-1;break;case i.left:r=t*-1;break;case i.right:r=t;break;case i.bottom:o=t}return x(e,{x:e.left+r,y:e.top+o})}function I(e,t,n,r,o,i,a){void 0===a&&(a=0);var s=w(e,t,n),u=w(r,o,i),c=T(e,s,u);return P(c,a,o)}function O(e,t,n){switch(t){case i.top:case i.bottom:var r=void 0;return r=n.x>e.right?e.right:n.xe.bottom?e.bottom:n.y-1))return c;a.splice(a.indexOf(u),1),u=a.indexOf(h)>-1?h:a.slice(-1)[0],c.calloutEdge=d[u],c.targetEdge=u,c.calloutRectangle=I(c.calloutRectangle,c.calloutEdge,c.alignPercent,t,c.targetEdge,n,o)}return e}e._getMaxHeightFromTargetRectangle=t,e._getTargetRect=n,e._getTargetRectDEPRECATED=r,e._getRectangleFromHTMLElement=o,e._positionCalloutWithinBounds=u,e._getBestRectangleFitWithinBounds=c,e._positionBeak=f,e._finalizeBeakPosition=h,e._getRectangleFromIRect=m,e._finalizeCalloutPosition=g,e._recalculateMatchingPercents=v,e._canRectangleFitWithinBounds=y,e._isRectangleWithinBounds=b,e._getOutOfBoundsEdges=_,e._getPointOnEdgeFromPercent=w,e._getPercentOfEdgeFromPoint=E,e._calculatePointPercentAlongLine=C,e._moveTopLeftOfRectangleToPoint=x,e._alignEdgeToCoordinate=S,e._movePointOnRectangleToPoint=T,e._moveRectangleInDirection=P,e._moveRectangleToAnchorRectangle=I,e._getClosestPointOnEdgeToPoint=O,e._calculateActualBeakWidthInPixels=M,e._getBorderSize=k,e._getPositionData=A,e._flipRectangleToFit=R}(f=t.positioningFunctions||(t.positioningFunctions={}));var h,m,g,v},function(e,t,n){"use strict";function r(e,t){var n={};for(var r in e)t.indexOf(r)>=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e){return 0===e.button}function i(e){return!!(e.metaKey||e.altKey||e.ctrlKey||e.shiftKey)}function a(e){for(var t in e)if(Object.prototype.hasOwnProperty.call(e,t))return!1;return!0}function s(e,t){return"function"==typeof e?e(t.location):e}var u=n(0),c=n.n(u),l=n(16),p=n.n(l),d=n(333),f=n(332),h=Object.assign||function(e){for(var t=1;t=0;r--){var o=e[r],i=o.path||"";if(n=i.replace(/\/*$/,"/")+n,0===i.indexOf("/"))break}return"/"+n}},propTypes:{path:p,from:p,to:p.isRequired,query:d,state:d,onEnter:c.c,children:c.c},render:function(){a()(!1)}});t.a=f},function(e,t,n){"use strict";function r(e,t,n){var r=i({},e,{setRouteLeaveHook:t.listenBeforeLeavingRoute,isActive:t.isActive});return o(r,n)}function o(e,t){var n=t.location,r=t.params,o=t.routes;return e.location=n,e.params=r,e.routes=o,e}t.a=r,t.b=o;var i=Object.assign||function(e){for(var t=1;t1&&void 0!==arguments[1]&&arguments[1];return e.__id__||t&&(e.__id__=E++)}function h(e){return e.map(function(e){return C[f(e)]}).filter(function(e){return e})}function m(e,r){n.i(c.a)(t,e,function(t,o){if(null==o)return void r();w=l({},o,{location:e});for(var a=h(n.i(i.a)(_,w).leaveRoutes),s=void 0,u=0,c=a.length;null==s&&u0?(i=a[0],n=u.customActionLocationHelper.getLocationItem(i)):c.spCustomActionsHistory.History.push("/")}else o&&(n=u.customActionLocationHelper.getLocationByKey(o),i={description:"",group:"",id:"",imageUrl:"",location:n.spLocationName,locationInternal:"",name:"",registrationType:0,scriptBlock:"",scriptSrc:"",sequence:1,title:"",url:""});return{customActionType:e.spCustomActionsReducer.customActionType,item:i,isWorkingOnIt:e.spCustomActionsReducer.isWorkingOnIt,locationItem:n}},m=function(e){return{createCustomAction:function(t,n){return e(s.default.createCustomAction(t,n))},updateCustomAction:function(t,n){return e(s.default.updateCustomAction(t,n))}}};Object.defineProperty(t,"__esModule",{value:!0}),t.default=a.connect(h,m)(f)},function(e,t,n){"use strict";var r=n(0),o=n(340),i=function(e){var t="",n="",i="";return e.isScriptBlock?(t="Script Block",n="scriptBlock",i=e.item.scriptBlock):(t="Script Link",n="scriptSrc",i=e.item.scriptSrc),r.createElement("div",{className:"ms-ListBasicExample-itemContent ms-Grid-col ms-u-sm11 ms-u-md11 ms-u-lg11"},r.createElement(o.SpCustomActionsItemInput,{inputKey:"title",label:"Title",value:e.item.title,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"name",label:"Name",value:e.item.name,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"description",label:"Description",value:e.item.description,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"sequence",label:"Sequence",value:e.item.sequence,type:"number",required:!0,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:n,label:t,value:i,multipleLine:e.isScriptBlock,required:!0,onValueChange:e.onInputChange}))};Object.defineProperty(t,"__esModule",{value:!0}),t.default=i},function(e,t,n){"use strict";var r=n(0),o=n(340),i=n(387),a=function(e){return r.createElement("div",{className:"ms-ListBasicExample-itemContent ms-Grid-col ms-u-sm11 ms-u-md11 ms-u-lg11"},r.createElement(o.SpCustomActionsItemInput,{inputKey:"title",label:"Title",value:e.item.title,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"name",label:"Name",value:e.item.name,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"description",label:"Description",value:e.item.description,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"imageUrl",label:"Image Url",value:e.item.imageUrl,onValueChange:e.onInputChange}),r.createElement(i.SpCustomActionsItemSelect,{selectKey:"group",label:"Group",value:e.item.group,required:!0,onValueChange:e.onInputChange,options:[{key:"ActionsMenu",text:"ActionsMenu"},{key:"SiteActions",text:"SiteActions"}]}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"sequence",label:"Sequence",value:e.item.sequence,type:"number",required:!0,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"url",label:"Url",value:e.item.url,required:!0,onValueChange:e.onInputChange}))};Object.defineProperty(t,"__esModule",{value:!0}),t.default=a},function(e,t,n){"use strict";var r=n(398),o=n(0);t.SpCustomActionsItemSelect=function(e){var t=function(t){return e.onValueChange(t.key.toString(),e.selectKey),!1},n=!e.required||""!==e.value,i="The value can not be empty";return o.createElement("div",null,o.createElement(r.Dropdown,{label:e.label,selectedKey:e.value||"",disabled:e.disabled,onChanged:t,options:e.options}),n||o.createElement("div",{className:"ms-u-screenReaderOnly"},i),n||o.createElement("span",null,o.createElement("p",{className:"ms-TextField-errorMessage ms-u-slideDownIn20"},i)))}},function(e,t,n){"use strict";var r=n(197),o=n(0),i=n(383);t.SpCustomActionList=function(e){var t=e.filtertText.toLowerCase(),n=function(t,n){return o.createElement(i.default,{item:t,key:n,caType:e.caType,deleteCustomAction:e.deleteCustomAction})},a=""!==t?e.customActions.filter(function(e,n){return e.name.toLowerCase().indexOf(t)>=0}):e.customActions;return a.sort(function(e,t){return e.sequence-t.sequence}),o.createElement(r.List,{items:a,onRenderCell:n})}},function(e,t,n){"use strict";var r=n(39),o=n(390);t.rootReducer=r.combineReducers({spCustomActionsReducer:o.spCustomActionsReducer})},function(e,t,n){"use strict";var r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=e&&a&&(o=!0,n()))}};c()}},function(e,t,n){"use strict";function r(e){return e&&e.__esModule?e:{default:e}}t.__esModule=!0,t.replaceLocation=t.pushLocation=t.startListener=t.getCurrentLocation=t.go=t.getUserConfirmation=void 0;var o=n(319);Object.defineProperty(t,"getUserConfirmation",{enumerable:!0,get:function(){return o.getUserConfirmation}}),Object.defineProperty(t,"go",{enumerable:!0,get:function(){return o.go}});var i=n(70),a=(r(i),n(126)),s=n(187),u=n(343),c=n(68),l="hashchange",p=function(){var e=window.location.href,t=e.indexOf("#");return t===-1?"":e.substring(t+1)},d=function(e){return window.location.hash=e},f=function(e){var t=window.location.href.indexOf("#");window.location.replace(window.location.href.slice(0,t>=0?t:0)+"#"+e)},h=t.getCurrentLocation=function(e,t){var n=e.decodePath(p()),r=(0,c.getQueryStringValueFromPath)(n,t),o=void 0;r&&(n=(0,c.stripQueryStringValueFromPath)(n,t),o=(0,u.readState)(r));var i=(0,c.parsePath)(n);return i.state=o,(0,a.createLocation)(i,void 0,r)},m=void 0,g=(t.startListener=function(e,t,n){var r=function(){var r=p(),o=t.encodePath(r);if(r!==o)f(o);else{var i=h(t,n);if(m&&i.key&&m.key===i.key)return;m=i,e(i)}},o=p(),i=t.encodePath(o);return o!==i&&f(i),(0,s.addEventListener)(window,l,r),function(){return(0,s.removeEventListener)(window,l,r)}},function(e,t,n,r){var o=e.state,i=e.key,a=t.encodePath((0,c.createPath)(e));void 0!==o&&(a=(0,c.addQueryStringValueToPath)(a,n,i),(0,u.saveState)(i,o)),m=e,r(a)});t.pushLocation=function(e,t,n){return g(e,t,n,function(e){p()!==e&&d(e)})},t.replaceLocation=function(e,t,n){return g(e,t,n,function(e){p()!==e&&f(e)})}},function(e,t,n){"use strict";t.__esModule=!0,t.replaceLocation=t.pushLocation=t.getCurrentLocation=t.go=t.getUserConfirmation=void 0;var r=n(319);Object.defineProperty(t,"getUserConfirmation",{enumerable:!0,get:function(){return r.getUserConfirmation}}),Object.defineProperty(t,"go",{enumerable:!0,get:function(){return r.go}});var o=n(126),i=n(68);t.getCurrentLocation=function(){return(0,o.createLocation)(window.location)},t.pushLocation=function(e){return window.location.href=(0,i.createPath)(e),!1},t.replaceLocation=function(e){return window.location.replace((0,i.createPath)(e)),!1}},function(e,t,n){"use strict";function r(e){if(e&&e.__esModule)return e;var t={};if(null!=e)for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n]);return t.default=e,t}function o(e){return e&&e.__esModule?e:{default:e}}t.__esModule=!0;var i=Object.assign||function(e){for(var t=1;t=0&&t=0&&g=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},i=n(0),a=n(46),s=n(323),u=n(196),c=n(6);n(401);var l=function(e){function t(t){var n=e.call(this,t,{isDisabled:"disabled"})||this;n._id=t.id||c.getId("Dropdown");var r=void 0!==t.defaultSelectedKey?t.defaultSelectedKey:t.selectedKey;return n.state={isOpen:!1,selectedIndex:n._getSelectedIndex(t.options,r)},n}return r(t,e),t.prototype.componentWillReceiveProps=function(e){void 0===e.selectedKey||e.selectedKey===this.props.selectedKey&&e.options===this.props.options||this.setState({selectedIndex:this._getSelectedIndex(e.options,e.selectedKey)})},t.prototype.render=function(){var e=this,n=this._id,r=this.props,o=r.className,l=r.label,p=r.options,d=r.disabled,f=r.isDisabled,h=r.ariaLabel,m=r.onRenderItem,g=void 0===m?this._onRenderItem:m,v=r.onRenderOption,y=void 0===v?this._onRenderOption:v,b=this.state,_=b.isOpen,w=b.selectedIndex,E=p[w];return void 0!==f&&(d=f),i.createElement("div",{ref:"root"},l&&i.createElement("label",{id:n+"-label",className:"ms-Label",ref:function(t){return e._dropdownLabel=t}},l),i.createElement("div",{"data-is-focusable":!d,ref:function(t){return e._dropDown=t},id:n,className:c.css("ms-Dropdown",o,{"is-open":_,"is-disabled":d}),tabIndex:d?-1:0,onKeyDown:this._onDropdownKeyDown,onClick:this._onDropdownClick,"aria-expanded":_?"true":"false",role:"combobox","aria-live":d||_?"off":"assertive","aria-label":h||l,"aria-describedby":n+"-option","aria-activedescendant":w>=0?this._id+"-list"+w:this._id+"-list"},i.createElement("span",{id:n+"-option",className:"ms-Dropdown-title",key:w,"aria-atomic":!0},E?g(E,this._onRenderItem):""),i.createElement("i",{className:"ms-Dropdown-caretDown ms-Icon ms-Icon--ChevronDown"})),_&&i.createElement(s.Callout,{isBeakVisible:!1,className:"ms-Dropdown-callout",gapSpace:0,doNotLayer:!1,targetElement:this._dropDown,directionalHint:a.DirectionalHint.bottomLeftEdge,onDismiss:this._onDismiss,onPositioned:this._onPositioned},i.createElement(u.FocusZone,{ref:this._resolveRef("_focusZone"),direction:u.FocusZoneDirection.vertical,defaultActiveElement:"#"+n+"-list"+w},i.createElement("ul",{ref:function(t){return e._optionList=t},id:n+"-list",style:{width:this._dropDown.clientWidth-2},className:"ms-Dropdown-items",role:"listbox","aria-labelledby":n+"-label"},p.map(function(r,o){return i.createElement("li",{id:n+"-list"+o.toString(),ref:t.Option+o.toString(),key:r.key,"data-index":o,"data-is-focusable":!0,className:c.css("ms-Dropdown-item",{"is-selected":w===o}),onClick:function(){return e._onItemClick(o)},onFocus:function(){return e.setSelectedIndex(o)},role:"option","aria-selected":w===o?"true":"false","aria-label":r.text},y(r,e._onRenderOption))})))))},t.prototype.focus=function(){this._dropDown&&this._dropDown.tabIndex!==-1&&this._dropDown.focus()},t.prototype.setSelectedIndex=function(e){var t=this.props,n=t.onChanged,r=t.options,o=this.state.selectedIndex;e=Math.max(0,Math.min(r.length-1,e)),e!==o&&(this.setState({selectedIndex:e}),n&&n(r[e],e))},t.prototype._onRenderItem=function(e){return i.createElement("span",null,e.text)},t.prototype._onRenderOption=function(e){return i.createElement("span",null,e.text)},t.prototype._onPositioned=function(){this._focusZone.focus()},t.prototype._onItemClick=function(e){this.setSelectedIndex(e),this.setState({isOpen:!1})},t.prototype._onDismiss=function(){this.setState({isOpen:!1})},t.prototype._getSelectedIndex=function(e,t){return c.findIndex(e,function(e){return e.isSelected||e.selected||null!=t&&e.key===t})},t.prototype._onDropdownKeyDown=function(e){switch(e.which){case c.KeyCodes.enter:this.setState({isOpen:!this.state.isOpen});break;case c.KeyCodes.escape:if(!this.state.isOpen)return;this.setState({isOpen:!1});break;case c.KeyCodes.up:this.setSelectedIndex(this.state.selectedIndex-1);break;case c.KeyCodes.down:this.setSelectedIndex(this.state.selectedIndex+1);break;case c.KeyCodes.home:this.setSelectedIndex(0);break;case c.KeyCodes.end:this.setSelectedIndex(this.props.options.length-1);break;default:return}e.stopPropagation(),e.preventDefault()},t.prototype._onDropdownClick=function(){var e=this.props,t=e.disabled,n=e.isDisabled,r=this.state.isOpen;void 0!==n&&(t=n),t||this.setState({isOpen:!r})},t}(c.BaseComponent);l.defaultProps={options:[]},l.Option="option",o([c.autobind],l.prototype,"_onRenderItem",null),o([c.autobind],l.prototype,"_onRenderOption",null),o([c.autobind],l.prototype,"_onPositioned",null),o([c.autobind],l.prototype,"_onDismiss",null),o([c.autobind],l.prototype,"_onDropdownKeyDown",null),o([c.autobind],l.prototype,"_onDropdownClick",null),t.Dropdown=l},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:'.ms-Dropdown{box-sizing:border-box;margin:0;padding:0;box-shadow:none;font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";margin-bottom:10px;position:relative;outline:0;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.ms-Dropdown:active .ms-Dropdown-caretDown,.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:focus .ms-Dropdown-caretDown,.ms-Dropdown:focus .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-caretDown,.ms-Dropdown:hover .ms-Dropdown-title{color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown:active .ms-Dropdown-caretDown,.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:focus .ms-Dropdown-caretDown,.ms-Dropdown:focus .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-caretDown,.ms-Dropdown:hover .ms-Dropdown-title{color:#1AEBFF}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown:active .ms-Dropdown-caretDown,.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:focus .ms-Dropdown-caretDown,.ms-Dropdown:focus .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-caretDown,.ms-Dropdown:hover .ms-Dropdown-title{color:#37006E}}.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-title{border-color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-title{border-color:#1AEBFF}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-title{border-color:#37006E}}.ms-Dropdown:focus .ms-Dropdown-title{border-color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown:focus .ms-Dropdown-title{border-color:#1AEBFF}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown:focus .ms-Dropdown-title{border-color:#37006E}}.ms-Dropdown .ms-Label{display:inline-block;margin-bottom:8px}.ms-Dropdown.is-disabled .ms-Dropdown-title{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";border-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";color:"},{theme:"neutralTertiary",defaultValue:"#a6a6a6"},{rawString:";cursor:default}@media screen and (-ms-high-contrast:active){.ms-Dropdown.is-disabled .ms-Dropdown-title{border-color:#0f0;color:#0f0}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown.is-disabled .ms-Dropdown-title{border-color:#600000;color:#600000}}.ms-Dropdown.is-disabled .ms-Dropdown-caretDown{color:"},{theme:"neutralTertiary",defaultValue:"#a6a6a6"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown.is-disabled .ms-Dropdown-caretDown{color:#0f0}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown.is-disabled .ms-Dropdown-caretDown{color:#600000}}.ms-Dropdown-caretDown{color:"},{theme:"neutralDark",defaultValue:"#212121"},{rawString:";font-size:12px;position:absolute;top:0;pointer-events:none;line-height:32px}html[dir=ltr] .ms-Dropdown-caretDown{right:12px}html[dir=rtl] .ms-Dropdown-caretDown{left:12px}.ms-Dropdown-title{box-sizing:border-box;margin:0;padding:0;box-shadow:none;background:"},{theme:"white",defaultValue:"#ffffff"},{rawString:";border:1px solid "},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:";cursor:pointer;display:block;height:32px;line-height:30px;padding:0 32px 0 12px;position:relative;overflow:hidden;white-space:nowrap;text-overflow:ellipsis}html[dir=rtl] .ms-Dropdown-title{padding:0 12px 0 32px}.ms-Dropdown-items{box-sizing:border-box;margin:0;padding:0;box-shadow:none;box-shadow:0 0 5px 0 rgba(0,0,0,.4);background-color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:";list-style-type:none;width:100%;top:auto;right:auto;bottom:auto;left:auto;max-width:100%;box-shadow:0 0 15px -5px rgba(0,0,0,.4);border:1px solid "},{theme:"neutralLight",defaultValue:"#eaeaea"},{rawString:";-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.ms-Dropdown-items::before{content:'';position:absolute;top:0;left:0;right:0;bottom:0;border:none}@media screen and (-ms-high-contrast:active){.ms-Dropdown-items{border:1px solid "},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown-items{border:1px solid "},{theme:"black",defaultValue:"#000000"},{rawString:"}}.ms-Dropdown-item{box-sizing:border-box;cursor:pointer;display:block;min-height:36px;line-height:20px;padding:6px 12px;position:relative;border:1px solid transparent;word-wrap:break-word}@media screen and (-ms-high-contrast:active){.ms-Dropdown-item{border-color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown-item{border-color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}.ms-Dropdown-item:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown-item:hover{background-color:#1AEBFF;border-color:#1AEBFF;color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-Dropdown-item:hover:focus{border-color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown-item:hover{background-color:#37006E;border-color:#37006E;color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}.ms-Dropdown-item::-moz-focus-inner{border:0}.ms-Dropdown-item{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-Dropdown-item:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}.ms-Dropdown-item:focus{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-Dropdown-item:active{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-Dropdown-item.is-disabled{background:"},{theme:"white",defaultValue:"#ffffff"},{rawString:";color:"},{theme:"neutralTertiary",defaultValue:"#a6a6a6"},{rawString:";cursor:default}.ms-Dropdown-item.is-selected,.ms-Dropdown-item.ms-Dropdown-item--selected{background-color:"},{theme:"neutralQuaternaryAlt",defaultValue:"#dadada"},{rawString:";color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-Dropdown-item.is-selected:hover,.ms-Dropdown-item.ms-Dropdown-item--selected:hover{background-color:"},{theme:"neutralQuaternaryAlt",defaultValue:"#dadada"},{rawString:"}.ms-Dropdown-item.is-selected::-moz-focus-inner,.ms-Dropdown-item.ms-Dropdown-item--selected::-moz-focus-inner{border:0}.ms-Dropdown-item.is-selected,.ms-Dropdown-item.ms-Dropdown-item--selected{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-Dropdown-item.is-selected:focus:after,.ms-Fabric.is-focusVisible .ms-Dropdown-item.ms-Dropdown-item--selected:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown-item.is-selected,.ms-Dropdown-item.ms-Dropdown-item--selected{background-color:#1AEBFF;border-color:#1AEBFF;color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-Dropdown-item.is-selected:focus,.ms-Dropdown-item.ms-Dropdown-item--selected:focus{border-color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown-item.is-selected,.ms-Dropdown-item.ms-Dropdown-item--selected{background-color:#37006E;border-color:#37006E;color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(400))},,function(e,t,n){"use strict";function r(e){switch(e.arrayFormat){case"index":return function(t,n,r){return null===n?[i(t,e),"[",r,"]"].join(""):[i(t,e),"[",i(r,e),"]=",i(n,e)].join("")};case"bracket":return function(t,n){return null===n?i(t,e):[i(t,e),"[]=",i(n,e)].join("")};default:return function(t,n){return null===n?i(t,e):[i(t,e),"=",i(n,e)].join("")}}}function o(e){var t;switch(e.arrayFormat){case"index":return function(e,n,r){return t=/\[(\d*)\]$/.exec(e),e=e.replace(/\[\d*\]$/,""),t?(void 0===r[e]&&(r[e]={}),void(r[e][t[1]]=n)):void(r[e]=n)};case"bracket":return function(e,n,r){return t=/(\[\])$/.exec(e),e=e.replace(/\[\]$/,""),t&&void 0!==r[e]?void(r[e]=[].concat(r[e],n)):void(r[e]=n)};default:return function(e,t,n){return void 0===n[e]?void(n[e]=t):void(n[e]=[].concat(n[e],t))}}}function i(e,t){return t.encode?t.strict?s(e):encodeURIComponent(e):e}function a(e){return Array.isArray(e)?e.sort():"object"==typeof e?a(Object.keys(e)).sort(function(e,t){return Number(e)-Number(t)}).map(function(t){return e[t]}):e}var s=n(421),u=n(4);t.extract=function(e){return e.split("?")[1]||""},t.parse=function(e,t){t=u({arrayFormat:"none"},t);var n=o(t),r=Object.create(null);return"string"!=typeof e?r:(e=e.trim().replace(/^(\?|#|&)/,""))?(e.split("&").forEach(function(e){var t=e.replace(/\+/g," ").split("="),o=t.shift(),i=t.length>0?t.join("="):void 0;i=void 0===i?null:decodeURIComponent(i),n(decodeURIComponent(o),i,r)}),Object.keys(r).sort().reduce(function(e,t){var n=r[t];return Boolean(n)&&"object"==typeof n&&!Array.isArray(n)?e[t]=a(n):e[t]=n,e},Object.create(null))):r},t.stringify=function(e,t){var n={encode:!0,strict:!0,arrayFormat:"none"};t=u(n,t);var o=r(t);return e?Object.keys(e).sort().map(function(n){var r=e[n];if(void 0===r)return"";if(null===r)return i(n,t);if(Array.isArray(r)){var a=[];return r.slice().forEach(function(e){void 0!==e&&a.push(o(n,e,a.length))}),a.join("&")}return i(n,t)+"="+i(r,t)}).filter(function(e){return e.length>0}).join("&"):""}},function(e,t,n){"use strict";var r=n(0),o=n.n(r),i=n(370),a=Object.assign||function(e){for(var t=1;t=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}var o=n(16),i=n.n(o),a=n(0),s=n.n(a),u=n(376),c=n(135),l=n(334),p=n(69),d=n(373),f=(n(128),Object.assign||function(e){for(var t=1;t0&&void 0!==arguments[0]?arguments[0]:r.createElement;return function(t,n){return u.reduceRight(function(e,t){return t(e,n)},e(t,n))}};return function(e){return s.reduceRight(function(t,n){return n(t,e)},o.a.createElement(i.a,a({},e,{createElement:c(e.createElement)})))}}},function(e,t,n){"use strict";var r=n(395),o=n.n(r),i=n(375);t.a=n.i(i.a)(o.a)},function(e,t,n){"use strict";function r(e,t,r){if(!e.path)return!1;var o=n.i(i.b)(e.path);return o.some(function(e){return t.params[e]!==r.params[e]})}function o(e,t){var n=e&&e.routes,o=t.routes,i=void 0,a=void 0,s=void 0;return n?!function(){var u=!1;i=n.filter(function(n){if(u)return!0;var i=o.indexOf(n)===-1||r(n,e,t);return i&&(u=!0),i}),i.reverse(),s=[],a=[],o.forEach(function(e){var t=n.indexOf(e)===-1,r=i.indexOf(e)!==-1;t||r?s.push(e):a.push(e)})}():(i=[],a=[],s=o),{leaveRoutes:i,changeRoutes:a,enterRoutes:s}}var i=n(127);t.a=o},function(e,t,n){"use strict";function r(e,t,r){if(t.component||t.components)return void r(null,t.component||t.components);var o=t.getComponent||t.getComponents;if(o){var i=o.call(t,e,r);n.i(a.a)(i)&&i.then(function(e){return r(null,e)},r)}else r()}function o(e,t){n.i(i.a)(e.routes,function(t,n,o){r(e,t,o)},t)}var i=n(331),a=n(371);t.a=o},function(e,t,n){"use strict";function r(e,t){var r={};return e.path?(n.i(o.b)(e.path).forEach(function(e){Object.prototype.hasOwnProperty.call(t,e)&&(r[e]=t[e])}),r):r}var o=n(127);t.a=r},function(e,t,n){"use strict";var r=n(396),o=n.n(r),i=n(375);t.a=n.i(i.a)(o.a)},function(e,t,n){"use strict";function r(e,t){if(e==t)return!0;if(null==e||null==t)return!1;if(Array.isArray(e))return Array.isArray(t)&&e.length===t.length&&e.every(function(e,n){return r(e,t[n])});if("object"===("undefined"==typeof e?"undefined":c(e))){for(var n in e)if(Object.prototype.hasOwnProperty.call(e,n))if(void 0===e[n]){if(void 0!==t[n])return!1}else{if(!Object.prototype.hasOwnProperty.call(t,n))return!1;if(!r(e[n],t[n]))return!1}return!0}return String(e)===String(t)}function o(e,t){return"/"!==t.charAt(0)&&(t="/"+t),"/"!==e.charAt(e.length-1)&&(e+="/"),"/"!==t.charAt(t.length-1)&&(t+="/"),t===e}function i(e,t,r){for(var o=e,i=[],a=[],s=0,c=t.length;s=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e,t){var o=e.history,a=e.routes,f=e.location,h=r(e,["history","routes","location"]);o||f?void 0:s()(!1),o=o?o:n.i(u.a)(h);var m=n.i(c.a)(o,n.i(l.a)(a));f=f?o.createLocation(f):o.getCurrentLocation(),m.match(f,function(e,r,a){var s=void 0;if(a){var u=n.i(p.a)(o,m,a);s=d({},a,{router:u,matchContext:{transitionManager:m,router:u}})}t(e,r&&o.createLocation(r,i.REPLACE),s)})}var i=n(186),a=(n.n(i),n(16)),s=n.n(a),u=n(374),c=n(376),l=n(69),p=n(373),d=Object.assign||function(e){for(var t=1;t4&&void 0!==arguments[4]?arguments[4]:[],a=arguments.length>5&&void 0!==arguments[5]?arguments[5]:[];void 0===o&&("/"!==t.pathname.charAt(0)&&(t=f({},t,{pathname:"/"+t.pathname})),o=t.pathname),n.i(c.b)(e.length,function(n,r,u){s(e[n],t,o,i,a,function(e,t){e||t?u(e,t):r()})},r)}var c=n(331),l=n(371),p=n(127),d=(n(128),n(69));t.a=u;var f=Object.assign||function(e){for(var t=1;t0&&u(t)})}function s(){return setTimeout(function(){x.runState.flushTimer=0,a()},0)}function u(e,t){x.loadStyles?x.loadStyles(m(e).styleString,e):_?v(e,t):g(e)}function l(e){x.theme=e,d()}function c(e){void 0===e&&(e=3),3!==e&&2!==e||(p(x.registeredStyles),x.registeredStyles=[]),3!==e&&1!==e||(p(x.registeredThemableStyles),x.registeredThemableStyles=[])}function p(e){e.forEach(function(e){var t=e&&e.styleElement;t&&t.parentElement&&t.parentElement.removeChild(t)})}function d(){if(x.theme){for(var e=[],t=0,n=x.registeredThemableStyles;t0&&(c(1),u([].concat.apply([],e)))}}function f(e){return e&&(e=m(h(e)).styleString),e}function m(e){var t=x.theme,n=!1;return{styleString:(e||[]).map(function(e){var r=e.theme;if(r){n=!0;var o=t?t[r]:void 0,i=e.defaultValue||"inherit";return t&&!o&&console,o||i}return e.rawString}).join(""),themable:n}}function h(e){var t=[];if(e){for(var n=0,r=void 0;r=C.exec(e);){var o=r.index;o>n&&t.push({rawString:e.substring(n,o)}),t.push({theme:r[1],defaultValue:r[2]}),n=C.lastIndex}t.push({rawString:e.substring(n)})}return t}function g(e){var t=document.getElementsByTagName("head")[0],n=document.createElement("style"),r=m(e),o=r.styleString,i=r.themable;n.type="text/css",n.appendChild(document.createTextNode(o)),x.perf.count++,t.appendChild(n);var a={styleElement:n,themableStyle:e};i?x.registeredThemableStyles.push(a):x.registeredStyles.push(a)}function v(e,t){var n=document.getElementsByTagName("head")[0],r=x.registeredStyles,o=x.lastStyleElement,i=o?o.styleSheet:void 0,a=i?i.cssText:"",s=r[r.length-1],u=m(e).styleString;(!o||a.length+u.length>E)&&(o=document.createElement("style"),o.type="text/css",t?(n.replaceChild(o,t.styleElement),t.styleElement=o):n.appendChild(o),t||(s={styleElement:o,themableStyle:e},r.push(s))),o.styleSheet.cssText+=f(u),Array.prototype.push.apply(s.themableStyle,e),x.lastStyleElement=o}function y(){var e=!1;if("undefined"!=typeof document){var t=document.createElement("style");t.type="text/css",e=!!t.styleSheet}return e}var b=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n1){for(var m=Array(f),h=0;h1){for(var v=Array(g),y=0;y-1&&o._virtual.children.splice(i,1)}n._virtual.parent=r||void 0,r&&(r._virtual||(r._virtual={children:[]}),r._virtual.children.push(n))}function o(e){var t;return e&&p(e)&&(t=e._virtual.parent),t}function i(e,t){return void 0===t&&(t=!0),e&&(t&&o(e)||e.parentNode&&e.parentNode)}function a(e,t,n){void 0===n&&(n=!0);var r=!1;if(e&&t)if(n)for(r=!1;t;){var o=i(t);if(o===e){r=!0;break}t=o}else e.contains&&(r=e.contains(t));return r}function s(e){d=e}function u(e){return d?void 0:e&&e.ownerDocument&&e.ownerDocument.defaultView?e.ownerDocument.defaultView:window}function l(e){return d?void 0:e&&e.ownerDocument?e.ownerDocument:document}function c(e){var t;return e&&(e===window?t={left:0,top:0,width:window.innerWidth,height:window.innerHeight,right:window.innerWidth,bottom:window.innerHeight}:e.getBoundingClientRect&&(t=e.getBoundingClientRect())),t}function p(e){return e&&!!e._virtual}Object.defineProperty(t,"__esModule",{value:!0}),t.setVirtualParent=r,t.getVirtualParent=o,t.getParent=i,t.elementContains=a;var d=!1;t.setSSR=s,t.getWindow=u,t.getDocument=l,t.getRect=c},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:'.ms-Button{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;border-width:0;text-decoration:none;text-align:center;cursor:pointer;display:inline-block;padding:0 16px}.ms-Button::-moz-focus-inner{border:0}.ms-Button{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-Button:focus:after{content:\'\';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid '},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Button{color:#1AEBFF;border-color:#1AEBFF}}@media screen and (-ms-high-contrast:black-on-white){.ms-Button{color:#37006E;border-color:#37006E}}.ms-Button-icon{margin:0 4px;width:16px;vertical-align:top;display:inline-block}.ms-Button-label{margin:0 4px;vertical-align:top;display:inline-block}.ms-Button--hero{background-color:transparent;border:0;height:auto}.ms-Button--hero .ms-Button-icon{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";display:inline-block;padding-top:5px;font-size:20px;line-height:1}html[dir=ltr] .ms-Button--hero .ms-Button-icon{margin-right:8px}html[dir=rtl] .ms-Button--hero .ms-Button-icon{margin-left:8px}.ms-Button--hero .ms-Button-label{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";font-size:21px;font-weight:100;vertical-align:top}.ms-Button--hero:focus,.ms-Button--hero:hover{background-color:transparent}.ms-Button--hero:focus .ms-Button-icon,.ms-Button--hero:hover .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}.ms-Button--hero:focus .ms-Button-label,.ms-Button--hero:hover .ms-Button-label{color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}.ms-Button--hero:active .ms-Button-icon{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}.ms-Button--hero:active .ms-Button-label{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}.ms-Button--hero.is-disabled .ms-Button-icon,.ms-Button--hero:disabled .ms-Button-icon{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.ms-Button--hero.is-disabled .ms-Button-label,.ms-Button--hero:disabled .ms-Button-label{color:"},{theme:"neutralTertiary",defaultValue:"#a6a6a6"},{rawString:"}"}])},function(e,t,n){"use strict";function r(e){return"button"===e||"input"===e||"select"===e||"textarea"===e}function o(e,t,n){switch(e){case"onClick":case"onClickCapture":case"onDoubleClick":case"onDoubleClickCapture":case"onMouseDown":case"onMouseDownCapture":case"onMouseMove":case"onMouseMoveCapture":case"onMouseUp":case"onMouseUpCapture":return!(!n.disabled||!r(t));default:return!1}}var i=n(3),a=n(52),s=n(53),u=n(57),l=n(109),c=n(110),p=(n(1),{}),d=null,f=function(e,t){e&&(s.executeDispatchesInOrder(e,t),e.isPersistent()||e.constructor.release(e))},m=function(e){return f(e,!0)},h=function(e){return f(e,!1)},g=function(e){return"."+e._rootNodeID},v={injection:{injectEventPluginOrder:a.injectEventPluginOrder,injectEventPluginsByName:a.injectEventPluginsByName},putListener:function(e,t,n){"function"!=typeof n&&i("94",t,typeof n);var r=g(e);(p[t]||(p[t]={}))[r]=n;var o=a.registrationNameModules[t];o&&o.didPutListener&&o.didPutListener(e,t,n)},getListener:function(e,t){var n=p[t];if(o(t,e._currentElement.type,e._currentElement.props))return null;var r=g(e);return n&&n[r]},deleteListener:function(e,t){var n=a.registrationNameModules[t];n&&n.willDeleteListener&&n.willDeleteListener(e,t);var r=p[t];if(r){delete r[g(e)]}},deleteAllListeners:function(e){var t=g(e);for(var n in p)if(p.hasOwnProperty(n)&&p[n][t]){var r=a.registrationNameModules[n];r&&r.willDeleteListener&&r.willDeleteListener(e,n),delete p[n][t]}},extractEvents:function(e,t,n,r){for(var o,i=a.plugins,s=0;s1)for(var n=1;n]/;e.exports=o},function(e,t,n){"use strict";var r,o=n(8),i=n(51),a=/^[ \r\n\t\f]/,s=/<(!--|link|noscript|meta|script|style)[ \r\n\t\f\/>]/,u=n(59),l=u(function(e,t){if(e.namespaceURI!==i.svg||"innerHTML"in e)e.innerHTML=t;else{r=r||document.createElement("div"),r.innerHTML=""+t+"";for(var n=r.firstChild;n.firstChild;)e.appendChild(n.firstChild)}});if(o.canUseDOM){var c=document.createElement("div");c.innerHTML=" ",""===c.innerHTML&&(l=function(e,t){if(e.parentNode&&e.parentNode.replaceChild(e,e),a.test(t)||"<"===t[0]&&s.test(t)){e.innerHTML=String.fromCharCode(65279)+t;var n=e.firstChild;1===n.data.length?e.removeChild(n):n.deleteData(0,1)}else e.innerHTML=t}),c=null}e.exports=l},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(128),o=n(323),i=n(322),a=n(321),s=n(127);n(129);n.d(t,"createStore",function(){return r.a}),n.d(t,"combineReducers",function(){return o.a}),n.d(t,"bindActionCreators",function(){return i.a}),n.d(t,"applyMiddleware",function(){return a.a}),n.d(t,"compose",function(){return s.a})},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(297),o=n(118),i=n(298);n.d(t,"Provider",function(){return r.a}),n.d(t,"createProvider",function(){return r.b}),n.d(t,"connectAdvanced",function(){return o.a}),n.d(t,"connect",function(){return i.a})},function(e,t,n){"use strict";e.exports=n(247)},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(t){this._id=e._uniqueId++,this._parent=t,this._eventRecords=[]}return e.raise=function(t,n,r,o){var i;if(e._isElement(t)){if(document.createEvent){var a=document.createEvent("HTMLEvents");a.initEvent(n,o,!0),a.args=r,i=t.dispatchEvent(a)}else if(document.createEventObject){var s=document.createEventObject(r);t.fireEvent("on"+n,s)}}else for(;t&&!1!==i;){var u=t.__events__,l=u?u[n]:null;for(var c in l)if(l.hasOwnProperty(c))for(var p=l[c],d=0;!1!==i&&d-1)for(var a=n.split(/[ ,]+/),s=0;s=200&&e<300}};u.headers={common:{Accept:"application/json, text/plain, */*"}},o.forEach(["delete","get","head"],function(e){u.headers[e]={}}),o.forEach(["post","put","patch"],function(e){u.headers[e]=o.merge(s)}),e.exports=u}).call(t,n(34))},function(e,t,n){"use strict";var r=n(0),o=n(138);if(void 0===r)throw Error("create-react-class could not find the React object. If you are using script tags, make sure that React is being loaded before create-react-class.");var i=(new r.Component).updater;e.exports=o(r.Component,r.isValidElement,i)},function(e,t,n){"use strict";function r(e,t){return e===t?0!==e||0!==t||1/e==1/t:e!==e&&t!==t}function o(e,t){if(r(e,t))return!0;if("object"!=typeof e||null===e||"object"!=typeof t||null===t)return!1;var n=Object.keys(e),o=Object.keys(t);if(n.length!==o.length)return!1;for(var a=0;a-1||a("96",e),!l.plugins[n]){t.extractEvents||a("97",e),l.plugins[n]=t;var r=t.eventTypes;for(var i in r)o(r[i],t,i)||a("98",i,e)}}}function o(e,t,n){l.eventNameDispatchConfigs.hasOwnProperty(n)&&a("99",n),l.eventNameDispatchConfigs[n]=e;var r=e.phasedRegistrationNames;if(r){for(var o in r)if(r.hasOwnProperty(o)){var s=r[o];i(s,t,n)}return!0}return!!e.registrationName&&(i(e.registrationName,t,n),!0)}function i(e,t,n){l.registrationNameModules[e]&&a("100",e),l.registrationNameModules[e]=t,l.registrationNameDependencies[e]=t.eventTypes[n].dependencies}var a=n(3),s=(n(1),null),u={},l={plugins:[],eventNameDispatchConfigs:{},registrationNameModules:{},registrationNameDependencies:{},possibleRegistrationNames:null,injectEventPluginOrder:function(e){s&&a("101"),s=Array.prototype.slice.call(e),r()},injectEventPluginsByName:function(e){var t=!1;for(var n in e)if(e.hasOwnProperty(n)){var o=e[n];u.hasOwnProperty(n)&&u[n]===o||(u[n]&&a("102",n),u[n]=o,t=!0)}t&&r()},getPluginModuleForEvent:function(e){var t=e.dispatchConfig;if(t.registrationName)return l.registrationNameModules[t.registrationName]||null;if(void 0!==t.phasedRegistrationNames){var n=t.phasedRegistrationNames;for(var r in n)if(n.hasOwnProperty(r)){var o=l.registrationNameModules[n[r]];if(o)return o}}return null},_resetEventPlugins:function(){s=null;for(var e in u)u.hasOwnProperty(e)&&delete u[e];l.plugins.length=0;var t=l.eventNameDispatchConfigs;for(var n in t)t.hasOwnProperty(n)&&delete t[n];var r=l.registrationNameModules;for(var o in r)r.hasOwnProperty(o)&&delete r[o]}};e.exports=l},function(e,t,n){"use strict";function r(e){return"topMouseUp"===e||"topTouchEnd"===e||"topTouchCancel"===e}function o(e){return"topMouseMove"===e||"topTouchMove"===e}function i(e){return"topMouseDown"===e||"topTouchStart"===e}function a(e,t,n,r){var o=e.type||"unknown-event";e.currentTarget=v.getNodeFromInstance(r),t?h.invokeGuardedCallbackWithCatch(o,n,e):h.invokeGuardedCallback(o,n,e),e.currentTarget=null}function s(e,t){var n=e._dispatchListeners,r=e._dispatchInstances;if(Array.isArray(n))for(var o=0;o0&&r.length<20?n+" (keys: "+r.join(", ")+")":n}function i(e,t){var n=s.get(e);if(!n){return null}return n}var a=n(3),s=(n(14),n(29)),u=(n(11),n(12)),l=(n(1),n(2),{isMounted:function(e){var t=s.get(e);return!!t&&!!t._renderedComponent},enqueueCallback:function(e,t,n){l.validateCallback(t,n);var o=i(e);if(!o)return null;o._pendingCallbacks?o._pendingCallbacks.push(t):o._pendingCallbacks=[t],r(o)},enqueueCallbackInternal:function(e,t){e._pendingCallbacks?e._pendingCallbacks.push(t):e._pendingCallbacks=[t],r(e)},enqueueForceUpdate:function(e){var t=i(e,"forceUpdate");t&&(t._pendingForceUpdate=!0,r(t))},enqueueReplaceState:function(e,t,n){var o=i(e,"replaceState");o&&(o._pendingStateQueue=[t],o._pendingReplaceState=!0,void 0!==n&&null!==n&&(l.validateCallback(n,"replaceState"),o._pendingCallbacks?o._pendingCallbacks.push(n):o._pendingCallbacks=[n]),r(o))},enqueueSetState:function(e,t){var n=i(e,"setState");if(n){(n._pendingStateQueue||(n._pendingStateQueue=[])).push(t),r(n)}},enqueueElementInternal:function(e,t,n){e._pendingElement=t,e._context=n,r(e)},validateCallback:function(e,t){e&&"function"!=typeof e&&a("122",t,o(e))}});e.exports=l},function(e,t,n){"use strict";var r=function(e){return"undefined"!=typeof MSApp&&MSApp.execUnsafeLocalFunction?function(t,n,r,o){MSApp.execUnsafeLocalFunction(function(){return e(t,n,r,o)})}:e};e.exports=r},function(e,t,n){"use strict";function r(e){var t,n=e.keyCode;return"charCode"in e?0===(t=e.charCode)&&13===n&&(t=13):t=n,t>=32||13===t?t:0}e.exports=r},function(e,t,n){"use strict";function r(e){var t=this,n=t.nativeEvent;if(n.getModifierState)return n.getModifierState(e);var r=i[e];return!!r&&!!n[r]}function o(e){return r}var i={Alt:"altKey",Control:"ctrlKey",Meta:"metaKey",Shift:"shiftKey"};e.exports=o},function(e,t,n){"use strict";function r(e){var t=e.target||e.srcElement||window;return t.correspondingUseElement&&(t=t.correspondingUseElement),3===t.nodeType?t.parentNode:t}e.exports=r},function(e,t,n){"use strict";function r(e,t){if(!i.canUseDOM||t&&!("addEventListener"in document))return!1;var n="on"+e,r=n in document;if(!r){var a=document.createElement("div");a.setAttribute(n,"return;"),r="function"==typeof a[n]}return!r&&o&&"wheel"===e&&(r=document.implementation.hasFeature("Events.wheel","3.0")),r}var o,i=n(8);i.canUseDOM&&(o=document.implementation&&document.implementation.hasFeature&&!0!==document.implementation.hasFeature("","")),e.exports=r},function(e,t,n){"use strict";function r(e,t){var n=null===e||!1===e,r=null===t||!1===t;if(n||r)return n===r;var o=typeof e,i=typeof t;return"string"===o||"number"===o?"string"===i||"number"===i:"object"===i&&e.type===t.type&&e.key===t.key}e.exports=r},function(e,t,n){"use strict";var r=(n(4),n(10)),o=(n(2),r);e.exports=o},function(e,t,n){"use strict";function r(e){"undefined"!=typeof console&&console.error;try{throw new Error(e)}catch(e){}}t.a=r},function(e,t){var n;n=function(){return this}();try{n=n||Function("return this")()||(0,eval)("this")}catch(e){"object"==typeof window&&(n=window)}e.exports=n},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(15),o=function(){function e(){}return e.capitalize=function(e){return e.charAt(0).toUpperCase()+e.slice(1)},e.formatString=function(){for(var e=[],t=0;t=a&&(!t||s)?(l=n,c&&(r.clearTimeout(c),c=null),o=e.apply(r._parent,i)):null===c&&u&&(c=r.setTimeout(p,f)),o};return function(){for(var e=[],t=0;t=a&&(m=!0),c=n);var h=n-c,g=a-h,v=n-p,y=!1;return null!==l&&(v>=l&&d?y=!0:g=Math.min(g,l-v)),h>=a||y||m?(d&&(r.clearTimeout(d),d=null),p=n,o=e.apply(r._parent,i)):null!==d&&t||!u||(d=r.setTimeout(f,g)),o};return function(){for(var e=[],t=0;t1?t[1]:""}return this.__className},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_disposables",{get:function(){return this.__disposables||(this.__disposables=[]),this.__disposables},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_async",{get:function(){return this.__async||(this.__async=new u.Async(this),this._disposables.push(this.__async)),this.__async},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_events",{get:function(){return this.__events||(this.__events=new l.EventGroup(this),this._disposables.push(this.__events)),this.__events},enumerable:!0,configurable:!0}),t.prototype._resolveRef=function(e){var t=this;return this.__resolves||(this.__resolves={}),this.__resolves[e]||(this.__resolves[e]=function(n){return t[e]=n}),this.__resolves[e]},t.prototype._updateComponentRef=function(e,t){void 0===t&&(t={}),this._shouldUpdateComponentRef&&(!e&&t.componentRef||e&&e.componentRef!==t.componentRef)&&(e&&e.componentRef&&e.componentRef(null),t.componentRef&&t.componentRef(this))},t.prototype._warnDeprecations=function(e){c.warnDeprecations(this.className,this.props,e)},t.prototype._warnMutuallyExclusive=function(e){c.warnMutuallyExclusive(this.className,this.props,e)},t}(s.Component);t.BaseComponent=p,p.onError=function(e){throw e},t.nullRender=i},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});!function(e){e[e.a=65]="a",e[e.backspace=8]="backspace",e[e.comma=188]="comma",e[e.del=46]="del",e[e.down=40]="down",e[e.end=35]="end",e[e.enter=13]="enter",e[e.escape=27]="escape",e[e.home=36]="home",e[e.left=37]="left",e[e.pageDown=34]="pageDown",e[e.pageUp=33]="pageUp",e[e.right=39]="right",e[e.semicolon=186]="semicolon",e[e.space=32]="space",e[e.tab=9]="tab",e[e.up=38]="up"}(t.KeyCodes||(t.KeyCodes={}))},function(e,t,n){"use strict";function r(){var e=u.getDocument();e&&e.body&&!c&&e.body.classList.add(l.default.msFabricScrollDisabled),c++}function o(){if(c>0){var e=u.getDocument();e&&e.body&&1===c&&e.body.classList.remove(l.default.msFabricScrollDisabled),c--}}function i(){if(void 0===s){var e=document.createElement("div");e.style.setProperty("width","100px"),e.style.setProperty("height","100px"),e.style.setProperty("overflow","scroll"),e.style.setProperty("position","absolute"),e.style.setProperty("top","-9999px"),document.body.appendChild(e),s=e.offsetWidth-e.clientWidth,document.body.removeChild(e)}return s}function a(e){for(var n=e;n&&n!==document.body;){if("true"===n.getAttribute(t.DATA_IS_SCROLLABLE_ATTRIBUTE))return n;n=n.parentElement}for(n=e;n&&n!==document.body;){if("false"!==n.getAttribute(t.DATA_IS_SCROLLABLE_ATTRIBUTE)){var r=getComputedStyle(n),o=r?r.getPropertyValue("overflow-y"):"";if(o&&("scroll"===o||"auto"===o))return n}n=n.parentElement}return n&&n!==document.body||(n=window),n}Object.defineProperty(t,"__esModule",{value:!0});var s,u=n(25),l=n(167),c=0;t.DATA_IS_SCROLLABLE_ATTRIBUTE="data-is-scrollable",t.disableBodyScroll=r,t.enableBodyScroll=o,t.getScrollbarWidth=i,t.findScrollableParent=a},function(e,t,n){"use strict";function r(e,t,n){for(var r in n)if(t&&r in t){var o=e+" property '"+r+"' was used but has been deprecated.",i=n[r];i&&(o+=" Use '"+i+"' instead."),s(o)}}function o(e,t,n){for(var r in n)t&&r in t&&n[r]in t&&s(e+" property '"+r+"' is mutually exclusive with '"+n[r]+"'. Use one or the other.")}function i(e){console&&console.warn}function a(e){s=void 0===e?i:e}Object.defineProperty(t,"__esModule",{value:!0});var s=i;t.warnDeprecations=r,t.warnMutuallyExclusive=o,t.warn=i,t.setWarningCallback=a},function(e,t,n){"use strict";var r=n(9),o=n(176),i=n(179),a=n(185),s=n(183),u=n(81),l="undefined"!=typeof window&&window.btoa&&window.btoa.bind(window)||n(178);e.exports=function(e){return new Promise(function(t,c){var p=e.data,d=e.headers;r.isFormData(p)&&delete d["Content-Type"];var f=new XMLHttpRequest,m="onreadystatechange",h=!1;if("undefined"==typeof window||!window.XDomainRequest||"withCredentials"in f||s(e.url)||(f=new window.XDomainRequest,m="onload",h=!0,f.onprogress=function(){},f.ontimeout=function(){}),e.auth){var g=e.auth.username||"",v=e.auth.password||"";d.Authorization="Basic "+l(g+":"+v)}if(f.open(e.method.toUpperCase(),i(e.url,e.params,e.paramsSerializer),!0),f.timeout=e.timeout,f[m]=function(){if(f&&(4===f.readyState||h)&&(0!==f.status||f.responseURL&&0===f.responseURL.indexOf("file:"))){var n="getAllResponseHeaders"in f?a(f.getAllResponseHeaders()):null,r=e.responseType&&"text"!==e.responseType?f.response:f.responseText,i={data:r,status:1223===f.status?204:f.status,statusText:1223===f.status?"No Content":f.statusText,headers:n,config:e,request:f};o(t,c,i),f=null}},f.onerror=function(){c(u("Network Error",e)),f=null},f.ontimeout=function(){c(u("timeout of "+e.timeout+"ms exceeded",e,"ECONNABORTED")),f=null},r.isStandardBrowserEnv()){var y=n(181),b=(e.withCredentials||s(e.url))&&e.xsrfCookieName?y.read(e.xsrfCookieName):void 0;b&&(d[e.xsrfHeaderName]=b)}if("setRequestHeader"in f&&r.forEach(d,function(e,t){void 0===p&&"content-type"===t.toLowerCase()?delete d[t]:f.setRequestHeader(t,e)}),e.withCredentials&&(f.withCredentials=!0),e.responseType)try{f.responseType=e.responseType}catch(e){if("json"!==f.responseType)throw e}"function"==typeof e.onDownloadProgress&&f.addEventListener("progress",e.onDownloadProgress),"function"==typeof e.onUploadProgress&&f.upload&&f.upload.addEventListener("progress",e.onUploadProgress),e.cancelToken&&e.cancelToken.promise.then(function(e){f&&(f.abort(),c(e),f=null)}),void 0===p&&(p=null),f.send(p)})}},function(e,t,n){"use strict";function r(e){this.message=e}r.prototype.toString=function(){return"Cancel"+(this.message?": "+this.message:"")},r.prototype.__CANCEL__=!0,e.exports=r},function(e,t,n){"use strict";e.exports=function(e){return!(!e||!e.__CANCEL__)}},function(e,t,n){"use strict";var r=n(175);e.exports=function(e,t,n,o){var i=new Error(e);return r(i,t,n,o)}},function(e,t,n){"use strict";e.exports=function(e,t){return function(){for(var n=new Array(arguments.length),r=0;r.":"function"==typeof t?" Instead of passing a class like Foo, pass React.createElement(Foo) or .":null!=t&&void 0!==t.props?" This may be caused by unintentionally loading two independent copies of React.":"");var a,s=g.createElement(L,{child:t});if(e){var u=x.get(e);a=u._processChildContext(u._context)}else a=T;var c=d(n);if(c){var p=c._currentElement,m=p.props.child;if(k(m,t)){var h=c._renderedComponent.getPublicInstance(),v=r&&function(){r.call(h)};return j._updateRootComponent(c,s,a,n,v),h}j.unmountComponentAtNode(n)}var y=o(n),b=y&&!!i(y),_=l(n),w=b&&!c&&!_,C=j._renderNewRootComponent(s,n,w,a)._renderedComponent.getPublicInstance();return r&&r.call(C),C},render:function(e,t,n){return j._renderSubtreeIntoContainer(null,e,t,n)},unmountComponentAtNode:function(e){c(e)||f("40");var t=d(e);if(!t){l(e),1===e.nodeType&&e.hasAttribute(A);return!1}return delete B[t._instance.rootID],P.batchedUpdates(u,t,e,!1),!0},_mountImageIntoNode:function(e,t,n,i,a){if(c(t)||f("41"),i){var s=o(t);if(C.canReuseMarkup(e,s))return void y.precacheNode(n,s);var u=s.getAttribute(C.CHECKSUM_ATTR_NAME);s.removeAttribute(C.CHECKSUM_ATTR_NAME);var l=s.outerHTML;s.setAttribute(C.CHECKSUM_ATTR_NAME,u);var p=e,d=r(p,l),h=" (client) "+p.substring(d-20,d+20)+"\n (server) "+l.substring(d-20,d+20);t.nodeType===D&&f("42",h)}if(t.nodeType===D&&f("43"),a.useCreateElement){for(;t.lastChild;)t.removeChild(t.lastChild);m.insertTreeBefore(t,e,null)}else I(t,e),y.precacheNode(n,t.firstChild)}};e.exports=j},function(e,t,n){"use strict";var r=n(3),o=n(23),i=(n(1),{HOST:0,COMPOSITE:1,EMPTY:2,getType:function(e){return null===e||!1===e?i.EMPTY:o.isValidElement(e)?"function"==typeof e.type?i.COMPOSITE:i.HOST:void r("26",e)}});e.exports=i},function(e,t,n){"use strict";var r={currentScrollLeft:0,currentScrollTop:0,refreshScrollValues:function(e){r.currentScrollLeft=e.x,r.currentScrollTop=e.y}};e.exports=r},function(e,t,n){"use strict";function r(e,t){return null==t&&o("30"),null==e?t:Array.isArray(e)?Array.isArray(t)?(e.push.apply(e,t),e):(e.push(t),e):Array.isArray(t)?[e].concat(t):[e,t]}var o=n(3);n(1);e.exports=r},function(e,t,n){"use strict";function r(e,t,n){Array.isArray(e)?e.forEach(t,n):e&&t.call(n,e)}e.exports=r},function(e,t,n){"use strict";function r(e){for(var t;(t=e._renderedNodeType)===o.COMPOSITE;)e=e._renderedComponent;return t===o.HOST?e._renderedComponent:t===o.EMPTY?null:void 0}var o=n(107);e.exports=r},function(e,t,n){"use strict";function r(){return!i&&o.canUseDOM&&(i="textContent"in document.documentElement?"textContent":"innerText"),i}var o=n(8),i=null;e.exports=r},function(e,t,n){"use strict";function r(e){var t=e.type,n=e.nodeName;return n&&"input"===n.toLowerCase()&&("checkbox"===t||"radio"===t)}function o(e){return e._wrapperState.valueTracker}function i(e,t){e._wrapperState.valueTracker=t}function a(e){e._wrapperState.valueTracker=null}function s(e){var t;return e&&(t=r(e)?""+e.checked:e.value),t}var u=n(5),l={_getTrackerFromNode:function(e){return o(u.getInstanceFromNode(e))},track:function(e){if(!o(e)){var t=u.getNodeFromInstance(e),n=r(t)?"checked":"value",s=Object.getOwnPropertyDescriptor(t.constructor.prototype,n),l=""+t[n];t.hasOwnProperty(n)||"function"!=typeof s.get||"function"!=typeof s.set||(Object.defineProperty(t,n,{enumerable:s.enumerable,configurable:!0,get:function(){return s.get.call(this)},set:function(e){l=""+e,s.set.call(this,e)}}),i(e,{getValue:function(){return l},setValue:function(e){l=""+e},stopTracking:function(){a(e),delete t[n]}}))}},updateValueIfChanged:function(e){if(!e)return!1;var t=o(e);if(!t)return l.track(e),!0;var n=t.getValue(),r=s(u.getNodeFromInstance(e));return r!==n&&(t.setValue(r),!0)},stopTracking:function(e){var t=o(e);t&&t.stopTracking()}};e.exports=l},function(e,t,n){"use strict";function r(e){if(e){var t=e.getName();if(t)return" Check the render method of `"+t+"`."}return""}function o(e){return"function"==typeof e&&void 0!==e.prototype&&"function"==typeof e.prototype.mountComponent&&"function"==typeof e.prototype.receiveComponent}function i(e,t){var n;if(null===e||!1===e)n=l.create(i);else if("object"==typeof e){var s=e,u=s.type;if("function"!=typeof u&&"string"!=typeof u){var d="";d+=r(s._owner),a("130",null==u?u:typeof u,d)}"string"==typeof s.type?n=c.createInternalComponent(s):o(s.type)?(n=new s.type(s),n.getHostNode||(n.getHostNode=n.getNativeNode)):n=new p(s)}else"string"==typeof e||"number"==typeof e?n=c.createInstanceForText(e):a("131",typeof e);return n._mountIndex=0,n._mountImage=null,n}var a=n(3),s=n(4),u=n(246),l=n(102),c=n(104),p=(n(316),n(1),n(2),function(e){this.construct(e)});s(p.prototype,u,{_instantiateReactComponent:i}),e.exports=i},function(e,t,n){"use strict";function r(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return"input"===t?!!o[e.type]:"textarea"===t}var o={color:!0,date:!0,datetime:!0,"datetime-local":!0,email:!0,month:!0,number:!0,password:!0,range:!0,search:!0,tel:!0,text:!0,time:!0,url:!0,week:!0};e.exports=r},function(e,t,n){"use strict";var r=n(8),o=n(38),i=n(39),a=function(e,t){if(t){var n=e.firstChild;if(n&&n===e.lastChild&&3===n.nodeType)return void(n.nodeValue=t)}e.textContent=t};r.canUseDOM&&("textContent"in document.documentElement||(a=function(e,t){if(3===e.nodeType)return void(e.nodeValue=t);i(e,o(t))})),e.exports=a},function(e,t,n){"use strict";function r(e,t){return e&&"object"==typeof e&&null!=e.key?l.escape(e.key):t.toString(36)}function o(e,t,n,i){var d=typeof e;if("undefined"!==d&&"boolean"!==d||(e=null),null===e||"string"===d||"number"===d||"object"===d&&e.$$typeof===s)return n(i,e,""===t?c+r(e,0):t),1;var f,m,h=0,g=""===t?c:t+p;if(Array.isArray(e))for(var v=0;v=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function s(){}function u(e,t){var n={run:function(r){try{var o=e(t.getState(),r);(o!==n.props||n.error)&&(n.shouldComponentUpdate=!0,n.props=o,n.error=null)}catch(e){n.shouldComponentUpdate=!0,n.error=e}}};return n}function l(e){var t,l,c=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},d=c.getDisplayName,_=void 0===d?function(e){return"ConnectAdvanced("+e+")"}:d,w=c.methodName,x=void 0===w?"connectAdvanced":w,C=c.renderCountProp,E=void 0===C?void 0:C,S=c.shouldHandleStateChanges,P=void 0===S||S,T=c.storeKey,O=void 0===T?"store":T,I=c.withRef,k=void 0!==I&&I,M=a(c,["getDisplayName","methodName","renderCountProp","shouldHandleStateChanges","storeKey","withRef"]),A=O+"Subscription",R=y++,D=(t={},t[O]=g.a,t[A]=g.b,t),N=(l={},l[A]=g.b,l);return function(t){f()("function"==typeof t,"You must pass a component to the function returned by connect. Instead received "+JSON.stringify(t));var a=t.displayName||t.name||"Component",l=_(a),c=v({},M,{getDisplayName:_,methodName:x,renderCountProp:E,shouldHandleStateChanges:P,storeKey:O,withRef:k,displayName:l,wrappedComponentName:a,WrappedComponent:t}),d=function(a){function p(e,t){r(this,p);var n=o(this,a.call(this,e,t));return n.version=R,n.state={},n.renderCount=0,n.store=e[O]||t[O],n.propsMode=Boolean(e[O]),n.setWrappedInstance=n.setWrappedInstance.bind(n),f()(n.store,'Could not find "'+O+'" in either the context or props of "'+l+'". Either wrap the root component in a , or explicitly pass "'+O+'" as a prop to "'+l+'".'),n.initSelector(),n.initSubscription(),n}return i(p,a),p.prototype.getChildContext=function(){var e,t=this.propsMode?null:this.subscription;return e={},e[A]=t||this.context[A],e},p.prototype.componentDidMount=function(){P&&(this.subscription.trySubscribe(),this.selector.run(this.props),this.selector.shouldComponentUpdate&&this.forceUpdate())},p.prototype.componentWillReceiveProps=function(e){this.selector.run(e)},p.prototype.shouldComponentUpdate=function(){return this.selector.shouldComponentUpdate},p.prototype.componentWillUnmount=function(){this.subscription&&this.subscription.tryUnsubscribe(),this.subscription=null,this.notifyNestedSubs=s,this.store=null,this.selector.run=s,this.selector.shouldComponentUpdate=!1},p.prototype.getWrappedInstance=function(){return f()(k,"To access the wrapped instance, you need to specify { withRef: true } in the options argument of the "+x+"() call."),this.wrappedInstance},p.prototype.setWrappedInstance=function(e){this.wrappedInstance=e},p.prototype.initSelector=function(){var t=e(this.store.dispatch,c);this.selector=u(t,this.store),this.selector.run(this.props)},p.prototype.initSubscription=function(){if(P){var e=(this.propsMode?this.props:this.context)[A];this.subscription=new h.a(this.store,e,this.onStateChange.bind(this)),this.notifyNestedSubs=this.subscription.notifyNestedSubs.bind(this.subscription)}},p.prototype.onStateChange=function(){this.selector.run(this.props),this.selector.shouldComponentUpdate?(this.componentDidUpdate=this.notifyNestedSubsOnComponentDidUpdate,this.setState(b)):this.notifyNestedSubs()},p.prototype.notifyNestedSubsOnComponentDidUpdate=function(){this.componentDidUpdate=void 0,this.notifyNestedSubs()},p.prototype.isSubscribed=function(){return Boolean(this.subscription)&&this.subscription.isSubscribed()},p.prototype.addExtraProps=function(e){if(!(k||E||this.propsMode&&this.subscription))return e;var t=v({},e);return k&&(t.ref=this.setWrappedInstance),E&&(t[E]=this.renderCount++),this.propsMode&&this.subscription&&(t[A]=this.subscription),t},p.prototype.render=function(){var e=this.selector;if(e.shouldComponentUpdate=!1,e.error)throw e.error;return n.i(m.createElement)(t,this.addExtraProps(e.props))},p}(m.Component);return d.WrappedComponent=t,d.displayName=l,d.childContextTypes=N,d.contextTypes=D,d.propTypes=D,p()(d,t)}}t.a=l;var c=n(306),p=n.n(c),d=n(17),f=n.n(d),m=n(0),h=(n.n(m),n(304)),g=n(120),v=Object.assign||function(e){for(var t=1;t0&&void 0!==arguments[0]?arguments[0]:"/",t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:c.POP,n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:null,r="string"==typeof e?(0,l.parsePath)(e):e;return{pathname:r.pathname||"/",search:r.search||"",hash:r.hash||"",state:r.state,action:t,key:n}},function(e){return"[object Date]"===Object.prototype.toString.call(e)}),d=t.statesAreEqual=function e(t,n){if(t===n)return!0;var r=void 0===t?"undefined":o(t);if(r!==(void 0===n?"undefined":o(n)))return!1;if("function"===r&&(0,s.default)(!1),"object"===r){if(p(t)&&p(n)&&(0,s.default)(!1),!Array.isArray(t)){var i=Object.keys(t),a=Object.keys(n);return i.length===a.length&&i.every(function(r){return e(t[r],n[r])})}return Array.isArray(n)&&t.length===n.length&&t.every(function(t,r){return e(t,n[r])})}return!1};t.locationsAreEqual=function(e,t){return e.key===t.key&&e.pathname===t.pathname&&e.search===t.search&&e.hash===t.hash&&d(e.state,t.state)}},function(e,t,n){"use strict";function r(e){return e.replace(/[.*+?^${}()|[\]\\]/g,"\\$&")}function o(e){for(var t="",n=[],o=[],i=void 0,a=0,s=/:([a-zA-Z_$][a-zA-Z0-9_$]*)|\*\*|\*|\(|\)|\\\(|\\\)/g;i=s.exec(e);)i.index!==a&&(o.push(e.slice(a,i.index)),t+=r(e.slice(a,i.index))),i[1]?(t+="([^/]+)",n.push(i[1])):"**"===i[0]?(t+="(.*)",n.push("splat")):"*"===i[0]?(t+="(.*?)",n.push("splat")):"("===i[0]?t+="(?:":")"===i[0]?t+=")?":"\\("===i[0]?t+="\\(":"\\)"===i[0]&&(t+="\\)"),o.push(i[0]),a=s.lastIndex;return a!==e.length&&(o.push(e.slice(a,e.length)),t+=r(e.slice(a,e.length))),{pattern:e,regexpSource:t,paramNames:n,tokens:o}}function i(e){return p[e]||(p[e]=o(e)),p[e]}function a(e,t){"/"!==e.charAt(0)&&(e="/"+e);var n=i(e),r=n.regexpSource,o=n.paramNames,a=n.tokens;"/"!==e.charAt(e.length-1)&&(r+="/?"),"*"===a[a.length-1]&&(r+="$");var s=t.match(new RegExp("^"+r,"i"));if(null==s)return null;var u=s[0],l=t.substr(u.length);if(l){if("/"!==u.charAt(u.length-1))return null;l="/"+l}return{remainingPathname:l,paramNames:o,paramValues:s.slice(1).map(function(e){return e&&decodeURIComponent(e)})}}function s(e){return i(e).paramNames}function u(e,t){t=t||{};for(var n=i(e),r=n.tokens,o=0,a="",s=0,u=[],l=void 0,p=void 0,d=void 0,f=0,m=r.length;f0||c()(!1),null!=d&&(a+=encodeURI(d));else if("("===l)u[o]="",o+=1;else if(")"===l){var h=u.pop();o-=1,o?u[o-1]+=h:a+=h}else if("\\("===l)a+="(";else if("\\)"===l)a+=")";else if(":"===l.charAt(0))if(p=l.substring(1),d=t[p],null!=d||o>0||c()(!1),null==d){if(o){u[o-1]="";for(var g=r.indexOf(l),v=r.slice(g,r.length),y=-1,b=0;b0||c()(!1),f=g+y-1}}else o?u[o-1]+=encodeURIComponent(d):a+=encodeURIComponent(d);else o?u[o-1]+=l:a+=l;return o<=0||c()(!1),a.replace(/\/+/g,"/")}t.c=a,t.b=s,t.a=u;var l=n(17),c=n.n(l),p=Object.create(null)},function(e,t,n){"use strict";var r=n(72);n.n(r)},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ActionsId={CREATE_CUSTOM_ACTION:"CREATE_CUSTOM_ACTION",DELETE_CUSTOM_ACTION:"DELETE_CUSTOM_ACTION",HANDLE_ASYNC_ERROR:"HANDLE_ASYNC_ERROR",SET_ALL_CUSTOM_ACTIONS:"SET_ALL_CUSTOM_ACTIONS",SET_FILTER_TEXT:"SET_FILTER_TEXT",SET_MESSAGE_DATA:"SET_MESSAGE_DATA",SET_USER_PERMISSIONS:"SET_USER_PERMISSIONS",SET_WORKING_ON_IT:"SET_WORKING_ON_IT",UPDATE_CUSTOM_ACTION:"UPDATE_CUSTOM_ACTION"},t.constants={CANCEL_TEXT:"Cancel",COMPONENT_SITE_CA_DIV_ID:"spSiteCustomActionsBaseDiv",COMPONENT_WEB_CA_DIV_ID:"spWebCustomActionsBaseDiv",CONFIRM_DELETE_CUSTOM_ACTION:"Are you sure you want to remove this custom action?",CREATE_TEXT:"Create",CUSTOM_ACTION_REST_REQUEST_URL:"/usercustomactions",DELETE_TEXT:"Delete",EDIT_TEXT:"Edit",EMPTY_STRING:"",EMPTY_TEXTBOX_ERROR_MESSAGE:"The value can not be empty",ERROR_MESSAGE_DELETING_CUSTOM_ACTION:"Deleting the custom action",ERROR_MESSAGE_SETTING_CUSTOM_ACTION:"Creating or updating the custom action",ERROR_MESSAGE_CHECK_USER_PERMISSIONS:"An error occurred checking current user's permissions",ERROR_MESSAGE_CREATE_CUSTOM_ACTION:"An error occurred creating a new web custom action",ERROR_MESSAGE_DELETE_CUSTOM_ACTION:"An error occurred deleting the selected custom action",ERROR_MESSAGE_GET_ALL_CUSTOM_ACTIONS:"An error occurred getting all custom actions",ERROR_MESSAGE_UPDATE_CUSTOM_ACTION:"An error occurred updating the selected custom action",MESSAGE_CUSTOM_ACTION_CREATED:"A new custom action has been created.",MESSAGE_CUSTOM_ACTION_DELETED:"The selected custom action has been deleted.",MESSAGE_CUSTOM_ACTION_UPDATED:"The selected custom action has been updated.",MESSAGE_USER_NO_PERMISSIONS:"The current user does NOT have permissions to work with the web custom action.",MODAL_DIALOG_WIDTH:"700px",MODAL_SITE_CA_DIALOG_TITLE:"Site Custom Actions",MODAL_WEB_CA_DIALOG_TITLE:"Web Custom Actions",SAVE_TEXT:"Save",STRING_STRING:"string",TEXTBOX_PREFIX:"spPropInput_",UNDEFINED_STRING:"undefined"}},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(42),o=n(15);n(148);var i=function(){function e(e){var t=this;this.remove=function(){var e=document.getElementById(o.constants.STYLE_TAG_ID);e.parentElement.removeChild(e),r.unmountComponentAtNode(document.getElementById(t.baseDivId))},this.baseDivId=e;var n=document.getElementById(this.baseDivId);if(!n){n=document.createElement(o.constants.HTML_TAG_DIV),n.setAttribute(o.constants.HTML_ATTR_ID,this.baseDivId);document.querySelector(o.constants.HTML_TAG_BODY).appendChild(n)}}return e}();t.AppBase=i},function(e,t,n){"use strict";var r=this&&this.__extends||function(){var e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])};return function(t,n){function r(){this.constructor=t}e(t,n),t.prototype=null===n?Object.create(n):(r.prototype=n.prototype,new r)}}();Object.defineProperty(t,"__esModule",{value:!0});var o=n(0),i=n(15),a=function(e){function t(){var t=e.call(this)||this;return t.state={isClosed:!1},t.closeBtnClick=t.closeBtnClick.bind(t),t}return r(t,e),t.prototype.render=function(){return o.createElement("div",{className:"chrome-sp-dev-tool-wrapper"},o.createElement("div",{className:"sp-dev-too-modal",style:void 0!==this.props.modalWidth?{width:this.props.modalWidth}:{}},o.createElement("div",{className:"sp-dev-tool-modal-header"},o.createElement("span",{className:"ms-font-xxl ms-fontColor-themePrimary ms-fontWeight-semibold"},this.props.modalDialogTitle),o.createElement("a",{title:i.constants.MODAL_WRAPPER_CLOSE_BUTTON_TEXT,className:"ms-Button ms-Button--icon sp-dev-tool-close-btn",href:i.constants.MODAL_WRAPPER_CLOSE_BUTTON_HREF,onClick:this.closeBtnClick},o.createElement("span",{className:"ms-Button-icon"},o.createElement("i",{className:"ms-Icon ms-Icon--Cancel"})),o.createElement("span",{className:"ms-Button-label"})),o.createElement("hr",null)),this.props.children))},t.prototype.closeBtnClick=function(e){this.props.onCloseClick()},t}(o.Component);t.default=a},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(15),o=function(){function e(){this._keyPrefix="spChromeDevTool_",this._isSupportedStorage=null}return Object.defineProperty(e.prototype,"isSupportedStorage",{get:function(){return null===this._isSupportedStorage&&(this._isSupportedStorage=this.checkIfStorageIsSupported()),this._isSupportedStorage},enumerable:!0,configurable:!0}),e.prototype.clear=function(e){var t=this.addKeyPrefix(e);this.CacheObject.removeItem(t)},e.prototype.get=function(e){var t=this.addKeyPrefix(e);if(this.isSupportedStorage){var n=this.CacheObject.getItem(t);if(typeof n===r.constants.TYPE_OF_STRING){var o=JSON.parse(n);if(o.expiryTime>new Date)return o.data}}return null},e.prototype.set=function(e,t,n){var o=this.addKeyPrefix(e),i=!1;if(this.isSupportedStorage&&void 0!==t){var a=new Date,s=typeof n!==r.constants.TYPE_OF_UNDEFINED?a.setMinutes(a.getMinutes()+n):864e13,u={data:t,expiryTime:s};this.CacheObject.setItem(o,JSON.stringify(u)),i=!0}return i},e.prototype.addKeyPrefix=function(e){return this._keyPrefix+window.location.href.replace(/:\/\/|\/|\./g,"_")+"_"+e},Object.defineProperty(e.prototype,"CacheObject",{get:function(){return window.localStorage},enumerable:!0,configurable:!0}),e.prototype.checkIfStorageIsSupported=function(){var e=this.CacheObject;if(e&&JSON&&typeof JSON.parse===r.constants.TYPE_OF_FUNCTION&&typeof JSON.stringify===r.constants.TYPE_OF_FUNCTION)try{var t=this._keyPrefix+"testingCache";return e.setItem(t,"1"),e.removeItem(t),!0}catch(e){}return!1},e}();t.AppCache=new o},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(211),o=n(0),i=n(15);t.WorkingOnIt=function(){return o.createElement("div",{className:"working-on-it-wrapper"},o.createElement(r.Spinner,{type:r.SpinnerType.large,label:i.constants.WORKING_ON_IT_TEXT}))}},function(e,t,n){"use strict";function r(e){return e}function o(e,t,n){function o(e,t){var n=y.hasOwnProperty(t)?y[t]:null;x.hasOwnProperty(t)&&s("OVERRIDE_BASE"===n,"ReactClassInterface: You are attempting to override `%s` from your class specification. Ensure that your method names do not overlap with React methods.",t),e&&s("DEFINE_MANY"===n||"DEFINE_MANY_MERGED"===n,"ReactClassInterface: You are attempting to define `%s` on your component more than once. This conflict may be due to a mixin.",t)}function l(e,n){if(n){s("function"!=typeof n,"ReactClass: You're attempting to use a component class or function as a mixin. Instead, just use a regular object."),s(!t(n),"ReactClass: You're attempting to use a component as a mixin. Instead, just use a regular object.");var r=e.prototype,i=r.__reactAutoBindPairs;n.hasOwnProperty(u)&&b.mixins(e,n.mixins);for(var a in n)if(n.hasOwnProperty(a)&&a!==u){var l=n[a],c=r.hasOwnProperty(a);if(o(c,a),b.hasOwnProperty(a))b[a](e,l);else{var p=y.hasOwnProperty(a),m="function"==typeof l,h=m&&!p&&!c&&!1!==n.autobind;if(h)i.push(a,l),r[a]=l;else if(c){var g=y[a];s(p&&("DEFINE_MANY_MERGED"===g||"DEFINE_MANY"===g),"ReactClass: Unexpected spec policy %s for key %s when mixing in component specs.",g,a),"DEFINE_MANY_MERGED"===g?r[a]=d(r[a],l):"DEFINE_MANY"===g&&(r[a]=f(r[a],l))}else r[a]=l}}}else;}function c(e,t){if(t)for(var n in t){var r=t[n];if(t.hasOwnProperty(n)){var o=n in b;s(!o,'ReactClass: You are attempting to define a reserved property, `%s`, that shouldn\'t be on the "statics" key. Define it as an instance property instead; it will still be accessible on the constructor.',n);var i=n in e;s(!i,"ReactClass: You are attempting to define `%s` on your component more than once. This conflict may be due to a mixin.",n),e[n]=r}}}function p(e,t){s(e&&t&&"object"==typeof e&&"object"==typeof t,"mergeIntoWithNoDuplicateKeys(): Cannot merge non-objects.");for(var n in t)t.hasOwnProperty(n)&&(s(void 0===e[n],"mergeIntoWithNoDuplicateKeys(): Tried to merge two objects with the same key: `%s`. This conflict may be due to a mixin; in particular, this may be caused by two getInitialState() or getDefaultProps() methods returning objects with clashing keys.",n),e[n]=t[n]);return e}function d(e,t){return function(){var n=e.apply(this,arguments),r=t.apply(this,arguments);if(null==n)return r;if(null==r)return n;var o={};return p(o,n),p(o,r),o}}function f(e,t){return function(){e.apply(this,arguments),t.apply(this,arguments)}}function m(e,t){var n=t.bind(e);return n}function h(e){for(var t=e.__reactAutoBindPairs,n=0;n should not have a "'+t+'" prop')}t.c=r,n.d(t,"a",function(){return i}),n.d(t,"b",function(){return a}),n.d(t,"d",function(){return u});var o=n(19),i=(n.n(o),n.i(o.shape)({listen:o.func.isRequired,push:o.func.isRequired,replace:o.func.isRequired,go:o.func.isRequired,goBack:o.func.isRequired,goForward:o.func.isRequired}),n.i(o.oneOfType)([o.func,o.string])),a=n.i(o.oneOfType)([i,o.object]),s=n.i(o.oneOfType)([o.object,o.element]),u=n.i(o.oneOfType)([s,n.i(o.arrayOf)(s)])},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(0);t.IconButton=function(e){return r.createElement("a",{title:e.title,"aria-label":e.title,className:"ms-Button ms-Button--icon",onClick:e.onClick,disabled:void 0!==e.disabled&&e.disabled},r.createElement("span",{className:"ms-Button-icon"},r.createElement("i",{className:"ms-Icon ms-Icon--"+e.icon})),r.createElement("span",{className:"ms-Button-label"}," ",e.text))}},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(0),i=n(42),a=n(362),s=n(6);n(380);var u={},l=function(e){function t(t){var n=e.call(this,t,{onLayerMounted:"onLayerDidMount"})||this;return n.props.hostId&&(u[n.props.hostId]||(u[n.props.hostId]=[]),u[n.props.hostId].push(n)),n}return r(t,e),t.notifyHostChanged=function(e){u[e]&&u[e].forEach(function(e){return e.forceUpdate()})},t.prototype.componentDidMount=function(){this.componentDidUpdate()},t.prototype.componentWillUnmount=function(){var e=this;this._removeLayerElement(),this.props.hostId&&(u[this.props.hostId]=u[this.props.hostId].filter(function(t){return t!==e}),u[this.props.hostId].length||delete u[this.props.hostId])},t.prototype.componentDidUpdate=function(){var e=this,t=this._getHost();if(t!==this._host&&this._removeLayerElement(),t){if(this._host=t,!this._layerElement){var n=s.getDocument(this._rootElement);this._layerElement=n.createElement("div"),this._layerElement.className=s.css("ms-Layer",{"ms-Layer--fixed":!this.props.hostId}),t.appendChild(this._layerElement),s.setVirtualParent(this._layerElement,this._rootElement)}i.unstable_renderSubtreeIntoContainer(this,o.createElement(a.Fabric,{className:"ms-Layer-content"},this.props.children),this._layerElement,function(){e._hasMounted||(e._hasMounted=!0,e.props.onLayerMounted&&e.props.onLayerMounted(),e.props.onLayerDidMount())})}},t.prototype.render=function(){return o.createElement("span",{className:"ms-Layer",ref:this._resolveRef("_rootElement")})},t.prototype._removeLayerElement=function(){if(this._layerElement){this.props.onLayerWillUnmount(),i.unmountComponentAtNode(this._layerElement);var e=this._layerElement.parentNode;e&&e.removeChild(this._layerElement),this._layerElement=void 0,this._hasMounted=!1}},t.prototype._getHost=function(){var e=this.props.hostId,t=s.getDocument(this._rootElement);return e?t.getElementById(e):t.body},t}(s.BaseComponent);l.defaultProps={onLayerDidMount:function(){},onLayerWillUnmount:function(){}},t.Layer=l},,function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(169),o=n(15),i=n(136),a=function(){function e(){}return e.prototype.getWebUrl=function(){var e=this;return new Promise(function(t,n){var r=window.location.href+"_ChromeSPDevTools_url",a=i.AppCache.get(r);if(a)t(a);else{var s=SP.ClientContext.get_current(),u=s.get_web();s.load(u),s.executeQueryAsync(function(){a=u.get_url(),i.AppCache.set(r,a),t(a)},e.getErrorResolver(n,o.constants.MESSAGE_GETTING_WEB_URL))}})},e.prototype.getErrorResolver=function(e,t){return function(t,n){var r=n.get_message();n.get_stackTrace();e(r)}},e.prototype.getRequest=function(e){return r.get(e,{headers:{accept:o.constants.AXIOS_HEADER_ACCEPT}})},e.prototype.checkUserPermissions=function(e){var t=this;return new Promise(function(n,r){var i=SP.ClientContext.get_current(),a=i.get_web();if(typeof a.doesUserHavePermissions!==o.constants.TYPE_OF_FUNCTION)r(o.constants.MESSAGE_CANT_CHECK_PERMISSIONS);else{var s=new SP.BasePermissions;s.set(e);var u=a.doesUserHavePermissions(s),l=function(e,t){n(u.get_value())};i.executeQueryAsync(l,t.getErrorResolver(r,o.constants.MESSAGE_CHECKING_CURRENT_USER_PERMISSIONS))}})},e}();t.default=a},function(e,t,n){"use strict";var r=this&&this.__extends||function(){var e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])};return function(t,n){function r(){this.constructor=t}e(t,n),t.prototype=null===n?Object.create(n):(r.prototype=n.prototype,new r)}}();Object.defineProperty(t,"__esModule",{value:!0});var o=n(32),i=n(0),a=n(68),s=function(e){function t(){var t=e.call(this)||this;return t.state={showMessage:!1},t.onDismissClick=t.onDismissClick.bind(t),t}return r(t,e),t.prototype.render=function(){return this.state.showMessage?i.createElement(o.MessageBar,{messageBarType:this.props.messageType,onDismiss:this.onDismissClick},a.default.capitalize(o.MessageBarType[this.props.messageType])," - ",this.props.message):null},t.prototype.componentDidMount=function(){this.setState({showMessage:this.props.showMessage})},t.prototype.componentWillReceiveProps=function(e){this.setState({showMessage:e.showMessage})},t.prototype.onDismissClick=function(e){return this.onCloseClick(e),!1},t.prototype.onCloseClick=function(e){return e.preventDefault(),this.setState({showMessage:!1}),null!==this.props.onCloseMessageClick&&this.props.onCloseMessageClick(),!1},t}(i.Component);t.default=s},function(e,t,n){"use strict";var r=this&&this.__extends||function(){var e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])};return function(t,n){function r(){this.constructor=t}e(t,n),t.prototype=null===n?Object.create(n):(r.prototype=n.prototype,new r)}}();Object.defineProperty(t,"__esModule",{value:!0});var o=n(210),i=n(0),a=n(15),s=function(e){function t(){var t=e.call(this)||this;return t._divRefCallBack=t._divRefCallBack.bind(t),t}return r(t,e),t.prototype.componentDidMount=function(){this.input&&this.input.focus()},t.prototype.render=function(){return i.createElement("div",{className:"ms-Grid filters-container"},i.createElement("div",{className:"ms-Grid-row"},i.createElement("div",{className:"ms-Grid-col ms-u-sm6 ms-u-md6 ms-u-lg6",ref:this._divRefCallBack},i.createElement(o.SearchBox,{value:this.props.filterStr,onChange:this.props.setFilterText})),i.createElement("div",{className:this.props.parentOverrideClass||"ms-Grid-col ms-u-sm6 ms-u-md6 ms-u-lg6"},this.props.children)))},t.prototype._divRefCallBack=function(e){e&&this.props.referenceCallBack&&this.props.referenceCallBack(e.querySelector(a.constants.HTML_TAG_INPUT))},t}(i.Component);t.default=s},function(e,t){},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(43),o=n(76),i=n(25),a=function(){function e(e){this._events=new r.EventGroup(this),this._scrollableParent=o.findScrollableParent(e),this._incrementScroll=this._incrementScroll.bind(this),this._scrollRect=i.getRect(this._scrollableParent),this._scrollableParent===window&&(this._scrollableParent=document.body),this._scrollableParent&&(this._events.on(window,"mousemove",this._onMouseMove,!0),this._events.on(window,"touchmove",this._onTouchMove,!0))}return e.prototype.dispose=function(){this._events.dispose(),this._stopScroll()},e.prototype._onMouseMove=function(e){this._computeScrollVelocity(e.clientY)},e.prototype._onTouchMove=function(e){e.touches.length>0&&this._computeScrollVelocity(e.touches[0].clientY)},e.prototype._computeScrollVelocity=function(e){var t=this._scrollRect.top,n=t+this._scrollRect.height-100;this._scrollVelocity=en?Math.min(15,(e-n)/100*15):0,this._scrollVelocity?this._startScroll():this._stopScroll()},e.prototype._startScroll=function(){this._timeoutId||this._incrementScroll()},e.prototype._incrementScroll=function(){this._scrollableParent.scrollTop+=Math.round(this._scrollVelocity),this._timeoutId=setTimeout(this._incrementScroll,16)},e.prototype._stopScroll=function(){this._timeoutId&&(clearTimeout(this._timeoutId),delete this._timeoutId)},e}();t.AutoScroll=a},function(e,t,n){"use strict";var r=this&&this.__extends||function(){var e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])};return function(t,n){function r(){this.constructor=t}e(t,n),t.prototype=null===n?Object.create(n):(r.prototype=n.prototype,new r)}}();Object.defineProperty(t,"__esModule",{value:!0});var o=n(0),i=n(74),a=n(44),s=function(e){function t(t,n){var r=e.call(this,t)||this;return r.state=r._getInjectedProps(t,n),r}return r(t,e),t.prototype.getChildContext=function(){return this.state},t.prototype.componentWillReceiveProps=function(e,t){this.setState(this._getInjectedProps(e,t))},t.prototype.render=function(){return o.Children.only(this.props.children)},t.prototype._getInjectedProps=function(e,t){var n=e.settings,r=void 0===n?{}:n,o=t.injectedProps,i=void 0===o?{}:o;return{injectedProps:a.assign({},i,r)}},t}(i.BaseComponent);s.contextTypes={injectedProps:o.PropTypes.object},s.childContextTypes=s.contextTypes,t.Customizer=s},function(e,t,n){"use strict";var r=this&&this.__extends||function(){var e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])};return function(t,n){function r(){this.constructor=t}e(t,n),t.prototype=null===n?Object.create(n):(r.prototype=n.prototype,new r)}}();Object.defineProperty(t,"__esModule",{value:!0});var o=n(0),i=function(e){function t(t){var n=e.call(this,t)||this;return n.state={isRendered:!1},n}return r(t,e),t.prototype.componentDidMount=function(){var e=this,t=this.props.delay;this._timeoutId=setTimeout(function(){e.setState({isRendered:!0})},t)},t.prototype.componentWillUnmount=function(){clearTimeout(this._timeoutId)},t.prototype.render=function(){return this.state.isRendered?o.Children.only(this.props.children):null},t}(o.Component);i.defaultProps={delay:0},t.DelayedRender=i},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(e,t,n,r){void 0===e&&(e=0),void 0===t&&(t=0),void 0===n&&(n=0),void 0===r&&(r=0),this.top=n,this.bottom=r,this.left=e,this.right=t}return Object.defineProperty(e.prototype,"width",{get:function(){return this.right-this.left},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"height",{get:function(){return this.bottom-this.top},enumerable:!0,configurable:!0}),e.prototype.equals=function(e){return parseFloat(this.top.toFixed(4))===parseFloat(e.top.toFixed(4))&&parseFloat(this.bottom.toFixed(4))===parseFloat(e.bottom.toFixed(4))&&parseFloat(this.left.toFixed(4))===parseFloat(e.left.toFixed(4))&&parseFloat(this.right.toFixed(4))===parseFloat(e.right.toFixed(4))},e}();t.Rectangle=r},function(e,t,n){"use strict";function r(e,t){for(var n=-1,r=0;e&&r=0||e.getAttribute&&("true"===n||"button"===e.getAttribute("role")))}function c(e){return e&&!!e.getAttribute(h)}function p(e){var t=d.getDocument(e).activeElement;return!(!t||!d.elementContains(e,t))}Object.defineProperty(t,"__esModule",{value:!0});var d=n(25),f="data-is-focusable",m="data-is-visible",h="data-focuszone-id";t.getFirstFocusable=r,t.getLastFocusable=o,t.focusFirstChild=i,t.getPreviousElement=a,t.getNextElement=s,t.isElementVisible=u,t.isElementTabbable=l,t.isElementFocusZone=c,t.doesElementContainFocus=p},function(e,t,n){"use strict";function r(e,t,n){void 0===n&&(n=i);var r=[];for(var o in t)!function(o){"function"!=typeof t[o]||void 0!==e[o]||n&&-1!==n.indexOf(o)||(r.push(o),e[o]=function(){t[o].apply(t,arguments)})}(o);return r}function o(e,t){t.forEach(function(t){return delete e[t]})}Object.defineProperty(t,"__esModule",{value:!0});var i=["setState","render","componentWillMount","componentDidMount","componentWillReceiveProps","shouldComponentUpdate","componentWillUpdate","componentDidUpdate","componentWillUnmount"];t.hoistMethods=r,t.unhoistMethods=o},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}Object.defineProperty(t,"__esModule",{value:!0}),r(n(73)),r(n(149)),r(n(74)),r(n(150)),r(n(151)),r(n(43)),r(n(75)),r(n(152)),r(n(153)),r(n(154)),r(n(155)),r(n(156)),r(n(25)),r(n(157)),r(n(158)),r(n(160)),r(n(161)),r(n(44)),r(n(163)),r(n(164)),r(n(165)),r(n(166)),r(n(76)),r(n(168)),r(n(77)),r(n(162))},function(e,t,n){"use strict";function r(e,t){var n="",r=e.split(" ");return 2===r.length?(n+=r[0].charAt(0).toUpperCase(),n+=r[1].charAt(0).toUpperCase()):3===r.length?(n+=r[0].charAt(0).toUpperCase(),n+=r[2].charAt(0).toUpperCase()):0!==r.length&&(n+=r[0].charAt(0).toUpperCase()),t&&n.length>1?n.charAt(1)+n.charAt(0):n}function o(e){return e=e.replace(a,""),e=e.replace(s," "),e=e.trim()}function i(e,t){return null==e?"":(e=o(e),u.test(e)?"":r(e,t))}Object.defineProperty(t,"__esModule",{value:!0});var a=/\([^)]*\)|[\0-\u001F\!-\/:-@\[-`\{-\u00BF\u0250-\u036F\uD800-\uFFFF]/g,s=/\s+/g,u=/[\u0600-\u06FF\u0750-\u077F\u08A0-\u08FF\u1100-\u11FF\u3130-\u318F\uA960-\uA97F\uAC00-\uD7AF\uD7B0-\uD7FF\u3040-\u309F\u30A0-\u30FF\u3400-\u4DBF\u4E00-\u9FFF\uF900-\uFAFF]|[\uD840-\uD869][\uDC00-\uDED6]/;t.getInitials=i},function(e,t,n){"use strict";function r(e,t){return Math.sqrt(Math.pow(e.x-t.x,2)+Math.pow(e.y-t.y,2))}Object.defineProperty(t,"__esModule",{value:!0}),t.getDistanceBetweenPoints=r},function(e,t,n){"use strict";function r(e){return e?"object"==typeof e?e:(a[e]||(a[e]={}),a[e]):i}function o(e){var t;return function(){for(var n=[],o=0;o=0)},{},e)}Object.defineProperty(t,"__esModule",{value:!0});var o=n(44);t.baseElementEvents=["onCopy","onCut","onPaste","onCompositionEnd","onCompositionStart","onCompositionUpdate","onFocus","onFocusCapture","onBlur","onBlurCapture","onChange","onInput","onSubmit","onLoad","onError","onKeyDown","onKeyDownCapture","onKeyPress","onKeyUp","onAbort","onCanPlay","onCanPlayThrough","onDurationChange","onEmptied","onEncrypted","onEnded","onLoadedData","onLoadedMetadata","onLoadStart","onPause","onPlay","onPlaying","onProgress","onRateChange","onSeeked","onSeeking","onStalled","onSuspend","onTimeUpdate","onVolumeChange","onWaiting","onClick","onClickCapture","onContextMenu","onDoubleClick","onDrag","onDragEnd","onDragEnter","onDragExit","onDragLeave","onDragOver","onDragStart","onDrop","onMouseDown","onMouseDownCapture","onMouseEnter","onMouseLeave","onMouseMove","onMouseOut","onMouseOver","onMouseUp","onMouseUpCapture","onSelect","onTouchCancel","onTouchEnd","onTouchMove","onTouchStart","onScroll","onWheel"],t.baseElementProperties=["defaultChecked","defaultValue","accept","acceptCharset","accessKey","action","allowFullScreen","allowTransparency","alt","async","autoComplete","autoFocus","autoPlay","capture","cellPadding","cellSpacing","charSet","challenge","checked","children","classID","className","cols","colSpan","content","contentEditable","contextMenu","controls","coords","crossOrigin","data","dateTime","default","defer","dir","download","draggable","encType","form","formAction","formEncType","formMethod","formNoValidate","formTarget","frameBorder","headers","height","hidden","high","hrefLang","htmlFor","httpEquiv","icon","id","inputMode","integrity","is","keyParams","keyType","kind","lang","list","loop","low","manifest","marginHeight","marginWidth","max","maxLength","media","mediaGroup","method","min","minLength","multiple","muted","name","noValidate","open","optimum","pattern","placeholder","poster","preload","radioGroup","readOnly","rel","required","role","rows","rowSpan","sandbox","scope","scoped","scrolling","seamless","selected","shape","size","sizes","span","spellCheck","src","srcDoc","srcLang","srcSet","start","step","style","summary","tabIndex","title","type","useMap","value","width","wmode","wrap"],t.htmlElementProperties=t.baseElementProperties.concat(t.baseElementEvents),t.anchorProperties=t.htmlElementProperties.concat(["href","target"]),t.buttonProperties=t.htmlElementProperties.concat(["disabled"]),t.divProperties=t.htmlElementProperties.concat(["align","noWrap"]),t.inputProperties=t.buttonProperties,t.textAreaProperties=t.buttonProperties,t.imageProperties=t.divProperties,t.getNativeProps=r},function(e,t,n){"use strict";function r(e){return a+e}function o(e){a=e}function i(){return"en-us"}Object.defineProperty(t,"__esModule",{value:!0});var a="";t.getResourceUrl=r,t.setBaseUrl=o,t.getLanguage=i},function(e,t,n){"use strict";function r(){var e=a;if(void 0===e){var t=u.getDocument();t&&t.documentElement&&(e="rtl"===t.documentElement.getAttribute("dir"))}return e}function o(e){var t=u.getDocument();t&&t.documentElement&&t.documentElement.setAttribute("dir",e?"rtl":"ltr"),a=e}function i(e){return r()&&(e===s.KeyCodes.left?e=s.KeyCodes.right:e===s.KeyCodes.right&&(e=s.KeyCodes.left)),e}Object.defineProperty(t,"__esModule",{value:!0});var a,s=n(75),u=n(25);t.getRTL=r,t.setRTL=o,t.getRTLSafeKeyCode=i},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(7),o={msFabricScrollDisabled:"msFabricScrollDisabled_4129cea2"};t.default=o,r.loadStyles([{rawString:".msFabricScrollDisabled_4129cea2{overflow:hidden!important}"}])},function(e,t,n){"use strict";function r(e){function t(e){var t=a[e.replace(o,"")];return null!==t&&void 0!==t||(t=""),t}for(var n=[],r=1;r>8-s%1*8)){if((n=o.charCodeAt(s+=.75))>255)throw new r;t=t<<8|n}return a}var i="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=";r.prototype=new Error,r.prototype.code=5,r.prototype.name="InvalidCharacterError",e.exports=o},function(e,t,n){"use strict";function r(e){return encodeURIComponent(e).replace(/%40/gi,"@").replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}var o=n(9);e.exports=function(e,t,n){if(!t)return e;var i;if(n)i=n(t);else if(o.isURLSearchParams(t))i=t.toString();else{var a=[];o.forEach(t,function(e,t){null!==e&&void 0!==e&&(o.isArray(e)&&(t+="[]"),o.isArray(e)||(e=[e]),o.forEach(e,function(e){o.isDate(e)?e=e.toISOString():o.isObject(e)&&(e=JSON.stringify(e)),a.push(r(t)+"="+r(e))}))}),i=a.join("&")}return i&&(e+=(-1===e.indexOf("?")?"?":"&")+i),e}},function(e,t,n){"use strict";e.exports=function(e,t){return e.replace(/\/+$/,"")+"/"+t.replace(/^\/+/,"")}},function(e,t,n){"use strict";var r=n(9);e.exports=r.isStandardBrowserEnv()?function(){return{write:function(e,t,n,o,i,a){var s=[];s.push(e+"="+encodeURIComponent(t)),r.isNumber(n)&&s.push("expires="+new Date(n).toGMTString()),r.isString(o)&&s.push("path="+o),r.isString(i)&&s.push("domain="+i),!0===a&&s.push("secure"),document.cookie=s.join("; ")},read:function(e){var t=document.cookie.match(new RegExp("(^|;\\s*)("+e+")=([^;]*)"));return t?decodeURIComponent(t[3]):null},remove:function(e){this.write(e,"",Date.now()-864e5)}}}():function(){return{write:function(){},read:function(){return null},remove:function(){}}}()},function(e,t,n){"use strict";e.exports=function(e){return/^([a-z][a-z\d\+\-\.]*:)?\/\//i.test(e)}},function(e,t,n){"use strict";var r=n(9);e.exports=r.isStandardBrowserEnv()?function(){function e(e){var t=e;return n&&(o.setAttribute("href",t),t=o.href),o.setAttribute("href",t),{href:o.href,protocol:o.protocol?o.protocol.replace(/:$/,""):"",host:o.host,search:o.search?o.search.replace(/^\?/,""):"",hash:o.hash?o.hash.replace(/^#/,""):"",hostname:o.hostname,port:o.port,pathname:"/"===o.pathname.charAt(0)?o.pathname:"/"+o.pathname}}var t,n=/(msie|trident)/i.test(navigator.userAgent),o=document.createElement("a");return t=e(window.location.href),function(n){var o=r.isString(n)?e(n):n;return o.protocol===t.protocol&&o.host===t.host}}():function(){return function(){return!0}}()},function(e,t,n){"use strict";var r=n(9);e.exports=function(e,t){r.forEach(e,function(n,r){r!==t&&r.toUpperCase()===t.toUpperCase()&&(e[t]=n,delete e[r])})}},function(e,t,n){"use strict";var r=n(9);e.exports=function(e){var t,n,o,i={};return e?(r.forEach(e.split("\n"),function(e){o=e.indexOf(":"),t=r.trim(e.substr(0,o)).toLowerCase(),n=r.trim(e.substr(o+1)),t&&(i[t]=i[t]?i[t]+", "+n:n)}),i):i}},function(e,t,n){"use strict";e.exports=function(e){return function(t){return e.apply(null,t)}}},function(e,t,n){"use strict";function r(e){return e.replace(o,function(e,t){return t.toUpperCase()})}var o=/-(.)/g;e.exports=r},function(e,t,n){"use strict";function r(e){return o(e.replace(i,"ms-"))}var o=n(187),i=/^-ms-/;e.exports=r},function(e,t,n){"use strict";function r(e,t){return!(!e||!t)&&(e===t||!o(e)&&(o(t)?r(e,t.parentNode):"contains"in e?e.contains(t):!!e.compareDocumentPosition&&!!(16&e.compareDocumentPosition(t))))}var o=n(197);e.exports=r},function(e,t,n){"use strict";function r(e){var t=e.length;if((Array.isArray(e)||"object"!=typeof e&&"function"!=typeof e)&&a(!1),"number"!=typeof t&&a(!1),0===t||t-1 in e||a(!1),"function"==typeof e.callee&&a(!1),e.hasOwnProperty)try{return Array.prototype.slice.call(e)}catch(e){}for(var n=Array(t),r=0;r":"<"+e+">",s[e]=!a.firstChild),s[e]?d[e]:null}var o=n(8),i=n(1),a=o.canUseDOM?document.createElement("div"):null,s={},u=[1,'"],l=[1,"","
"],c=[3,"","
"],p=[1,'',""],d={"*":[1,"?
","
"],area:[1,"",""],col:[2,"","
"],legend:[1,"
","
"],param:[1,"",""],tr:[2,"","
"],optgroup:u,option:u,caption:l,colgroup:l,tbody:l,tfoot:l,thead:l,td:c,th:c};["circle","clipPath","defs","ellipse","g","image","line","linearGradient","mask","path","pattern","polygon","polyline","radialGradient","rect","stop","text","tspan"].forEach(function(e){d[e]=p,s[e]=!0}),e.exports=r},function(e,t,n){"use strict";function r(e){return e.Window&&e instanceof e.Window?{x:e.pageXOffset||e.document.documentElement.scrollLeft,y:e.pageYOffset||e.document.documentElement.scrollTop}:{x:e.scrollLeft,y:e.scrollTop}}e.exports=r},function(e,t,n){"use strict";function r(e){return e.replace(o,"-$1").toLowerCase()}var o=/([A-Z])/g;e.exports=r},function(e,t,n){"use strict";function r(e){return o(e).replace(i,"-ms-")}var o=n(194),i=/^ms-/;e.exports=r},function(e,t,n){"use strict";function r(e){var t=e?e.ownerDocument||e:document,n=t.defaultView||window;return!(!e||!("function"==typeof n.Node?e instanceof n.Node:"object"==typeof e&&"number"==typeof e.nodeType&&"string"==typeof e.nodeName))}e.exports=r},function(e,t,n){"use strict";function r(e){return o(e)&&3==e.nodeType}var o=n(196);e.exports=r},function(e,t,n){"use strict";function r(e){var t={};return function(n){return t.hasOwnProperty(n)||(t[n]=e.call(this,n)),t[n]}}e.exports=r},function(e,t,n){"use strict";t.__esModule=!0;t.PUSH="PUSH",t.REPLACE="REPLACE",t.POP="POP"},function(e,t,n){"use strict";t.__esModule=!0;t.addEventListener=function(e,t,n){return e.addEventListener?e.addEventListener(t,n,!1):e.attachEvent("on"+t,n)},t.removeEventListener=function(e,t,n){return e.removeEventListener?e.removeEventListener(t,n,!1):e.detachEvent("on"+t,n)},t.supportsHistory=function(){var e=window.navigator.userAgent;return(-1===e.indexOf("Android 2.")&&-1===e.indexOf("Android 4.0")||-1===e.indexOf("Mobile Safari")||-1!==e.indexOf("Chrome")||-1!==e.indexOf("Windows Phone"))&&(window.history&&"pushState"in window.history)},t.supportsGoWithoutReloadUsingHash=function(){return-1===window.navigator.userAgent.indexOf("Firefox")},t.supportsPopstateOnHashchange=function(){return-1===window.navigator.userAgent.indexOf("Trident")},t.isExtraneousPopstateEvent=function(e){return void 0===e.state&&-1===navigator.userAgent.indexOf("CriOS")}},function(e,t,n){"use strict";function r(e){return null==e?void 0===e?u:s:l&&l in Object(e)?n.i(i.a)(e):n.i(a.a)(e)}var o=n(86),i=n(204),a=n(205),s="[object Null]",u="[object Undefined]",l=o.a?o.a.toStringTag:void 0;t.a=r},function(e,t,n){"use strict";(function(e){var n="object"==typeof e&&e&&e.Object===Object&&e;t.a=n}).call(t,n(67))},function(e,t,n){"use strict";var r=n(206),o=n.i(r.a)(Object.getPrototypeOf,Object);t.a=o},function(e,t,n){"use strict";function r(e){var t=a.call(e,u),n=e[u];try{e[u]=void 0;var r=!0}catch(e){}var o=s.call(e);return r&&(t?e[u]=n:delete e[u]),o}var o=n(86),i=Object.prototype,a=i.hasOwnProperty,s=i.toString,u=o.a?o.a.toStringTag:void 0;t.a=r},function(e,t,n){"use strict";function r(e){return i.call(e)}var o=Object.prototype,i=o.toString;t.a=r},function(e,t,n){"use strict";function r(e,t){return function(n){return e(t(n))}}t.a=r},function(e,t,n){"use strict";var r=n(202),o="object"==typeof self&&self&&self.Object===Object&&self,i=r.a||o||Function("return this")();t.a=i},function(e,t,n){"use strict";function r(e){return null!=e&&"object"==typeof e}t.a=r},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(342))},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(227))},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(230))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=t.top&&e.left>=t.left&&e.bottom<=t.bottom&&e.right<=t.right}function i(e,t){return e.top=t.tope.bottom||-1===e.bottom?t.bottom:e.bottom,e.right=t.right>e.right||-1===e.right?t.right:e.right,e.width=e.right-e.left+1,e.height=e.bottom-e.top+1,e}var a=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},s=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;ne){if(t){for(var u=e-s,l=0;l=d.top&&c<=d.bottom)return;var f=id.bottom;f||m&&(i=this._scrollElement.scrollTop+(c-d.bottom))}this._scrollElement.scrollTop=i;break}i+=this._getPageHeight(s,a,this._surfaceRect)}},t.prototype.componentDidMount=function(){this._updatePages(),this._measureVersion++,this._scrollElement=l.findScrollableParent(this.refs.root),this._events.on(window,"resize",this._onAsyncResize),this._events.on(this.refs.root,"focus",this._onFocus,!0),this._scrollElement&&(this._events.on(this._scrollElement,"scroll",this._onScroll),this._events.on(this._scrollElement,"scroll",this._onAsyncScroll))},t.prototype.componentWillReceiveProps=function(e){e.items===this.props.items&&e.renderCount===this.props.renderCount&&e.startIndex===this.props.startIndex||(this._measureVersion++,this._updatePages(e))},t.prototype.shouldComponentUpdate=function(e,t){var n=this.props,r=(n.renderedWindowsAhead,n.renderedWindowsBehind,this.state.pages),o=t.pages,i=t.measureVersion,a=!1;if(this._measureVersion===i&&e.renderedWindowsAhead,e.renderedWindowsBehind,e.items===this.props.items&&r.length===o.length)for(var s=0;sa||n>s)&&this._onAsyncIdle()},t.prototype._onAsyncResize=function(){this.forceUpdate()},t.prototype._updatePages=function(e){var t=this,n=e||this.props,r=n.items,o=n.startIndex,i=n.renderCount;i=this._getRenderCount(e),this._requiredRect||this._updateRenderRects(e);var a=this._buildPages(r,o,i),s=this.state.pages;this.setState(a,function(){t._updatePageMeasurements(s,a.pages)?(t._materializedRect=null,t._hasCompletedFirstRender?t._onAsyncScroll():(t._hasCompletedFirstRender=!0,t._updatePages())):t._onAsyncIdle()})},t.prototype._updatePageMeasurements=function(e,t){for(var n={},r=!1,o=this._getRenderCount(),i=0;i-1,v=h>=f._allowedRect.top&&s<=f._allowedRect.bottom,y=h>=f._requiredRect.top&&s<=f._requiredRect.bottom,b=!d&&(y||v&&g),_=c>=n&&c0&&a[0].items&&a[0].items.length.ms-MessageBar-dismissal{right:0;top:0;position:absolute!important}.ms-MessageBar-actions,.ms-MessageBar-actionsOneline{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-flex:0;-ms-flex:0 0 auto;flex:0 0 auto;-webkit-box-orient:horizontal;-webkit-box-direction:reverse;-ms-flex-direction:row-reverse;flex-direction:row-reverse;-webkit-box-align:center;-ms-flex-align:center;align-items:center}.ms-MessageBar-actionsOneline{position:relative}.ms-MessageBar-dismissal{min-width:0}.ms-MessageBar-dismissal::-moz-focus-inner{border:0}.ms-MessageBar-dismissal{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-MessageBar-dismissal:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .ms-MessageBar-dismissalOneline .ms-MessageBar-dismissal{margin-right:-8px}html[dir=rtl] .ms-MessageBar-dismissalOneline .ms-MessageBar-dismissal{margin-left:-8px}.ms-MessageBar+.ms-MessageBar{margin-bottom:6px}html[dir=ltr] .ms-MessageBar-innerTextPadding{padding-right:24px}html[dir=rtl] .ms-MessageBar-innerTextPadding{padding-left:24px}html[dir=ltr] .ms-MessageBar-innerTextPadding .ms-MessageBar-innerText>span,html[dir=ltr] .ms-MessageBar-innerTextPadding span{padding-right:4px}html[dir=rtl] .ms-MessageBar-innerTextPadding .ms-MessageBar-innerText>span,html[dir=rtl] .ms-MessageBar-innerTextPadding span{padding-left:4px}.ms-MessageBar-multiline>.ms-MessageBar-content>.ms-MessageBar-actionables{-webkit-box-orient:vertical;-webkit-box-direction:normal;-ms-flex-direction:column;flex-direction:column}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-icon{-webkit-box-align:center;-ms-flex-align:center;-ms-grid-row-align:center;align-items:center}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text{-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center;-webkit-box-align:center;-ms-flex-align:center;-ms-grid-row-align:center;align-items:center}.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text .ms-MessageBar-innerText,.ms-MessageBar-singleline .ms-MessageBar-content .ms-MessageBar-actionables>.ms-MessageBar-text .ms-MessageBar-innerTextPadding{max-height:1.3em;line-height:1.3em;overflow-x:hidden;text-overflow:ellipsis;white-space:nowrap}.ms-MessageBar-singleline .ms-MessageBar-content>.ms-MessageBar-actionables{-webkit-box-orient:horizontal;-webkit-box-direction:normal;-ms-flex-direction:row;flex-direction:row}.ms-MessageBar .ms-Icon--Cancel{font-size:14px}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(222)),r(n(93))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6);n(226);var u=function(e){function t(t){var n=e.call(this,t)||this;return n.props.onChanged&&(n.props.onChange=n.props.onChanged),n.state={value:t.value||"",hasFocus:!1,id:s.getId("SearchBox")},n}return r(t,e),t.prototype.componentWillReceiveProps=function(e){void 0!==e.value&&this.setState({value:e.value})},t.prototype.render=function(){var e=this.props,t=e.labelText,n=e.className,r=this.state,i=r.value,u=r.hasFocus,l=r.id;return a.createElement("div",o({ref:this._resolveRef("_rootElement"),className:s.css("ms-SearchBox",n,{"is-active":u,"can-clear":i.length>0})},{onFocusCapture:this._onFocusCapture}),a.createElement("i",{className:"ms-SearchBox-icon ms-Icon ms-Icon--Search"}),a.createElement("input",{id:l,className:"ms-SearchBox-field",placeholder:t,onChange:this._onInputChange,onKeyDown:this._onKeyDown,value:i,ref:this._resolveRef("_inputElement")}),a.createElement("div",{className:"ms-SearchBox-clearButton",onClick:this._onClearClick},a.createElement("i",{className:"ms-Icon ms-Icon--Clear"})))},t.prototype.focus=function(){this._inputElement&&this._inputElement.focus()},t.prototype._onClearClick=function(e){this.setState({value:""}),this._callOnChange(""),e.stopPropagation(),e.preventDefault(),this._inputElement.focus()},t.prototype._onFocusCapture=function(e){this.setState({hasFocus:!0}),this._events.on(s.getDocument().body,"focus",this._handleDocumentFocus,!0)},t.prototype._onKeyDown=function(e){switch(e.which){case s.KeyCodes.escape:this._onClearClick(e);break;case s.KeyCodes.enter:this.props.onSearch&&this.state.value.length>0&&this.props.onSearch(this.state.value);break;default:return}e.preventDefault(),e.stopPropagation()},t.prototype._onInputChange=function(e){this.setState({value:this._inputElement.value}),this._callOnChange(this._inputElement.value)},t.prototype._handleDocumentFocus=function(e){s.elementContains(this._rootElement,e.target)||(this._events.off(s.getDocument().body,"focus"),this.setState({hasFocus:!1}))},t.prototype._callOnChange=function(e){var t=this.props.onChange;t&&t(e)},t}(s.BaseComponent);u.defaultProps={labelText:"Search"},i([s.autobind],u.prototype,"_onClearClick",null),i([s.autobind],u.prototype,"_onFocusCapture",null),i([s.autobind],u.prototype,"_onKeyDown",null),i([s.autobind],u.prototype,"_onInputChange",null),t.SearchBox=u},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:'.ms-SearchBox{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;box-sizing:border-box;margin:0;padding:0;box-shadow:none;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";position:relative;margin-bottom:10px;border:1px solid "},{theme:"themeTertiary",defaultValue:"#71afe5"},{rawString:"}.ms-SearchBox.is-active{border-color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}html[dir=ltr] .ms-SearchBox.is-active .ms-SearchBox-field{padding-left:8px}html[dir=rtl] .ms-SearchBox.is-active .ms-SearchBox-field{padding-right:8px}.ms-SearchBox.is-active .ms-SearchBox-icon{display:none}.ms-SearchBox.is-disabled{border-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-SearchBox.is-disabled .ms-SearchBox-icon{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.ms-SearchBox.is-disabled .ms-SearchBox-field{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";pointer-events:none;cursor:default}.ms-SearchBox.can-clear .ms-SearchBox-clearButton{display:block}.ms-SearchBox:hover .ms-SearchBox-field{border-color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}.ms-SearchBox:hover .ms-SearchBox-label{color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-SearchBox:hover .ms-SearchBox-label .ms-SearchBox-icon{color:"},{theme:"themeDarker",defaultValue:"#004578"},{rawString:"}input.ms-SearchBox-field{position:relative;box-sizing:border-box;margin:0;padding:0;box-shadow:none;border:none;outline:transparent 1px solid;font-weight:inherit;font-family:inherit;font-size:inherit;color:"},{theme:"black",defaultValue:"#000000"},{rawString:";height:34px;padding:6px 38px 7px 31px;width:100%;background-color:transparent;-webkit-transition:padding-left 167ms;transition:padding-left 167ms}html[dir=rtl] input.ms-SearchBox-field{padding:6px 31px 7px 38px}html[dir=ltr] input.ms-SearchBox-field:focus{padding-right:32px}html[dir=rtl] input.ms-SearchBox-field:focus{padding-left:32px}input.ms-SearchBox-field::-ms-clear{display:none}.ms-SearchBox-clearButton{display:none;border:none;cursor:pointer;position:absolute;top:0;width:40px;height:36px;line-height:36px;vertical-align:top;color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";text-align:center;font-size:16px}html[dir=ltr] .ms-SearchBox-clearButton{right:0}html[dir=rtl] .ms-SearchBox-clearButton{left:0}.ms-SearchBox-icon{font-size:17px;color:"},{theme:"neutralSecondaryAlt",defaultValue:"#767676"},{rawString:";position:absolute;top:0;height:36px;line-height:36px;vertical-align:top;font-size:16px;width:16px;color:#0078d7}html[dir=ltr] .ms-SearchBox-icon{left:8px}html[dir=rtl] .ms-SearchBox-icon{right:8px}html[dir=ltr] .ms-SearchBox-icon{margin-right:6px}html[dir=rtl] .ms-SearchBox-icon{margin-left:6px}"}])},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(225))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(0),i=n(6),a=n(94);n(229);var s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return r(t,e),t.prototype.render=function(){var e=this.props,t=e.type,n=e.size,r=e.label,s=e.className;return o.createElement("div",{className:i.css("ms-Spinner",s)},o.createElement("div",{className:i.css("ms-Spinner-circle",{"ms-Spinner--xSmall":n===a.SpinnerSize.xSmall},{"ms-Spinner--small":n===a.SpinnerSize.small},{"ms-Spinner--medium":n===a.SpinnerSize.medium},{"ms-Spinner--large":n===a.SpinnerSize.large},{"ms-Spinner--normal":t===a.SpinnerType.normal},{"ms-Spinner--large":t===a.SpinnerType.large})}),r&&o.createElement("div",{className:"ms-Spinner-label"},r))},t}(o.Component);s.defaultProps={size:a.SpinnerSize.medium},t.Spinner=s},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:"@-webkit-keyframes ms-Spinner-spin{0%{-webkit-transform:rotate(0);transform:rotate(0)}100%{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}@keyframes ms-Spinner-spin{0%{-webkit-transform:rotate(0);transform:rotate(0)}100%{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}.ms-Spinner>.ms-Spinner-circle{margin:auto;box-sizing:border-box;border-radius:50%;width:100%;height:100%;border:1.5px solid "},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";border-top-color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";-webkit-animation:ms-Spinner-spin 1.3s infinite cubic-bezier(.53,.21,.29,.67);animation:ms-Spinner-spin 1.3s infinite cubic-bezier(.53,.21,.29,.67)}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--xSmall{width:12px;height:12px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--small{width:16px;height:16px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--medium,.ms-Spinner>.ms-Spinner-circle.ms-Spinner--normal{width:20px;height:20px}.ms-Spinner>.ms-Spinner-circle.ms-Spinner--large{width:28px;height:28px}.ms-Spinner>.ms-Spinner-label{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";margin-top:10px;text-align:center}@media screen and (-ms-high-contrast:active){.ms-Spinner>.ms-Spinner-circle{border-top-style:none}}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(228)),r(n(94))},function(e,t,n){"use strict";function r(e,t,n,r,o){}e.exports=r},function(e,t,n){"use strict";var r=n(10),o=n(1),i=n(96);e.exports=function(){function e(e,t,n,r,a,s){s!==i&&o(!1,"Calling PropTypes validators directly is not supported by the `prop-types` package. Use PropTypes.checkPropTypes() to call them. Read more at http://fb.me/use-check-prop-types")}function t(){return e}e.isRequired=e;var n={array:e,bool:e,func:e,number:e,object:e,string:e,symbol:e,any:e,arrayOf:t,element:e,instanceOf:t,node:e,objectOf:t,oneOf:t,oneOfType:t,shape:t,exact:t};return n.checkPropTypes=r,n.PropTypes=n,n}},function(e,t,n){"use strict";var r=n(10),o=n(1),i=n(2),a=n(4),s=n(96),u=n(231);e.exports=function(e,t){function n(e){var t=e&&(P&&e[P]||e[T]);if("function"==typeof t)return t}function l(e,t){return e===t?0!==e||1/e==1/t:e!==e&&t!==t}function c(e){this.message=e,this.stack=""}function p(e){function n(n,r,i,a,u,l,p){if(a=a||O,l=l||i,p!==s)if(t)o(!1,"Calling PropTypes validators directly is not supported by the `prop-types` package. Use `PropTypes.checkPropTypes()` to call them. Read more at http://fb.me/use-check-prop-types");else;return null==r[i]?n?new c(null===r[i]?"The "+u+" `"+l+"` is marked as required in `"+a+"`, but its value is `null`.":"The "+u+" `"+l+"` is marked as required in `"+a+"`, but its value is `undefined`."):null:e(r,i,a,u,l)}var r=n.bind(null,!1);return r.isRequired=n.bind(null,!0),r}function d(e){function t(t,n,r,o,i,a){var s=t[n];if(x(s)!==e)return new c("Invalid "+o+" `"+i+"` of type `"+C(s)+"` supplied to `"+r+"`, expected `"+e+"`.");return null}return p(t)}function f(e){function t(t,n,r,o,i){if("function"!=typeof e)return new c("Property `"+i+"` of component `"+r+"` has invalid PropType notation inside arrayOf.");var a=t[n];if(!Array.isArray(a)){return new c("Invalid "+o+" `"+i+"` of type `"+x(a)+"` supplied to `"+r+"`, expected an array.")}for(var u=0;u8&&_<=11),C=32,E=String.fromCharCode(C),S={beforeInput:{phasedRegistrationNames:{bubbled:"onBeforeInput",captured:"onBeforeInputCapture"},dependencies:["topCompositionEnd","topKeyPress","topTextInput","topPaste"]},compositionEnd:{phasedRegistrationNames:{bubbled:"onCompositionEnd",captured:"onCompositionEndCapture"},dependencies:["topBlur","topCompositionEnd","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]},compositionStart:{phasedRegistrationNames:{bubbled:"onCompositionStart",captured:"onCompositionStartCapture"},dependencies:["topBlur","topCompositionStart","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]},compositionUpdate:{phasedRegistrationNames:{bubbled:"onCompositionUpdate",captured:"onCompositionUpdateCapture"},dependencies:["topBlur","topCompositionUpdate","topKeyDown","topKeyPress","topKeyUp","topMouseDown"]}},P=!1,T=null,O={eventTypes:S,extractEvents:function(e,t,n,r){return[u(e,t,n,r),p(e,t,n,r)]}};e.exports=O},function(e,t,n){"use strict";var r=n(97),o=n(8),i=(n(11),n(188),n(288)),a=n(195),s=n(198),u=(n(2),s(function(e){return a(e)})),l=!1,c="cssFloat";if(o.canUseDOM){var p=document.createElement("div").style;try{p.font=""}catch(e){l=!0}void 0===document.documentElement.style.cssFloat&&(c="styleFloat")}var d={createMarkupForStyles:function(e,t){var n="";for(var r in e)if(e.hasOwnProperty(r)){var o=0===r.indexOf("--"),a=e[r];null!=a&&(n+=u(r)+":",n+=i(r,a,t,o)+";")}return n||null},setValueForStyles:function(e,t,n){var o=e.style;for(var a in t)if(t.hasOwnProperty(a)){var s=0===a.indexOf("--"),u=i(a,t[a],n,s);if("float"!==a&&"cssFloat"!==a||(a=c),s)o.setProperty(a,u);else if(u)o[a]=u;else{var p=l&&r.shorthandPropertyExpansions[a];if(p)for(var d in p)o[d]="";else o[a]=""}}}};e.exports=d},function(e,t,n){"use strict";function r(e,t,n){var r=P.getPooled(M.change,e,t,n);return r.type="change",x.accumulateTwoPhaseDispatches(r),r}function o(e){var t=e.nodeName&&e.nodeName.toLowerCase();return"select"===t||"input"===t&&"file"===e.type}function i(e){var t=r(R,e,O(e));S.batchedUpdates(a,t)}function a(e){w.enqueueEvents(e),w.processEventQueue(!1)}function s(e,t){A=e,R=t,A.attachEvent("onchange",i)}function u(){A&&(A.detachEvent("onchange",i),A=null,R=null)}function l(e,t){var n=T.updateValueIfChanged(e),r=!0===t.simulated&&B._allowSimulatedPassThrough;if(n||r)return e}function c(e,t){if("topChange"===e)return t}function p(e,t,n){"topFocus"===e?(u(),s(t,n)):"topBlur"===e&&u()}function d(e,t){A=e,R=t,A.attachEvent("onpropertychange",m)}function f(){A&&(A.detachEvent("onpropertychange",m),A=null,R=null)}function m(e){"value"===e.propertyName&&l(R,e)&&i(e)}function h(e,t,n){"topFocus"===e?(f(),d(t,n)):"topBlur"===e&&f()}function g(e,t,n){if("topSelectionChange"===e||"topKeyUp"===e||"topKeyDown"===e)return l(R,n)}function v(e){var t=e.nodeName;return t&&"input"===t.toLowerCase()&&("checkbox"===e.type||"radio"===e.type)}function y(e,t,n){if("topClick"===e)return l(t,n)}function b(e,t,n){if("topInput"===e||"topChange"===e)return l(t,n)}function _(e,t){if(null!=e){var n=e._wrapperState||t._wrapperState;if(n&&n.controlled&&"number"===t.type){var r=""+t.value;t.getAttribute("value")!==r&&t.setAttribute("value",r)}}}var w=n(27),x=n(28),C=n(8),E=n(5),S=n(12),P=n(13),T=n(113),O=n(62),I=n(63),k=n(115),M={change:{phasedRegistrationNames:{bubbled:"onChange",captured:"onChangeCapture"},dependencies:["topBlur","topChange","topClick","topFocus","topInput","topKeyDown","topKeyUp","topSelectionChange"]}},A=null,R=null,D=!1;C.canUseDOM&&(D=I("change")&&(!document.documentMode||document.documentMode>8));var N=!1;C.canUseDOM&&(N=I("input")&&(!document.documentMode||document.documentMode>9));var B={eventTypes:M,_allowSimulatedPassThrough:!0,_isInputEventSupported:N,extractEvents:function(e,t,n,i){var a,s,u=t?E.getNodeFromInstance(t):window;if(o(u)?D?a=c:s=p:k(u)?N?a=b:(a=g,s=h):v(u)&&(a=y),a){var l=a(e,t,n);if(l){return r(l,n,i)}}s&&s(e,u,t),"topBlur"===e&&_(t,u)}};e.exports=B},function(e,t,n){"use strict";var r=n(3),o=n(20),i=n(8),a=n(191),s=n(10),u=(n(1),{dangerouslyReplaceNodeWithMarkup:function(e,t){if(i.canUseDOM||r("56"),t||r("57"),"HTML"===e.nodeName&&r("58"),"string"==typeof t){var n=a(t,s)[0];e.parentNode.replaceChild(n,e)}else o.replaceChildWithTree(e,t)}});e.exports=u},function(e,t,n){"use strict";var r=["ResponderEventPlugin","SimpleEventPlugin","TapEventPlugin","EnterLeaveEventPlugin","ChangeEventPlugin","SelectEventPlugin","BeforeInputEventPlugin"];e.exports=r},function(e,t,n){"use strict";var r=n(28),o=n(5),i=n(36),a={mouseEnter:{registrationName:"onMouseEnter",dependencies:["topMouseOut","topMouseOver"]},mouseLeave:{registrationName:"onMouseLeave",dependencies:["topMouseOut","topMouseOver"]}},s={eventTypes:a,extractEvents:function(e,t,n,s){if("topMouseOver"===e&&(n.relatedTarget||n.fromElement))return null;if("topMouseOut"!==e&&"topMouseOver"!==e)return null;var u;if(s.window===s)u=s;else{var l=s.ownerDocument;u=l?l.defaultView||l.parentWindow:window}var c,p;if("topMouseOut"===e){c=t;var d=n.relatedTarget||n.toElement;p=d?o.getClosestInstanceFromNode(d):null}else c=null,p=t;if(c===p)return null;var f=null==c?u:o.getNodeFromInstance(c),m=null==p?u:o.getNodeFromInstance(p),h=i.getPooled(a.mouseLeave,c,n,s);h.type="mouseleave",h.target=f,h.relatedTarget=m;var g=i.getPooled(a.mouseEnter,p,n,s);return g.type="mouseenter",g.target=m,g.relatedTarget=f,r.accumulateEnterLeaveDispatches(h,g,c,p),[h,g]}};e.exports=s},function(e,t,n){"use strict";function r(e){this._root=e,this._startText=this.getText(),this._fallbackText=null}var o=n(4),i=n(16),a=n(112);o(r.prototype,{destructor:function(){this._root=null,this._startText=null,this._fallbackText=null},getText:function(){return"value"in this._root?this._root.value:this._root[a()]},getData:function(){if(this._fallbackText)return this._fallbackText;var e,t,n=this._startText,r=n.length,o=this.getText(),i=o.length;for(e=0;e1?1-t:void 0;return this._fallbackText=o.slice(e,s),this._fallbackText}}),i.addPoolingTo(r),e.exports=r},function(e,t,n){"use strict";var r=n(21),o=r.injection.MUST_USE_PROPERTY,i=r.injection.HAS_BOOLEAN_VALUE,a=r.injection.HAS_NUMERIC_VALUE,s=r.injection.HAS_POSITIVE_NUMERIC_VALUE,u=r.injection.HAS_OVERLOADED_BOOLEAN_VALUE,l={isCustomAttribute:RegExp.prototype.test.bind(new RegExp("^(data|aria)-["+r.ATTRIBUTE_NAME_CHAR+"]*$")),Properties:{accept:0,acceptCharset:0,accessKey:0,action:0,allowFullScreen:i,allowTransparency:0,alt:0,as:0,async:i,autoComplete:0,autoPlay:i,capture:i,cellPadding:0,cellSpacing:0,charSet:0,challenge:0,checked:o|i,cite:0,classID:0,className:0,cols:s,colSpan:0,content:0,contentEditable:0,contextMenu:0,controls:i,controlsList:0,coords:0,crossOrigin:0,data:0,dateTime:0,default:i,defer:i,dir:0,disabled:i,download:u,draggable:0,encType:0,form:0,formAction:0,formEncType:0,formMethod:0,formNoValidate:i,formTarget:0,frameBorder:0,headers:0,height:0,hidden:i,high:0,href:0,hrefLang:0,htmlFor:0,httpEquiv:0,icon:0,id:0,inputMode:0,integrity:0,is:0,keyParams:0,keyType:0,kind:0,label:0,lang:0,list:0,loop:i,low:0,manifest:0,marginHeight:0,marginWidth:0,max:0,maxLength:0,media:0,mediaGroup:0,method:0,min:0,minLength:0,multiple:o|i,muted:o|i,name:0,nonce:0,noValidate:i,open:i,optimum:0,pattern:0,placeholder:0,playsInline:i,poster:0,preload:0,profile:0,radioGroup:0,readOnly:i,referrerPolicy:0,rel:0,required:i,reversed:i,role:0,rows:s,rowSpan:a,sandbox:0,scope:0,scoped:i,scrolling:0,seamless:i,selected:o|i,shape:0,size:s,sizes:0,span:s,spellCheck:0,src:0,srcDoc:0,srcLang:0,srcSet:0,start:a,step:0,style:0,summary:0,tabIndex:0,target:0,title:0,type:0,useMap:0,value:0,width:0,wmode:0,wrap:0,about:0,datatype:0,inlist:0,prefix:0,property:0,resource:0,typeof:0,vocab:0,autoCapitalize:0,autoCorrect:0,autoSave:0,color:0,itemProp:0,itemScope:i,itemType:0,itemID:0,itemRef:0,results:0,security:0,unselectable:0},DOMAttributeNames:{acceptCharset:"accept-charset",className:"class",htmlFor:"for",httpEquiv:"http-equiv"},DOMPropertyNames:{},DOMMutationMethods:{value:function(e,t){if(null==t)return e.removeAttribute("value");"number"!==e.type||!1===e.hasAttribute("value")?e.setAttribute("value",""+t):e.validity&&!e.validity.badInput&&e.ownerDocument.activeElement!==e&&e.setAttribute("value",""+t)}}};e.exports=l},function(e,t,n){"use strict";(function(t){function r(e,t,n,r){var o=void 0===e[n];null!=t&&o&&(e[n]=i(t,!0))}var o=n(22),i=n(114),a=(n(54),n(64)),s=n(117);n(2);void 0!==t&&n.i({NODE_ENV:"production"});var u={instantiateChildren:function(e,t,n,o){if(null==e)return null;var i={};return s(e,r,i),i},updateChildren:function(e,t,n,r,s,u,l,c,p){if(t||e){var d,f;for(d in t)if(t.hasOwnProperty(d)){f=e&&e[d];var m=f&&f._currentElement,h=t[d];if(null!=f&&a(m,h))o.receiveComponent(f,h,s,c),t[d]=f;else{f&&(r[d]=o.getHostNode(f),o.unmountComponent(f,!1));var g=i(h,!0);t[d]=g;var v=o.mountComponent(g,s,u,l,c,p);n.push(v)}}for(d in e)!e.hasOwnProperty(d)||t&&t.hasOwnProperty(d)||(f=e[d],r[d]=o.getHostNode(f),o.unmountComponent(f,!1))}},unmountChildren:function(e,t){for(var n in e)if(e.hasOwnProperty(n)){var r=e[n];o.unmountComponent(r,t)}}};e.exports=u}).call(t,n(34))},function(e,t,n){"use strict";var r=n(50),o=n(252),i={processChildrenUpdates:o.dangerouslyProcessChildrenUpdates,replaceNodeWithMarkup:r.dangerouslyReplaceNodeWithMarkup};e.exports=i},function(e,t,n){"use strict";function r(e){}function o(e){return!(!e.prototype||!e.prototype.isReactComponent)}function i(e){return!(!e.prototype||!e.prototype.isPureReactComponent)}var a=n(3),s=n(4),u=n(23),l=n(56),c=n(14),p=n(57),d=n(29),f=(n(11),n(107)),m=n(22),h=n(33),g=(n(1),n(47)),v=n(64),y=(n(2),{ImpureClass:0,PureClass:1,StatelessFunctional:2});r.prototype.render=function(){var e=d.get(this)._currentElement.type,t=e(this.props,this.context,this.updater);return t};var b=1,_={construct:function(e){this._currentElement=e,this._rootNodeID=0,this._compositeType=null,this._instance=null,this._hostParent=null,this._hostContainerInfo=null,this._updateBatchNumber=null,this._pendingElement=null,this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1,this._renderedNodeType=null,this._renderedComponent=null,this._context=null,this._mountOrder=0,this._topLevelWrapper=null,this._pendingCallbacks=null,this._calledComponentWillUnmount=!1},mountComponent:function(e,t,n,s){this._context=s,this._mountOrder=b++,this._hostParent=t,this._hostContainerInfo=n;var l,c=this._currentElement.props,p=this._processContext(s),f=this._currentElement.type,m=e.getUpdateQueue(),g=o(f),v=this._constructComponent(g,c,p,m);g||null!=v&&null!=v.render?i(f)?this._compositeType=y.PureClass:this._compositeType=y.ImpureClass:(l=v,null===v||!1===v||u.isValidElement(v)||a("105",f.displayName||f.name||"Component"),v=new r(f),this._compositeType=y.StatelessFunctional);v.props=c,v.context=p,v.refs=h,v.updater=m,this._instance=v,d.set(v,this);var _=v.state;void 0===_&&(v.state=_=null),("object"!=typeof _||Array.isArray(_))&&a("106",this.getName()||"ReactCompositeComponent"),this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1;var w;return w=v.unstable_handleError?this.performInitialMountWithErrorHandling(l,t,n,e,s):this.performInitialMount(l,t,n,e,s),v.componentDidMount&&e.getReactMountReady().enqueue(v.componentDidMount,v),w},_constructComponent:function(e,t,n,r){return this._constructComponentWithoutOwner(e,t,n,r)},_constructComponentWithoutOwner:function(e,t,n,r){var o=this._currentElement.type;return e?new o(t,n,r):o(t,n,r)},performInitialMountWithErrorHandling:function(e,t,n,r,o){var i,a=r.checkpoint();try{i=this.performInitialMount(e,t,n,r,o)}catch(s){r.rollback(a),this._instance.unstable_handleError(s),this._pendingStateQueue&&(this._instance.state=this._processPendingState(this._instance.props,this._instance.context)),a=r.checkpoint(),this._renderedComponent.unmountComponent(!0),r.rollback(a),i=this.performInitialMount(e,t,n,r,o)}return i},performInitialMount:function(e,t,n,r,o){var i=this._instance,a=0;i.componentWillMount&&(i.componentWillMount(),this._pendingStateQueue&&(i.state=this._processPendingState(i.props,i.context))),void 0===e&&(e=this._renderValidatedComponent());var s=f.getType(e);this._renderedNodeType=s;var u=this._instantiateReactComponent(e,s!==f.EMPTY);this._renderedComponent=u;var l=m.mountComponent(u,r,t,n,this._processChildContext(o),a);return l},getHostNode:function(){return m.getHostNode(this._renderedComponent)},unmountComponent:function(e){if(this._renderedComponent){var t=this._instance;if(t.componentWillUnmount&&!t._calledComponentWillUnmount)if(t._calledComponentWillUnmount=!0,e){var n=this.getName()+".componentWillUnmount()";p.invokeGuardedCallback(n,t.componentWillUnmount.bind(t))}else t.componentWillUnmount();this._renderedComponent&&(m.unmountComponent(this._renderedComponent,e),this._renderedNodeType=null,this._renderedComponent=null,this._instance=null),this._pendingStateQueue=null,this._pendingReplaceState=!1,this._pendingForceUpdate=!1,this._pendingCallbacks=null,this._pendingElement=null,this._context=null,this._rootNodeID=0,this._topLevelWrapper=null,d.remove(t)}},_maskContext:function(e){var t=this._currentElement.type,n=t.contextTypes;if(!n)return h;var r={};for(var o in n)r[o]=e[o];return r},_processContext:function(e){var t=this._maskContext(e);return t},_processChildContext:function(e){var t,n=this._currentElement.type,r=this._instance;if(r.getChildContext&&(t=r.getChildContext()),t){"object"!=typeof n.childContextTypes&&a("107",this.getName()||"ReactCompositeComponent");for(var o in t)o in n.childContextTypes||a("108",this.getName()||"ReactCompositeComponent",o);return s({},e,t)}return e},_checkContextTypes:function(e,t,n){},receiveComponent:function(e,t,n){var r=this._currentElement,o=this._context;this._pendingElement=null,this.updateComponent(t,r,e,o,n)},performUpdateIfNecessary:function(e){null!=this._pendingElement?m.receiveComponent(this,this._pendingElement,e,this._context):null!==this._pendingStateQueue||this._pendingForceUpdate?this.updateComponent(e,this._currentElement,this._currentElement,this._context,this._context):this._updateBatchNumber=null},updateComponent:function(e,t,n,r,o){var i=this._instance;null==i&&a("136",this.getName()||"ReactCompositeComponent");var s,u=!1;this._context===o?s=i.context:(s=this._processContext(o),u=!0);var l=t.props,c=n.props;t!==n&&(u=!0),u&&i.componentWillReceiveProps&&i.componentWillReceiveProps(c,s);var p=this._processPendingState(c,s),d=!0;this._pendingForceUpdate||(i.shouldComponentUpdate?d=i.shouldComponentUpdate(c,p,s):this._compositeType===y.PureClass&&(d=!g(l,c)||!g(i.state,p))),this._updateBatchNumber=null,d?(this._pendingForceUpdate=!1,this._performComponentUpdate(n,c,p,s,e,o)):(this._currentElement=n,this._context=o,i.props=c,i.state=p,i.context=s)},_processPendingState:function(e,t){var n=this._instance,r=this._pendingStateQueue,o=this._pendingReplaceState;if(this._pendingReplaceState=!1,this._pendingStateQueue=null,!r)return n.state;if(o&&1===r.length)return r[0];for(var i=s({},o?r[0]:n.state),a=o?1:0;a=0||null!=t.is}function h(e){var t=e.type;f(t),this._currentElement=e,this._tag=t.toLowerCase(),this._namespaceURI=null,this._renderedChildren=null,this._previousStyle=null,this._previousStyleCopy=null,this._hostNode=null,this._hostParent=null,this._rootNodeID=0,this._domID=0,this._hostContainerInfo=null,this._wrapperState=null,this._topLevelWrapper=null,this._flags=0}var g=n(3),v=n(4),y=n(235),b=n(237),_=n(20),w=n(51),x=n(21),C=n(99),E=n(27),S=n(52),P=n(35),T=n(100),O=n(5),I=n(253),k=n(254),M=n(101),A=n(257),R=(n(11),n(266)),D=n(271),N=(n(10),n(38)),B=(n(1),n(63),n(47),n(113)),F=(n(65),n(2),T),L=E.deleteListener,j=O.getNodeFromInstance,U=P.listenTo,V=S.registrationNameModules,W={string:!0,number:!0},H="__html",q={children:null,dangerouslySetInnerHTML:null,suppressContentEditableWarning:null},K=11,z={topAbort:"abort",topCanPlay:"canplay",topCanPlayThrough:"canplaythrough",topDurationChange:"durationchange",topEmptied:"emptied",topEncrypted:"encrypted",topEnded:"ended",topError:"error",topLoadedData:"loadeddata",topLoadedMetadata:"loadedmetadata",topLoadStart:"loadstart",topPause:"pause",topPlay:"play",topPlaying:"playing",topProgress:"progress",topRateChange:"ratechange",topSeeked:"seeked",topSeeking:"seeking",topStalled:"stalled",topSuspend:"suspend",topTimeUpdate:"timeupdate",topVolumeChange:"volumechange",topWaiting:"waiting"},G={area:!0,base:!0,br:!0,col:!0,embed:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0},Y={listing:!0,pre:!0,textarea:!0},X=v({menuitem:!0},G),Z=/^[a-zA-Z][a-zA-Z:_\.\-\d]*$/,Q={},$={}.hasOwnProperty,J=1;h.displayName="ReactDOMComponent",h.Mixin={mountComponent:function(e,t,n,r){this._rootNodeID=J++,this._domID=n._idCounter++,this._hostParent=t,this._hostContainerInfo=n;var i=this._currentElement.props;switch(this._tag){case"audio":case"form":case"iframe":case"img":case"link":case"object":case"source":case"video":this._wrapperState={listeners:null},e.getReactMountReady().enqueue(p,this);break;case"input":I.mountWrapper(this,i,t),i=I.getHostProps(this,i),e.getReactMountReady().enqueue(c,this),e.getReactMountReady().enqueue(p,this);break;case"option":k.mountWrapper(this,i,t),i=k.getHostProps(this,i);break;case"select":M.mountWrapper(this,i,t),i=M.getHostProps(this,i),e.getReactMountReady().enqueue(p,this);break;case"textarea":A.mountWrapper(this,i,t),i=A.getHostProps(this,i),e.getReactMountReady().enqueue(c,this),e.getReactMountReady().enqueue(p,this)}o(this,i);var a,d;null!=t?(a=t._namespaceURI,d=t._tag):n._tag&&(a=n._namespaceURI,d=n._tag),(null==a||a===w.svg&&"foreignobject"===d)&&(a=w.html),a===w.html&&("svg"===this._tag?a=w.svg:"math"===this._tag&&(a=w.mathml)),this._namespaceURI=a;var f;if(e.useCreateElement){var m,h=n._ownerDocument;if(a===w.html)if("script"===this._tag){var g=h.createElement("div"),v=this._currentElement.type;g.innerHTML="<"+v+">",m=g.removeChild(g.firstChild)}else m=i.is?h.createElement(this._currentElement.type,i.is):h.createElement(this._currentElement.type);else m=h.createElementNS(a,this._currentElement.type);O.precacheNode(this,m),this._flags|=F.hasCachedChildNodes,this._hostParent||C.setAttributeForRoot(m),this._updateDOMProperties(null,i,e);var b=_(m);this._createInitialChildren(e,i,r,b),f=b}else{var x=this._createOpenTagMarkupAndPutListeners(e,i),E=this._createContentMarkup(e,i,r);f=!E&&G[this._tag]?x+"/>":x+">"+E+""}switch(this._tag){case"input":e.getReactMountReady().enqueue(s,this),i.autoFocus&&e.getReactMountReady().enqueue(y.focusDOMComponent,this);break;case"textarea":e.getReactMountReady().enqueue(u,this),i.autoFocus&&e.getReactMountReady().enqueue(y.focusDOMComponent,this);break;case"select":case"button":i.autoFocus&&e.getReactMountReady().enqueue(y.focusDOMComponent,this);break;case"option":e.getReactMountReady().enqueue(l,this)}return f},_createOpenTagMarkupAndPutListeners:function(e,t){var n="<"+this._currentElement.type;for(var r in t)if(t.hasOwnProperty(r)){var o=t[r];if(null!=o)if(V.hasOwnProperty(r))o&&i(this,r,o,e);else{"style"===r&&(o&&(o=this._previousStyleCopy=v({},t.style)),o=b.createMarkupForStyles(o,this));var a=null;null!=this._tag&&m(this._tag,t)?q.hasOwnProperty(r)||(a=C.createMarkupForCustomAttribute(r,o)):a=C.createMarkupForProperty(r,o),a&&(n+=" "+a)}}return e.renderToStaticMarkup?n:(this._hostParent||(n+=" "+C.createMarkupForRoot()),n+=" "+C.createMarkupForID(this._domID))},_createContentMarkup:function(e,t,n){var r="",o=t.dangerouslySetInnerHTML;if(null!=o)null!=o.__html&&(r=o.__html);else{var i=W[typeof t.children]?t.children:null,a=null!=i?null:t.children;if(null!=i)r=N(i);else if(null!=a){var s=this.mountChildren(a,e,n);r=s.join("")}}return Y[this._tag]&&"\n"===r.charAt(0)?"\n"+r:r},_createInitialChildren:function(e,t,n,r){var o=t.dangerouslySetInnerHTML;if(null!=o)null!=o.__html&&_.queueHTML(r,o.__html);else{var i=W[typeof t.children]?t.children:null,a=null!=i?null:t.children;if(null!=i)""!==i&&_.queueText(r,i);else if(null!=a)for(var s=this.mountChildren(a,e,n),u=0;ut.end?(n=t.end,r=t.start):(n=t.start,r=t.end),o.moveToElementText(e),o.moveStart("character",n),o.setEndPoint("EndToStart",o),o.moveEnd("character",r-n),o.select()}function s(e,t){if(window.getSelection){var n=window.getSelection(),r=e[c()].length,o=Math.min(t.start,r),i=void 0===t.end?o:Math.min(t.end,r);if(!n.extend&&o>i){var a=i;i=o,o=a}var s=l(e,o),u=l(e,i);if(s&&u){var p=document.createRange();p.setStart(s.node,s.offset),n.removeAllRanges(),o>i?(n.addRange(p),n.extend(u.node,u.offset)):(p.setEnd(u.node,u.offset),n.addRange(p))}}}var u=n(8),l=n(293),c=n(112),p=u.canUseDOM&&"selection"in document&&!("getSelection"in window),d={getOffsets:p?o:i,setOffsets:p?a:s};e.exports=d},function(e,t,n){"use strict";var r=n(3),o=n(4),i=n(50),a=n(20),s=n(5),u=n(38),l=(n(1),n(65),function(e){this._currentElement=e,this._stringText=""+e,this._hostNode=null,this._hostParent=null,this._domID=0,this._mountIndex=0,this._closingComment=null,this._commentNodes=null});o(l.prototype,{mountComponent:function(e,t,n,r){var o=n._idCounter++,i=" react-text: "+o+" ";if(this._domID=o,this._hostParent=t,e.useCreateElement){var l=n._ownerDocument,c=l.createComment(i),p=l.createComment(" /react-text "),d=a(l.createDocumentFragment());return a.queueChild(d,a(c)),this._stringText&&a.queueChild(d,a(l.createTextNode(this._stringText))),a.queueChild(d,a(p)),s.precacheNode(this,c),this._closingComment=p,d}var f=u(this._stringText);return e.renderToStaticMarkup?f:"\x3c!--"+i+"--\x3e"+f+"\x3c!-- /react-text --\x3e"},receiveComponent:function(e,t){if(e!==this._currentElement){this._currentElement=e;var n=""+e;if(n!==this._stringText){this._stringText=n;var r=this.getHostNode();i.replaceDelimitedText(r[0],r[1],n)}}},getHostNode:function(){var e=this._commentNodes;if(e)return e;if(!this._closingComment)for(var t=s.getNodeFromInstance(this),n=t.nextSibling;;){if(null==n&&r("67",this._domID),8===n.nodeType&&" /react-text "===n.nodeValue){this._closingComment=n;break}n=n.nextSibling}return e=[this._hostNode,this._closingComment],this._commentNodes=e,e},unmountComponent:function(){this._closingComment=null,this._commentNodes=null,s.uncacheNode(this)}}),e.exports=l},function(e,t,n){"use strict";function r(){this._rootNodeID&&c.updateWrapper(this)}function o(e){var t=this._currentElement.props,n=s.executeOnChange(t,e);return l.asap(r,this),n}var i=n(3),a=n(4),s=n(55),u=n(5),l=n(12),c=(n(1),n(2),{getHostProps:function(e,t){return null!=t.dangerouslySetInnerHTML&&i("91"),a({},t,{value:void 0,defaultValue:void 0,children:""+e._wrapperState.initialValue,onChange:e._wrapperState.onChange})},mountWrapper:function(e,t){var n=s.getValue(t),r=n;if(null==n){var a=t.defaultValue,u=t.children;null!=u&&(null!=a&&i("92"),Array.isArray(u)&&(u.length<=1||i("93"),u=u[0]),a=""+u),null==a&&(a=""),r=a}e._wrapperState={initialValue:""+r,listeners:null,onChange:o.bind(e)}},updateWrapper:function(e){var t=e._currentElement.props,n=u.getNodeFromInstance(e),r=s.getValue(t);if(null!=r){var o=""+r;o!==n.value&&(n.value=o),null==t.defaultValue&&(n.defaultValue=o)}null!=t.defaultValue&&(n.defaultValue=t.defaultValue)},postMountWrapper:function(e){var t=u.getNodeFromInstance(e),n=t.textContent;n===e._wrapperState.initialValue&&(t.value=n)}});e.exports=c},function(e,t,n){"use strict";function r(e,t){"_hostNode"in e||u("33"),"_hostNode"in t||u("33");for(var n=0,r=e;r;r=r._hostParent)n++;for(var o=0,i=t;i;i=i._hostParent)o++;for(;n-o>0;)e=e._hostParent,n--;for(;o-n>0;)t=t._hostParent,o--;for(var a=n;a--;){if(e===t)return e;e=e._hostParent,t=t._hostParent}return null}function o(e,t){"_hostNode"in e||u("35"),"_hostNode"in t||u("35");for(;t;){if(t===e)return!0;t=t._hostParent}return!1}function i(e){return"_hostNode"in e||u("36"),e._hostParent}function a(e,t,n){for(var r=[];e;)r.push(e),e=e._hostParent;var o;for(o=r.length;o-- >0;)t(r[o],"captured",n);for(o=0;o0;)n(u[l],"captured",i)}var u=n(3);n(1);e.exports={isAncestor:o,getLowestCommonAncestor:r,getParentInstance:i,traverseTwoPhase:a,traverseEnterLeave:s}},function(e,t,n){"use strict";function r(){this.reinitializeTransaction()}var o=n(4),i=n(12),a=n(37),s=n(10),u={initialize:s,close:function(){d.isBatchingUpdates=!1}},l={initialize:s,close:i.flushBatchedUpdates.bind(i)},c=[l,u];o(r.prototype,a,{getTransactionWrappers:function(){return c}});var p=new r,d={isBatchingUpdates:!1,batchedUpdates:function(e,t,n,r,o,i){var a=d.isBatchingUpdates;return d.isBatchingUpdates=!0,a?e(t,n,r,o,i):p.perform(e,null,t,n,r,o,i)}};e.exports=d},function(e,t,n){"use strict";function r(){C||(C=!0,y.EventEmitter.injectReactEventListener(v),y.EventPluginHub.injectEventPluginOrder(s),y.EventPluginUtils.injectComponentTree(d),y.EventPluginUtils.injectTreeTraversal(m),y.EventPluginHub.injectEventPluginsByName({SimpleEventPlugin:x,EnterLeaveEventPlugin:u,ChangeEventPlugin:a,SelectEventPlugin:w,BeforeInputEventPlugin:i}),y.HostComponent.injectGenericComponentClass(p),y.HostComponent.injectTextComponentClass(h),y.DOMProperty.injectDOMPropertyConfig(o),y.DOMProperty.injectDOMPropertyConfig(l),y.DOMProperty.injectDOMPropertyConfig(_),y.EmptyComponent.injectEmptyComponentFactory(function(e){return new f(e)}),y.Updates.injectReconcileTransaction(b),y.Updates.injectBatchingStrategy(g),y.Component.injectEnvironment(c))}var o=n(234),i=n(236),a=n(238),s=n(240),u=n(241),l=n(243),c=n(245),p=n(248),d=n(5),f=n(250),m=n(258),h=n(256),g=n(259),v=n(263),y=n(264),b=n(269),_=n(274),w=n(275),x=n(276),C=!1;e.exports={inject:r}},function(e,t,n){"use strict";var r="function"==typeof Symbol&&Symbol.for&&Symbol.for("react.element")||60103;e.exports=r},function(e,t,n){"use strict";function r(e){o.enqueueEvents(e),o.processEventQueue(!1)}var o=n(27),i={handleTopLevel:function(e,t,n,i){r(o.extractEvents(e,t,n,i))}};e.exports=i},function(e,t,n){"use strict";function r(e){for(;e._hostParent;)e=e._hostParent;var t=p.getNodeFromInstance(e),n=t.parentNode;return p.getClosestInstanceFromNode(n)}function o(e,t){this.topLevelType=e,this.nativeEvent=t,this.ancestors=[]}function i(e){var t=f(e.nativeEvent),n=p.getClosestInstanceFromNode(t),o=n;do{e.ancestors.push(o),o=o&&r(o)}while(o);for(var i=0;i/,i=/^<\!\-\-/,a={CHECKSUM_ATTR_NAME:"data-react-checksum",addChecksumToMarkup:function(e){var t=r(e);return i.test(e)?e:e.replace(o," "+a.CHECKSUM_ATTR_NAME+'="'+t+'"$&')},canReuseMarkup:function(e,t){var n=t.getAttribute(a.CHECKSUM_ATTR_NAME);return n=n&&parseInt(n,10),r(e)===n}};e.exports=a},function(e,t,n){"use strict";function r(e,t,n){return{type:"INSERT_MARKUP",content:e,fromIndex:null,fromNode:null,toIndex:n,afterNode:t}}function o(e,t,n){return{type:"MOVE_EXISTING",content:null,fromIndex:e._mountIndex,fromNode:d.getHostNode(e),toIndex:n,afterNode:t}}function i(e,t){return{type:"REMOVE_NODE",content:null,fromIndex:e._mountIndex,fromNode:t,toIndex:null,afterNode:null}}function a(e){return{type:"SET_MARKUP",content:e,fromIndex:null,fromNode:null,toIndex:null,afterNode:null}}function s(e){return{type:"TEXT_CONTENT",content:e,fromIndex:null,fromNode:null,toIndex:null,afterNode:null}}function u(e,t){return t&&(e=e||[],e.push(t)),e}function l(e,t){p.processChildrenUpdates(e,t)}var c=n(3),p=n(56),d=(n(29),n(11),n(14),n(22)),f=n(244),m=(n(10),n(290)),h=(n(1),{Mixin:{_reconcilerInstantiateChildren:function(e,t,n){return f.instantiateChildren(e,t,n)},_reconcilerUpdateChildren:function(e,t,n,r,o,i){var a,s=0;return a=m(t,s),f.updateChildren(e,a,n,r,o,this,this._hostContainerInfo,i,s),a},mountChildren:function(e,t,n){var r=this._reconcilerInstantiateChildren(e,t,n);this._renderedChildren=r;var o=[],i=0;for(var a in r)if(r.hasOwnProperty(a)){var s=r[a],u=0,l=d.mountComponent(s,t,this,this._hostContainerInfo,n,u);s._mountIndex=i++,o.push(l)}return o},updateTextContent:function(e){var t=this._renderedChildren;f.unmountChildren(t,!1);for(var n in t)t.hasOwnProperty(n)&&c("118");l(this,[s(e)])},updateMarkup:function(e){var t=this._renderedChildren;f.unmountChildren(t,!1);for(var n in t)t.hasOwnProperty(n)&&c("118");l(this,[a(e)])},updateChildren:function(e,t,n){this._updateChildren(e,t,n)},_updateChildren:function(e,t,n){var r=this._renderedChildren,o={},i=[],a=this._reconcilerUpdateChildren(r,e,i,o,t,n);if(a||r){var s,c=null,p=0,f=0,m=0,h=null;for(s in a)if(a.hasOwnProperty(s)){var g=r&&r[s],v=a[s];g===v?(c=u(c,this.moveChild(g,h,p,f)),f=Math.max(g._mountIndex,f),g._mountIndex=p):(g&&(f=Math.max(g._mountIndex,f)),c=u(c,this._mountChildAtIndex(v,i[m],h,p,t,n)),m++),p++,h=d.getHostNode(v)}for(s in o)o.hasOwnProperty(s)&&(c=u(c,this._unmountChild(r[s],o[s])));c&&l(this,c),this._renderedChildren=a}},unmountChildren:function(e){var t=this._renderedChildren;f.unmountChildren(t,e),this._renderedChildren=null},moveChild:function(e,t,n,r){if(e._mountIndex=t)return{node:n,offset:t-i};i=a}n=r(o(n))}}e.exports=i},function(e,t,n){"use strict";function r(e,t){var n={};return n[e.toLowerCase()]=t.toLowerCase(),n["Webkit"+e]="webkit"+t,n["Moz"+e]="moz"+t,n["ms"+e]="MS"+t,n["O"+e]="o"+t.toLowerCase(),n}function o(e){if(s[e])return s[e];if(!a[e])return e;var t=a[e];for(var n in t)if(t.hasOwnProperty(n)&&n in u)return s[e]=t[n];return""}var i=n(8),a={animationend:r("Animation","AnimationEnd"),animationiteration:r("Animation","AnimationIteration"),animationstart:r("Animation","AnimationStart"),transitionend:r("Transition","TransitionEnd")},s={},u={};i.canUseDOM&&(u=document.createElement("div").style,"AnimationEvent"in window||(delete a.animationend.animation,delete a.animationiteration.animation,delete a.animationstart.animation),"TransitionEvent"in window||delete a.transitionend.transition),e.exports=o},function(e,t,n){"use strict";function r(e){return'"'+o(e)+'"'}var o=n(38);e.exports=r},function(e,t,n){"use strict";var r=n(106);e.exports=r.renderSubtreeIntoContainer},function(e,t,n){"use strict";function r(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function o(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function i(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}function a(){var e,t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"store",n=arguments[1],a=n||t+"Subscription",u=function(e){function n(i,a){r(this,n);var s=o(this,e.call(this,i,a));return s[t]=i.store,s}return i(n,e),n.prototype.getChildContext=function(){var e;return e={},e[t]=this[t],e[a]=null,e},n.prototype.render=function(){return s.Children.only(this.props.children)},n}(s.Component);return u.propTypes={store:c.a.isRequired,children:l.a.element.isRequired},u.childContextTypes=(e={},e[t]=c.a.isRequired,e[a]=c.b,e),u}t.b=a;var s=n(0),u=(n.n(s),n(19)),l=n.n(u),c=n(120);n(66);t.a=a()},function(e,t,n){"use strict";function r(e,t){var n={};for(var r in e)t.indexOf(r)>=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e,t,n){for(var r=t.length-1;r>=0;r--){var o=t[r](e);if(o)return o}return function(t,r){throw new Error("Invalid value of type "+typeof e+" for "+n+" argument when connecting component "+r.wrappedComponentName+".")}}function i(e,t){return e===t}var a=n(118),s=n(305),u=n(299),l=n(300),c=n(301),p=n(302),d=Object.assign||function(e){for(var t=1;t0&&void 0!==arguments[0]?arguments[0]:{},t=e.connectHOC,n=void 0===t?a.a:t,f=e.mapStateToPropsFactories,m=void 0===f?l.a:f,h=e.mapDispatchToPropsFactories,g=void 0===h?u.a:h,v=e.mergePropsFactories,y=void 0===v?c.a:v,b=e.selectorFactory,_=void 0===b?p.a:b;return function(e,t,a){var u=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},l=u.pure,c=void 0===l||l,p=u.areStatesEqual,f=void 0===p?i:p,h=u.areOwnPropsEqual,v=void 0===h?s.a:h,b=u.areStatePropsEqual,w=void 0===b?s.a:b,x=u.areMergedPropsEqual,C=void 0===x?s.a:x,E=r(u,["pure","areStatesEqual","areOwnPropsEqual","areStatePropsEqual","areMergedPropsEqual"]),S=o(e,m,"mapStateToProps"),P=o(t,g,"mapDispatchToProps"),T=o(a,y,"mergeProps");return n(_,d({methodName:"connect",getDisplayName:function(e){return"Connect("+e+")"},shouldHandleStateChanges:Boolean(e),initMapStateToProps:S,initMapDispatchToProps:P,initMergeProps:T,pure:c,areStatesEqual:f,areOwnPropsEqual:v,areStatePropsEqual:w,areMergedPropsEqual:C},E))}}()},function(e,t,n){"use strict";function r(e){return"function"==typeof e?n.i(s.a)(e,"mapDispatchToProps"):void 0}function o(e){return e?void 0:n.i(s.b)(function(e){return{dispatch:e}})}function i(e){return e&&"object"==typeof e?n.i(s.b)(function(t){return n.i(a.bindActionCreators)(e,t)}):void 0}var a=n(40),s=n(119);t.a=[r,o,i]},function(e,t,n){"use strict";function r(e){return"function"==typeof e?n.i(i.a)(e,"mapStateToProps"):void 0}function o(e){return e?void 0:n.i(i.b)(function(){return{}})}var i=n(119);t.a=[r,o]},function(e,t,n){"use strict";function r(e,t,n){return s({},n,e,t)}function o(e){return function(t,n){var r=(n.displayName,n.pure),o=n.areMergedPropsEqual,i=!1,a=void 0;return function(t,n,s){var u=e(t,n,s);return i?r&&o(u,a)||(a=u):(i=!0,a=u),a}}}function i(e){return"function"==typeof e?o(e):void 0}function a(e){return e?void 0:function(){return r}}var s=(n(121),Object.assign||function(e){for(var t=1;t=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e,t,n,r){return function(o,i){return n(e(o,i),t(r,i),i)}}function i(e,t,n,r,o){function i(o,i){return m=o,h=i,g=e(m,h),v=t(r,h),y=n(g,v,h),f=!0,y}function a(){return g=e(m,h),t.dependsOnOwnProps&&(v=t(r,h)),y=n(g,v,h)}function s(){return e.dependsOnOwnProps&&(g=e(m,h)),t.dependsOnOwnProps&&(v=t(r,h)),y=n(g,v,h)}function u(){var t=e(m,h),r=!d(t,g);return g=t,r&&(y=n(g,v,h)),y}function l(e,t){var n=!p(t,h),r=!c(e,m);return m=e,h=t,n&&r?a():n?s():r?u():y}var c=o.areStatesEqual,p=o.areOwnPropsEqual,d=o.areStatePropsEqual,f=!1,m=void 0,h=void 0,g=void 0,v=void 0,y=void 0;return function(e,t){return f?l(e,t):i(e,t)}}function a(e,t){var n=t.initMapStateToProps,a=t.initMapDispatchToProps,s=t.initMergeProps,u=r(t,["initMapStateToProps","initMapDispatchToProps","initMergeProps"]),l=n(e,u),c=a(e,u),p=s(e,u);return(u.pure?i:o)(l,c,p,e,u)}t.a=a;n(303)},function(e,t,n){"use strict";n(66)},function(e,t,n){"use strict";function r(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function o(){var e=[],t=[];return{clear:function(){t=i,e=i},notify:function(){for(var n=e=t,r=0;r0&&void 0!==arguments[0]?arguments[0]:{},t=arguments[1];if(u)throw u;for(var o=!1,i={},a=0;a=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6),u=n(219);n(343);var l;!function(e){e[e.landscape=0]="landscape",e[e.portrait=1]="portrait"}(l=t.CoverStyle||(t.CoverStyle={})),t.CoverStyleMap=(p={},p[l.landscape]="ms-Image-image--landscape",p[l.portrait]="ms-Image-image--portrait",p),t.ImageFitMap=(d={},d[u.ImageFit.center]="ms-Image-image--center",d[u.ImageFit.contain]="ms-Image-image--contain",d[u.ImageFit.cover]="ms-Image-image--cover",d[u.ImageFit.none]="ms-Image-image--none",d);var c=function(e){function n(t){var n=e.call(this,t)||this;return n._coverStyle=l.portrait,n.state={loadState:u.ImageLoadState.notLoaded},n}return r(n,e),n.prototype.componentWillReceiveProps=function(e){e.src!==this.props.src?this.setState({loadState:u.ImageLoadState.notLoaded}):this.state.loadState===u.ImageLoadState.loaded&&this._computeCoverStyle(e)},n.prototype.componentDidUpdate=function(e,t){this._checkImageLoaded(),this.props.onLoadingStateChange&&t.loadState!==this.state.loadState&&this.props.onLoadingStateChange(this.state.loadState)},n.prototype.render=function(){var e=s.getNativeProps(this.props,s.imageProperties,["width","height"]),n=this.props,r=n.src,i=n.alt,l=n.width,c=n.height,p=n.shouldFadeIn,d=n.className,f=n.imageFit,m=n.role,h=n.maximizeFrame,g=this.state.loadState,v=this._coverStyle,y=g===u.ImageLoadState.loaded||g===u.ImageLoadState.notLoaded&&this.props.shouldStartVisible;return a.createElement("div",{className:s.css("ms-Image",d,{"ms-Image--maximizeFrame":h}),style:{width:l,height:c},ref:this._resolveRef("_frameElement")},a.createElement("img",o({},e,{onLoad:this._onImageLoaded,onError:this._onImageError,key:"fabricImage"+this.props.src||"",className:s.css("ms-Image-image",t.CoverStyleMap[v],void 0!==f&&t.ImageFitMap[f],{"is-fadeIn":p,"is-notLoaded":!y,"is-loaded":y,"ms-u-fadeIn400":y&&p,"is-error":g===u.ImageLoadState.error,"ms-Image-image--scaleWidth":void 0===f&&!!l&&!c,"ms-Image-image--scaleHeight":void 0===f&&!l&&!!c,"ms-Image-image--scaleWidthHeight":void 0===f&&!!l&&!!c}),ref:this._resolveRef("_imageElement"),src:r,alt:i,role:m})))},n.prototype._onImageLoaded=function(e){var t=this.props,n=t.src,r=t.onLoad;r&&r(e),this._computeCoverStyle(this.props),n&&this.setState({loadState:u.ImageLoadState.loaded})},n.prototype._checkImageLoaded=function(){var e=this.props.src;this.state.loadState===u.ImageLoadState.notLoaded&&((e&&this._imageElement.naturalWidth>0&&this._imageElement.naturalHeight>0||this._imageElement.complete&&n._svgRegex.test(e))&&(this._computeCoverStyle(this.props),this.setState({loadState:u.ImageLoadState.loaded})))},n.prototype._computeCoverStyle=function(e){var t=e.imageFit,n=e.width,r=e.height;if((t===u.ImageFit.cover||t===u.ImageFit.contain)&&this._imageElement){var o=void 0;o=n&&r?n/r:this._frameElement.clientWidth/this._frameElement.clientHeight;var i=this._imageElement.naturalWidth/this._imageElement.naturalHeight;this._coverStyle=i>o?l.landscape:l.portrait}},n.prototype._onImageError=function(e){this.props.onError&&this.props.onError(e),this.setState({loadState:u.ImageLoadState.error})},n}(s.BaseComponent);c.defaultProps={shouldFadeIn:!0},c._svgRegex=/\.svg$/i,i([s.autobind],c.prototype,"_onImageLoaded",null),i([s.autobind],c.prototype,"_onImageError",null),t.Image=c;var p,d},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(387))},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(0),o=n(307),i=n(411),a=n(412),s=function(){function e(){this._location=[{filterItem:function(e){return"ScriptLink"===e.Location&&!!e.ScriptSrc},key:"ScriptSrc",name:"Script Src",renderForm:function(e,t){return r.createElement(i.default,{item:e,onInputChange:t,isScriptBlock:!1})},spLocationName:"ScriptLink",type:"ScriptSrc",validateForm:function(e){return e.sequence>0&&""!==e.scriptSrc}},{filterItem:function(e){return"ScriptLink"===e.Location&&!!e.ScriptBlock},key:"ScriptBlock",name:"Script Block",renderForm:function(e,t){return r.createElement(i.default,{item:e,onInputChange:t,isScriptBlock:!0})},spLocationName:"ScriptLink",type:"ScriptBlock",validateForm:function(e){return e.sequence>0&&""!==e.scriptBlock}},{filterItem:function(e){var t=["ActionsMenu","SiteActions"];return"Microsoft.SharePoint.StandardMenu"===e.Location&&t.indexOf(e.Group)>=0},key:"StandardMenu",name:"Standard Menu",renderForm:function(e,t){return r.createElement(a.default,{item:e,onInputChange:t})},spLocationName:"Microsoft.SharePoint.StandardMenu",type:"StandardMenu",validateForm:function(e){return e.sequence>0&&""!==e.group&&""!==e.url}}]}return Object.defineProperty(e.prototype,"supportedCustomActions",{get:function(){return this._location.map(function(e){return e.spLocationName})},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"supportedCustomActionsFilter",{get:function(){return this._location.map(function(e){return e.filterItem})},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"contextMenuItems",{get:function(){var e=this;return this._location.map(function(t){return{className:"ms-ContextualMenu-item",key:t.key,name:t.name,onRender:e._renderCharmMenuItem,type:t.type}})},enumerable:!0,configurable:!0}),e.prototype.getFormComponent=function(e,t){var n;return n="ScriptLink"===e.location?this._location.filter(function(t){return e.scriptBlock?"ScriptBlock"===t.type:"ScriptSrc"===t.type}):this._location.filter(function(t){return t.spLocationName===e.location}),n.length>0?n[0].renderForm(e,t):null},e.prototype.getLocationItem=function(e){var t;return t="ScriptLink"===e.location?this._location.filter(function(t){return e.scriptBlock?"ScriptBlock"===t.type:"ScriptSrc"===t.type}):this._location.filter(function(t){return t.spLocationName===e.location}),t.length>0?t[0]:null},e.prototype.getLocationByKey=function(e){var t=this._location.filter(function(t){return t.key===e});return t.length>0?t[0]:null},e.prototype.getSpLocationNameByType=function(e){var t=this.getLocationByKey(e);return t?t.spLocationName:null},e.prototype._renderCharmMenuItem=function(e){return r.createElement(o.Link,{className:"ms-ContextualMenu-link",to:"newItem/"+e.type,key:e.name},r.createElement("div",{className:"ms-ContextualMenu-linkContent"},r.createElement("span",{className:"ms-ContextualMenu-itemText ms-fontWeight-regular"},e.name)))},e}();t.customActionLocationHelper=new s},function(e,t,n){"use strict";t.__esModule=!0,t.go=t.replaceLocation=t.pushLocation=t.startListener=t.getUserConfirmation=t.getCurrentLocation=void 0;var r=n(130),o=n(200),i=n(358),a=n(69),s=n(336),u=s.canUseDOM&&!(0,o.supportsPopstateOnHashchange)(),l=function(e){var t=e&&e.key;return(0,r.createLocation)({pathname:window.location.pathname,search:window.location.search,hash:window.location.hash,state:t?(0,i.readState)(t):void 0},void 0,t)},c=t.getCurrentLocation=function(){var e=void 0;try{e=window.history.state||{}}catch(t){e={}}return l(e)},p=(t.getUserConfirmation=function(e,t){return t(window.confirm(e))},t.startListener=function(e){var t=function(t){(0,o.isExtraneousPopstateEvent)(t)||e(l(t.state))};(0,o.addEventListener)(window,"popstate",t);var n=function(){return e(c())};return u&&(0,o.addEventListener)(window,"hashchange",n),function(){(0,o.removeEventListener)(window,"popstate",t),u&&(0,o.removeEventListener)(window,"hashchange",n)}},function(e,t){var n=e.state,r=e.key;void 0!==n&&(0,i.saveState)(r,n),t({key:r},(0,a.createPath)(e))});t.pushLocation=function(e){return p(e,function(e,t){return window.history.pushState(e,null,t)})},t.replaceLocation=function(e){return p(e,function(e,t){return window.history.replaceState(e,null,t)})},t.go=function(e){e&&window.history.go(e)}},function(e,t,n){"use strict";t.__esModule=!0;t.canUseDOM=!("undefined"==typeof window||!window.document||!window.document.createElement)},function(e,t,n){"use strict";t.__esModule=!0;var r=n(418),o=n(69),i=n(338),a=function(e){return e&&e.__esModule?e:{default:e}}(i),s=n(199),u=n(130),l=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=e.getCurrentLocation,n=e.getUserConfirmation,i=e.pushLocation,l=e.replaceLocation,c=e.go,p=e.keyLength,d=void 0,f=void 0,m=[],h=[],g=[],v=function(){return f&&f.action===s.POP?g.indexOf(f.key):d?g.indexOf(d.key):-1},y=function(e){var t=v();d=e,d.action===s.PUSH?g=[].concat(g.slice(0,t+1),[d.key]):d.action===s.REPLACE&&(g[t]=d.key),h.forEach(function(e){return e(d)})},b=function(e){return m.push(e),function(){return m=m.filter(function(t){return t!==e})}},_=function(e){return h.push(e),function(){return h=h.filter(function(t){return t!==e})}},w=function(e,t){(0,r.loopAsync)(m.length,function(t,n,r){(0,a.default)(m[t],e,function(e){return null!=e?r(e):n()})},function(e){n&&"string"==typeof e?n(e,function(e){return t(!1!==e)}):t(!1!==e)})},x=function(e){d&&(0,u.locationsAreEqual)(d,e)||f&&(0,u.locationsAreEqual)(f,e)||(f=e,w(e,function(t){if(f===e)if(f=null,t){if(e.action===s.PUSH){var n=(0,o.createPath)(d),r=(0,o.createPath)(e);r===n&&(0,u.statesAreEqual)(d.state,e.state)&&(e.action=s.REPLACE)}e.action===s.POP?y(e):e.action===s.PUSH?!1!==i(e)&&y(e):e.action===s.REPLACE&&!1!==l(e)&&y(e)}else if(d&&e.action===s.POP){var a=g.indexOf(d.key),p=g.indexOf(e.key);-1!==a&&-1!==p&&c(a-p)}}))},C=function(e){return x(I(e,s.PUSH))},E=function(e){return x(I(e,s.REPLACE))},S=function(){return c(-1)},P=function(){return c(1)},T=function(){return Math.random().toString(36).substr(2,p||6)},O=function(e){return(0,o.createPath)(e)},I=function(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:T();return(0,u.createLocation)(e,t,n)};return{getCurrentLocation:t,listenBefore:b,listen:_,transitionTo:x,push:C,replace:E,go:c,goBack:S,goForward:P,createKey:T,createPath:o.createPath,createHref:O,createLocation:I}};t.default=l},function(e,t,n){"use strict";t.__esModule=!0;var r=n(72),o=(function(e){e&&e.__esModule}(r),function(e,t,n){var r=e(t,n);e.length<2&&n(r)});t.default=o},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(369))},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(346))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(140),u=n(6),l={},c=["text","number","password","email","tel","url","search"],p=function(e){function t(t){var n=e.call(this,t)||this;return n._id=u.getId("FocusZone"),l[n._id]=n,n._focusAlignment={left:0,top:0},n}return r(t,e),t.prototype.componentDidMount=function(){for(var e=this.refs.root.ownerDocument.defaultView,t=u.getParent(this.refs.root);t&&t!==document.body&&1===t.nodeType;){if(u.isElementFocusZone(t)){this._isInnerZone=!0;break}t=u.getParent(t)}this._events.on(e,"keydown",this._onKeyDownCapture,!0),this._updateTabIndexes(),this.props.defaultActiveElement&&(this._activeElement=u.getDocument().querySelector(this.props.defaultActiveElement))},t.prototype.componentWillUnmount=function(){delete l[this._id]},t.prototype.render=function(){var e=this.props,t=e.rootProps,n=e.ariaLabelledBy,r=e.className;return a.createElement("div",o({},t,{className:u.css("ms-FocusZone",r),ref:"root","data-focuszone-id":this._id,"aria-labelledby":n,onKeyDown:this._onKeyDown,onFocus:this._onFocus},{onMouseDownCapture:this._onMouseDown}),this.props.children)},t.prototype.focus=function(){if(this._activeElement&&u.elementContains(this.refs.root,this._activeElement))return this._activeElement.focus(),!0;var e=this.refs.root.firstChild;return this.focusElement(u.getNextElement(this.refs.root,e,!0))},t.prototype.focusElement=function(e){var t=this.props.onBeforeFocus;return!(t&&!t(e))&&(!(!e||(this._activeElement&&(this._activeElement.tabIndex=-1),this._activeElement=e,!e))&&(this._focusAlignment||this._setFocusAlignment(e,!0,!0),this._activeElement.tabIndex=0,e.focus(),!0))},t.prototype._onFocus=function(e){var t=this.props.onActiveElementChanged;if(this._isImmediateDescendantOfZone(e.target))this._activeElement=e.target,this._setFocusAlignment(this._activeElement);else for(var n=e.target;n&&n!==this.refs.root;){if(u.isElementTabbable(n)&&this._isImmediateDescendantOfZone(n)){this._activeElement=n;break}n=u.getParent(n)}t&&t(this._activeElement,e)},t.prototype._onKeyDownCapture=function(e){e.which===u.KeyCodes.tab&&this._updateTabIndexes()},t.prototype._onMouseDown=function(e){if(!this.props.disabled){for(var t=e.target,n=[];t&&t!==this.refs.root;)n.push(t),t=u.getParent(t);for(;n.length&&(t=n.pop(),!u.isElementFocusZone(t));)t&&u.isElementTabbable(t)&&(t.tabIndex=0,this._setFocusAlignment(t,!0,!0))}},t.prototype._onKeyDown=function(e){var t=this.props,n=t.direction,r=t.disabled,o=t.isInnerZoneKeystroke;if(!r){if(o&&this._isImmediateDescendantOfZone(e.target)&&o(e)){var i=this._getFirstInnerZone();if(!i||!i.focus())return}else switch(e.which){case u.KeyCodes.left:if(n!==s.FocusZoneDirection.vertical&&this._moveFocusLeft())break;return;case u.KeyCodes.right:if(n!==s.FocusZoneDirection.vertical&&this._moveFocusRight())break;return;case u.KeyCodes.up:if(n!==s.FocusZoneDirection.horizontal&&this._moveFocusUp())break;return;case u.KeyCodes.down:if(n!==s.FocusZoneDirection.horizontal&&this._moveFocusDown())break;return;case u.KeyCodes.home:var a=this.refs.root.firstChild;if(this.focusElement(u.getNextElement(this.refs.root,a,!0)))break;return;case u.KeyCodes.end:var l=this.refs.root.lastChild;if(this.focusElement(u.getPreviousElement(this.refs.root,l,!0,!0,!0)))break;return;case u.KeyCodes.enter:if(this._tryInvokeClickForFocusable(e.target))break;return;default:return}e.preventDefault(),e.stopPropagation()}},t.prototype._tryInvokeClickForFocusable=function(e){do{if("BUTTON"===e.tagName||"A"===e.tagName)return!1;if(this._isImmediateDescendantOfZone(e)&&"true"===e.getAttribute("data-is-focusable")&&"true"!==e.getAttribute("data-disable-click-on-enter"))return u.EventGroup.raise(e,"click",null,!0),!0;e=u.getParent(e)}while(e!==this.refs.root);return!1},t.prototype._getFirstInnerZone=function(e){e=e||this._activeElement||this.refs.root;for(var t=e.firstElementChild;t;){if(u.isElementFocusZone(t))return l[t.getAttribute("data-focuszone-id")];var n=this._getFirstInnerZone(t);if(n)return n;t=t.nextElementSibling}return null},t.prototype._moveFocus=function(e,t,n){var r,o=this._activeElement,i=-1,a=!1,l=this.props.direction===s.FocusZoneDirection.bidirectional;if(!o)return!1;if(this._isElementInput(o)&&!this._shouldInputLoseFocus(o,e))return!1;var c=l?o.getBoundingClientRect():null;do{if(o=e?u.getNextElement(this.refs.root,o):u.getPreviousElement(this.refs.root,o),!l){r=o;break}if(o){var p=o.getBoundingClientRect(),d=t(c,p);if(d>-1&&(-1===i||d=0&&d<0)break}}while(o);if(r&&r!==this._activeElement)a=!0,this.focusElement(r);else if(this.props.isCircularNavigation)return e?this.focusElement(u.getNextElement(this.refs.root,this.refs.root.firstElementChild,!0)):this.focusElement(u.getPreviousElement(this.refs.root,this.refs.root.lastElementChild,!0,!0,!0));return a},t.prototype._moveFocusDown=function(){var e=-1,t=this._focusAlignment.left;return!!this._moveFocus(!0,function(n,r){var o=-1,i=Math.floor(r.top),a=Math.floor(n.bottom);return(-1===e&&i>=a||i===e)&&(e=i,o=t>=r.left&&t<=r.left+r.width?0:Math.abs(r.left+r.width/2-t)),o})&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusUp=function(){var e=-1,t=this._focusAlignment.left;return!!this._moveFocus(!1,function(n,r){var o=-1,i=Math.floor(r.bottom),a=Math.floor(r.top),s=Math.floor(n.top);return(-1===e&&i<=s||a===e)&&(e=a,o=t>=r.left&&t<=r.left+r.width?0:Math.abs(r.left+r.width/2-t)),o})&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusLeft=function(){var e=this,t=-1,n=this._focusAlignment.top;return!!this._moveFocus(u.getRTL(),function(r,o){var i=-1;return(-1===t&&o.right<=r.right&&(e.props.direction===s.FocusZoneDirection.horizontal||o.top===r.top)||o.top===t)&&(t=o.top,i=Math.abs(o.top+o.height/2-n)),i})&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusRight=function(){var e=this,t=-1,n=this._focusAlignment.top;return!!this._moveFocus(!u.getRTL(),function(r,o){var i=-1;return(-1===t&&o.left>=r.left&&(e.props.direction===s.FocusZoneDirection.horizontal||o.top===r.top)||o.top===t)&&(t=o.top,i=Math.abs(o.top+o.height/2-n)),i})&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._setFocusAlignment=function(e,t,n){if(this.props.direction===s.FocusZoneDirection.bidirectional&&(!this._focusAlignment||t||n)){var r=e.getBoundingClientRect(),o=r.left+r.width/2,i=r.top+r.height/2;this._focusAlignment||(this._focusAlignment={left:o,top:i}),t&&(this._focusAlignment.left=o),n&&(this._focusAlignment.top=i)}},t.prototype._isImmediateDescendantOfZone=function(e){for(var t=u.getParent(e);t&&t!==this.refs.root&&t!==document.body;){if(u.isElementFocusZone(t))return!1;t=u.getParent(t)}return!0},t.prototype._updateTabIndexes=function(e){e||(e=this.refs.root,this._activeElement&&!u.elementContains(e,this._activeElement)&&(this._activeElement=null));for(var t=e.children,n=0;t&&n-1){var n=e.selectionStart,r=e.selectionEnd,o=n!==r,i=e.value;if(o||n>0&&!t||n!==i.length&&t)return!1}return!0},t}(u.BaseComponent);p.defaultProps={isCircularNavigation:!1,direction:s.FocusZoneDirection.bidirectional},i([u.autobind],p.prototype,"_onFocus",null),i([u.autobind],p.prototype,"_onMouseDown",null),i([u.autobind],p.prototype,"_onKeyDown",null),t.FocusZone=p},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(341)),r(n(140))},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:".ms-Image{overflow:hidden}.ms-Image--maximizeFrame{height:100%;width:100%}.ms-Image-image{display:block;opacity:0}.ms-Image-image.is-loaded{opacity:1}.ms-Image-image--center,.ms-Image-image--contain,.ms-Image-image--cover{position:relative;top:50%}html[dir=ltr] .ms-Image-image--center,html[dir=ltr] .ms-Image-image--contain,html[dir=ltr] .ms-Image-image--cover{left:50%}html[dir=rtl] .ms-Image-image--center,html[dir=rtl] .ms-Image-image--contain,html[dir=rtl] .ms-Image-image--cover{right:50%}html[dir=ltr] .ms-Image-image--center,html[dir=ltr] .ms-Image-image--contain,html[dir=ltr] .ms-Image-image--cover{-webkit-transform:translate(-50%,-50%);transform:translate(-50%,-50%)}html[dir=rtl] .ms-Image-image--center,html[dir=rtl] .ms-Image-image--contain,html[dir=rtl] .ms-Image-image--cover{-webkit-transform:translate(50%,-50%);transform:translate(50%,-50%)}.ms-Image-image--contain.ms-Image-image--landscape{width:100%;height:auto}.ms-Image-image--contain.ms-Image-image--portrait{height:100%;width:auto}.ms-Image-image--cover.ms-Image-image--landscape{height:100%;width:auto}.ms-Image-image--cover.ms-Image-image--portrait{width:100%;height:auto}.ms-Image-image--none{height:auto;width:auto}.ms-Image-image--scaleWidthHeight{height:100%;width:100%}.ms-Image-image--scaleWidth{height:auto;width:100%}.ms-Image-image--scaleHeight{height:100%;width:auto}"}])},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=e&&u&&(a=!0,n())}}var i=0,a=!1,s=!1,u=!1,l=void 0;o()}function o(e,t,n){function r(e,t,r){a||(t?(a=!0,n(t)):(i[e]=r,(a=++s===o)&&n(null,i)))}var o=e.length,i=[];if(0===o)return n(null,i);var a=!1,s=0;e.forEach(function(e,n){t(e,n,function(e,t){r(n,e,t)})})}t.b=r,t.a=o},function(e,t,n){"use strict";function r(e){return"@@contextSubscriber/"+e}function o(e){var t,n,o=r(e),i=o+"/listeners",a=o+"/eventIndex",s=o+"/subscribe";return n={childContextTypes:(t={},t[o]=u.isRequired,t),getChildContext:function(){var e;return e={},e[o]={eventIndex:this[a],subscribe:this[s]},e},componentWillMount:function(){this[i]=[],this[a]=0},componentWillReceiveProps:function(){this[a]++},componentDidUpdate:function(){var e=this;this[i].forEach(function(t){return t(e[a])})}},n[s]=function(e){var t=this;return this[i].push(e),function(){t[i]=t[i].filter(function(t){return t!==e})}},n}function i(e){var t,n,o=r(e),i=o+"/lastRenderedEventIndex",a=o+"/handleContextUpdate",s=o+"/unsubscribe";return n={contextTypes:(t={},t[o]=u,t),getInitialState:function(){var e;return this.context[o]?(e={},e[i]=this.context[o].eventIndex,e):{}},componentDidMount:function(){this.context[o]&&(this[s]=this.context[o].subscribe(this[a]))},componentWillReceiveProps:function(){var e;this.context[o]&&this.setState((e={},e[i]=this.context[o].eventIndex,e))},componentWillUnmount:function(){this[s]&&(this[s](),this[s]=null)}},n[a]=function(e){if(e!==this.state[i]){var t;this.setState((t={},t[i]=e,t))}},n}t.a=o,t.b=i;var a=n(19),s=n.n(a),u=s.a.shape({subscribe:s.a.func.isRequired,eventIndex:s.a.number.isRequired})},function(e,t,n){"use strict";n.d(t,"b",function(){return o}),n.d(t,"a",function(){return i});var r=n(19),o=(n.n(r),n.i(r.shape)({push:r.func.isRequired,replace:r.func.isRequired,go:r.func.isRequired,goBack:r.func.isRequired,goForward:r.func.isRequired,setRouteLeaveHook:r.func.isRequired,isActive:r.func.isRequired})),i=n.i(r.shape)({pathname:r.string.isRequired,search:r.string.isRequired,state:r.object,action:r.string.isRequired,key:r.string})},function(e,t,n){"use strict";var r=n(17),o=n.n(r),i=n(0),a=n.n(i),s=n(46),u=n.n(s),l=n(19),c=(n.n(l),n(446)),p=n(348),d=n(71),f=Object.assign||function(e){for(var t=1;t0&&void 0!==arguments[0]?arguments[0]:{},n=e(t),o=t.basename,s=function(e){return e?(o&&null==e.basename&&(0===e.pathname.toLowerCase().indexOf(o.toLowerCase())?(e.pathname=e.pathname.substring(o.length),e.basename=o,""===e.pathname&&(e.pathname="/")):e.basename=""),e):e},u=function(e){if(!o)return e;var t="string"==typeof e?(0,a.parsePath)(e):e,n=t.pathname,i="/"===o.slice(-1)?o:o+"/",s="/"===n.charAt(0)?n.slice(1):n;return r({},t,{pathname:i+s})};return r({},n,{getCurrentLocation:function(){return s(n.getCurrentLocation())},listenBefore:function(e){return n.listenBefore(function(t,n){return(0,i.default)(e,s(t),n)})},listen:function(e){return n.listen(function(t){return e(s(t))})},push:function(e){return n.push(u(e))},replace:function(e){return n.replace(u(e))},createPath:function(e){return n.createPath(u(e))},createHref:function(e){return n.createHref(u(e))},createLocation:function(e){for(var t=arguments.length,r=Array(t>1?t-1:0),o=1;o0&&void 0!==arguments[0]?arguments[0]:{},n=e(t),o=t.stringifyQuery,i=t.parseQueryString;"function"!=typeof o&&(o=l),"function"!=typeof i&&(i=c);var p=function(e){return e?(null==e.query&&(e.query=i(e.search.substring(1))),e):e},d=function(e,t){if(null==t)return e;var n="string"==typeof e?(0,u.parsePath)(e):e,i=o(t);return r({},n,{search:i?"?"+i:""})};return r({},n,{getCurrentLocation:function(){return p(n.getCurrentLocation())},listenBefore:function(e){return n.listenBefore(function(t,n){return(0,a.default)(e,p(t),n)})},listen:function(e){return n.listen(function(t){return e(p(t))})},push:function(e){return n.push(d(e,e.query))},replace:function(e){return n.replace(d(e,e.query))},createPath:function(e){return n.createPath(d(e,e.query))},createHref:function(e){return n.createHref(d(e,e.query))},createLocation:function(e){for(var t=arguments.length,r=Array(t>1?t-1:0),o=1;o=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},i=n(0),a=n(49),s=n(6),u=n(393),l=n(365);n(367);var c={top:0,left:0},p={opacity:0},d=function(e){function t(t){var n=e.call(this,t,{beakStyle:"beakWidth"})||this;return n._didSetInitialFocus=!1,n.state={positions:null,slideDirectionalClassName:null,calloutElementRect:null},n._positionAttempts=0,n}return r(t,e),t.prototype.componentDidUpdate=function(){this._setInitialFocus(),this._updatePosition()},t.prototype.componentWillMount=function(){var e=this.props.targetElement?this.props.targetElement:this.props.target;this._setTargetWindowAndElement(e)},t.prototype.componentWillUpdate=function(e){if(e.targetElement!==this.props.targetElement||e.target!==this.props.target){var t=e.targetElement?e.targetElement:e.target;this._maxHeight=void 0,this._setTargetWindowAndElement(t)}e.gapSpace===this.props.gapSpace&&this.props.beakWidth===e.beakWidth||(this._maxHeight=void 0)},t.prototype.componentDidMount=function(){this._onComponentDidMount()},t.prototype.render=function(){if(!this._targetWindow)return null;var e=this.props,t=e.className,n=e.target,r=e.targetElement,o=e.isBeakVisible,a=e.beakStyle,u=e.children,d=e.beakWidth,f=this.state.positions,m=d;"ms-Callout-smallbeak"===a&&(m=16);var h={top:f&&f.beakPosition?f.beakPosition.top:c.top,left:f&&f.beakPosition?f.beakPosition.left:c.left,height:m,width:m},g=f&&f.directionalClassName?"ms-u-"+f.directionalClassName:"",v=this._getMaxHeight(),y=o&&(!!r||!!n);return i.createElement("div",{ref:this._resolveRef("_hostElement"),className:"ms-Callout-container"},i.createElement("div",{className:s.css("ms-Callout",t,g),style:f?f.calloutPosition:p,ref:this._resolveRef("_calloutElement")},y&&i.createElement("div",{className:"ms-Callout-beak",style:h}),y&&i.createElement("div",{className:"ms-Callout-beakCurtain"}),i.createElement(l.Popup,{className:"ms-Callout-main",onDismiss:this.dismiss,shouldRestoreFocus:!0,style:{maxHeight:v}},u)))},t.prototype.dismiss=function(e){var t=this.props.onDismiss;t&&t(e)},t.prototype._dismissOnScroll=function(e){this.state.positions&&this._dismissOnLostFocus(e)},t.prototype._dismissOnLostFocus=function(e){var t=e.target,n=this._hostElement&&!s.elementContains(this._hostElement,t);(!this._target&&n||e.target!==this._targetWindow&&n&&(this._target.stopPropagation||!this._target||t!==this._target&&!s.elementContains(this._target,t)))&&this.dismiss(e)},t.prototype._setInitialFocus=function(){this.props.setInitialFocus&&!this._didSetInitialFocus&&this.state.positions&&(this._didSetInitialFocus=!0,s.focusFirstChild(this._calloutElement))},t.prototype._onComponentDidMount=function(){var e=this;this._async.setTimeout(function(){e._events.on(e._targetWindow,"scroll",e._dismissOnScroll,!0),e._events.on(e._targetWindow,"resize",e.dismiss,!0),e._events.on(e._targetWindow,"focus",e._dismissOnLostFocus,!0),e._events.on(e._targetWindow,"click",e._dismissOnLostFocus,!0)},0),this.props.onLayerMounted&&this.props.onLayerMounted(),this._updatePosition()},t.prototype._updatePosition=function(){var e=this.state.positions,t=this._hostElement,n=this._calloutElement;if(t&&n){var r=void 0;r=s.assign(r,this.props),r.bounds=this._getBounds(),this.props.targetElement?r.targetElement=this._target:r.target=this._target;var o=u.getRelativePositions(r,t,n);!e&&o||e&&o&&!this._arePositionsEqual(e,o)&&this._positionAttempts<5?(this._positionAttempts++,this.setState({positions:o})):(this._positionAttempts=0,this.props.onPositioned&&this.props.onPositioned())}},t.prototype._getBounds=function(){if(!this._bounds){var e=this.props.bounds;e||(e={top:8,left:8,right:this._targetWindow.innerWidth-8,bottom:this._targetWindow.innerHeight-8,width:this._targetWindow.innerWidth-16,height:this._targetWindow.innerHeight-16}),this._bounds=e}return this._bounds},t.prototype._getMaxHeight=function(){if(!this._maxHeight)if(this.props.directionalHintFixed&&this._target){var e=this.props.isBeakVisible?this.props.beakWidth:0,t=this.props.gapSpace?this.props.gapSpace:0;this._maxHeight=u.getMaxHeight(this._target,this.props.directionalHint,e+t,this._getBounds())}else this._maxHeight=this._getBounds().height-2;return this._maxHeight},t.prototype._arePositionsEqual=function(e,t){return e.calloutPosition.top.toFixed(2)===t.calloutPosition.top.toFixed(2)&&(e.calloutPosition.left.toFixed(2)===t.calloutPosition.left.toFixed(2)&&(e.beakPosition.top.toFixed(2)===t.beakPosition.top.toFixed(2)&&e.beakPosition.top.toFixed(2)===t.beakPosition.top.toFixed(2)))},t.prototype._setTargetWindowAndElement=function(e){if(e)if("string"==typeof e){var t=s.getDocument();this._target=t?t.querySelector(e):null,this._targetWindow=s.getWindow()}else if(e.stopPropagation)this._target=e,this._targetWindow=s.getWindow(e.toElement);else{var n=e;this._target=e,this._targetWindow=s.getWindow(n)}else this._targetWindow=s.getWindow()},t}(s.BaseComponent);d.defaultProps={isBeakVisible:!0,beakWidth:16,gapSpace:16,directionalHint:a.DirectionalHint.bottomAutoEdge},o([s.autobind],d.prototype,"dismiss",null),o([s.autobind],d.prototype,"_setInitialFocus",null),o([s.autobind],d.prototype,"_onComponentDidMount",null),t.CalloutContent=d},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(366)),r(n(49))},function(e,t,n){"use strict";function r(e){var t=o(e);return!(!t||!t.length)}function o(e){return e.subMenuProps?e.subMenuProps.items:e.items}var i=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},a=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},u=n(0),l=n(330),c=n(49),p=n(209),d=n(6),f=n(339),m=n(363);n(371);var h;!function(e){e[e.vertical=0]="vertical",e[e.horizontal=1]="horizontal"}(h||(h={}));var g;!function(e){e[e.auto=0]="auto",e[e.left=1]="left",e[e.center=2]="center",e[e.right=3]="right"}(g||(g={}));var v;!function(e){e[e.top=0]="top",e[e.center=1]="center",e[e.bottom=2]="bottom"}(v||(v={})),t.hasSubmenuItems=r,t.getSubmenuItems=o;var y=function(e){function t(t){var n=e.call(this,t)||this;return n.state={contextualMenuItems:null,subMenuId:d.getId("ContextualMenu")},n._isFocusingPreviousElement=!1,n._enterTimerId=0,n}return i(t,e),t.prototype.dismiss=function(e,t){var n=this.props.onDismiss;n&&n(e,t)},t.prototype.componentWillUpdate=function(e){if(e.targetElement!==this.props.targetElement||e.target!==this.props.target){var t=e.targetElement?e.targetElement:e.target;this._setTargetWindowAndElement(t)}},t.prototype.componentWillMount=function(){var e=this.props.targetElement?this.props.targetElement:this.props.target;this._setTargetWindowAndElement(e),this._previousActiveElement=this._targetWindow?this._targetWindow.document.activeElement:null},t.prototype.componentDidMount=function(){this._events.on(this._targetWindow,"resize",this.dismiss)},t.prototype.componentWillUnmount=function(){var e=this;this._isFocusingPreviousElement&&this._previousActiveElement&&setTimeout(function(){return e._previousActiveElement.focus()},0),this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this,n=this.props,r=n.className,o=n.items,i=n.isBeakVisible,s=n.labelElementId,l=n.targetElement,c=n.id,m=n.targetPoint,h=n.useTargetPoint,g=n.beakWidth,v=n.directionalHint,y=n.gapSpace,b=n.coverTarget,_=n.ariaLabel,w=n.doNotLayer,x=n.arrowDirection,C=n.target,E=n.bounds,S=n.directionalHintFixed,P=n.shouldFocusOnMount,T=this.state.submenuProps,O=!(!o||!o.some(function(e){return!!e.icon||!!e.iconProps})),I=!(!o||!o.some(function(e){return!!e.canCheck}));return o&&o.length>0?u.createElement(f.Callout,{target:C,targetElement:l,targetPoint:m,useTargetPoint:h,isBeakVisible:i,beakWidth:g,directionalHint:v,gapSpace:y,coverTarget:b,doNotLayer:w,className:"ms-ContextualMenu-Callout",setInitialFocus:P,onDismiss:this.props.onDismiss,bounds:E,directionalHintFixed:S},u.createElement("div",{ref:function(t){return e._host=t},id:c,className:d.css("ms-ContextualMenu-container",r)},o&&o.length?u.createElement(p.FocusZone,{className:"ms-ContextualMenu is-open",direction:x,ariaLabelledBy:s,ref:function(t){return e._focusZone=t},rootProps:{role:"menu"}},u.createElement("ul",{className:"ms-ContextualMenu-list is-open",onKeyDown:this._onKeyDown,"aria-label":_},o.map(function(t,n){return e._renderMenuItem(t,n,I,O)}))):null,T?u.createElement(t,a({},T)):null)):null},t.prototype._renderMenuItem=function(e,t,n,r){var o=[];switch("-"===e.name&&(e.itemType=l.ContextualMenuItemType.Divider),e.itemType){case l.ContextualMenuItemType.Divider:o.push(this._renderSeparator(t,e.className));break;case l.ContextualMenuItemType.Header:o.push(this._renderSeparator(t));var i=this._renderHeaderMenuItem(e,t,n,r);o.push(this._renderListItem(i,e.key||t,e.className,e.title));break;default:var a=this._renderNormalItem(e,t,n,r);o.push(this._renderListItem(a,e.key||t,e.className,e.title))}return o},t.prototype._renderListItem=function(e,t,n,r){return u.createElement("li",{role:"menuitem",title:r,key:t,className:d.css("ms-ContextualMenu-item",n)},e)},t.prototype._renderSeparator=function(e,t){return e>0?u.createElement("li",{role:"separator",key:"separator-"+e,className:d.css("ms-ContextualMenu-divider",t)}):null},t.prototype._renderNormalItem=function(e,t,n,r){return e.onRender?[e.onRender(e)]:e.href?this._renderAnchorMenuItem(e,t,n,r):this._renderButtonItem(e,t,n,r)},t.prototype._renderHeaderMenuItem=function(e,t,n,r){return u.createElement("div",{className:"ms-ContextualMenu-header"},this._renderMenuItemChildren(e,t,n,r))},t.prototype._renderAnchorMenuItem=function(e,t,n,r){return u.createElement("div",null,u.createElement("a",a({},d.getNativeProps(e,d.anchorProperties),{href:e.href,className:d.css("ms-ContextualMenu-link",e.isDisabled||e.disabled?"is-disabled":""),role:"menuitem",onClick:this._onAnchorClick.bind(this,e)}),r?this._renderIcon(e):null,u.createElement("span",{className:"ms-ContextualMenu-linkText"}," ",e.name," ")))},t.prototype._renderButtonItem=function(e,t,n,o){var i=this,a=this.state,s=a.expandedMenuItemKey,l=a.subMenuId,c="";e.ariaLabel?c=e.ariaLabel:e.name&&(c=e.name);var p={className:d.css("ms-ContextualMenu-link",{"is-expanded":s===e.key}),onClick:this._onItemClick.bind(this,e),onKeyDown:r(e)?this._onItemKeyDown.bind(this,e):null,onMouseEnter:this._onItemMouseEnter.bind(this,e),onMouseLeave:this._onMouseLeave,onMouseDown:function(t){return i._onItemMouseDown(e,t)},disabled:e.isDisabled||e.disabled,role:"menuitem",href:e.href,title:e.title,"aria-label":c,"aria-haspopup":!!r(e)||null,"aria-owns":e.key===s?l:null};return u.createElement("button",d.assign({},d.getNativeProps(e,d.buttonProperties),p),this._renderMenuItemChildren(e,t,n,o))},t.prototype._renderMenuItemChildren=function(e,t,n,o){var i=e.isChecked||e.checked;return u.createElement("div",{className:"ms-ContextualMenu-linkContent"},n?u.createElement(m.Icon,{iconName:i?"CheckMark":"CustomIcon",className:"ms-ContextualMenu-icon",onClick:this._onItemClick.bind(this,e)}):null,o?this._renderIcon(e):null,u.createElement("span",{className:"ms-ContextualMenu-itemText"},e.name),r(e)?u.createElement(m.Icon,a({iconName:d.getRTL()?"ChevronLeft":"ChevronRight"},e.submenuIconProps,{className:d.css("ms-ContextualMenu-submenuIcon",e.submenuIconProps?e.submenuIconProps.className:"")})):null)},t.prototype._renderIcon=function(e){var t=e.iconProps?e.iconProps:{iconName:"CustomIcon",className:e.icon?"ms-Icon--"+e.icon:""},n="None"===t.iconName?"":"ms-ContextualMenu-iconColor",r=d.css("ms-ContextualMenu-icon",n,t.className);return u.createElement(m.Icon,a({},t,{className:r}))},t.prototype._onKeyDown=function(e){var t=d.getRTL()?d.KeyCodes.right:d.KeyCodes.left;(e.which===d.KeyCodes.escape||e.which===d.KeyCodes.tab||e.which===t&&this.props.isSubMenu&&this.props.arrowDirection===p.FocusZoneDirection.vertical)&&(this._isFocusingPreviousElement=!0,e.preventDefault(),e.stopPropagation(),this.dismiss(e))},t.prototype._onItemMouseEnter=function(e,t){var n=this,o=t.currentTarget;e.key!==this.state.expandedMenuItemKey&&(r(e)?this._enterTimerId=this._async.setTimeout(function(){return n._onItemSubMenuExpand(e,o)},500):this._enterTimerId=this._async.setTimeout(function(){return n._onSubMenuDismiss(t)},500))},t.prototype._onMouseLeave=function(e){this._async.clearTimeout(this._enterTimerId)},t.prototype._onItemMouseDown=function(e,t){e.onMouseDown&&e.onMouseDown(e,t)},t.prototype._onItemClick=function(e,t){var n=o(e);n&&n.length?e.key===this.state.expandedMenuItemKey?this._onSubMenuDismiss(t):this._onItemSubMenuExpand(e,t.currentTarget):this._executeItemClick(e,t),t.stopPropagation(),t.preventDefault()},t.prototype._onAnchorClick=function(e,t){this._executeItemClick(e,t),t.stopPropagation()},t.prototype._executeItemClick=function(e,t){e.onClick&&e.onClick(t,e),this.dismiss(t,!0)},t.prototype._onItemKeyDown=function(e,t){var n=d.getRTL()?d.KeyCodes.left:d.KeyCodes.right;t.which===n&&(this._onItemSubMenuExpand(e,t.currentTarget),t.preventDefault())},t.prototype._onItemSubMenuExpand=function(e,t){if(this.state.expandedMenuItemKey!==e.key){this.state.submenuProps&&this._onSubMenuDismiss();var n={items:o(e),target:t,onDismiss:this._onSubMenuDismiss,isSubMenu:!0,id:this.state.subMenuId,shouldFocusOnMount:!0,directionalHint:d.getRTL()?c.DirectionalHint.leftTopEdge:c.DirectionalHint.rightTopEdge,className:this.props.className,gapSpace:0};e.subMenuProps&&d.assign(n,e.subMenuProps),this.setState({expandedMenuItemKey:e.key,submenuProps:n})}},t.prototype._onSubMenuDismiss=function(e,t){t?this.dismiss(e,t):this.setState({dismissedMenuItemKey:this.state.expandedMenuItemKey,expandedMenuItemKey:null,submenuProps:null})},t.prototype._setTargetWindowAndElement=function(e){if(e)if("string"==typeof e){var t=d.getDocument();this._target=t?t.querySelector(e):null,this._targetWindow=d.getWindow()}else if(e.stopPropagation)this._target=e,this._targetWindow=d.getWindow(e.toElement);else{var n=e;this._target=e,this._targetWindow=d.getWindow(n)}else this._targetWindow=d.getWindow()},t}(d.BaseComponent);y.defaultProps={items:[],shouldFocusOnMount:!0,isBeakVisible:!1,gapSpace:0,directionalHint:c.DirectionalHint.bottomAutoEdge,beakWidth:16,arrowDirection:p.FocusZoneDirection.vertical},s([d.autobind],y.prototype,"dismiss",null),s([d.autobind],y.prototype,"_onKeyDown",null),s([d.autobind],y.prototype,"_onMouseLeave",null),s([d.autobind],y.prototype,"_onSubMenuDismiss",null),t.ContextualMenu=y},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:".ms-ContextualMenu{background-color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:';min-width:180px}.ms-ContextualMenu-list{list-style-type:none;margin:0;padding:0;line-height:0}.ms-ContextualMenu-item{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";height:36px;position:relative;box-sizing:border-box}.ms-ContextualMenu-link{font:inherit;color:inherit;background:0 0;border:none;width:100%;height:36px;line-height:36px;display:block;cursor:pointer;padding:0 6px}.ms-ContextualMenu-link::-moz-focus-inner{border:0}.ms-ContextualMenu-link{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-ContextualMenu-link:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .ms-ContextualMenu-link{text-align:left}html[dir=rtl] .ms-ContextualMenu-link{text-align:right}.ms-ContextualMenu-link:hover:not([disabled]){background:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-ContextualMenu-link.is-disabled,.ms-ContextualMenu-link[disabled]{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:";cursor:default;pointer-events:none}.ms-ContextualMenu-link.is-disabled .ms-ContextualMenu-icon,.ms-ContextualMenu-link[disabled] .ms-ContextualMenu-icon{color:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:"}.is-focusVisible .ms-ContextualMenu-link:focus{background:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-ContextualMenu-link.is-expanded,.ms-ContextualMenu-link.is-expanded:hover{background:"},{theme:"neutralQuaternaryAlt",defaultValue:"#dadada"},{rawString:";color:"},{theme:"black",defaultValue:"#000000"},{rawString:';font-weight:600}.ms-ContextualMenu-header{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:12px;font-weight:400;font-weight:600;color:'},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:";background:0 0;border:none;height:36px;line-height:36px;cursor:default;padding:0 6px;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.ms-ContextualMenu-header::-moz-focus-inner{border:0}.ms-ContextualMenu-header{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-ContextualMenu-header:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}html[dir=ltr] .ms-ContextualMenu-header{text-align:left}html[dir=rtl] .ms-ContextualMenu-header{text-align:right}a.ms-ContextualMenu-link{padding:0 6px;text-rendering:auto;color:inherit;letter-spacing:normal;word-spacing:normal;text-transform:none;text-indent:0;text-shadow:none;box-sizing:border-box}.ms-ContextualMenu-linkContent{white-space:nowrap;height:inherit;display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-align:center;-ms-flex-align:center;align-items:center;max-width:100%}.ms-ContextualMenu-divider{display:block;height:1px;background-color:"},{theme:"neutralLight",defaultValue:"#eaeaea"},{rawString:";position:relative}.ms-ContextualMenu-icon{display:inline-block;min-height:1px;max-height:36px;width:14px;margin:0 4px;vertical-align:middle;-ms-flex-negative:0;flex-shrink:0}.ms-ContextualMenu-iconColor{color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}.ms-ContextualMenu-itemText{margin:0 4px;vertical-align:middle;display:inline-block;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;text-overflow:ellipsis;overflow:hidden;white-space:nowrap}.ms-ContextualMenu-linkText{margin:0 4px;display:inline-block;vertical-align:top;white-space:nowrap}.ms-ContextualMenu-submenuIcon{height:36px;line-height:36px;text-align:center;font-size:10px;display:inline-block;vertical-align:middle;-ms-flex-negative:0;flex-shrink:0}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(370)),r(n(330))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n-1&&(this.setState({isFocusVisible:!0}),u=!0)},t}(i.Component);t.Fabric=l},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(373))},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6),u=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._isInFocusStack=!1,t._isInClickStack=!1,t}return r(t,e),t.prototype.componentWillMount=function(){var e=this.props,n=e.isClickableOutsideFocusTrap,r=void 0!==n&&n,o=e.forceFocusInsideTrap;(void 0===o||o)&&(this._isInFocusStack=!0,t._focusStack.push(this)),r||(this._isInClickStack=!0,t._clickStack.push(this))},t.prototype.componentDidMount=function(){var e=this.props,t=e.elementToFocusOnDismiss,n=e.isClickableOutsideFocusTrap,r=void 0!==n&&n,o=e.forceFocusInsideTrap,i=void 0===o||o;this._previouslyFocusedElement=t||document.activeElement,this.focus(),i&&this._events.on(window,"focus",this._forceFocusInTrap,!0),r||this._events.on(window,"click",this._forceClickInTrap,!0)},t.prototype.componentWillUnmount=function(){var e=this,n=this.props.ignoreExternalFocusing;if(this._events.dispose(),this._isInFocusStack||this._isInClickStack){var r=function(t){return e!==t};this._isInFocusStack&&(t._focusStack=t._focusStack.filter(r)),this._isInClickStack&&(t._clickStack=t._clickStack.filter(r))}!n&&this._previouslyFocusedElement&&this._previouslyFocusedElement.focus()},t.prototype.render=function(){var e=this.props,t=e.className,n=e.ariaLabelledBy,r=s.getNativeProps(this.props,s.divProperties);return a.createElement("div",o({},r,{className:t,ref:"root","aria-labelledby":n,onKeyDown:this._onKeyboardHandler}),this.props.children)},t.prototype.focus=function(){var e,t=this.props.firstFocusableSelector,n=this.refs.root;(e=t?n.querySelector("."+t):s.getNextElement(n,n.firstChild,!0,!1,!1,!0))&&e.focus()},t.prototype._onKeyboardHandler=function(e){if(e.which===s.KeyCodes.tab){var t=this.refs.root,n=s.getFirstFocusable(t,t.firstChild,!0),r=s.getLastFocusable(t,t.lastChild,!0);e.shiftKey&&n===e.target?(r.focus(),e.preventDefault(),e.stopPropagation()):e.shiftKey||r!==e.target||(n.focus(),e.preventDefault(),e.stopPropagation())}},t.prototype._forceFocusInTrap=function(e){if(t._focusStack.length&&this===t._focusStack[t._focusStack.length-1]){var n=document.activeElement;s.elementContains(this.refs.root,n)||(this.focus(),e.preventDefault(),e.stopPropagation())}},t.prototype._forceClickInTrap=function(e){if(t._clickStack.length&&this===t._clickStack[t._clickStack.length-1]){var n=e.target;n&&!s.elementContains(this.refs.root,n)&&(this.focus(),e.preventDefault(),e.stopPropagation())}},t}(s.BaseComponent);u._focusStack=[],u._clickStack=[],i([s.autobind],u.prototype,"_onKeyboardHandler",null),t.FocusTrapZone=u},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(375))},function(e,t,n){"use strict";var r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},a=n(0),s=n(6),u=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return r(t,e),t.prototype.componentWillMount=function(){this._originalFocusedElement=s.getDocument().activeElement},t.prototype.componentDidMount=function(){this._events.on(this.refs.root,"focus",this._onFocus,!0),this._events.on(this.refs.root,"blur",this._onBlur,!0),s.doesElementContainFocus(this.refs.root)&&(this._containsFocus=!0)},t.prototype.componentWillUnmount=function(){this.props.shouldRestoreFocus&&this._originalFocusedElement&&this._containsFocus&&this._originalFocusedElement!==window&&this._originalFocusedElement&&this._originalFocusedElement.focus()},t.prototype.render=function(){var e=this.props,t=e.role,n=e.className,r=e.ariaLabelledBy,i=e.ariaDescribedBy;return a.createElement("div",o({ref:"root"},s.getNativeProps(this.props,s.divProperties),{className:n,role:t,"aria-labelledby":r,"aria-describedby":i,onKeyDown:this._onKeyDown}),this.props.children)},t.prototype._onKeyDown=function(e){switch(e.which){case s.KeyCodes.escape:this.props.onDismiss&&(this.props.onDismiss(),e.preventDefault(),e.stopPropagation())}},t.prototype._onFocus=function(){this._containsFocus=!0},t.prototype._onBlur=function(){this._containsFocus=!1},t}(s.BaseComponent);u.defaultProps={shouldRestoreFocus:!0},i([s.autobind],u.prototype,"_onKeyDown",null),t.Popup=u},function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;nd[e];)e++;else{if(void 0===p)throw new Error("Content was rendered in a server environment without providing a default responsive mode. Call setResponsiveMode to define what the responsive mode is.");e=p}return e},n}(l.BaseDecorator)}var i,a=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},s=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n0?o:r.height}function n(e,t){var n;if(t.preventDefault){var r=t;n=new s.Rectangle(r.clientX,r.clientX,r.clientY,r.clientY)}else n=o(t);if(!b(n,e))for(var a=_(n,e),u=0,l=a;u100?s=100:s<0&&(s=0),s}function y(e,t){return!(e.width>t.width||e.height>t.height)}function b(e,t){return!(e.topt.bottom)&&(!(e.leftt.right)))}function _(e,t){var n=new Array;return e.topt.bottom&&n.push(i.bottom),e.leftt.right&&n.push(i.right),n}function w(e,t,n){var r,o;switch(t){case i.top:r={x:e.left,y:e.top},o={x:e.right,y:e.top};break;case i.left:r={x:e.left,y:e.top},o={x:e.left,y:e.bottom};break;case i.right:r={x:e.right,y:e.top},o={x:e.right,y:e.bottom};break;case i.bottom:r={x:e.left,y:e.bottom},o={x:e.right,y:e.bottom};break;default:r={x:0,y:0},o={x:0,y:0}}return C(r,o,n)}function x(e,t,n){switch(t){case i.top:case i.bottom:return 0!==e.width?(n.x-e.left)/e.width*100:100;case i.left:case i.right:return 0!==e.height?(n.y-e.top)/e.height*100:100}}function C(e,t,n){return{x:e.x+(t.x-e.x)*n/100,y:e.y+(t.y-e.y)*n/100}}function E(e,t){return new s.Rectangle(t.x,t.x+e.width,t.y,t.y+e.height)}function S(e,t,n){switch(n){case i.top:return E(e,{x:e.left,y:t});case i.bottom:return E(e,{x:e.left,y:t-e.height});case i.left:return E(e,{x:t,y:e.top});case i.right:return E(e,{x:t-e.width,y:e.top})}return new s.Rectangle}function P(e,t,n){var r=t.x-e.left,o=t.y-e.top;return E(e,{x:n.x-r,y:n.y-o})}function T(e,t,n){var r=0,o=0;switch(n){case i.top:o=-1*t;break;case i.left:r=-1*t;break;case i.right:r=t;break;case i.bottom:o=t}return E(e,{x:e.left+r,y:e.top+o})}function O(e,t,n,r,o,i,a){return void 0===a&&(a=0),T(P(e,w(e,t,n),w(r,o,i)),a,o)}function I(e,t,n){switch(t){case i.top:case i.bottom:var r=void 0;return r=n.x>e.right?e.right:n.xe.bottom?e.bottom:n.y-1))return l;a.splice(a.indexOf(u),1),u=a.indexOf(m)>-1?m:a.slice(-1)[0],l.calloutEdge=d[u],l.targetEdge=u,l.calloutRectangle=O(l.calloutRectangle,l.calloutEdge,l.alignPercent,t,l.targetEdge,n,o)}return e}e._getMaxHeightFromTargetRectangle=t,e._getTargetRect=n,e._getTargetRectDEPRECATED=r,e._getRectangleFromHTMLElement=o,e._positionCalloutWithinBounds=u,e._getBestRectangleFitWithinBounds=l,e._positionBeak=f,e._finalizeBeakPosition=m,e._getRectangleFromIRect=h,e._finalizeCalloutPosition=g,e._recalculateMatchingPercents=v,e._canRectangleFitWithinBounds=y,e._isRectangleWithinBounds=b,e._getOutOfBoundsEdges=_,e._getPointOnEdgeFromPercent=w,e._getPercentOfEdgeFromPoint=x,e._calculatePointPercentAlongLine=C,e._moveTopLeftOfRectangleToPoint=E,e._alignEdgeToCoordinate=S,e._movePointOnRectangleToPoint=P,e._moveRectangleInDirection=T,e._moveRectangleToAnchorRectangle=O,e._getClosestPointOnEdgeToPoint=I,e._calculateActualBeakWidthInPixels=k,e._getBorderSize=M,e._getPositionData=A,e._flipRectangleToFit=R}(f=t.positioningFunctions||(t.positioningFunctions={}));var m,h,g,v},function(e,t,n){"use strict";function r(e,t){var n={};for(var r in e)t.indexOf(r)>=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e){return 0===e.button}function i(e){return!!(e.metaKey||e.altKey||e.ctrlKey||e.shiftKey)}function a(e){for(var t in e)if(Object.prototype.hasOwnProperty.call(e,t))return!1;return!0}function s(e,t){return"function"==typeof e?e(t.location):e}var u=n(0),l=n.n(u),c=n(46),p=n.n(c),d=n(19),f=(n.n(d),n(17)),m=n.n(f),h=n(349),g=n(348),v=Object.assign||function(e){for(var t=1;t=0;r--){var o=e[r],i=o.path||"";if(n=i.replace(/\/*$/,"/")+n,0===i.indexOf("/"))break}return"/"+n}},propTypes:{path:i.string,from:i.string,to:i.string.isRequired,query:i.object,state:i.object,onEnter:c.c,children:c.c},render:function(){s()(!1)}});t.a=p},function(e,t,n){"use strict";function r(e,t,n){return o(i({},e,{setRouteLeaveHook:t.listenBeforeLeavingRoute,isActive:t.isActive}),n)}function o(e,t){var n=t.location,r=t.params,o=t.routes;return e.location=n,e.params=r,e.routes=o,e}t.a=r,t.b=o;var i=Object.assign||function(e){for(var t=1;t1&&void 0!==arguments[1]&&arguments[1];return e.__id__||t&&(e.__id__=P++)}function m(e){return e.map(function(e){return T[f(e)]}).filter(function(e){return e})}function h(e,r){n.i(l.a)(t,e,function(t,o){if(null==o)return void r();S=c({},o,{location:e});for(var a=m(n.i(i.a)(_,S).leaveRoutes),s=void 0,u=0,l=a.length;null==s&&u0?(i=a[0],n=u.customActionLocationHelper.getLocationItem(i)):l.spCustomActionsHistory.History.push("/")}else o&&(n=u.customActionLocationHelper.getLocationByKey(o),i={description:"",group:"",id:"",imageUrl:"",location:n.spLocationName,locationInternal:"",name:"",registrationType:0,scriptBlock:"",scriptSrc:"",sequence:1,title:"",url:""});return{customActionType:e.spCustomActionsReducer.customActionType,item:i,isWorkingOnIt:e.spCustomActionsReducer.isWorkingOnIt,locationItem:n}},h=function(e){return{createCustomAction:function(t,n){return e(s.default.createCustomAction(t,n))},updateCustomAction:function(t,n){return e(s.default.updateCustomAction(t,n))}}};t.default=a.connect(m,h)(f)},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(0),o=n(355),i=function(e){var t="",n="",i="";return e.isScriptBlock?(t="Script Block",n="scriptBlock",i=e.item.scriptBlock):(t="Script Link",n="scriptSrc",i=e.item.scriptSrc),r.createElement("div",{className:"ms-ListBasicExample-itemContent ms-Grid-col ms-u-sm11 ms-u-md11 ms-u-lg11"},r.createElement(o.SpCustomActionsItemInput,{inputKey:"title",label:"Title",value:e.item.title,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"name",label:"Name",value:e.item.name,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"description",label:"Description",value:e.item.description,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"sequence",label:"Sequence",value:e.item.sequence,type:"number",required:!0,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:n,label:t,value:i,multipleLine:e.isScriptBlock,required:!0,onValueChange:e.onInputChange}))};t.default=i},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(0),o=n(355),i=n(413),a=function(e){return r.createElement("div",{className:"ms-ListBasicExample-itemContent ms-Grid-col ms-u-sm11 ms-u-md11 ms-u-lg11"},r.createElement(o.SpCustomActionsItemInput,{inputKey:"title",label:"Title",value:e.item.title,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"name",label:"Name",value:e.item.name,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"description",label:"Description",value:e.item.description,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"imageUrl",label:"Image Url",value:e.item.imageUrl,onValueChange:e.onInputChange}),r.createElement(i.SpCustomActionsItemSelect,{selectKey:"group",label:"Group",value:e.item.group,required:!0,onValueChange:e.onInputChange,options:[{key:"ActionsMenu",text:"ActionsMenu"},{key:"SiteActions",text:"SiteActions"}]}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"sequence",label:"Sequence",value:e.item.sequence,type:"number",required:!0,onValueChange:e.onInputChange}),r.createElement(o.SpCustomActionsItemInput,{inputKey:"url",label:"Url",value:e.item.url,required:!0,onValueChange:e.onInputChange}))};t.default=a},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(425),o=n(0);t.SpCustomActionsItemSelect=function(e){var t=function(t){return e.onValueChange(t.key.toString(),e.selectKey),!1},n=!e.required||""!==e.value;return o.createElement("div",null,o.createElement(r.Dropdown,{label:e.label,selectedKey:e.value||"",disabled:e.disabled,onChanged:t,options:e.options}),n||o.createElement("div",{className:"ms-u-screenReaderOnly"},"The value can not be empty"),n||o.createElement("span",null,o.createElement("p",{className:"ms-TextField-errorMessage ms-u-slideDownIn20"},"The value can not be empty")))}},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(139),o=n(0),i=n(409);t.SpCustomActionList=function(e){var t=e.filtertText.toLowerCase(),n=function(t,n){return o.createElement(i.default,{item:t,key:n,caType:e.caType,deleteCustomAction:e.deleteCustomAction})},a=""!==t?e.customActions.filter(function(e,n){return e.name.toLowerCase().indexOf(t)>=0}):e.customActions;return a.sort(function(e,t){return e.sequence-t.sequence}),o.createElement(r.List,{items:a,onRenderCell:n})}},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(40),o=n(416);t.rootReducer=r.combineReducers({spCustomActionsReducer:o.spCustomActionsReducer})},function(e,t,n){"use strict";var r=this&&this.__assign||Object.assign||function(e){for(var t,n=1,r=arguments.length;n=e&&a&&(o=!0,n())}}()}},function(e,t,n){"use strict";t.__esModule=!0,t.replaceLocation=t.pushLocation=t.startListener=t.getCurrentLocation=t.go=t.getUserConfirmation=void 0;var r=n(335);Object.defineProperty(t,"getUserConfirmation",{enumerable:!0,get:function(){return r.getUserConfirmation}}),Object.defineProperty(t,"go",{enumerable:!0,get:function(){return r.go}});var o=n(72),i=(function(e){e&&e.__esModule}(o),n(130)),a=n(200),s=n(358),u=n(69),l=function(){var e=window.location.href,t=e.indexOf("#");return-1===t?"":e.substring(t+1)},c=function(e){return window.location.hash=e},p=function(e){var t=window.location.href.indexOf("#");window.location.replace(window.location.href.slice(0,t>=0?t:0)+"#"+e)},d=t.getCurrentLocation=function(e,t){var n=e.decodePath(l()),r=(0,u.getQueryStringValueFromPath)(n,t),o=void 0;r&&(n=(0,u.stripQueryStringValueFromPath)(n,t),o=(0,s.readState)(r));var a=(0,u.parsePath)(n);return a.state=o,(0,i.createLocation)(a,void 0,r)},f=void 0,m=(t.startListener=function(e,t,n){var r=function(){var r=l(),o=t.encodePath(r);if(r!==o)p(o);else{var i=d(t,n);if(f&&i.key&&f.key===i.key)return;f=i,e(i)}},o=l(),i=t.encodePath(o);return o!==i&&p(i),(0,a.addEventListener)(window,"hashchange",r),function(){return(0,a.removeEventListener)(window,"hashchange",r)}},function(e,t,n,r){var o=e.state,i=e.key,a=t.encodePath((0,u.createPath)(e));void 0!==o&&(a=(0,u.addQueryStringValueToPath)(a,n,i),(0,s.saveState)(i,o)),f=e,r(a)});t.pushLocation=function(e,t,n){return m(e,t,n,function(e){l()!==e&&c(e)})},t.replaceLocation=function(e,t,n){return m(e,t,n,function(e){l()!==e&&p(e)})}},function(e,t,n){"use strict";t.__esModule=!0,t.replaceLocation=t.pushLocation=t.getCurrentLocation=t.go=t.getUserConfirmation=void 0;var r=n(335);Object.defineProperty(t,"getUserConfirmation",{enumerable:!0,get:function(){return r.getUserConfirmation}}),Object.defineProperty(t,"go",{enumerable:!0,get:function(){return r.go}});var o=n(130),i=n(69);t.getCurrentLocation=function(){return(0,o.createLocation)(window.location)},t.pushLocation=function(e){return window.location.href=(0,i.createPath)(e),!1},t.replaceLocation=function(e){return window.location.replace((0,i.createPath)(e)),!1}},function(e,t,n){"use strict";function r(e){if(e&&e.__esModule)return e;var t={};if(null!=e)for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n]);return t.default=e,t}function o(e){return e&&e.__esModule?e:{default:e}}t.__esModule=!0;var i=Object.assign||function(e){for(var t=1;t0&&void 0!==arguments[0]?arguments[0]:{};u.canUseDOM||(0,s.default)(!1);var t=e.forceRefresh||!(0,f.supportsHistory)(),n=t?d:c,r=n.getUserConfirmation,o=n.getCurrentLocation,a=n.pushLocation,l=n.replaceLocation,p=n.go,m=(0,h.default)(i({getUserConfirmation:r},e,{getCurrentLocation:o,pushLocation:a,replaceLocation:l,go:p})),g=0,v=void 0,y=function(e,t){1==++g&&(v=c.startListener(m.transitionTo));var n=t?m.listenBefore(e):m.listen(e);return function(){n(),0==--g&&v()}};return i({},m,{listenBefore:function(e){return y(e,!0)},listen:function(e){return y(e,!1)}})};t.default=g},function(e,t,n){"use strict";function r(e){return e&&e.__esModule?e:{default:e}}t.__esModule=!0;var o=Object.assign||function(e){for(var t=1;t0&&void 0!==arguments[0]?arguments[0]:{};u.canUseDOM||(0,s.default)(!1);var t=e.queryKey,n=e.hashType;"string"!=typeof t&&(t="_k"),null==n&&(n="slash"),n in h||(n="slash");var r=h[n],i=p.getUserConfirmation,a=function(){return p.getCurrentLocation(r,t)},c=function(e){return p.pushLocation(e,r,t)},d=function(e){return p.replaceLocation(e,r,t)},m=(0,f.default)(o({getUserConfirmation:i},e,{getCurrentLocation:a,pushLocation:c,replaceLocation:d,go:p.go})),g=0,v=void 0,y=function(e,n){1==++g&&(v=p.startListener(m.transitionTo,r,t));var o=n?m.listenBefore(e):m.listen(e);return function(){o(),0==--g&&v()}},b=function(e){return y(e,!0)},_=function(e){return y(e,!1)};(0,l.supportsGoWithoutReloadUsingHash)();return o({},m,{listenBefore:b,listen:_,go:function(e){m.go(e)},createHref:function(e){return"#"+r.encodePath(m.createHref(e))}})};t.default=g},function(e,t,n){"use strict";function r(e){return e&&e.__esModule?e:{default:e}}t.__esModule=!0;var o=Object.assign||function(e){for(var t=1;t0&&void 0!==arguments[0]?arguments[0]:{};Array.isArray(e)?e={entries:e}:"string"==typeof e&&(e={entries:[e]});var t=function(){var e=h[g],t=(0,l.createPath)(e),n=void 0,r=void 0;e.key&&(n=e.key,r=b(n));var i=(0,l.parsePath)(t);return(0,u.createLocation)(o({},i,{state:r}),void 0,n)},n=function(e){var t=g+e;return t>=0&&t=0&&g=0;s--)(o=e[s])&&(a=(i<3?o(a):i>3?o(t,n,a):o(t,n))||a);return i>3&&a&&Object.defineProperty(t,n,a),a},i=n(0),a=n(49),s=n(339),u=n(70),l=n(139),c=n(427),p=n(209),d=n(392),f=n(6);n(429);var m=h=function(e){function t(t){var n=e.call(this,t,{isDisabled:"disabled"})||this;n._id=t.id||f.getId("Dropdown");var r=void 0!==t.defaultSelectedKey?t.defaultSelectedKey:t.selectedKey;return n.state={isOpen:!1,selectedIndex:n._getSelectedIndex(t.options,r)},n}return r(t,e),t.prototype.componentWillReceiveProps=function(e){void 0===e.selectedKey||e.selectedKey===this.props.selectedKey&&e.options===this.props.options||this.setState({selectedIndex:this._getSelectedIndex(e.options,e.selectedKey)})},t.prototype.render=function(){var e=this,t=this._id,n=this.props,r=n.className,o=n.label,a=n.options,s=n.disabled,u=n.isDisabled,l=n.ariaLabel,c=n.onRenderTitle,p=void 0===c?this._onRenderTitle:c,d=n.onRenderContainer,m=void 0===d?this._onRenderContainer:d,h=this.state,g=h.isOpen,v=h.selectedIndex,y=a[v];return void 0!==u&&(s=u),i.createElement("div",{ref:"root"},o&&i.createElement("label",{id:t+"-label",className:"ms-Label",ref:function(t){return e._dropdownLabel=t}},o),i.createElement("div",{"data-is-focusable":!s,ref:function(t){return e._dropDown=t},id:t,className:f.css("ms-Dropdown",r,{"is-open":g,"is-disabled":s}),tabIndex:s?-1:0,onKeyDown:this._onDropdownKeyDown,onClick:this._onDropdownClick,"aria-expanded":g?"true":"false",role:"combobox","aria-live":s||g?"off":"assertive","aria-label":l||o,"aria-describedby":t+"-option","aria-activedescendant":v>=0?this._id+"-list"+v:this._id+"-list"},i.createElement("span",{id:t+"-option",className:"ms-Dropdown-title",key:v,"aria-atomic":!0},y&&p(y,this._onRenderTitle)),i.createElement("i",{className:"ms-Dropdown-caretDown ms-Icon ms-Icon--ChevronDown"})),g&&m(this.props,this._onRenderContainer))},t.prototype.focus=function(){this._dropDown&&-1!==this._dropDown.tabIndex&&this._dropDown.focus()},t.prototype.setSelectedIndex=function(e){var t=this.props,n=t.onChanged,r=t.options,o=this.state.selectedIndex;(e=Math.max(0,Math.min(r.length-1,e)))!==o&&(this.setState({selectedIndex:e}),n&&n(r[e],e))},t.prototype._onRenderTitle=function(e){return i.createElement("span",null,e.text)},t.prototype._onRenderContainer=function(e){var t=this.props,n=t.onRenderList,r=void 0===n?this._onRenderList:n;return t.responsiveMode<=d.ResponsiveMode.medium?i.createElement(c.Panel,{className:"ms-Dropdown-panel",isOpen:!0,isLightDismiss:!0,onDismissed:this._onDismiss,hasCloseButton:!1},r(e,this._onRenderList)):i.createElement(s.Callout,{isBeakVisible:!1,className:"ms-Dropdown-callout",gapSpace:0,doNotLayer:!1,targetElement:this._dropDown,directionalHint:a.DirectionalHint.bottomLeftEdge,onDismiss:this._onDismiss,onPositioned:this._onPositioned},i.createElement("div",{style:{width:this._dropDown.clientWidth-2}},r(e,this._onRenderList)))},t.prototype._onRenderList=function(e){var t=this,n=this.props.onRenderItem,r=void 0===n?this._onRenderItem:n,o=this._id,a=this.state.selectedIndex;return i.createElement(p.FocusZone,{ref:this._resolveRef("_focusZone"),direction:p.FocusZoneDirection.vertical,defaultActiveElement:"#"+o+"-list"+a},i.createElement(l.List,{id:o+"-list",className:"ms-Dropdown-items","aria-labelledby":o+"-label",items:e.options,onRenderCell:function(e,n){return e.index=n,r(e,t._onRenderItem)}}))},t.prototype._onRenderItem=function(e){var t=this,n=this.props.onRenderOption,r=void 0===n?this._onRenderOption:n,o=this._id;return i.createElement(u.BaseButton,{id:o+"-list"+e.index,ref:h.Option+e.index,key:e.key,"data-index":e.index,"data-is-focusable":!0,className:f.css("ms-Dropdown-item",{"is-selected":this.state.selectedIndex===e.index}),onClick:function(){return t._onItemClick(e.index)},onFocus:function(){return t.setSelectedIndex(e.index)},role:"option","aria-selected":this.state.selectedIndex===e.index?"true":"false","aria-label":e.text}," ",r(e,this._onRenderOption))},t.prototype._onRenderOption=function(e){return i.createElement("span",null,e.text)},t.prototype._onPositioned=function(){this._focusZone.focus()},t.prototype._onItemClick=function(e){this.setSelectedIndex(e),this.setState({isOpen:!1})},t.prototype._onDismiss=function(){this.setState({isOpen:!1})},t.prototype._getSelectedIndex=function(e,t){return f.findIndex(e,function(e){return e.isSelected||e.selected||null!=t&&e.key===t})},t.prototype._onDropdownKeyDown=function(e){switch(e.which){case f.KeyCodes.enter:this.setState({isOpen:!this.state.isOpen});break;case f.KeyCodes.escape:if(!this.state.isOpen)return;this.setState({isOpen:!1});break;case f.KeyCodes.up:this.setSelectedIndex(this.state.selectedIndex-1);break;case f.KeyCodes.down:this.setSelectedIndex(this.state.selectedIndex+1);break;case f.KeyCodes.home:this.setSelectedIndex(0);break;case f.KeyCodes.end:this.setSelectedIndex(this.props.options.length-1);break;default:return}e.stopPropagation(),e.preventDefault()},t.prototype._onDropdownClick=function(){var e=this.props,t=e.disabled,n=e.isDisabled,r=this.state.isOpen;void 0!==n&&(t=n),t||this.setState({isOpen:!r})},t}(f.BaseComponent);m.defaultProps={options:[]},m.Option="option",o([f.autobind],m.prototype,"_onRenderTitle",null),o([f.autobind],m.prototype,"_onRenderContainer",null),o([f.autobind],m.prototype,"_onRenderList",null),o([f.autobind],m.prototype,"_onRenderItem",null),o([f.autobind],m.prototype,"_onRenderOption",null),o([f.autobind],m.prototype,"_onPositioned",null),o([f.autobind],m.prototype,"_onDismiss",null),o([f.autobind],m.prototype,"_onDropdownKeyDown",null),o([f.autobind],m.prototype,"_onDropdownClick",null),m=h=o([d.withResponsiveMode],m),t.Dropdown=m;var h},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:'.ms-Dropdown{box-sizing:border-box;margin:0;padding:0;box-shadow:none;font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:14px;font-weight:400;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";margin-bottom:10px;position:relative;outline:0;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.ms-Dropdown:active .ms-Dropdown-caretDown,.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:focus .ms-Dropdown-caretDown,.ms-Dropdown:focus .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-caretDown,.ms-Dropdown:hover .ms-Dropdown-title{color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown:active .ms-Dropdown-caretDown,.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:focus .ms-Dropdown-caretDown,.ms-Dropdown:focus .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-caretDown,.ms-Dropdown:hover .ms-Dropdown-title{color:#1AEBFF}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown:active .ms-Dropdown-caretDown,.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:focus .ms-Dropdown-caretDown,.ms-Dropdown:focus .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-caretDown,.ms-Dropdown:hover .ms-Dropdown-title{color:#37006E}}.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-title{border-color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-title{border-color:#1AEBFF}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown:active .ms-Dropdown-title,.ms-Dropdown:hover .ms-Dropdown-title{border-color:#37006E}}.ms-Dropdown:focus .ms-Dropdown-title{border-color:"},{theme:"themePrimary",defaultValue:"#0078d7"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown:focus .ms-Dropdown-title{border-color:#1AEBFF}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown:focus .ms-Dropdown-title{border-color:#37006E}}.ms-Dropdown .ms-Label{display:inline-block;margin-bottom:8px}.ms-Dropdown.is-disabled .ms-Dropdown-title{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";border-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";color:"},{theme:"neutralTertiary",defaultValue:"#a6a6a6"},{rawString:";cursor:default}@media screen and (-ms-high-contrast:active){.ms-Dropdown.is-disabled .ms-Dropdown-title{border-color:#0f0;color:#0f0}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown.is-disabled .ms-Dropdown-title{border-color:#600000;color:#600000}}.ms-Dropdown.is-disabled .ms-Dropdown-caretDown{color:"},{theme:"neutralTertiary",defaultValue:"#a6a6a6"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown.is-disabled .ms-Dropdown-caretDown{color:#0f0}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown.is-disabled .ms-Dropdown-caretDown{color:#600000}}.ms-Dropdown-caretDown{color:"},{theme:"neutralDark",defaultValue:"#212121"},{rawString:";font-size:12px;position:absolute;top:0;pointer-events:none;line-height:32px}html[dir=ltr] .ms-Dropdown-caretDown{right:12px}html[dir=rtl] .ms-Dropdown-caretDown{left:12px}.ms-Dropdown-title{box-sizing:border-box;margin:0;padding:0;box-shadow:none;background:"},{theme:"white",defaultValue:"#ffffff"},{rawString:";border:1px solid "},{theme:"neutralTertiaryAlt",defaultValue:"#c8c8c8"},{rawString:";cursor:pointer;display:block;height:32px;line-height:30px;padding:0 32px 0 12px;position:relative;overflow:hidden;white-space:nowrap;text-overflow:ellipsis}html[dir=rtl] .ms-Dropdown-title{padding:0 12px 0 32px}.ms-Dropdown-callout{box-shadow:0 0 15px -5px rgba(0,0,0,.4);border:1px solid "},{theme:"neutralLight",defaultValue:"#eaeaea"},{rawString:"}.ms-Dropdown-panel .ms-Panel-main{box-shadow:-30px 0 30px -30px rgba(0,0,0,.2)}.ms-Dropdown-panel .ms-Panel-contentInner{padding:0 0 20px}.ms-Dropdown-item{background:0 0;box-sizing:border-box;cursor:pointer;display:block;width:100%;text-align:left;min-height:36px;line-height:20px;padding:5px 16px;position:relative;border:1px solid transparent;word-wrap:break-word}@media screen and (-ms-high-contrast:active){.ms-Dropdown-item{border-color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown-item{border-color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}.ms-Dropdown-item:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown-item:hover{background-color:#1AEBFF;border-color:#1AEBFF;color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-Dropdown-item:hover:focus{border-color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown-item:hover{background-color:#37006E;border-color:#37006E;color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}.ms-Dropdown-item::-moz-focus-inner{border:0}.ms-Dropdown-item{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-Dropdown-item:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}.ms-Dropdown-item:focus{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:"}.ms-Dropdown-item:active{background-color:"},{theme:"neutralLighter",defaultValue:"#f4f4f4"},{rawString:";color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-Dropdown-item.is-disabled{background:"},{theme:"white",defaultValue:"#ffffff"},{rawString:";color:"},{theme:"neutralTertiary",defaultValue:"#a6a6a6"},{rawString:";cursor:default}.ms-Dropdown-item.is-selected,.ms-Dropdown-item.ms-Dropdown-item--selected{background-color:"},{theme:"neutralQuaternaryAlt",defaultValue:"#dadada"},{rawString:";color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-Dropdown-item.is-selected:hover,.ms-Dropdown-item.ms-Dropdown-item--selected:hover{background-color:"},{theme:"neutralQuaternaryAlt",defaultValue:"#dadada"},{rawString:"}.ms-Dropdown-item.is-selected::-moz-focus-inner,.ms-Dropdown-item.ms-Dropdown-item--selected::-moz-focus-inner{border:0}.ms-Dropdown-item.is-selected,.ms-Dropdown-item.ms-Dropdown-item--selected{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-Dropdown-item.is-selected:focus:after,.ms-Fabric.is-focusVisible .ms-Dropdown-item.ms-Dropdown-item--selected:focus:after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid "},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:"}@media screen and (-ms-high-contrast:active){.ms-Dropdown-item.is-selected,.ms-Dropdown-item.ms-Dropdown-item--selected{background-color:#1AEBFF;border-color:#1AEBFF;color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}.ms-Dropdown-item.is-selected:focus,.ms-Dropdown-item.ms-Dropdown-item--selected:focus{border-color:"},{theme:"black",defaultValue:"#000000"},{rawString:"}}@media screen and (-ms-high-contrast:black-on-white){.ms-Dropdown-item.is-selected,.ms-Dropdown-item.ms-Dropdown-item--selected{background-color:#37006E;border-color:#37006E;color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}}"}])},function(e,t,n){"use strict";!function(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}(n(428))},,function(e,t,n){"use strict";var r=this&&this.__extends||function(e,t){function n(){this.constructor=e}for(var r in t)t.hasOwnProperty(r)&&(e[r]=t[r]);e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)},o=n(0),i=n(6),a=n(376),s=n(386),u=n(143),l=n(364),c=n(333);n(433);var p=function(e){function t(t){var n=e.call(this,t)||this;return n._onPanelClick=n._onPanelClick.bind(n),n._onPanelRef=n._onPanelRef.bind(n),n.state={isOpen:!!t.isOpen,isAnimatingOpen:t.isOpen,isAnimatingClose:!1,id:i.getId("Panel")},n}return r(t,e),t.prototype.componentDidMount=function(){var e=this;this.state.isOpen&&this._async.setTimeout(function(){e.setState({isAnimatingOpen:!1})},2e3)},t.prototype.componentWillReceiveProps=function(e){e.isOpen!==this.state.isOpen&&this.setState({isOpen:!0,isAnimatingOpen:!!e.isOpen,isAnimatingClose:!e.isOpen})},t.prototype.render=function(){var e=this.props,t=e.children,n=e.className,r=void 0===n?"":n,p=e.type,d=e.hasCloseButton,f=e.isLightDismiss,m=e.isBlocking,h=e.headerText,g=e.closeButtonAriaLabel,v=e.headerClassName,y=void 0===v?"":v,b=e.elementToFocusOnDismiss,_=e.ignoreExternalFocusing,w=e.forceFocusInsideTrap,x=e.firstFocusableSelector,C=this.state,E=C.isOpen,S=C.isAnimatingOpen,P=C.isAnimatingClose,T=C.id,O=p===s.PanelType.smallFixedNear,I=i.getRTL(),k=I?O:!O,M=T+"-headerText";if(!E)return null;var A;h&&(A=o.createElement("p",{className:i.css("ms-Panel-headerText",y),id:M},h));var R;d&&(R=o.createElement("button",{className:"ms-Panel-closeButton ms-PanelAction-close",onClick:this._onPanelClick,"aria-label":g,"data-is-visible":!0},o.createElement("i",{className:"ms-Panel-closeIcon ms-Icon ms-Icon--Cancel"})));var D;return m&&(D=o.createElement(l.Overlay,{isDarkThemed:!1,onClick:f?this._onPanelClick:null})),o.createElement(u.Layer,null,o.createElement(c.Popup,{role:"dialog",ariaLabelledBy:h&&M,onDismiss:this.props.onDismiss},o.createElement("div",{ref:this._onPanelRef,className:i.css("ms-Panel",r,{"ms-Panel--openLeft":!k,"ms-Panel--openRight":k,"is-open":E,"ms-Panel-animateIn":S,"ms-Panel-animateOut":P,"ms-Panel--smFluid":p===s.PanelType.smallFluid,"ms-Panel--smLeft":p===s.PanelType.smallFixedNear,"ms-Panel--sm":p===s.PanelType.smallFixedFar,"ms-Panel--md":p===s.PanelType.medium,"ms-Panel--lg":p===s.PanelType.large||p===s.PanelType.largeFixed,"ms-Panel--fixed":p===s.PanelType.largeFixed,"ms-Panel--xl":p===s.PanelType.extraLarge,"ms-Panel--hasCloseButton":d})},D,o.createElement(a.FocusTrapZone,{className:"ms-Panel-main",elementToFocusOnDismiss:b,isClickableOutsideFocusTrap:f,ignoreExternalFocusing:_,forceFocusInsideTrap:w,firstFocusableSelector:x},o.createElement("div",{className:"ms-Panel-commands","data-is-visible":!0},"",R),o.createElement("div",{className:"ms-Panel-contentInner"},A,o.createElement("div",{className:"ms-Panel-content"},t))))))},t.prototype.componentDidUpdate=function(e,t){!1===t.isAnimatingClose&&!0===this.state.isAnimatingClose&&this.props.onDismiss&&this.props.onDismiss()},t.prototype.dismiss=function(){this.state.isOpen&&this.setState({isAnimatingOpen:!1,isAnimatingClose:!0})},t.prototype._onPanelClick=function(){this.dismiss()},t.prototype._onPanelRef=function(e){e?this._events.on(e,"animationend",this._onAnimationEnd):this._events.off()},t.prototype._onAnimationEnd=function(e){e.animationName.indexOf("In")>-1&&this.setState({isOpen:!0,isAnimatingOpen:!1}),e.animationName.indexOf("Out")>-1&&(this.setState({isOpen:!1,isAnimatingClose:!1}),this.props.onDismissed&&this.props.onDismissed())},t}(i.BaseComponent);p.defaultProps={isOpen:!1,isBlocking:!0,hasCloseButton:!0,type:s.PanelType.smallFixedFar},t.Panel=p},function(e,t,n){"use strict";var r=n(7),o={};Object.defineProperty(t,"__esModule",{value:!0}),t.default=o,r.loadStyles([{rawString:".ms-Panel{pointer-events:inherit;overflow:hidden}.ms-Panel .ms-Panel-main{position:absolute;overflow-x:hidden;overflow-y:auto;-webkit-overflow-scrolling:touch}.ms-Panel{display:none;pointer-events:none}.ms-Panel .ms-Overlay{display:none;pointer-events:none;opacity:1;cursor:pointer;-webkit-transition:opacity 367ms cubic-bezier(.1,.9,.2,1);transition:opacity 367ms cubic-bezier(.1,.9,.2,1)}.ms-Panel-main{background-color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:";bottom:0;position:fixed;top:0;display:none;width:100%}html[dir=ltr] .ms-Panel-main{right:0}html[dir=rtl] .ms-Panel-main{left:0}@media (min-width:480px){.ms-Panel-main{border-left:1px solid "},{theme:"neutralLight",defaultValue:"#eaeaea"},{rawString:";border-right:1px solid "},{theme:"neutralLight",defaultValue:"#eaeaea"},{rawString:";pointer-events:auto;width:340px;box-shadow:-30px 0 30px -30px rgba(0,0,0,.2)}html[dir=ltr] .ms-Panel-main{left:auto}html[dir=rtl] .ms-Panel-main{right:auto}}.ms-Panel.ms-Panel--sm .ms-Panel-main{width:272px}@media (min-width:480px){.ms-Panel.ms-Panel--sm .ms-Panel-main{width:340px}}.ms-Panel.ms-Panel--smLeft .ms-Panel-main{width:272px}html[dir=ltr] .ms-Panel.ms-Panel--smLeft .ms-Panel-main{right:auto}html[dir=rtl] .ms-Panel.ms-Panel--smLeft .ms-Panel-main{left:auto}html[dir=ltr] .ms-Panel.ms-Panel--smLeft .ms-Panel-main{left:0}html[dir=rtl] .ms-Panel.ms-Panel--smLeft .ms-Panel-main{right:0}.ms-Panel.ms-Panel--smFluid .ms-Panel-main{width:100%}@media (min-width:640px){.ms-Panel.ms-Panel--lg .ms-Panel-main,.ms-Panel.ms-Panel--md .ms-Panel-main,.ms-Panel.ms-Panel--xl .ms-Panel-main{width:auto}html[dir=ltr] .ms-Panel.ms-Panel--lg .ms-Panel-main,html[dir=ltr] .ms-Panel.ms-Panel--md .ms-Panel-main,html[dir=ltr] .ms-Panel.ms-Panel--xl .ms-Panel-main{left:48px}html[dir=rtl] .ms-Panel.ms-Panel--lg .ms-Panel-main,html[dir=rtl] .ms-Panel.ms-Panel--md .ms-Panel-main,html[dir=rtl] .ms-Panel.ms-Panel--xl .ms-Panel-main{right:48px}}@media (min-width:1024px){.ms-Panel.ms-Panel--md .ms-Panel-main{width:643px}html[dir=ltr] .ms-Panel.ms-Panel--md .ms-Panel-main{left:auto}html[dir=rtl] .ms-Panel.ms-Panel--md .ms-Panel-main{right:auto}}@media (min-width:1366px){html[dir=ltr] .ms-Panel.ms-Panel--lg .ms-Panel-main{left:428px}html[dir=rtl] .ms-Panel.ms-Panel--lg .ms-Panel-main{right:428px}}@media (min-width:1366px){.ms-Panel.ms-Panel--lg.ms-Panel--fixed .ms-Panel-main{width:940px}html[dir=ltr] .ms-Panel.ms-Panel--lg.ms-Panel--fixed .ms-Panel-main{left:auto}html[dir=rtl] .ms-Panel.ms-Panel--lg.ms-Panel--fixed .ms-Panel-main{right:auto}}@media (min-width:1366px){html[dir=ltr] .ms-Panel.ms-Panel--xl .ms-Panel-main{left:176px}html[dir=rtl] .ms-Panel.ms-Panel--xl .ms-Panel-main{right:176px}}.ms-Panel.is-open{display:block}.ms-Panel.is-open .ms-Panel-main{opacity:1;pointer-events:auto;display:block}.ms-Panel.is-open .ms-Overlay{display:block;pointer-events:auto}@media screen and (-ms-high-contrast:active){.ms-Panel.is-open .ms-Overlay{opacity:0}}.ms-Panel.is-open.ms-Panel-animateIn .ms-Panel-main{-webkit-animation-duration:367ms;-webkit-animation-name:fadeIn;-webkit-animation-fill-mode:both;animation-duration:367ms;animation-name:fadeIn;animation-fill-mode:both;-webkit-animation-duration:167ms;animation-duration:167ms}.ms-Panel.is-open.ms-Panel-animateOut .ms-Panel-main{-webkit-animation-duration:367ms;-webkit-animation-name:fadeOut;-webkit-animation-fill-mode:both;animation-duration:367ms;animation-name:fadeOut;animation-fill-mode:both;-webkit-animation-duration:.1s;animation-duration:.1s}.ms-Panel.is-open.ms-Panel-animateOut .ms-Overlay{display:none}@media (min-width:480px){.ms-Panel.is-open.ms-Panel--openRight.ms-Panel-animateIn .ms-Panel-main{-webkit-animation-name:fadeIn,slideLeftIn40;animation-name:fadeIn,slideLeftIn40;-webkit-animation-duration:367ms;-moz-animation-duration:367ms;-ms-animation-duration:367ms;-o-animation-duration:367ms;-webkit-animation-timing-function:cubic-bezier(.1,.9,.2,1);animation-timing-function:cubic-bezier(.1,.9,.2,1);-webkit-animation-fill-mode:both;animation-fill-mode:both}.ms-Panel.is-open.ms-Panel--openRight.ms-Panel-animateIn .ms-Overlay{-webkit-animation-duration:367ms;-webkit-animation-name:fadeIn;-webkit-animation-fill-mode:both;animation-duration:367ms;animation-name:fadeIn;animation-fill-mode:both;-webkit-animation-duration:267ms;animation-duration:267ms}.ms-Panel.is-open.ms-Panel--openRight.ms-Panel-animateOut .ms-Panel-main{-webkit-animation-name:fadeOut,slideRightOut40;animation-name:fadeOut,slideRightOut40;-webkit-animation-duration:167ms;-moz-animation-duration:167ms;-ms-animation-duration:167ms;-o-animation-duration:167ms;-webkit-animation-timing-function:cubic-bezier(.1,.25,.75,.9);animation-timing-function:cubic-bezier(.1,.25,.75,.9);-webkit-animation-fill-mode:both;animation-fill-mode:both}.ms-Panel.is-open.ms-Panel--openRight.ms-Panel-animateOut .ms-Overlay{-webkit-animation-duration:367ms;-webkit-animation-name:fadeOut;-webkit-animation-fill-mode:both;animation-duration:367ms;animation-name:fadeOut;animation-fill-mode:both;-webkit-animation-duration:167ms;animation-duration:167ms}.ms-Panel.is-open.ms-Panel--openLeft.ms-Panel-animateIn .ms-Panel-main{-webkit-animation-name:fadeIn,slideRightIn40;animation-name:fadeIn,slideRightIn40;-webkit-animation-duration:367ms;-moz-animation-duration:367ms;-ms-animation-duration:367ms;-o-animation-duration:367ms;-webkit-animation-timing-function:cubic-bezier(.1,.9,.2,1);animation-timing-function:cubic-bezier(.1,.9,.2,1);-webkit-animation-fill-mode:both;animation-fill-mode:both}.ms-Panel.is-open.ms-Panel--openLeft.ms-Panel-animateIn .ms-Overlay{-webkit-animation-duration:367ms;-webkit-animation-name:fadeIn;-webkit-animation-fill-mode:both;animation-duration:367ms;animation-name:fadeIn;animation-fill-mode:both;-webkit-animation-duration:267ms;animation-duration:267ms}.ms-Panel.is-open.ms-Panel--openLeft.ms-Panel-animateOut .ms-Panel-main{-webkit-animation-name:fadeOut,slideLeftOut40;animation-name:fadeOut,slideLeftOut40;-webkit-animation-duration:167ms;-moz-animation-duration:167ms;-ms-animation-duration:167ms;-o-animation-duration:167ms;-webkit-animation-timing-function:cubic-bezier(.1,.25,.75,.9);animation-timing-function:cubic-bezier(.1,.25,.75,.9);-webkit-animation-fill-mode:both;animation-fill-mode:both}.ms-Panel.is-open.ms-Panel--openLeft.ms-Panel-animateOut .ms-Overlay{-webkit-animation-duration:367ms;-webkit-animation-name:fadeOut;-webkit-animation-fill-mode:both;animation-duration:367ms;animation-name:fadeOut;animation-fill-mode:both;-webkit-animation-duration:167ms;animation-duration:167ms}.ms-Panel.is-open .ms-Overlay{cursor:pointer;opacity:1;pointer-events:auto}}@media screen and (min-width:480px) and (-ms-high-contrast:active){.ms-Panel.is-open.ms-Panel--openLeft.ms-Panel-animateIn .ms-Overlay,.ms-Panel.is-open.ms-Panel--openRight.ms-Panel-animateIn .ms-Overlay{opacity:0;-webkit-animation-name:none;animation-name:none}}.ms-Panel-closeButton{background:0 0;border:0;cursor:pointer;position:absolute;top:0;height:40px;width:40px;line-height:40px;padding:0;color:"},{theme:"neutralSecondary",defaultValue:"#666666"},{rawString:";font-size:16px}html[dir=ltr] .ms-Panel-closeButton{right:8px}html[dir=rtl] .ms-Panel-closeButton{left:8px}.ms-Panel-closeButton:hover{color:"},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:'}.ms-Panel-contentInner{position:absolute;top:0;bottom:0;left:0;right:0;padding:0 16px 20px;overflow-y:auto;-webkit-overflow-scrolling:touch;-webkit-transform:translateZ(0);transform:translateZ(0)}.ms-Panel--hasCloseButton .ms-Panel-contentInner{top:40px}@media (min-width:640px){.ms-Panel-contentInner{padding:0 32px 20px}}@media (min-width:1366px){.ms-Panel-contentInner{padding:0 40px 20px}}.ms-Panel-headerText{font-family:"Segoe UI WestEuropean","Segoe UI",-apple-system,BlinkMacSystemFont,Roboto,"Helvetica Neue",sans-serif;-webkit-font-smoothing:antialiased;font-size:21px;font-weight:100;color:'},{theme:"neutralPrimary",defaultValue:"#333333"},{rawString:";margin:10px 0;padding:4px 0;line-height:1;text-overflow:ellipsis;overflow:hidden}@media (min-width:1024px){.ms-Panel-headerText{margin-top:30px}}"}])},function(e,t,n){"use strict";function r(e){for(var n in e)t.hasOwnProperty(n)||(t[n]=e[n])}r(n(432)),r(n(386))},function(e,t,n){"use strict";function r(e){switch(e.arrayFormat){case"index":return function(t,n,r){return null===n?[i(t,e),"[",r,"]"].join(""):[i(t,e),"[",i(r,e),"]=",i(n,e)].join("")};case"bracket":return function(t,n){return null===n?i(t,e):[i(t,e),"[]=",i(n,e)].join("")};default:return function(t,n){return null===n?i(t,e):[i(t,e),"=",i(n,e)].join("")}}}function o(e){var t;switch(e.arrayFormat){case"index":return function(e,n,r){if(t=/\[(\d*)\]$/.exec(e),e=e.replace(/\[\d*\]$/,""),!t)return void(r[e]=n);void 0===r[e]&&(r[e]={}),r[e][t[1]]=n};case"bracket":return function(e,n,r){return t=/(\[\])$/.exec(e),e=e.replace(/\[\]$/,""),t?void 0===r[e]?void(r[e]=[n]):void(r[e]=[].concat(r[e],n)):void(r[e]=n)};default:return function(e,t,n){if(void 0===n[e])return void(n[e]=t);n[e]=[].concat(n[e],t)}}}function i(e,t){return t.encode?t.strict?s(e):encodeURIComponent(e):e}function a(e){return Array.isArray(e)?e.sort():"object"==typeof e?a(Object.keys(e)).sort(function(e,t){return Number(e)-Number(t)}).map(function(t){return e[t]}):e}var s=n(452),u=n(4);t.extract=function(e){return e.split("?")[1]||""},t.parse=function(e,t){t=u({arrayFormat:"none"},t);var n=o(t),r=Object.create(null);return"string"!=typeof e?r:(e=e.trim().replace(/^(\?|#|&)/,""))?(e.split("&").forEach(function(e){var t=e.replace(/\+/g," ").split("="),o=t.shift(),i=t.length>0?t.join("="):void 0;i=void 0===i?null:decodeURIComponent(i),n(decodeURIComponent(o),i,r)}),Object.keys(r).sort().reduce(function(e,t){var n=r[t];return Boolean(n)&&"object"==typeof n&&!Array.isArray(n)?e[t]=a(n):e[t]=n,e},Object.create(null))):r},t.stringify=function(e,t){t=u({encode:!0,strict:!0,arrayFormat:"none"},t);var n=r(t);return e?Object.keys(e).sort().map(function(r){var o=e[r];if(void 0===o)return"";if(null===o)return i(r,t);if(Array.isArray(o)){var a=[];return o.slice().forEach(function(e){void 0!==e&&a.push(n(r,e,a.length))}),a.join("&")}return i(r,t)+"="+i(o,t)}).filter(function(e){return e.length>0}).join("&"):""}},function(e,t,n){"use strict";var r=n(0),o=n.n(r),i=n(46),a=n.n(i),s=n(394),u=Object.assign||function(e){for(var t=1;t=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}var o=n(17),i=n.n(o),a=n(0),s=n.n(a),u=n(46),l=n.n(u),c=n(19),p=(n.n(c),n(400)),d=n(141),f=n(350),m=n(71),h=n(397),g=(n(132),Object.assign||function(e){for(var t=1;t0&&void 0!==arguments[0]?arguments[0]:r.createElement;return function(t,n){return u.reduceRight(function(e,t){return t(e,n)},e(t,n))}};return function(e){return s.reduceRight(function(t,n){return n(t,e)},o.a.createElement(i.a,a({},e,{createElement:l(e.createElement)})))}}},function(e,t,n){"use strict";var r=n(421),o=n.n(r),i=n(399);t.a=n.i(i.a)(o.a)},function(e,t,n){"use strict";function r(e,t,r){return!!e.path&&n.i(i.b)(e.path).some(function(e){return t.params[e]!==r.params[e]})}function o(e,t){var n=e&&e.routes,o=t.routes,i=void 0,a=void 0,s=void 0;if(n){var u=!1;i=n.filter(function(n){if(u)return!0;var i=-1===o.indexOf(n)||r(n,e,t);return i&&(u=!0),i}),i.reverse(),s=[],a=[],o.forEach(function(e){var t=-1===n.indexOf(e),r=-1!==i.indexOf(e);t||r?s.push(e):a.push(e)})}else i=[],a=[],s=o;return{leaveRoutes:i,changeRoutes:a,enterRoutes:s}}var i=n(131);t.a=o},function(e,t,n){"use strict";function r(e,t,r){if(t.component||t.components)return void r(null,t.component||t.components);var o=t.getComponent||t.getComponents;if(o){var i=o.call(t,e,r);n.i(a.a)(i)&&i.then(function(e){return r(null,e)},r)}else r()}function o(e,t){n.i(i.a)(e.routes,function(t,n,o){r(e,t,o)},t)}var i=n(347),a=n(395);t.a=o},function(e,t,n){"use strict";function r(e,t){var r={};return e.path?(n.i(o.b)(e.path).forEach(function(e){Object.prototype.hasOwnProperty.call(t,e)&&(r[e]=t[e])}),r):r}var o=n(131);t.a=r},function(e,t,n){"use strict";var r=n(422),o=n.n(r),i=n(399);t.a=n.i(i.a)(o.a)},function(e,t,n){"use strict";function r(e,t){if(e==t)return!0;if(null==e||null==t)return!1;if(Array.isArray(e))return Array.isArray(t)&&e.length===t.length&&e.every(function(e,n){return r(e,t[n])});if("object"===(void 0===e?"undefined":l(e))){for(var n in e)if(Object.prototype.hasOwnProperty.call(e,n))if(void 0===e[n]){if(void 0!==t[n])return!1}else{if(!Object.prototype.hasOwnProperty.call(t,n))return!1;if(!r(e[n],t[n]))return!1}return!0}return String(e)===String(t)}function o(e,t){return"/"!==t.charAt(0)&&(t="/"+t),"/"!==e.charAt(e.length-1)&&(e+="/"),"/"!==t.charAt(t.length-1)&&(t+="/"),t===e}function i(e,t,r){for(var o=e,i=[],a=[],s=0,l=t.length;s=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}function o(e,t){var o=e.history,a=e.routes,f=e.location,m=r(e,["history","routes","location"]);o||f||s()(!1),o=o||n.i(u.a)(m);var h=n.i(l.a)(o,n.i(c.a)(a));f=f?o.createLocation(f):o.getCurrentLocation(),h.match(f,function(e,r,a){var s=void 0;if(a){var u=n.i(p.a)(o,h,a);s=d({},a,{router:u,matchContext:{transitionManager:h,router:u}})}t(e,r&&o.createLocation(r,i.REPLACE),s)})}var i=n(199),a=(n.n(i),n(17)),s=n.n(a),u=n(398),l=n(400),c=n(71),p=n(397),d=Object.assign||function(e){for(var t=1;t4&&void 0!==arguments[4]?arguments[4]:[],a=arguments.length>5&&void 0!==arguments[5]?arguments[5]:[];void 0===o&&("/"!==t.pathname.charAt(0)&&(t=f({},t,{pathname:"/"+t.pathname})),o=t.pathname),n.i(l.b)(e.length,function(n,r,u){s(e[n],t,o,i,a,function(e,t){e||t?u(e,t):r()})},r)}t.a=u;var l=n(347),c=n(395),p=n(131),d=(n(132),n(71)),f=Object.assign||function(e){for(var t=1;tdiv{display:inline-block}.action-container.sp-siteContent .checkBoxes-container>div:first-child{margin-right:20px}.chrome-sp-dev-tool-wrapper{width:100%;position:absolute;background-color:rgba(0,0,0,.498039);top:0;bottom:0;z-index:1500}.chrome-sp-dev-tool-wrapper>.sp-dev-too-modal{background:#fff;width:700px;height:94%;margin:10px auto;position:relative;padding:10px}.chrome-sp-dev-tool-wrapper>.sp-dev-too-modal>.sp-dev-tool-modal-header>hr{margin-bottom:0}.chrome-sp-dev-tool-wrapper>.sp-dev-too-modal>.sp-dev-tool-modal-header>a.sp-dev-tool-close-btn{position:absolute;right:10px}.chrome-sp-dev-tool-wrapper a.ms-Button.ms-Button--icon{height:25px}.chrome-sp-dev-tool-wrapper .ms-Button[disabled]{background:transparent}.chrome-sp-dev-tool-wrapper .ms-Button[disabled] .ms-Icon{color:#b1b1b1!important}.chrome-sp-dev-tool-wrapper .ms-Button .ms-Button-label{vertical-align:top}.chrome-sp-dev-tool-wrapper .ms-Button .ms-Button-label i{margin-left:25px}.working-on-it-wrapper{overflow:auto;height:90%;width:100%;text-align:center;vertical-align:middle;margin-top:6.5px}.working-on-it-wrapper .ms-Spinner>.ms-Spinner-circle.ms-Spinner--large{width:60px;height:60px;border-width:10px}.sp-peropertyBags .ms-TextField>label{color:#0078d7}.sp-peropertyBags .ms-TextField.is-disabled .ms-TextField-field{background-color:transparent;border:none;color:#000}.sp-peropertyBags h2{margin-top:10px;margin-bottom:10px}.sp-peropertyBags .spProp-create-button{padding-left:17px}.sp-siteContent .ms-List-cell{width:50%;display:inline-block}.sp-siteContent .ms-List-cell .ms-ListBasicExample-itemCell{min-height:90px}.sp-siteContent .ms-List-cell .ms-ListBasicExample-itemCell:hover{background-color:transparent!important}.sp-siteContent .ms-List-cell .ms-ListBasicExample-itemCell .ms-ListItem-actions{width:30px}.sp-siteContent .ms-List-cell:nth-child(odd) .ms-ListBasicExample-itemCell{margin-right:5px}.sp-siteContent .ms-List-cell:nth-child(2n) .ms-ListBasicExample-itemCell{margin-left:5px}.sp-siteContent .ms-List-cell .hidden-spList{opacity:.5}.sp-siteContent a.ms-ListItem-action{display:block}.sp-siteContent .sp-siteContent-contextMenu .ms-Button--icon{min-width:35px}.sp-siteContent .sp-siteContent-contextMenu .ms-Button--icon:hover{background-color:#d3d3d3!important}.sp-customActions .ms-TextField>label{color:#0078d7}.sp-customActions .ms-TextField.is-disabled .ms-TextField-field{background-color:transparent;border:none;color:#000}.sp-customActions .ms-ChoiceFieldGroup .ms-ChoiceFieldGroup-title>label{color:#0078d7;font-size:14px;font-weight:400}.sp-customActions .ms-ChoiceFieldGroup .ms-ChoiceField{display:inline-block}.sp-customActions .ms-Dropdown{margin-bottom:0}.sp-customActions .edit-form-title{margin:10px}.sp-customActions #ContextualMenuButton{width:100%;height:30px;font-size:14px!important}.sp-customActions #ContextualMenuButton i{vertical-align:middle;padding-left:20px}.ms-ContextualMenu-link{margin-left:0;text-decoration:none!important}.sp-features{overflow-x:hidden;overflow-y:auto;height:90%}.sp-features .ms-ListBasicExample-featureName{white-space:normal;overflow:visible;margin-right:10px}.sp-features .ms-ListBasicExample-featureContent{flex-grow:1;overflow:hidden;text-overflow:ellipsis}[dir=ltr] .sp-features .ms-ListBasicExample-featureContent{margin-left:10px}[dir=rtl] .sp-features .ms-ListBasicExample-featureContent{margin-right:10px}.sp-features .ms-ListFeature-toggle{margin-top:-5px}.sp-features .ms-ListBasicExample-itemCell{min-height:60px}.sp-features .site-feature-table,.sp-features .web-feature-table{margin-top:6.5px;display:inline-block;width:49%;vertical-align:top}.sp-features .site-feature-table{margin-left:5px} +.ms-u-borderBox,.ms-u-borderBox:after,.ms-u-borderBox:before{box-sizing:border-box}.ms-u-borderBase{border:1px solid}.ms-u-clearfix{*zoom:1}.ms-u-clearfix:after,.ms-u-clearfix:before{display:table;content:"";line-height:0}.ms-u-clearfix:after{clear:both}.ms-u-normalize{box-sizing:border-box;margin:0;padding:0;-webkit-box-shadow:none;-moz-box-shadow:none;box-shadow:none}.ms-u-textAlignLeft{text-align:left}.ms-u-textAlignCenter{text-align:center}.ms-u-textAlignRight{text-align:right}.ms-u-screenReaderOnly{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}.ms-u-textTruncate{overflow:hidden;text-overflow:ellipsis;white-space:nowrap;word-wrap:normal}.ms-u-noWrap{white-space:nowrap}.ms-bgColor-themeDark,.ms-bgColor-themeDark--hover:hover{background-color:#005a9e}.ms-bgColor-themeDarkAlt,.ms-bgColor-themeDarkAlt--hover:hover{background-color:#106ebe}.ms-bgColor-themeDarker,.ms-bgColor-themeDarker--hover:hover{background-color:#004578}.ms-bgColor-themePrimary,.ms-bgColor-themePrimary--hover:hover{background-color:#0078d7}.ms-bgColor-themeSecondary,.ms-bgColor-themeSecondary--hover:hover{background-color:#2488d8}.ms-bgColor-themeTertiary,.ms-bgColor-themeTertiary--hover:hover{background-color:#69afe5}.ms-bgColor-themeLight,.ms-bgColor-themeLight--hover:hover{background-color:#b3d6f2}.ms-bgColor-themeLighter,.ms-bgColor-themeLighter--hover:hover{background-color:#deecf9}.ms-bgColor-themeLighterAlt,.ms-bgColor-themeLighterAlt--hover:hover{background-color:#eff6fc}.ms-bgColor-black,.ms-bgColor-black--hover:hover{background-color:#000}.ms-bgColor-neutralDark,.ms-bgColor-neutralDark--hover:hover{background-color:#212121}.ms-bgColor-neutralPrimary,.ms-bgColor-neutralPrimary--hover:hover{background-color:#333}.ms-bgColor-neutralPrimaryAlt,.ms-bgColor-neutralPrimaryAlt--hover:hover{background-color:#3c3c3c}.ms-bgColor-neutralSecondary,.ms-bgColor-neutralSecondary--hover:hover{background-color:#666}.ms-bgColor-neutralSecondaryAlt,.ms-bgColor-neutralSecondaryAlt--hover:hover{background-color:#767676}.ms-bgColor-neutralTertiary,.ms-bgColor-neutralTertiary--hover:hover{background-color:#a6a6a6}.ms-bgColor-neutralTertiaryAlt,.ms-bgColor-neutralTertiaryAlt--hover:hover{background-color:#c8c8c8}.ms-bgColor-neutralLight,.ms-bgColor-neutralLight--hover:hover{background-color:#eaeaea}.ms-bgColor-neutralLighter,.ms-bgColor-neutralLighter--hover:hover{background-color:#f4f4f4}.ms-bgColor-neutralLighterAlt,.ms-bgColor-neutralLighterAlt--hover:hover{background-color:#f8f8f8}.ms-bgColor-white,.ms-bgColor-white--hover:hover{background-color:#fff}.ms-bgColor-yellow{background-color:#ffb900}.ms-bgColor-yellowLight{background-color:#fff100}.ms-bgColor-orange{background-color:#d83b01}.ms-bgColor-orangeLight{background-color:#ea4300}.ms-bgColor-orangeLighter{background-color:#ff8c00}.ms-bgColor-redDark{background-color:#a80000}.ms-bgColor-red{background-color:#e81123}.ms-bgColor-magentaDark{background-color:#5c005c}.ms-bgColor-magenta{background-color:#b4009e}.ms-bgColor-magentaLight{background-color:#e3008c}.ms-bgColor-purpleDark{background-color:#32145a}.ms-bgColor-purple{background-color:#5c2d91}.ms-bgColor-purpleLight{background-color:#b4a0ff}.ms-bgColor-blueDark{background-color:#002050}.ms-bgColor-blueMid{background-color:#00188f}.ms-bgColor-blue{background-color:#0078d7}.ms-bgColor-blueLight{background-color:#00bcf2}.ms-bgColor-tealDark{background-color:#004b50}.ms-bgColor-teal{background-color:#008272}.ms-bgColor-tealLight{background-color:#00b294}.ms-bgColor-greenDark{background-color:#004b1c}.ms-bgColor-green{background-color:#107c10}.ms-bgColor-greenLight{background-color:#bad80a}.ms-bgColor-info{background-color:#f4f4f4}.ms-bgColor-success{background-color:#dff6dd}.ms-bgColor-severeWarning{background-color:#fed9cc}.ms-bgColor-warning{background-color:#fff4ce}.ms-bgColor-error{background-color:#fde7e9}.ms-borderColor-themeDark,.ms-borderColor-themeDark--hover:hover{border-color:#005a9e}.ms-borderColor-themeDarkAlt,.ms-borderColor-themeDarkAlt--hover:hover{border-color:#106ebe}.ms-borderColor-themeDarker,.ms-borderColor-themeDarker--hover:hover{border-color:#004578}.ms-borderColor-themePrimary,.ms-borderColor-themePrimary--hover:hover{border-color:#0078d7}.ms-borderColor-themeSecondary,.ms-borderColor-themeSecondary--hover:hover{border-color:#2488d8}.ms-borderColor-themeTertiary,.ms-borderColor-themeTertiary--hover:hover{border-color:#69afe5}.ms-borderColor-themeLight,.ms-borderColor-themeLight--hover:hover{border-color:#b3d6f2}.ms-borderColor-themeLighter,.ms-borderColor-themeLighter--hover:hover{border-color:#deecf9}.ms-borderColor-themeLighterAlt,.ms-borderColor-themeLighterAlt--hover:hover{border-color:#eff6fc}.ms-borderColor-black,.ms-borderColor-black--hover:hover{border-color:#000}.ms-borderColor-neutralDark,.ms-borderColor-neutralDark--hover:hover{border-color:#212121}.ms-borderColor-neutralPrimary,.ms-borderColor-neutralPrimary--hover:hover{border-color:#333}.ms-borderColor-neutralPrimaryAlt,.ms-borderColor-neutralPrimaryAlt--hover:hover{border-color:#3c3c3c}.ms-borderColor-neutralSecondary,.ms-borderColor-neutralSecondary--hover:hover{border-color:#666}.ms-borderColor-neutralSecondaryAlt,.ms-borderColor-neutralSecondaryAlt--hover:hover{border-color:#767676}.ms-borderColor-neutralTertiary,.ms-borderColor-neutralTertiary--hover:hover{border-color:#a6a6a6}.ms-borderColor-neutralTertiaryAlt,.ms-borderColor-neutralTertiaryAlt--hover:hover{border-color:#c8c8c8}.ms-borderColor-neutralLight,.ms-borderColor-neutralLight--hover:hover{border-color:#eaeaea}.ms-borderColor-neutralLighter,.ms-borderColor-neutralLighter--hover:hover{border-color:#f4f4f4}.ms-borderColor-neutralLighterAlt,.ms-borderColor-neutralLighterAlt--hover:hover{border-color:#f8f8f8}.ms-borderColor-white,.ms-borderColor-white--hover:hover{border-color:#fff}.ms-borderColor-yellow{border-color:#ffb900}.ms-borderColor-yellowLight{border-color:#fff100}.ms-borderColor-orange{border-color:#d83b01}.ms-borderColor-orangeLight{border-color:#ea4300}.ms-borderColor-orangeLighter{border-color:#ff8c00}.ms-borderColor-redDark{border-color:#a80000}.ms-borderColor-red{border-color:#e81123}.ms-borderColor-magentaDark{border-color:#5c005c}.ms-borderColor-magenta{border-color:#b4009e}.ms-borderColor-magentaLight{border-color:#e3008c}.ms-borderColor-purpleDark{border-color:#32145a}.ms-borderColor-purple{border-color:#5c2d91}.ms-borderColor-purpleLight{border-color:#b4a0ff}.ms-borderColor-blueDark{border-color:#002050}.ms-borderColor-blueMid{border-color:#00188f}.ms-borderColor-blue{border-color:#0078d7}.ms-borderColor-blueLight{border-color:#00bcf2}.ms-borderColor-tealDark{border-color:#004b50}.ms-borderColor-teal{border-color:#008272}.ms-borderColor-tealLight{border-color:#00b294}.ms-borderColor-greenDark{border-color:#004b1c}.ms-borderColor-green{border-color:#107c10}.ms-borderColor-greenLight{border-color:#bad80a}.ms-borderColorTop-themePrimary,.ms-borderColorTop-themePrimary--hover:hover{border-top-color:#0078d7}.ms-font-su{font-size:42px}.ms-font-su,.ms-font-xxl{font-family:Segoe UI WestEuropean,Segoe UI,-apple-system,BlinkMacSystemFont,Roboto,Helvetica Neue,sans-serif;-webkit-font-smoothing:antialiased;font-weight:100}.ms-font-xxl{font-size:28px}.ms-font-xl{font-size:21px;font-weight:100}.ms-font-l,.ms-font-xl{font-family:Segoe UI WestEuropean,Segoe UI,-apple-system,BlinkMacSystemFont,Roboto,Helvetica Neue,sans-serif;-webkit-font-smoothing:antialiased}.ms-font-l{font-size:17px;font-weight:300}.ms-font-m-plus{font-size:15px}.ms-font-m,.ms-font-m-plus{font-family:Segoe UI WestEuropean,Segoe UI,-apple-system,BlinkMacSystemFont,Roboto,Helvetica Neue,sans-serif;-webkit-font-smoothing:antialiased;font-weight:400}.ms-font-m{font-size:14px}.ms-font-s-plus{font-size:13px}.ms-font-s,.ms-font-s-plus{font-family:Segoe UI WestEuropean,Segoe UI,-apple-system,BlinkMacSystemFont,Roboto,Helvetica Neue,sans-serif;-webkit-font-smoothing:antialiased;font-weight:400}.ms-font-s{font-size:12px}.ms-font-xs{font-size:11px;font-weight:400}.ms-font-mi,.ms-font-xs{font-family:Segoe UI WestEuropean,Segoe UI,-apple-system,BlinkMacSystemFont,Roboto,Helvetica Neue,sans-serif;-webkit-font-smoothing:antialiased}.ms-font-mi{font-size:10px;font-weight:600}.ms-fontWeight-light,.ms-fontWeight-light--hover:hover{font-weight:100}.ms-fontWeight-semilight,.ms-fontWeight-semilight--hover:hover{font-weight:300}.ms-fontWeight-regular,.ms-fontWeight-regular--hover:hover{font-weight:400}.ms-fontWeight-semibold,.ms-fontWeight-semibold--hover:hover{font-weight:600}.ms-fontSize-su{font-size:42px}.ms-fontSize-xxl{font-size:28px}.ms-fontSize-xl{font-size:21px}.ms-fontSize-l{font-size:17px}.ms-fontSize-mPlus{font-size:15px}.ms-fontSize-m{font-size:14px}.ms-fontSize-sPlus{font-size:13px}.ms-fontSize-s{font-size:12px}.ms-fontSize-xs{font-size:11px}.ms-fontSize-mi{font-size:10px}.ms-fontColor-themeDarker,.ms-fontColor-themeDarker--hover:hover{color:#004578}.ms-fontColor-themeDark,.ms-fontColor-themeDark--hover:hover{color:#005a9e}.ms-fontColor-themeDarkAlt,.ms-fontColor-themeDarkAlt--hover:hover{color:#106ebe}.ms-fontColor-themePrimary,.ms-fontColor-themePrimary--hover:hover{color:#0078d7}.ms-fontColor-themeSecondary,.ms-fontColor-themeSecondary--hover:hover{color:#2488d8}.ms-fontColor-themeTertiary,.ms-fontColor-themeTertiary--hover:hover{color:#69afe5}.ms-fontColor-themeLight,.ms-fontColor-themeLight--hover:hover{color:#b3d6f2}.ms-fontColor-themeLighter,.ms-fontColor-themeLighter--hover:hover{color:#deecf9}.ms-fontColor-themeLighterAlt,.ms-fontColor-themeLighterAlt--hover:hover{color:#eff6fc}.ms-fontColor-black,.ms-fontColor-black--hover:hover{color:#000}.ms-fontColor-neutralDark,.ms-fontColor-neutralDark--hover:hover{color:#212121}.ms-fontColor-neutralPrimary,.ms-fontColor-neutralPrimary--hover:hover{color:#333}.ms-fontColor-neutralPrimaryAlt,.ms-fontColor-neutralPrimaryAlt--hover:hover{color:#3c3c3c}.ms-fontColor-neutralSecondary,.ms-fontColor-neutralSecondary--hover:hover{color:#666}.ms-fontColor-neutralSecondaryAlt,.ms-fontColor-neutralSecondaryAlt--hover:hover{color:#767676}.ms-fontColor-neutralTertiary,.ms-fontColor-neutralTertiary--hover:hover{color:#a6a6a6}.ms-fontColor-neutralTertiaryAlt,.ms-fontColor-neutralTertiaryAlt--hover:hover{color:#c8c8c8}.ms-fontColor-neutralLight,.ms-fontColor-neutralLight--hover:hover{color:#eaeaea}.ms-fontColor-neutralLighter,.ms-fontColor-neutralLighter--hover:hover{color:#f4f4f4}.ms-fontColor-neutralLighterAlt,.ms-fontColor-neutralLighterAlt--hover:hover{color:#f8f8f8}.ms-fontColor-white,.ms-fontColor-white--hover:hover{color:#fff}.ms-fontColor-yellow,.ms-fontColor-yellow--hover:hover{color:#ffb900}.ms-fontColor-yellowLight,.ms-fontColor-yellowLight--hover:hover{color:#fff100}.ms-fontColor-orange,.ms-fontColor-orange--hover:hover{color:#d83b01}.ms-fontColor-orangeLight,.ms-fontColor-orangeLight--hover:hover{color:#ea4300}.ms-fontColor-orangeLighter,.ms-fontColor-orangeLighter--hover:hover{color:#ff8c00}.ms-fontColor-redDark,.ms-fontColor-redDark--hover:hover{color:#a80000}.ms-fontColor-red,.ms-fontColor-red--hover:hover{color:#e81123}.ms-fontColor-magentaDark,.ms-fontColor-magentaDark--hover:hover{color:#5c005c}.ms-fontColor-magenta,.ms-fontColor-magenta--hover:hover{color:#b4009e}.ms-fontColor-magentaLight,.ms-fontColor-magentaLight--hover:hover{color:#e3008c}.ms-fontColor-purpleDark,.ms-fontColor-purpleDark--hover:hover{color:#32145a}.ms-fontColor-purple,.ms-fontColor-purple--hover:hover{color:#5c2d91}.ms-fontColor-purpleLight,.ms-fontColor-purpleLight--hover:hover{color:#b4a0ff}.ms-fontColor-blueDark,.ms-fontColor-blueDark--hover:hover{color:#002050}.ms-fontColor-blueMid,.ms-fontColor-blueMid--hover:hover{color:#00188f}.ms-fontColor-blue,.ms-fontColor-blue--hover:hover{color:#0078d7}.ms-fontColor-blueLight,.ms-fontColor-blueLight--hover:hover{color:#00bcf2}.ms-fontColor-tealDark,.ms-fontColor-tealDark--hover:hover{color:#004b50}.ms-fontColor-teal,.ms-fontColor-teal--hover:hover{color:#008272}.ms-fontColor-tealLight,.ms-fontColor-tealLight--hover:hover{color:#00b294}.ms-fontColor-greenDark,.ms-fontColor-greenDark--hover:hover{color:#004b1c}.ms-fontColor-green,.ms-fontColor-green--hover:hover{color:#107c10}.ms-fontColor-greenLight,.ms-fontColor-greenLight--hover:hover{color:#bad80a}.ms-fontColor-info,.ms-fontColor-info--hover:hover{color:#767676}.ms-fontColor-success,.ms-fontColor-success--hover:hover{color:#107c10}.ms-fontColor-alert,.ms-fontColor-alert--hover:hover{color:#d83b01}.ms-fontColor-warning,.ms-fontColor-warning--hover:hover{color:#767676}.ms-fontColor-severeWarning,.ms-fontColor-severeWarning--hover:hover{color:#d83b01}.ms-fontColor-error,.ms-fontColor-error--hover:hover{color:#a80000}@font-face{font-family:Segoe UI WestEuropean;src:local("Segoe UI Light"),url("https://static2.sharepointonline.com/files/fabric/assets/fonts//segoeui-westeuropean/segoeui-light.woff2") format("woff2"),url("https://static2.sharepointonline.com/files/fabric/assets/fonts//segoeui-westeuropean/segoeui-light.woff") format("woff"),url("https://static2.sharepointonline.com/files/fabric/assets/fonts//segoeui-westeuropean/segoeui-light.ttf") format("truetype");font-weight:100;font-style:normal}@font-face{font-family:Segoe UI WestEuropean;src:local("Segoe UI"),url("https://static2.sharepointonline.com/files/fabric/assets/fonts//segoeui-westeuropean/segoeui-regular.woff2") format("woff2"),url("https://static2.sharepointonline.com/files/fabric/assets/fonts//segoeui-westeuropean/segoeui-regular.woff") format("woff"),url("https://static2.sharepointonline.com/files/fabric/assets/fonts//segoeui-westeuropean/segoeui-regular.ttf") format("truetype");font-weight:400;font-style:normal}@font-face{font-family:Segoe UI WestEuropean;src:local("Segoe UI Semibold"),url("https://static2.sharepointonline.com/files/fabric/assets/fonts//segoeui-westeuropean/segoeui-semibold.woff2") format("woff2"),url("https://static2.sharepointonline.com/files/fabric/assets/fonts//segoeui-westeuropean/segoeui-semibold.woff") format("woff"),url("https://static2.sharepointonline.com/files/fabric/assets/fonts//segoeui-westeuropean/segoeui-semibold.ttf") format("truetype");font-weight:600;font-style:normal}@font-face{font-family:Segoe UI WestEuropean;src:local("Segoe UI Semilight"),url("https://static2.sharepointonline.com/files/fabric/assets/fonts//segoeui-westeuropean/segoeui-semilight.woff2") format("woff2"),url("https://static2.sharepointonline.com/files/fabric/assets/fonts//segoeui-westeuropean/segoeui-semilight.woff") format("woff"),url("https://static2.sharepointonline.com/files/fabric/assets/fonts//segoeui-westeuropean/segoeui-semilight.ttf") format("truetype");font-weight:200;font-style:normal}@font-face{font-family:FabricMDL2Icons;src:url("https://static2.sharepointonline.com/files/fabric/assets/icons/fabricmdl2icons.woff2") format("woff2"),url("https://static2.sharepointonline.com/files/fabric/assets/icons/fabricmdl2icons.woff") format("woff"),url("https://static2.sharepointonline.com/files/fabric/assets/icons/fabricmdl2icons.ttf") format("truetype");font-weight:400;font-style:normal}.ms-Icon{-moz-osx-font-smoothing:grayscale;font-family:FabricMDL2Icons;font-style:normal;font-weight:400;speak:none}.ms-Icon,.ms-Icon--circle{-webkit-font-smoothing:antialiased;display:inline-block}.ms-Icon--circle{position:relative;font-size:1rem;width:1em;height:1em;margin:0 .5em 0 0;padding:0;text-align:left}.ms-Icon--circle:after,.ms-Icon--circle:before{line-height:1;font-size:inherit}.ms-Icon--circle:before{display:block;width:100%;height:100%;margin:0;padding:0;vertical-align:top;position:absolute}.ms-Icon--circle:after{content:"\E000";position:absolute;top:0;left:0;transform:scale(2);transform-origin:50% 50%;z-index:0}.ms-Icon--xs{font-size:10px}.ms-Icon--s{font-size:12px}.ms-Icon--m{font-size:16px}.ms-Icon--l{font-size:20px}.ms-Icon--CarotRightSolid8:before{content:"\EDDA"}.ms-Icon--DynamicsCRMLogo:before{content:"\EDCC"}.ms-Icon--DecreaseIndentLegacy:before{content:"\E290"}.ms-Icon--IncreaseIndentLegacy:before{content:"\E291"}.ms-Icon--GlobalNavButton:before{content:"\E700"}.ms-Icon--InternetSharing:before{content:"\E704"}.ms-Icon--Brightness:before{content:"\E706"}.ms-Icon--MapPin:before{content:"\E707"}.ms-Icon--Airplane:before{content:"\E709"}.ms-Icon--Tablet:before{content:"\E70A"}.ms-Icon--QuickNote:before{content:"\E70B"}.ms-Icon--ChevronDown:before{content:"\E70D"}.ms-Icon--ChevronUp:before{content:"\E70E"}.ms-Icon--Edit:before{content:"\E70F"}.ms-Icon--Add:before{content:"\E710"}.ms-Icon--Cancel:before{content:"\E711"}.ms-Icon--More:before{content:"\E712"}.ms-Icon--Settings:before{content:"\E713"}.ms-Icon--Video:before{content:"\E714"}.ms-Icon--Mail:before{content:"\E715"}.ms-Icon--People:before{content:"\E716"}.ms-Icon--Phone:before{content:"\E717"}.ms-Icon--Pin:before{content:"\E718"}.ms-Icon--Shop:before{content:"\E719"}.ms-Icon--Link:before{content:"\E71B"}.ms-Icon--Filter:before{content:"\E71C"}.ms-Icon--Zoom:before{content:"\E71E"}.ms-Icon--ZoomOut:before{content:"\E71F"}.ms-Icon--Microphone:before{content:"\E720"}.ms-Icon--Search:before{content:"\E721"}.ms-Icon--Camera:before{content:"\E722"}.ms-Icon--Attach:before{content:"\E723"}.ms-Icon--Send:before{content:"\E724"}.ms-Icon--FavoriteList:before{content:"\E728"}.ms-Icon--PageSolid:before{content:"\E729"}.ms-Icon--Forward:before{content:"\E72A"}.ms-Icon--Back:before{content:"\E72B"}.ms-Icon--Refresh:before{content:"\E72C"}.ms-Icon--Share:before{content:"\E72D"}.ms-Icon--Lock:before{content:"\E72E"}.ms-Icon--EMI:before{content:"\E731"}.ms-Icon--MiniLink:before{content:"\E732"}.ms-Icon--Blocked:before{content:"\E733"}.ms-Icon--FavoriteStar:before{content:"\E734"}.ms-Icon--FavoriteStarFill:before{content:"\E735"}.ms-Icon--ReadingMode:before{content:"\E736"}.ms-Icon--Remove:before{content:"\E738"}.ms-Icon--Checkbox:before{content:"\E739"}.ms-Icon--CheckboxComposite:before{content:"\E73A"}.ms-Icon--CheckboxIndeterminate:before{content:"\E73C"}.ms-Icon--CheckMark:before{content:"\E73E"}.ms-Icon--BackToWindow:before{content:"\E73F"}.ms-Icon--FullScreen:before{content:"\E740"}.ms-Icon--Print:before{content:"\E749"}.ms-Icon--Up:before{content:"\E74A"}.ms-Icon--Down:before{content:"\E74B"}.ms-Icon--Delete:before{content:"\E74D"}.ms-Icon--Save:before{content:"\E74E"}.ms-Icon--Sad:before{content:"\E757"}.ms-Icon--SIPMove:before{content:"\E759"}.ms-Icon--EraseTool:before{content:"\E75C"}.ms-Icon--GripperTool:before{content:"\E75E"}.ms-Icon--Dialpad:before{content:"\E75F"}.ms-Icon--PageLeft:before{content:"\E760"}.ms-Icon--PageRight:before{content:"\E761"}.ms-Icon--MultiSelect:before{content:"\E762"}.ms-Icon--Play:before{content:"\E768"}.ms-Icon--Pause:before{content:"\E769"}.ms-Icon--ChevronLeft:before{content:"\E76B"}.ms-Icon--ChevronRight:before{content:"\E76C"}.ms-Icon--Emoji2:before{content:"\E76E"}.ms-Icon--System:before{content:"\E770"}.ms-Icon--Globe:before{content:"\E774"}.ms-Icon--ContactInfo:before{content:"\E779"}.ms-Icon--Unpin:before{content:"\E77A"}.ms-Icon--Contact:before{content:"\E77B"}.ms-Icon--Memo:before{content:"\E77C"}.ms-Icon--WindowsLogo:before{content:"\E782"}.ms-Icon--Error:before{content:"\E783"}.ms-Icon--Unlock:before{content:"\E785"}.ms-Icon--Calendar:before{content:"\E787"}.ms-Icon--Megaphone:before{content:"\E789"}.ms-Icon--AutoEnhanceOn:before{content:"\E78D"}.ms-Icon--AutoEnhanceOff:before{content:"\E78E"}.ms-Icon--Color:before{content:"\E790"}.ms-Icon--SaveAs:before{content:"\E792"}.ms-Icon--Light:before{content:"\E793"}.ms-Icon--Filters:before{content:"\E795"}.ms-Icon--Contrast:before{content:"\E7A1"}.ms-Icon--Redo:before{content:"\E7A6"}.ms-Icon--Undo:before{content:"\E7A7"}.ms-Icon--PhotoCollection:before{content:"\E7AA"}.ms-Icon--Album:before{content:"\E7AB"}.ms-Icon--Rotate:before{content:"\E7AD"}.ms-Icon--PanoIndicator:before{content:"\E7B0"}.ms-Icon--RedEye:before{content:"\E7B3"}.ms-Icon--ThumbnailView:before{content:"\E7B6"}.ms-Icon--Package:before{content:"\E7B8"}.ms-Icon--Warning:before{content:"\E7BA"}.ms-Icon--Financial:before{content:"\E7BB"}.ms-Icon--ShoppingCart:before{content:"\E7BF"}.ms-Icon--Train:before{content:"\E7C0"}.ms-Icon--Flag:before{content:"\E7C1"}.ms-Icon--Move:before{content:"\E7C2"}.ms-Icon--Page:before{content:"\E7C3"}.ms-Icon--TouchPointer:before{content:"\E7C9"}.ms-Icon--Merge:before{content:"\E7D5"}.ms-Icon--TurnRight:before{content:"\E7DB"}.ms-Icon--Ferry:before{content:"\E7E3"}.ms-Icon--Tab:before{content:"\E7E9"}.ms-Icon--Admin:before{content:"\E7EF"}.ms-Icon--TVMonitor:before{content:"\E7F4"}.ms-Icon--Speakers:before{content:"\E7F5"}.ms-Icon--Nav2DMapView:before{content:"\E800"}.ms-Icon--Car:before{content:"\E804"}.ms-Icon--EatDrink:before{content:"\E807"}.ms-Icon--LocationCircle:before{content:"\E80E"}.ms-Icon--Home:before{content:"\E80F"}.ms-Icon--SwitcherStartEnd:before{content:"\E810"}.ms-Icon--IncidentTriangle:before{content:"\E814"}.ms-Icon--Touch:before{content:"\E815"}.ms-Icon--MapDirections:before{content:"\E816"}.ms-Icon--History:before{content:"\E81C"}.ms-Icon--Location:before{content:"\E81D"}.ms-Icon--Work:before{content:"\E821"}.ms-Icon--Recent:before{content:"\E823"}.ms-Icon--Hotel:before{content:"\E824"}.ms-Icon--LocationDot:before{content:"\E827"}.ms-Icon--News:before{content:"\E900"}.ms-Icon--Chat:before{content:"\E901"}.ms-Icon--Group:before{content:"\E902"}.ms-Icon--View:before{content:"\E890"}.ms-Icon--Clear:before{content:"\E894"}.ms-Icon--Sync:before{content:"\E895"}.ms-Icon--Download:before{content:"\E896"}.ms-Icon--Help:before{content:"\E897"}.ms-Icon--Upload:before{content:"\E898"}.ms-Icon--Emoji:before{content:"\E899"}.ms-Icon--MailForward:before{content:"\E89C"}.ms-Icon--ClosePane:before{content:"\E89F"}.ms-Icon--OpenPane:before{content:"\E8A0"}.ms-Icon--PreviewLink:before{content:"\E8A1"}.ms-Icon--ZoomIn:before{content:"\E8A3"}.ms-Icon--Bookmarks:before{content:"\E8A4"}.ms-Icon--Document:before{content:"\E8A5"}.ms-Icon--ProtectedDocument:before{content:"\E8A6"}.ms-Icon--OpenInNewWindow:before{content:"\E8A7"}.ms-Icon--MailFill:before{content:"\E8A8"}.ms-Icon--ViewAll:before{content:"\E8A9"}.ms-Icon--Switch:before{content:"\E8AB"}.ms-Icon--Rename:before{content:"\E8AC"}.ms-Icon--Folder:before{content:"\E8B7"}.ms-Icon--Picture:before{content:"\E8B9"}.ms-Icon--ShowResults:before{content:"\E8BC"}.ms-Icon--Message:before{content:"\E8BD"}.ms-Icon--CalendarDay:before{content:"\E8BF"}.ms-Icon--CalendarWeek:before{content:"\E8C0"}.ms-Icon--MailReplyAll:before{content:"\E8C2"}.ms-Icon--Read:before{content:"\E8C3"}.ms-Icon--PaymentCard:before{content:"\E8C7"}.ms-Icon--Copy:before{content:"\E8C8"}.ms-Icon--Important:before{content:"\E8C9"}.ms-Icon--MailReply:before{content:"\E8CA"}.ms-Icon--Sort:before{content:"\E8CB"}.ms-Icon--GotoToday:before{content:"\E8D1"}.ms-Icon--Font:before{content:"\E8D2"}.ms-Icon--FontColor:before{content:"\E8D3"}.ms-Icon--FolderFill:before{content:"\E8D5"}.ms-Icon--Permissions:before{content:"\E8D7"}.ms-Icon--DisableUpdates:before{content:"\E8D8"}.ms-Icon--Unfavorite:before{content:"\E8D9"}.ms-Icon--Italic:before{content:"\E8DB"}.ms-Icon--Underline:before{content:"\E8DC"}.ms-Icon--Bold:before{content:"\E8DD"}.ms-Icon--MoveToFolder:before{content:"\E8DE"}.ms-Icon--Dislike:before{content:"\E8E0"}.ms-Icon--Like:before{content:"\E8E1"}.ms-Icon--AlignRight:before{content:"\E8E2"}.ms-Icon--AlignCenter:before{content:"\E8E3"}.ms-Icon--AlignLeft:before{content:"\E8E4"}.ms-Icon--OpenFile:before{content:"\E8E5"}.ms-Icon--FontDecrease:before{content:"\E8E7"}.ms-Icon--FontIncrease:before{content:"\E8E8"}.ms-Icon--FontSize:before{content:"\E8E9"}.ms-Icon--CellPhone:before{content:"\E8EA"}.ms-Icon--Tag:before{content:"\E8EC"}.ms-Icon--Library:before{content:"\E8F1"}.ms-Icon--PostUpdate:before{content:"\E8F3"}.ms-Icon--NewFolder:before{content:"\E8F4"}.ms-Icon--CalendarReply:before{content:"\E8F5"}.ms-Icon--UnsyncFolder:before{content:"\E8F6"}.ms-Icon--SyncFolder:before{content:"\E8F7"}.ms-Icon--BlockContact:before{content:"\E8F8"}.ms-Icon--AddFriend:before{content:"\E8FA"}.ms-Icon--BulletedList:before{content:"\E8FD"}.ms-Icon--Preview:before{content:"\E8FF"}.ms-Icon--DockLeft:before{content:"\E90C"}.ms-Icon--DockRight:before{content:"\E90D"}.ms-Icon--Repair:before{content:"\E90F"}.ms-Icon--Accounts:before{content:"\E910"}.ms-Icon--RadioBullet:before{content:"\E915"}.ms-Icon--Stopwatch:before{content:"\E916"}.ms-Icon--Clock:before{content:"\E917"}.ms-Icon--WorldClock:before{content:"\E918"}.ms-Icon--AlarmClock:before{content:"\E919"}.ms-Icon--Hospital:before{content:"\E91D"}.ms-Icon--Timer:before{content:"\E91E"}.ms-Icon--FullCircleMask:before{content:"\E91F"}.ms-Icon--LocationFill:before{content:"\E920"}.ms-Icon--ChromeMinimize:before{content:"\E921"}.ms-Icon--Annotation:before{content:"\E924"}.ms-Icon--ChromeClose:before{content:"\E8BB"}.ms-Icon--Accept:before{content:"\E8FB"}.ms-Icon--Fingerprint:before{content:"\E928"}.ms-Icon--Handwriting:before{content:"\E929"}.ms-Icon--StackIndicator:before{content:"\E7FF"}.ms-Icon--Completed:before{content:"\E930"}.ms-Icon--Label:before{content:"\E932"}.ms-Icon--FlickDown:before{content:"\E935"}.ms-Icon--FlickUp:before{content:"\E936"}.ms-Icon--FlickLeft:before{content:"\E937"}.ms-Icon--FlickRight:before{content:"\E938"}.ms-Icon--MusicInCollection:before{content:"\E940"}.ms-Icon--OneDrive:before{content:"\E941"}.ms-Icon--CompassNW:before{content:"\E942"}.ms-Icon--Code:before{content:"\E943"}.ms-Icon--LightningBolt:before{content:"\E945"}.ms-Icon--Info:before{content:"\E946"}.ms-Icon--CalculatorAddition:before{content:"\E948"}.ms-Icon--CalculatorSubtract:before{content:"\E949"}.ms-Icon--PrintfaxPrinterFile:before{content:"\E956"}.ms-Icon--Headset:before{content:"\E95B"}.ms-Icon--Health:before{content:"\E95E"}.ms-Icon--ChevronUpSmall:before{content:"\E96D"}.ms-Icon--ChevronDownSmall:before{content:"\E96E"}.ms-Icon--ChevronLeftSmall:before{content:"\E96F"}.ms-Icon--ChevronRightSmall:before{content:"\E970"}.ms-Icon--ChevronUpMed:before{content:"\E971"}.ms-Icon--ChevronDownMed:before{content:"\E972"}.ms-Icon--ChevronLeftMed:before{content:"\E973"}.ms-Icon--ChevronRightMed:before{content:"\E974"}.ms-Icon--Dictionary:before{content:"\E82D"}.ms-Icon--ChromeBack:before{content:"\E830"}.ms-Icon--PC1:before{content:"\E977"}.ms-Icon--PresenceChickletVideo:before{content:"\E979"}.ms-Icon--Reply:before{content:"\E97A"}.ms-Icon--DoubleChevronLeftMed:before{content:"\E991"}.ms-Icon--Volume0:before{content:"\E992"}.ms-Icon--Volume1:before{content:"\E993"}.ms-Icon--Volume2:before{content:"\E994"}.ms-Icon--Volume3:before{content:"\E995"}.ms-Icon--CaretHollow:before{content:"\E817"}.ms-Icon--CaretSolid:before{content:"\E818"}.ms-Icon--FolderOpen:before{content:"\E838"}.ms-Icon--Pinned:before{content:"\E840"}.ms-Icon--PinnedFill:before{content:"\E842"}.ms-Icon--Chart:before{content:"\E999"}.ms-Icon--BidiLtr:before{content:"\E9AA"}.ms-Icon--BidiRtl:before{content:"\E9AB"}.ms-Icon--RevToggleKey:before{content:"\E845"}.ms-Icon--RightDoubleQuote:before{content:"\E9B1"}.ms-Icon--Sunny:before{content:"\E9BD"}.ms-Icon--CloudWeather:before{content:"\E9BE"}.ms-Icon--Cloudy:before{content:"\E9BF"}.ms-Icon--PartlyCloudyDay:before{content:"\E9C0"}.ms-Icon--PartlyCloudyNight:before{content:"\E9C1"}.ms-Icon--ClearNight:before{content:"\E9C2"}.ms-Icon--RainShowersDay:before{content:"\E9C3"}.ms-Icon--Rain:before{content:"\E9C4"}.ms-Icon--Thunderstorms:before{content:"\E9C6"}.ms-Icon--RainSnow:before{content:"\E9C7"}.ms-Icon--BlowingSnow:before{content:"\E9C9"}.ms-Icon--Frigid:before{content:"\E9CA"}.ms-Icon--Fog:before{content:"\E9CB"}.ms-Icon--Squalls:before{content:"\E9CC"}.ms-Icon--Duststorm:before{content:"\E9CD"}.ms-Icon--Precipitation:before{content:"\E9CF"}.ms-Icon--Ringer:before{content:"\EA8F"}.ms-Icon--PDF:before{content:"\EA90"}.ms-Icon--SortLines:before{content:"\E9D0"}.ms-Icon--Ribbon:before{content:"\E9D1"}.ms-Icon--CheckList:before{content:"\E9D5"}.ms-Icon--Generate:before{content:"\E9DA"}.ms-Icon--Equalizer:before{content:"\E9E9"}.ms-Icon--BarChartHorizontal:before{content:"\E9EB"}.ms-Icon--Freezing:before{content:"\E9EF"}.ms-Icon--SnowShowerDay:before{content:"\E9FD"}.ms-Icon--HailDay:before{content:"\EA00"}.ms-Icon--WorkFlow:before{content:"\EA01"}.ms-Icon--StoreLogoMed:before{content:"\EA04"}.ms-Icon--RainShowersNight:before{content:"\EA0F"}.ms-Icon--SnowShowerNight:before{content:"\EA11"}.ms-Icon--HailNight:before{content:"\EA13"}.ms-Icon--Info2:before{content:"\EA1F"}.ms-Icon--StoreLogo:before{content:"\EA96"}.ms-Icon--MultiSelectMirrored:before{content:"\EA98"}.ms-Icon--Broom:before{content:"\EA99"}.ms-Icon--MusicInCollectionFill:before{content:"\EA36"}.ms-Icon--List:before{content:"\EA37"}.ms-Icon--Asterisk:before{content:"\EA38"}.ms-Icon--ErrorBadge:before{content:"\EA39"}.ms-Icon--CircleRing:before{content:"\EA3A"}.ms-Icon--CircleFill:before{content:"\EA3B"}.ms-Icon--BookmarksMirrored:before{content:"\EA41"}.ms-Icon--BulletedListMirrored:before{content:"\EA42"}.ms-Icon--CaretHollowMirrored:before{content:"\EA45"}.ms-Icon--CaretSolidMirrored:before{content:"\EA46"}.ms-Icon--ChromeBackMirrored:before{content:"\EA47"}.ms-Icon--ClosePaneMirrored:before{content:"\EA49"}.ms-Icon--DockLeftMirrored:before{content:"\EA4C"}.ms-Icon--DoubleChevronLeftMedMirrored:before{content:"\EA4D"}.ms-Icon--HelpMirrored:before{content:"\EA51"}.ms-Icon--ListMirrored:before{content:"\EA55"}.ms-Icon--MailForwardMirrored:before{content:"\EA56"}.ms-Icon--MailReplyMirrored:before{content:"\EA57"}.ms-Icon--MailReplyAllMirrored:before{content:"\EA58"}.ms-Icon--OpenPaneMirrored:before{content:"\EA5B"}.ms-Icon--SendMirrored:before{content:"\EA63"}.ms-Icon--ShowResultsMirrored:before{content:"\EA65"}.ms-Icon--ThumbnailViewMirrored:before{content:"\EA67"}.ms-Icon--Devices3:before{content:"\EA6C"}.ms-Icon--Lightbulb:before{content:"\EA80"}.ms-Icon--StatusTriangle:before{content:"\EA82"}.ms-Icon--VolumeDisabled:before{content:"\EA85"}.ms-Icon--Puzzle:before{content:"\EA86"}.ms-Icon--EmojiNeutral:before{content:"\EA87"}.ms-Icon--EmojiDisappointed:before{content:"\EA88"}.ms-Icon--HomeSolid:before{content:"\EA8A"}.ms-Icon--Cocktails:before{content:"\EA9D"}.ms-Icon--Articles:before{content:"\EAC1"}.ms-Icon--Cycling:before{content:"\EAC7"}.ms-Icon--DietPlanNotebook:before{content:"\EAC8"}.ms-Icon--Pill:before{content:"\EACB"}.ms-Icon--Running:before{content:"\EADA"}.ms-Icon--Weights:before{content:"\EADB"}.ms-Icon--BarChart4:before{content:"\EAE7"}.ms-Icon--CirclePlus:before{content:"\EAEE"}.ms-Icon--Coffee:before{content:"\EAEF"}.ms-Icon--Cotton:before{content:"\EAF3"}.ms-Icon--Market:before{content:"\EAFC"}.ms-Icon--Money:before{content:"\EAFD"}.ms-Icon--PieDouble:before{content:"\EB04"}.ms-Icon--RemoveFilter:before{content:"\EB08"}.ms-Icon--StockDown:before{content:"\EB0F"}.ms-Icon--StockUp:before{content:"\EB11"}.ms-Icon--Cricket:before{content:"\EB1E"}.ms-Icon--Golf:before{content:"\EB1F"}.ms-Icon--Baseball:before{content:"\EB20"}.ms-Icon--Soccer:before{content:"\EB21"}.ms-Icon--MoreSports:before{content:"\EB22"}.ms-Icon--AutoRacing:before{content:"\EB24"}.ms-Icon--CollegeHoops:before{content:"\EB25"}.ms-Icon--CollegeFootball:before{content:"\EB26"}.ms-Icon--ProFootball:before{content:"\EB27"}.ms-Icon--ProHockey:before{content:"\EB28"}.ms-Icon--Rugby:before{content:"\EB2D"}.ms-Icon--Tennis:before{content:"\EB33"}.ms-Icon--Arrivals:before{content:"\EB34"}.ms-Icon--Design:before{content:"\EB3C"}.ms-Icon--Website:before{content:"\EB41"}.ms-Icon--Drop:before{content:"\EB42"}.ms-Icon--Snow:before{content:"\EB46"}.ms-Icon--BusSolid:before{content:"\EB47"}.ms-Icon--FerrySolid:before{content:"\EB48"}.ms-Icon--TrainSolid:before{content:"\EB4D"}.ms-Icon--Heart:before{content:"\EB51"}.ms-Icon--HeartFill:before{content:"\EB52"}.ms-Icon--Ticket:before{content:"\EB54"}.ms-Icon--Devices4:before{content:"\EB66"}.ms-Icon--AzureLogo:before{content:"\EB6A"}.ms-Icon--BingLogo:before{content:"\EB6B"}.ms-Icon--MSNLogo:before{content:"\EB6C"}.ms-Icon--OutlookLogo:before{content:"\EB6D"}.ms-Icon--OfficeLogo:before{content:"\EB6E"}.ms-Icon--SkypeLogo:before{content:"\EB6F"}.ms-Icon--Door:before{content:"\EB75"}.ms-Icon--EditMirrored:before{content:"\EB7E"}.ms-Icon--GiftCard:before{content:"\EB8E"}.ms-Icon--DoubleBookmark:before{content:"\EB8F"}.ms-Icon--StatusErrorFull:before{content:"\EB90"}.ms-Icon--Certificate:before{content:"\EB95"}.ms-Icon--Photo2:before{content:"\EB9F"}.ms-Icon--CloudDownload:before{content:"\EBD3"}.ms-Icon--WindDirection:before{content:"\EBE6"}.ms-Icon--Family:before{content:"\EBDA"}.ms-Icon--CSS:before{content:"\EBEF"}.ms-Icon--JS:before{content:"\EBF0"}.ms-Icon--ReminderGroup:before{content:"\EBF8"}.ms-Icon--Section:before{content:"\EC0C"}.ms-Icon--OneNoteLogo:before{content:"\EC0D"}.ms-Icon--ToggleFilled:before{content:"\EC11"}.ms-Icon--ToggleBorder:before{content:"\EC12"}.ms-Icon--SliderThumb:before{content:"\EC13"}.ms-Icon--ToggleThumb:before{content:"\EC14"}.ms-Icon--Documentation:before{content:"\EC17"}.ms-Icon--Badge:before{content:"\EC1B"}.ms-Icon--Giftbox:before{content:"\EC1F"}.ms-Icon--ExcelLogo:before{content:"\EC28"}.ms-Icon--WordLogo:before{content:"\EC29"}.ms-Icon--PowerPointLogo:before{content:"\EC2A"}.ms-Icon--Cafe:before{content:"\EC32"}.ms-Icon--SpeedHigh:before{content:"\EC4A"}.ms-Icon--MusicNote:before{content:"\EC4F"}.ms-Icon--EdgeLogo:before{content:"\EC60"}.ms-Icon--CompletedSolid:before{content:"\EC61"}.ms-Icon--AlbumRemove:before{content:"\EC62"}.ms-Icon--MessageFill:before{content:"\EC70"}.ms-Icon--TabletSelected:before{content:"\EC74"}.ms-Icon--MobileSelected:before{content:"\EC75"}.ms-Icon--LaptopSelected:before{content:"\EC76"}.ms-Icon--TVMonitorSelected:before{content:"\EC77"}.ms-Icon--DeveloperTools:before{content:"\EC7A"}.ms-Icon--InsertTextBox:before{content:"\EC7D"}.ms-Icon--LowerBrightness:before{content:"\EC8A"}.ms-Icon--CloudUpload:before{content:"\EC8E"}.ms-Icon--DateTime:before{content:"\EC92"}.ms-Icon--Event:before{content:"\ECA3"}.ms-Icon--Cake:before{content:"\ECA4"}.ms-Icon--Tiles:before{content:"\ECA5"}.ms-Icon--Org:before{content:"\ECA6"}.ms-Icon--PartyLeader:before{content:"\ECA7"}.ms-Icon--DRM:before{content:"\ECA8"}.ms-Icon--CloudAdd:before{content:"\ECA9"}.ms-Icon--AppIconDefault:before{content:"\ECAA"}.ms-Icon--Photo2Add:before{content:"\ECAB"}.ms-Icon--Photo2Remove:before{content:"\ECAC"}.ms-Icon--POI:before{content:"\ECAF"}.ms-Icon--FacebookLogo:before{content:"\ECB3"}.ms-Icon--AddTo:before{content:"\ECC8"}.ms-Icon--RadioBtnOn:before{content:"\ECCB"}.ms-Icon--Embed:before{content:"\ECCE"}.ms-Icon--VideoSolid:before{content:"\EA0C"}.ms-Icon--Teamwork:before{content:"\EA12"}.ms-Icon--PeopleAdd:before{content:"\EA15"}.ms-Icon--Glasses:before{content:"\EA16"}.ms-Icon--DateTime2:before{content:"\EA17"}.ms-Icon--Shield:before{content:"\EA18"}.ms-Icon--Header1:before{content:"\EA19"}.ms-Icon--PageAdd:before{content:"\EA1A"}.ms-Icon--NumberedList:before{content:"\EA1C"}.ms-Icon--PowerBILogo:before{content:"\EA1E"}.ms-Icon--Product:before{content:"\ECDC"}.ms-Icon--Blocked2:before{content:"\ECE4"}.ms-Icon--FangBody:before{content:"\ECEB"}.ms-Icon--Glimmer:before{content:"\ECF4"}.ms-Icon--ChatInviteFriend:before{content:"\ECFE"}.ms-Icon--SharepointLogo:before{content:"\ED18"}.ms-Icon--YammerLogo:before{content:"\ED19"}.ms-Icon--Hide:before{content:"\ED1A"}.ms-Icon--ReturnToSession:before{content:"\ED24"}.ms-Icon--OpenFolderHorizontal:before{content:"\ED25"}.ms-Icon--CalendarMirrored:before{content:"\ED28"}.ms-Icon--SwayLogo:before{content:"\ED29"}.ms-Icon--OutOfOffice:before{content:"\ED34"}.ms-Icon--Trophy:before{content:"\ED3F"}.ms-Icon--ReopenPages:before{content:"\ED50"}.ms-Icon--AADLogo:before{content:"\ED68"}.ms-Icon--AccessLogo:before{content:"\ED69"}.ms-Icon--AdminALogo:before{content:"\ED6A"}.ms-Icon--AdminCLogo:before{content:"\ED6B"}.ms-Icon--AdminDLogo:before{content:"\ED6C"}.ms-Icon--AdminELogo:before{content:"\ED6D"}.ms-Icon--AdminLLogo:before{content:"\ED6E"}.ms-Icon--AdminMLogo:before{content:"\ED6F"}.ms-Icon--AdminOLogo:before{content:"\ED70"}.ms-Icon--AdminPLogo:before{content:"\ED71"}.ms-Icon--AdminSLogo:before{content:"\ED72"}.ms-Icon--AdminYLogo:before{content:"\ED73"}.ms-Icon--AlchemyLogo:before{content:"\ED74"}.ms-Icon--BoxLogo:before{content:"\ED75"}.ms-Icon--DelveLogo:before{content:"\ED76"}.ms-Icon--DropboxLogo:before{content:"\ED77"}.ms-Icon--ExchangeLogo:before{content:"\ED78"}.ms-Icon--LyncLogo:before{content:"\ED79"}.ms-Icon--OfficeVideoLogo:before{content:"\ED7A"}.ms-Icon--ParatureLogo:before{content:"\ED7B"}.ms-Icon--SocialListeningLogo:before{content:"\ED7C"}.ms-Icon--VisioLogo:before{content:"\ED7D"}.ms-Icon--Balloons:before{content:"\ED7E"}.ms-Icon--Cat:before{content:"\ED7F"}.ms-Icon--MailAlert:before{content:"\ED80"}.ms-Icon--MailCheck:before{content:"\ED81"}.ms-Icon--MailLowImportance:before{content:"\ED82"}.ms-Icon--MailPause:before{content:"\ED83"}.ms-Icon--MailRepeat:before{content:"\ED84"}.ms-Icon--SecurityGroup:before{content:"\ED85"}.ms-Icon--Table:before{content:"\ED86"}.ms-Icon--VoicemailForward:before{content:"\ED87"}.ms-Icon--VoicemailReply:before{content:"\ED88"}.ms-Icon--Waffle:before{content:"\ED89"}.ms-Icon--RemoveEvent:before{content:"\ED8A"}.ms-Icon--EventInfo:before{content:"\ED8B"}.ms-Icon--ForwardEvent:before{content:"\ED8C"}.ms-Icon--WipePhone:before{content:"\ED8D"}.ms-Icon--AddOnlineMeeting:before{content:"\ED8E"}.ms-Icon--JoinOnlineMeeting:before{content:"\ED8F"}.ms-Icon--RemoveLink:before{content:"\ED90"}.ms-Icon--PeopleBlock:before{content:"\ED91"}.ms-Icon--PeopleRepeat:before{content:"\ED92"}.ms-Icon--PeopleAlert:before{content:"\ED93"}.ms-Icon--PeoplePause:before{content:"\ED94"}.ms-Icon--TransferCall:before{content:"\ED95"}.ms-Icon--AddPhone:before{content:"\ED96"}.ms-Icon--UnknownCall:before{content:"\ED97"}.ms-Icon--NoteReply:before{content:"\ED98"}.ms-Icon--NoteForward:before{content:"\ED99"}.ms-Icon--NotePinned:before{content:"\ED9A"}.ms-Icon--RemoveOccurrence:before{content:"\ED9B"}.ms-Icon--Timeline:before{content:"\ED9C"}.ms-Icon--EditNote:before{content:"\ED9D"}.ms-Icon--CircleHalfFull:before{content:"\ED9E"}.ms-Icon--Room:before{content:"\ED9F"}.ms-Icon--Unsubscribe:before{content:"\EDA0"}.ms-Icon--Subscribe:before{content:"\EDA1"}.ms-Icon--RecurringTask:before{content:"\EDB2"}.ms-Icon--TaskManager:before{content:"\EDB7"}.ms-Icon--TaskManagerMirrored:before{content:"\EDB8"}.ms-Icon--Combine:before{content:"\EDBB"}.ms-Icon--Split:before{content:"\EDBC"}.ms-Icon--DoubleChevronUp:before{content:"\EDBD"}.ms-Icon--DoubleChevronLeft:before{content:"\EDBE"}.ms-Icon--DoubleChevronRight:before{content:"\EDBF"}.ms-Icon--Ascending:before{content:"\EDC0"}.ms-Icon--Descending:before{content:"\EDC1"}.ms-Icon--TextBox:before{content:"\EDC2"}.ms-Icon--TextField:before{content:"\EDC3"}.ms-Icon--NumberField:before{content:"\EDC4"}.ms-Icon--Dropdown:before{content:"\EDC5"}.ms-Icon--BookingsLogo:before{content:"\EDC7"}.ms-Icon--ClassNotebookLogo:before{content:"\EDC8"}.ms-Icon--CollabsDBLogo:before{content:"\EDC9"}.ms-Icon--DelveAnalyticsLogo:before{content:"\EDCA"}.ms-Icon--DocsLogo:before{content:"\EDCB"}.ms-Icon--Dynamics365Logo:before{content:"\EDCC"}.ms-Icon--DynamicSMBLogo:before{content:"\EDCD"}.ms-Icon--OfficeAssistantLogo:before{content:"\EDCE"}.ms-Icon--OfficeStoreLogo:before{content:"\EDCF"}.ms-Icon--OneNoteEduLogo:before{content:"\EDD0"}.ms-Icon--Planner:before{content:"\EDD1"}.ms-Icon--PowerApps:before{content:"\EDD2"}.ms-Icon--Suitcase:before{content:"\EDD3"}.ms-Icon--ProjectLogo:before{content:"\EDD4"}.ms-Icon--CaretLeft8:before{content:"\EDD5"}.ms-Icon--CaretRight8:before{content:"\EDD6"}.ms-Icon--CaretUp8:before{content:"\EDD7"}.ms-Icon--CaretDown8:before{content:"\EDD8"}.ms-Icon--CaretLeftSolid8:before{content:"\EDD9"}.ms-Icon--CaretRightSolid8:before{content:"\EDDA"}.ms-Icon--CaretUpSolid8:before{content:"\EDDB"}.ms-Icon--CaretDownSolid8:before{content:"\EDDC"}.ms-Icon--ClearFormatting:before{content:"\EDDD"}.ms-Icon--Superscript:before{content:"\EDDE"}.ms-Icon--Subscript:before{content:"\EDDF"}.ms-Icon--Strikethrough:before{content:"\EDE0"}.ms-Icon--SingleBookmark:before{content:"\EDFF"}.ms-Icon--DoubleChevronDown:before{content:"\EE04"}.ms-Icon--ReplyAll:before{content:"\EE0A"}.ms-Icon--GoogleDriveLogo:before{content:"\EE0B"}.ms-Icon--Questionnaire:before{content:"\EE19"}.ms-Icon--ReplyMirrored:before{content:"\EE35"}.ms-Icon--ReplyAllMirrored:before{content:"\EE36"}.ms-Icon--AddGroup:before{content:"\EE3D"}.ms-Icon--QuestionnaireMirrored:before{content:"\EE4B"}.ms-Icon--TemporaryUser:before{content:"\EE58"}.ms-Icon--GroupedDescending:before{content:"\EE66"}.ms-Icon--GroupedAscending:before{content:"\EE67"}.ms-Icon--SortUp:before{content:"\EE68"}.ms-Icon--SortDown:before{content:"\EE69"}.ms-Icon--AwayStatus:before{content:"\EE6A"}.ms-Icon--SyncToPC:before{content:"\EE6E"}.ms-Icon--AustralianRules:before{content:"\EE70"}.ms-Icon--DateTimeMirrored:before{content:"\EE93"}.ms-Icon--DoubleChevronUp12:before{content:"\EE96"}.ms-Icon--DoubleChevronDown12:before{content:"\EE97"}.ms-Icon--DoubleChevronLeft12:before{content:"\EE98"}.ms-Icon--DoubleChevronRight12:before{content:"\EE99"}.ms-Icon--CalendarAgenda:before{content:"\EE9A"}.ms-Icon--AddEvent:before{content:"\EEB5"}.ms-Icon--AssetLibrary:before{content:"\EEB6"}.ms-Icon--DataConnectionLibrary:before{content:"\EEB7"}.ms-Icon--DocLibrary:before{content:"\EEB8"}.ms-Icon--FormLibrary:before{content:"\EEB9"}.ms-Icon--FormLibraryMirrored:before{content:"\EEBA"}.ms-Icon--ReportLibrary:before{content:"\EEBB"}.ms-Icon--ReportLibraryMirrored:before{content:"\EEBC"}.ms-Icon--ContactCard:before{content:"\EEBD"}.ms-Icon--CustomList:before{content:"\EEBE"}.ms-Icon--CustomListMirrored:before{content:"\EEBF"}.ms-Icon--IssueTracking:before{content:"\EEC0"}.ms-Icon--IssueTrackingMirrored:before{content:"\EEC1"}.ms-Icon--PictureLibrary:before{content:"\EEC2"}.ms-Icon--AppForOfficeLogo:before{content:"\EEC7"}.ms-Icon--OfflineOneDriveParachute:before{content:"\EEC8"}.ms-Icon--OfflineOneDriveParachuteDisabled:before{content:"\EEC9"}.ms-Icon--LargeGrid:before{content:"\EECB"}.ms-Icon--TriangleSolidUp12:before{content:"\EECC"}.ms-Icon--TriangleSolidDown12:before{content:"\EECD"}.ms-Icon--TriangleSolidLeft12:before{content:"\EECE"}.ms-Icon--TriangleSolidRight12:before{content:"\EECF"}.ms-Icon--TriangleUp12:before{content:"\EED0"}.ms-Icon--TriangleDown12:before{content:"\EED1"}.ms-Icon--TriangleLeft12:before{content:"\EED2"}.ms-Icon--TriangleRight12:before{content:"\EED3"}.ms-Icon--ArrowUpRight8:before{content:"\EED4"}.ms-Icon--ArrowDownRight8:before{content:"\EED5"}.ms-Icon--DocumentSet:before{content:"\EED6"}.ms-Icon--DelveAnalytics:before{content:"\EEEE"}.ms-Icon--ArrowUpRightMirrored8:before{content:"\EEEF"}.ms-Icon--ArrowDownRightMirrored8:before{content:"\EEF0"}.ms-Icon--OneDriveAdd:before{content:"\EF32"}.ms-Icon--Header2:before{content:"\EF36"}.ms-Icon--Header3:before{content:"\EF37"}.ms-Icon--Header4:before{content:"\EF38"}.ms-Icon--MarketDown:before{content:"\EF42"}.ms-Icon--CalendarWorkWeek:before{content:"\EF51"}.ms-Icon--SidePanel:before{content:"\EF52"}.ms-Icon--GlobeFavorite:before{content:"\EF53"}.ms-Icon--CaretTopLeftSolid8:before{content:"\EF54"}.ms-Icon--CaretTopRightSolid8:before{content:"\EF55"}.ms-Icon--ViewAll2:before{content:"\EF56"}.ms-Icon--DocumentReply:before{content:"\EF57"}.ms-Icon--PlayerSettings:before{content:"\EF58"}.ms-Icon--ReceiptForward:before{content:"\EF59"}.ms-Icon--ReceiptReply:before{content:"\EF5A"}.ms-Icon--ReceiptCheck:before{content:"\EF5B"}.ms-Icon--Fax:before{content:"\EF5C"}.ms-Icon--RecurringEvent:before{content:"\EF5D"}.ms-Icon--ReplyAlt:before{content:"\EF5E"}.ms-Icon--ReplyAllAlt:before{content:"\EF5F"}.ms-Icon--EditStyle:before{content:"\EF60"}.ms-Icon--EditMail:before{content:"\EF61"}.ms-Icon--Lifesaver:before{content:"\EF62"}.ms-Icon--LifesaverLock:before{content:"\EF63"}.ms-Icon--InboxCheck:before{content:"\EF64"}.ms-Icon--FolderSearch:before{content:"\EF65"}.ms-Icon--CollapseMenu:before{content:"\EF66"}.ms-Icon--ExpandMenu:before{content:"\EF67"}.ms-Icon--Boards:before{content:"\EF68"}.ms-Icon--SunAdd:before{content:"\EF69"}.ms-Icon--SunQuestionMark:before{content:"\EF6A"}.ms-Icon--LandscapeOrientation:before{content:"\EF6B"}.ms-Icon--DocumentSearch:before{content:"\EF6C"}.ms-Icon--PublicCalendar:before{content:"\EF6D"}.ms-Icon--PublicContactCard:before{content:"\EF6E"}.ms-Icon--PublicEmail:before{content:"\EF6F"}.ms-Icon--PublicFolder:before{content:"\EF70"}.ms-Icon--WordDocument:before{content:"\EF71"}.ms-Icon--PowerPointDocument:before{content:"\EF72"}.ms-Icon--ExcelDocument:before{content:"\EF73"}.ms-Icon--GroupedList:before{content:"\EF74"}.ms-Icon--ClassroomLogo:before{content:"\EF75"}.ms-Icon--Sections:before{content:"\EF76"}.ms-Icon--EditPhoto:before{content:"\EF77"}.ms-Icon--Starburst:before{content:"\EF78"}.ms-Icon--ShareiOS:before{content:"\EF79"}.ms-Icon--AirTickets:before{content:"\EF7A"}.ms-Icon--PencilReply:before{content:"\EF7B"}.ms-Icon--Tiles2:before{content:"\EF7C"}.ms-Icon--SkypeCircleCheck:before{content:"\EF7D"}.ms-Icon--SkypeCircleClock:before{content:"\EF7E"}.ms-Icon--SkypeCircleMinus:before{content:"\EF7F"}.ms-Icon--SkypeCheck:before{content:"\EF80"}.ms-Icon--SkypeClock:before{content:"\EF81"}.ms-Icon--SkypeMinus:before{content:"\EF82"}.ms-Icon--SkypeMessage:before{content:"\EF83"}.ms-Icon--ClosedCaption:before{content:"\EF84"}.ms-Icon--ATPLogo:before{content:"\EF85"}.ms-Icon--OfficeFormLogo:before{content:"\EF86"}.ms-Icon--RecycleBin:before{content:"\EF87"}.ms-Icon--EmptyRecycleBin:before{content:"\EF88"}.ms-Icon--Hide2:before{content:"\EF89"}.ms-Icon--iOSAppStoreLogo:before{content:"\EF8A"}.ms-Icon--AndroidLogo:before{content:"\EF8B"}.ms-Icon--Breadcrumb:before{content:"\EF8C"}.ms-Icon--ClearFilter:before{content:"\EF8F"}.ms-Icon--Flow:before{content:"\EF90"}.ms-Icon--PageCheckedOut:before{content:"\F02C"}.ms-Icon--SetAction:before{content:"\F071"}.ms-Icon--PowerAppsLogo:before{content:"\F091"}.ms-Icon--PowerApps2Logo:before{content:"\F092"}.ms-Icon--FabricAssetLibrary:before{content:"\F09C"}.ms-Icon--FabricDataConnectionLibrary:before{content:"\F09D"}.ms-Icon--FabricDocLibrary:before{content:"\F09E"}.ms-Icon--FabricFormLibrary:before{content:"\F09F"}.ms-Icon--FabricFormLibraryMirrored:before{content:"\F0A0"}.ms-Icon--FabricReportLibrary:before{content:"\F0A1"}.ms-Icon--FabricReportLibraryMirrored:before{content:"\F0A2"}.ms-Icon--FabricPublicFolder:before{content:"\F0A3"}.ms-Icon--FabricFolderSearch:before{content:"\F0A4"}.ms-Icon--FabricMovetoFolder:before{content:"\F0A5"}.ms-Icon--FabricUnsyncFolder:before{content:"\F0A6"}.ms-Icon--FabricSyncFolder:before{content:"\F0A7"}.ms-Icon--FabricOpenFolderHorizontal:before{content:"\F0A8"}.ms-Icon--FabricFolder:before{content:"\F0A9"}.ms-Icon--FabricFolderFill:before{content:"\F0AA"}.ms-Icon--FabricNewFolder:before{content:"\F0AB"}.ms-Icon--FabricPictureLibrary:before{content:"\F0AC"}.ms-Icon--AddFavorite:before{content:"\F0C8"}.ms-Icon--AddFavoriteFill:before{content:"\F0C9"}.ms-Icon--BufferTimeBefore:before{content:"\F0CF"}.ms-Icon--BufferTimeAfter:before{content:"\F0D0"}.ms-Icon--BufferTimeBoth:before{content:"\F0D1"}.ms-Icon--PageCheckedin:before{content:"\F104"}.ms-Icon--CaretBottomLeftSolid8:before{content:"\F121"}.ms-Icon--CaretBottomRightSolid8:before{content:"\F122"}.ms-Icon--FolderHorizontal:before{content:"\F12B"}.ms-Icon--MicrosoftStaffhubLogo:before{content:"\F130"}.ms-Icon--CaloriesAdd:before{content:"\F172"}.ms-Icon--BranchFork:before{content:"\F173"}.ms-BrandIcon--access.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/access_16x1.png)}.ms-BrandIcon--access.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/access_48x1.png)}.ms-BrandIcon--access.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/access_96x1.png)}.ms-BrandIcon--excel.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/excel_16x1.png)}.ms-BrandIcon--excel.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/excel_48x1.png)}.ms-BrandIcon--excel.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/excel_96x1.png)}.ms-BrandIcon--infopath.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/infopath_16x1.png)}.ms-BrandIcon--infopath.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/infopath_48x1.png)}.ms-BrandIcon--infopath.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/infopath_96x1.png)}.ms-BrandIcon--office.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/office_16x1.png)}.ms-BrandIcon--office.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/office_48x1.png)}.ms-BrandIcon--office.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/office_96x1.png)}.ms-BrandIcon--onedrive.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onedrive_16x1.png)}.ms-BrandIcon--onedrive.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onedrive_48x1.png)}.ms-BrandIcon--onedrive.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onedrive_96x1.png)}.ms-BrandIcon--onenote.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onenote_16x1.png)}.ms-BrandIcon--onenote.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onenote_48x1.png)}.ms-BrandIcon--onenote.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onenote_96x1.png)}.ms-BrandIcon--outlook.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/outlook_16x1.png)}.ms-BrandIcon--outlook.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/outlook_48x1.png)}.ms-BrandIcon--outlook.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/outlook_96x1.png)}.ms-BrandIcon--powerpoint.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/powerpoint_16x1.png)}.ms-BrandIcon--powerpoint.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/powerpoint_48x1.png)}.ms-BrandIcon--powerpoint.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/powerpoint_96x1.png)}.ms-BrandIcon--project.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/project_16x1.png)}.ms-BrandIcon--project.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/project_48x1.png)}.ms-BrandIcon--project.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/project_96x1.png)}.ms-BrandIcon--sharepoint.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/sharepoint_16x1.png)}.ms-BrandIcon--sharepoint.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/sharepoint_48x1.png)}.ms-BrandIcon--sharepoint.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/sharepoint_96x1.png)}.ms-BrandIcon--visio.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/visio_16x1.png)}.ms-BrandIcon--visio.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/visio_48x1.png)}.ms-BrandIcon--visio.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/visio_96x1.png)}.ms-BrandIcon--word.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/word_16x1.png)}.ms-BrandIcon--word.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/word_48x1.png)}.ms-BrandIcon--word.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/word_96x1.png)}.ms-BrandIcon--accdb.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/accdb_16x1.png)}.ms-BrandIcon--accdb.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/accdb_48x1.png)}.ms-BrandIcon--accdb.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/accdb_96x1.png)}.ms-BrandIcon--csv.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/csv_16x1.png)}.ms-BrandIcon--csv.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/csv_48x1.png)}.ms-BrandIcon--csv.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/csv_96x1.png)}.ms-BrandIcon--docx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/docx_16x1.png)}.ms-BrandIcon--docx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/docx_48x1.png)}.ms-BrandIcon--docx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/docx_96x1.png)}.ms-BrandIcon--dotx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/dotx_16x1.png)}.ms-BrandIcon--dotx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/dotx_48x1.png)}.ms-BrandIcon--dotx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/dotx_96x1.png)}.ms-BrandIcon--mpp.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpp_16x1.png)}.ms-BrandIcon--mpp.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpp_48x1.png)}.ms-BrandIcon--mpp.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpp_96x1.png)}.ms-BrandIcon--mpt.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpt_16x1.png)}.ms-BrandIcon--mpt.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpt_48x1.png)}.ms-BrandIcon--mpt.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpt_96x1.png)}.ms-BrandIcon--odp.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odp_16x1.png)}.ms-BrandIcon--odp.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odp_48x1.png)}.ms-BrandIcon--odp.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odp_96x1.png)}.ms-BrandIcon--ods.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ods_16x1.png)}.ms-BrandIcon--ods.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ods_48x1.png)}.ms-BrandIcon--ods.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ods_96x1.png)}.ms-BrandIcon--odt.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odt_16x1.png)}.ms-BrandIcon--odt.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odt_48x1.png)}.ms-BrandIcon--odt.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odt_96x1.png)}.ms-BrandIcon--one.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/one_16x1.png)}.ms-BrandIcon--one.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/one_48x1.png)}.ms-BrandIcon--one.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/one_96x1.png)}.ms-BrandIcon--onepkg.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onepkg_16x1.png)}.ms-BrandIcon--onepkg.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onepkg_48x1.png)}.ms-BrandIcon--onepkg.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onepkg_96x1.png)}.ms-BrandIcon--onetoc.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onetoc_16x1.png)}.ms-BrandIcon--onetoc.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onetoc_48x1.png)}.ms-BrandIcon--onetoc.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onetoc_96x1.png)}.ms-BrandIcon--potx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/potx_16x1.png)}.ms-BrandIcon--potx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/potx_48x1.png)}.ms-BrandIcon--potx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/potx_96x1.png)}.ms-BrandIcon--ppsx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ppsx_16x1.png)}.ms-BrandIcon--ppsx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ppsx_48x1.png)}.ms-BrandIcon--ppsx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ppsx_96x1.png)}.ms-BrandIcon--pptx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pptx_16x1.png)}.ms-BrandIcon--pptx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pptx_48x1.png)}.ms-BrandIcon--pptx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pptx_96x1.png)}.ms-BrandIcon--pub.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pub_16x1.png)}.ms-BrandIcon--pub.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pub_48x1.png)}.ms-BrandIcon--pub.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pub_96x1.png)}.ms-BrandIcon--vsdx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vsdx_16x1.png)}.ms-BrandIcon--vsdx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vsdx_48x1.png)}.ms-BrandIcon--vsdx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vsdx_96x1.png)}.ms-BrandIcon--vssx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vssx_16x1.png)}.ms-BrandIcon--vssx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vssx_48x1.png)}.ms-BrandIcon--vssx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vssx_96x1.png)}.ms-BrandIcon--vstx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vstx_16x1.png)}.ms-BrandIcon--vstx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vstx_48x1.png)}.ms-BrandIcon--vstx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vstx_96x1.png)}.ms-BrandIcon--xls.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xls_16x1.png)}.ms-BrandIcon--xls.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xls_48x1.png)}.ms-BrandIcon--xls.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xls_96x1.png)}.ms-BrandIcon--xlsx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xlsx_16x1.png)}.ms-BrandIcon--xlsx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xlsx_48x1.png)}.ms-BrandIcon--xlsx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xlsx_96x1.png)}.ms-BrandIcon--xltx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xltx_16x1.png)}.ms-BrandIcon--xltx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xltx_48x1.png)}.ms-BrandIcon--xltx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xltx_96x1.png)}.ms-BrandIcon--xsn.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xsn_16x1.png)}.ms-BrandIcon--xsn.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xsn_48x1.png)}.ms-BrandIcon--xsn.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xsn_96x1.png)}.ms-BrandIcon--Icon16{background-size:100% 100%;width:16px;height:16px}.ms-BrandIcon--Icon48{background-size:100% 100%;width:48px;height:48px}.ms-BrandIcon--Icon96{background-size:100% 100%;width:96px;height:96px}@media only screen and (min-resolution:144dpi){.ms-BrandIcon--access.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/access_16x1_5.png)}.ms-BrandIcon--access.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/access_48x1_5.png)}.ms-BrandIcon--access.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/access_96x1_5.png)}.ms-BrandIcon--excel.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/excel_16x1_5.png)}.ms-BrandIcon--excel.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/excel_48x1_5.png)}.ms-BrandIcon--excel.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/excel_96x1_5.png)}.ms-BrandIcon--infopath.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/infopath_16x1_5.png)}.ms-BrandIcon--infopath.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/infopath_48x1_5.png)}.ms-BrandIcon--infopath.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/infopath_96x1_5.png)}.ms-BrandIcon--office.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/office_16x1_5.png)}.ms-BrandIcon--office.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/office_48x1_5.png)}.ms-BrandIcon--office.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/office_96x1_5.png)}.ms-BrandIcon--onedrive.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onedrive_16x1_5.png)}.ms-BrandIcon--onedrive.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onedrive_48x1_5.png)}.ms-BrandIcon--onedrive.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onedrive_96x1_5.png)}.ms-BrandIcon--onenote.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onenote_16x1_5.png)}.ms-BrandIcon--onenote.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onenote_48x1_5.png)}.ms-BrandIcon--onenote.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onenote_96x1_5.png)}.ms-BrandIcon--outlook.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/outlook_16x1_5.png)}.ms-BrandIcon--outlook.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/outlook_48x1_5.png)}.ms-BrandIcon--outlook.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/outlook_96x1_5.png)}.ms-BrandIcon--powerpoint.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/powerpoint_16x1_5.png)}.ms-BrandIcon--powerpoint.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/powerpoint_48x1_5.png)}.ms-BrandIcon--powerpoint.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/powerpoint_96x1_5.png)}.ms-BrandIcon--project.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/project_16x1_5.png)}.ms-BrandIcon--project.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/project_48x1_5.png)}.ms-BrandIcon--project.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/project_96x1_5.png)}.ms-BrandIcon--sharepoint.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/sharepoint_16x1_5.png)}.ms-BrandIcon--sharepoint.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/sharepoint_48x1_5.png)}.ms-BrandIcon--sharepoint.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/sharepoint_96x1_5.png)}.ms-BrandIcon--visio.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/visio_16x1_5.png)}.ms-BrandIcon--visio.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/visio_48x1_5.png)}.ms-BrandIcon--visio.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/visio_96x1_5.png)}.ms-BrandIcon--word.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/word_16x1_5.png)}.ms-BrandIcon--word.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/word_48x1_5.png)}.ms-BrandIcon--word.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/word_96x1_5.png)}.ms-BrandIcon--accdb.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/accdb_16x1_5.png)}.ms-BrandIcon--accdb.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/accdb_48x1_5.png)}.ms-BrandIcon--accdb.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/accdb_96x1_5.png)}.ms-BrandIcon--csv.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/csv_16x1_5.png)}.ms-BrandIcon--csv.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/csv_48x1_5.png)}.ms-BrandIcon--csv.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/csv_96x1_5.png)}.ms-BrandIcon--docx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/docx_16x1_5.png)}.ms-BrandIcon--docx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/docx_48x1_5.png)}.ms-BrandIcon--docx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/docx_96x1_5.png)}.ms-BrandIcon--dotx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/dotx_16x1_5.png)}.ms-BrandIcon--dotx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/dotx_48x1_5.png)}.ms-BrandIcon--dotx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/dotx_96x1_5.png)}.ms-BrandIcon--mpp.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpp_16x1_5.png)}.ms-BrandIcon--mpp.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpp_48x1_5.png)}.ms-BrandIcon--mpp.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpp_96x1_5.png)}.ms-BrandIcon--mpt.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpt_16x1_5.png)}.ms-BrandIcon--mpt.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpt_48x1_5.png)}.ms-BrandIcon--mpt.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpt_96x1_5.png)}.ms-BrandIcon--odp.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odp_16x1_5.png)}.ms-BrandIcon--odp.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odp_48x1_5.png)}.ms-BrandIcon--odp.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odp_96x1_5.png)}.ms-BrandIcon--ods.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ods_16x1_5.png)}.ms-BrandIcon--ods.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ods_48x1_5.png)}.ms-BrandIcon--ods.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ods_96x1_5.png)}.ms-BrandIcon--odt.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odt_16x1_5.png)}.ms-BrandIcon--odt.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odt_48x1_5.png)}.ms-BrandIcon--odt.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odt_96x1_5.png)}.ms-BrandIcon--one.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/one_16x1_5.png)}.ms-BrandIcon--one.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/one_48x1_5.png)}.ms-BrandIcon--one.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/one_96x1_5.png)}.ms-BrandIcon--onepkg.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onepkg_16x1_5.png)}.ms-BrandIcon--onepkg.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onepkg_48x1_5.png)}.ms-BrandIcon--onepkg.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onepkg_96x1_5.png)}.ms-BrandIcon--onetoc.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onetoc_16x1_5.png)}.ms-BrandIcon--onetoc.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onetoc_48x1_5.png)}.ms-BrandIcon--onetoc.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onetoc_96x1_5.png)}.ms-BrandIcon--potx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/potx_16x1_5.png)}.ms-BrandIcon--potx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/potx_48x1_5.png)}.ms-BrandIcon--potx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/potx_96x1_5.png)}.ms-BrandIcon--ppsx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ppsx_16x1_5.png)}.ms-BrandIcon--ppsx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ppsx_48x1_5.png)}.ms-BrandIcon--ppsx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ppsx_96x1_5.png)}.ms-BrandIcon--pptx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pptx_16x1_5.png)}.ms-BrandIcon--pptx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pptx_48x1_5.png)}.ms-BrandIcon--pptx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pptx_96x1_5.png)}.ms-BrandIcon--pub.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pub_16x1_5.png)}.ms-BrandIcon--pub.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pub_48x1_5.png)}.ms-BrandIcon--pub.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pub_96x1_5.png)}.ms-BrandIcon--vsdx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vsdx_16x1_5.png)}.ms-BrandIcon--vsdx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vsdx_48x1_5.png)}.ms-BrandIcon--vsdx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vsdx_96x1_5.png)}.ms-BrandIcon--vssx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vssx_16x1_5.png)}.ms-BrandIcon--vssx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vssx_48x1_5.png)}.ms-BrandIcon--vssx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vssx_96x1_5.png)}.ms-BrandIcon--vstx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vstx_16x1_5.png)}.ms-BrandIcon--vstx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vstx_48x1_5.png)}.ms-BrandIcon--vstx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vstx_96x1_5.png)}.ms-BrandIcon--xls.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xls_16x1_5.png)}.ms-BrandIcon--xls.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xls_48x1_5.png)}.ms-BrandIcon--xls.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xls_96x1_5.png)}.ms-BrandIcon--xlsx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xlsx_16x1_5.png)}.ms-BrandIcon--xlsx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xlsx_48x1_5.png)}.ms-BrandIcon--xlsx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xlsx_96x1_5.png)}.ms-BrandIcon--xltx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xltx_16x1_5.png)}.ms-BrandIcon--xltx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xltx_48x1_5.png)}.ms-BrandIcon--xltx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xltx_96x1_5.png)}.ms-BrandIcon--xsn.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xsn_16x1_5.png)}.ms-BrandIcon--xsn.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xsn_48x1_5.png)}.ms-BrandIcon--xsn.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xsn_96x1_5.png)}}@media only screen and (min-resolution:192dpi){.ms-BrandIcon--access.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/access_16x2.png)}.ms-BrandIcon--access.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/access_48x2.png)}.ms-BrandIcon--access.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/access_96x2.png)}.ms-BrandIcon--excel.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/excel_16x2.png)}.ms-BrandIcon--excel.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/excel_48x2.png)}.ms-BrandIcon--excel.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/excel_96x2.png)}.ms-BrandIcon--infopath.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/infopath_16x2.png)}.ms-BrandIcon--infopath.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/infopath_48x2.png)}.ms-BrandIcon--infopath.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/infopath_96x2.png)}.ms-BrandIcon--office.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/office_16x2.png)}.ms-BrandIcon--office.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/office_48x2.png)}.ms-BrandIcon--office.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/office_96x2.png)}.ms-BrandIcon--onedrive.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onedrive_16x2.png)}.ms-BrandIcon--onedrive.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onedrive_48x2.png)}.ms-BrandIcon--onedrive.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onedrive_96x2.png)}.ms-BrandIcon--onenote.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onenote_16x2.png)}.ms-BrandIcon--onenote.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onenote_48x2.png)}.ms-BrandIcon--onenote.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onenote_96x2.png)}.ms-BrandIcon--outlook.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/outlook_16x2.png)}.ms-BrandIcon--outlook.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/outlook_48x2.png)}.ms-BrandIcon--outlook.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/outlook_96x2.png)}.ms-BrandIcon--powerpoint.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/powerpoint_16x2.png)}.ms-BrandIcon--powerpoint.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/powerpoint_48x2.png)}.ms-BrandIcon--powerpoint.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/powerpoint_96x2.png)}.ms-BrandIcon--project.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/project_16x2.png)}.ms-BrandIcon--project.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/project_48x2.png)}.ms-BrandIcon--project.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/project_96x2.png)}.ms-BrandIcon--sharepoint.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/sharepoint_16x2.png)}.ms-BrandIcon--sharepoint.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/sharepoint_48x2.png)}.ms-BrandIcon--sharepoint.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/sharepoint_96x2.png)}.ms-BrandIcon--visio.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/visio_16x2.png)}.ms-BrandIcon--visio.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/visio_48x2.png)}.ms-BrandIcon--visio.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/visio_96x2.png)}.ms-BrandIcon--word.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/word_16x2.png)}.ms-BrandIcon--word.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/word_48x2.png)}.ms-BrandIcon--word.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/word_96x2.png)}.ms-BrandIcon--accdb.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/accdb_16x2.png)}.ms-BrandIcon--accdb.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/accdb_48x2.png)}.ms-BrandIcon--accdb.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/accdb_96x2.png)}.ms-BrandIcon--csv.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/csv_16x2.png)}.ms-BrandIcon--csv.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/csv_48x2.png)}.ms-BrandIcon--csv.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/csv_96x2.png)}.ms-BrandIcon--docx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/docx_16x2.png)}.ms-BrandIcon--docx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/docx_48x2.png)}.ms-BrandIcon--docx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/docx_96x2.png)}.ms-BrandIcon--dotx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/dotx_16x2.png)}.ms-BrandIcon--dotx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/dotx_48x2.png)}.ms-BrandIcon--dotx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/dotx_96x2.png)}.ms-BrandIcon--mpp.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpp_16x2.png)}.ms-BrandIcon--mpp.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpp_48x2.png)}.ms-BrandIcon--mpp.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpp_96x2.png)}.ms-BrandIcon--mpt.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpt_16x2.png)}.ms-BrandIcon--mpt.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpt_48x2.png)}.ms-BrandIcon--mpt.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpt_96x2.png)}.ms-BrandIcon--odp.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odp_16x2.png)}.ms-BrandIcon--odp.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odp_48x2.png)}.ms-BrandIcon--odp.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odp_96x2.png)}.ms-BrandIcon--ods.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ods_16x2.png)}.ms-BrandIcon--ods.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ods_48x2.png)}.ms-BrandIcon--ods.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ods_96x2.png)}.ms-BrandIcon--odt.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odt_16x2.png)}.ms-BrandIcon--odt.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odt_48x2.png)}.ms-BrandIcon--odt.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odt_96x2.png)}.ms-BrandIcon--one.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/one_16x2.png)}.ms-BrandIcon--one.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/one_48x2.png)}.ms-BrandIcon--one.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/one_96x2.png)}.ms-BrandIcon--onepkg.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onepkg_16x2.png)}.ms-BrandIcon--onepkg.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onepkg_48x2.png)}.ms-BrandIcon--onepkg.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onepkg_96x2.png)}.ms-BrandIcon--onetoc.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onetoc_16x2.png)}.ms-BrandIcon--onetoc.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onetoc_48x2.png)}.ms-BrandIcon--onetoc.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onetoc_96x2.png)}.ms-BrandIcon--potx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/potx_16x2.png)}.ms-BrandIcon--potx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/potx_48x2.png)}.ms-BrandIcon--potx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/potx_96x2.png)}.ms-BrandIcon--ppsx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ppsx_16x2.png)}.ms-BrandIcon--ppsx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ppsx_48x2.png)}.ms-BrandIcon--ppsx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ppsx_96x2.png)}.ms-BrandIcon--pptx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pptx_16x2.png)}.ms-BrandIcon--pptx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pptx_48x2.png)}.ms-BrandIcon--pptx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pptx_96x2.png)}.ms-BrandIcon--pub.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pub_16x2.png)}.ms-BrandIcon--pub.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pub_48x2.png)}.ms-BrandIcon--pub.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pub_96x2.png)}.ms-BrandIcon--vsdx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vsdx_16x2.png)}.ms-BrandIcon--vsdx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vsdx_48x2.png)}.ms-BrandIcon--vsdx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vsdx_96x2.png)}.ms-BrandIcon--vssx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vssx_16x2.png)}.ms-BrandIcon--vssx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vssx_48x2.png)}.ms-BrandIcon--vssx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vssx_96x2.png)}.ms-BrandIcon--vstx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vstx_16x2.png)}.ms-BrandIcon--vstx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vstx_48x2.png)}.ms-BrandIcon--vstx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vstx_96x2.png)}.ms-BrandIcon--xls.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xls_16x2.png)}.ms-BrandIcon--xls.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xls_48x2.png)}.ms-BrandIcon--xls.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xls_96x2.png)}.ms-BrandIcon--xlsx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xlsx_16x2.png)}.ms-BrandIcon--xlsx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xlsx_48x2.png)}.ms-BrandIcon--xlsx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xlsx_96x2.png)}.ms-BrandIcon--xltx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xltx_16x2.png)}.ms-BrandIcon--xltx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xltx_48x2.png)}.ms-BrandIcon--xltx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xltx_96x2.png)}.ms-BrandIcon--xsn.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xsn_16x2.png)}.ms-BrandIcon--xsn.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xsn_48x2.png)}.ms-BrandIcon--xsn.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xsn_96x2.png)}}@media only screen and (min-resolution:288dpi){.ms-BrandIcon--access.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/access_16x3.png)}.ms-BrandIcon--access.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/access_48x3.png)}.ms-BrandIcon--access.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/access_96x3.png)}.ms-BrandIcon--excel.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/excel_16x3.png)}.ms-BrandIcon--excel.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/excel_48x3.png)}.ms-BrandIcon--excel.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/excel_96x3.png)}.ms-BrandIcon--infopath.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/infopath_16x3.png)}.ms-BrandIcon--infopath.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/infopath_48x3.png)}.ms-BrandIcon--infopath.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/infopath_96x3.png)}.ms-BrandIcon--office.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/office_16x3.png)}.ms-BrandIcon--office.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/office_48x3.png)}.ms-BrandIcon--office.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/office_96x3.png)}.ms-BrandIcon--onedrive.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onedrive_16x3.png)}.ms-BrandIcon--onedrive.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onedrive_48x3.png)}.ms-BrandIcon--onedrive.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onedrive_96x3.png)}.ms-BrandIcon--onenote.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onenote_16x3.png)}.ms-BrandIcon--onenote.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onenote_48x3.png)}.ms-BrandIcon--onenote.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/onenote_96x3.png)}.ms-BrandIcon--outlook.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/outlook_16x3.png)}.ms-BrandIcon--outlook.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/outlook_48x3.png)}.ms-BrandIcon--outlook.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/outlook_96x3.png)}.ms-BrandIcon--powerpoint.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/powerpoint_16x3.png)}.ms-BrandIcon--powerpoint.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/powerpoint_48x3.png)}.ms-BrandIcon--powerpoint.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/powerpoint_96x3.png)}.ms-BrandIcon--project.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/project_16x3.png)}.ms-BrandIcon--project.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/project_48x3.png)}.ms-BrandIcon--project.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/project_96x3.png)}.ms-BrandIcon--sharepoint.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/sharepoint_16x3.png)}.ms-BrandIcon--sharepoint.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/sharepoint_48x3.png)}.ms-BrandIcon--sharepoint.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/sharepoint_96x3.png)}.ms-BrandIcon--visio.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/visio_16x3.png)}.ms-BrandIcon--visio.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/visio_48x3.png)}.ms-BrandIcon--visio.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/visio_96x3.png)}.ms-BrandIcon--word.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/word_16x3.png)}.ms-BrandIcon--word.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/word_48x3.png)}.ms-BrandIcon--word.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/product/png/word_96x3.png)}.ms-BrandIcon--accdb.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/accdb_16x3.png)}.ms-BrandIcon--accdb.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/accdb_48x3.png)}.ms-BrandIcon--accdb.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/accdb_96x3.png)}.ms-BrandIcon--csv.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/csv_16x3.png)}.ms-BrandIcon--csv.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/csv_48x3.png)}.ms-BrandIcon--csv.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/csv_96x3.png)}.ms-BrandIcon--docx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/docx_16x3.png)}.ms-BrandIcon--docx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/docx_48x3.png)}.ms-BrandIcon--docx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/docx_96x3.png)}.ms-BrandIcon--dotx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/dotx_16x3.png)}.ms-BrandIcon--dotx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/dotx_48x3.png)}.ms-BrandIcon--dotx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/dotx_96x3.png)}.ms-BrandIcon--mpp.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpp_16x3.png)}.ms-BrandIcon--mpp.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpp_48x3.png)}.ms-BrandIcon--mpp.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpp_96x3.png)}.ms-BrandIcon--mpt.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpt_16x3.png)}.ms-BrandIcon--mpt.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpt_48x3.png)}.ms-BrandIcon--mpt.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/mpt_96x3.png)}.ms-BrandIcon--odp.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odp_16x3.png)}.ms-BrandIcon--odp.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odp_48x3.png)}.ms-BrandIcon--odp.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odp_96x3.png)}.ms-BrandIcon--ods.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ods_16x3.png)}.ms-BrandIcon--ods.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ods_48x3.png)}.ms-BrandIcon--ods.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ods_96x3.png)}.ms-BrandIcon--odt.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odt_16x3.png)}.ms-BrandIcon--odt.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odt_48x3.png)}.ms-BrandIcon--odt.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/odt_96x3.png)}.ms-BrandIcon--one.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/one_16x3.png)}.ms-BrandIcon--one.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/one_48x3.png)}.ms-BrandIcon--one.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/one_96x3.png)}.ms-BrandIcon--onepkg.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onepkg_16x3.png)}.ms-BrandIcon--onepkg.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onepkg_48x3.png)}.ms-BrandIcon--onepkg.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onepkg_96x3.png)}.ms-BrandIcon--onetoc.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onetoc_16x3.png)}.ms-BrandIcon--onetoc.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onetoc_48x3.png)}.ms-BrandIcon--onetoc.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/onetoc_96x3.png)}.ms-BrandIcon--potx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/potx_16x3.png)}.ms-BrandIcon--potx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/potx_48x3.png)}.ms-BrandIcon--potx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/potx_96x3.png)}.ms-BrandIcon--ppsx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ppsx_16x3.png)}.ms-BrandIcon--ppsx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ppsx_48x3.png)}.ms-BrandIcon--ppsx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/ppsx_96x3.png)}.ms-BrandIcon--pptx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pptx_16x3.png)}.ms-BrandIcon--pptx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pptx_48x3.png)}.ms-BrandIcon--pptx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pptx_96x3.png)}.ms-BrandIcon--pub.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pub_16x3.png)}.ms-BrandIcon--pub.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pub_48x3.png)}.ms-BrandIcon--pub.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/pub_96x3.png)}.ms-BrandIcon--vsdx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vsdx_16x3.png)}.ms-BrandIcon--vsdx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vsdx_48x3.png)}.ms-BrandIcon--vsdx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vsdx_96x3.png)}.ms-BrandIcon--vssx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vssx_16x3.png)}.ms-BrandIcon--vssx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vssx_48x3.png)}.ms-BrandIcon--vssx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vssx_96x3.png)}.ms-BrandIcon--vstx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vstx_16x3.png)}.ms-BrandIcon--vstx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vstx_48x3.png)}.ms-BrandIcon--vstx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/vstx_96x3.png)}.ms-BrandIcon--xls.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xls_16x3.png)}.ms-BrandIcon--xls.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xls_48x3.png)}.ms-BrandIcon--xls.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xls_96x3.png)}.ms-BrandIcon--xlsx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xlsx_16x3.png)}.ms-BrandIcon--xlsx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xlsx_48x3.png)}.ms-BrandIcon--xlsx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xlsx_96x3.png)}.ms-BrandIcon--xltx.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xltx_16x3.png)}.ms-BrandIcon--xltx.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xltx_48x3.png)}.ms-BrandIcon--xltx.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xltx_96x3.png)}.ms-BrandIcon--xsn.ms-BrandIcon--Icon16{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xsn_16x3.png)}.ms-BrandIcon--xsn.ms-BrandIcon--Icon48{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xsn_48x3.png)}.ms-BrandIcon--xsn.ms-BrandIcon--Icon96{background-image:url(https://static2.sharepointonline.com/files/fabric/assets/brand-icons/document/png/xsn_96x3.png)}}.ms-u-slideRightIn10{-webkit-animation-name:fadeIn,slideRightIn10;-moz-animation-name:fadeIn,slideRightIn10;-ms-animation-name:fadeIn,slideRightIn10;-o-animation-name:fadeIn,slideRightIn10;animation-name:fadeIn,slideRightIn10;-webkit-animation-duration:.367s;-moz-animation-duration:.367s;-ms-animation-duration:.367s;-o-animation-duration:.367s;-webkit-animation-timing-function:cubic-bezier(.1,.9,.2,1);-moz-animation-timing-function:cubic-bezier(.1,.9,.2,1);-ms-animation-timing-function:cubic-bezier(.1,.9,.2,1);-o-animation-timing-function:cubic-bezier(.1,.9,.2,1);animation-timing-function:cubic-bezier(.1,.9,.2,1);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes slideRightIn10{0%{-webkit-transform:translate3d(-10px,0,0)}to{-webkit-transform:translateZ(0)}}@keyframes slideRightIn10{0%{transform:translate3d(-10px,0,0)}to{transform:translateZ(0)}}.ms-u-slideRightIn20{-webkit-animation-name:fadeIn,slideRightIn20;-moz-animation-name:fadeIn,slideRightIn20;-ms-animation-name:fadeIn,slideRightIn20;-o-animation-name:fadeIn,slideRightIn20;animation-name:fadeIn,slideRightIn20;-webkit-animation-duration:.367s;-moz-animation-duration:.367s;-ms-animation-duration:.367s;-o-animation-duration:.367s;-webkit-animation-timing-function:cubic-bezier(.1,.9,.2,1);-moz-animation-timing-function:cubic-bezier(.1,.9,.2,1);-ms-animation-timing-function:cubic-bezier(.1,.9,.2,1);-o-animation-timing-function:cubic-bezier(.1,.9,.2,1);animation-timing-function:cubic-bezier(.1,.9,.2,1);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes slideRightIn20{0%{-webkit-transform:translate3d(-20px,0,0)}to{-webkit-transform:translateZ(0)}}@keyframes slideRightIn20{0%{transform:translate3d(-20px,0,0)}to{transform:translateZ(0)}}.ms-u-slideRightIn40{-webkit-animation-name:fadeIn,slideRightIn40;-moz-animation-name:fadeIn,slideRightIn40;-ms-animation-name:fadeIn,slideRightIn40;-o-animation-name:fadeIn,slideRightIn40;animation-name:fadeIn,slideRightIn40;-webkit-animation-duration:.367s;-moz-animation-duration:.367s;-ms-animation-duration:.367s;-o-animation-duration:.367s;-webkit-animation-timing-function:cubic-bezier(.1,.9,.2,1);-moz-animation-timing-function:cubic-bezier(.1,.9,.2,1);-ms-animation-timing-function:cubic-bezier(.1,.9,.2,1);-o-animation-timing-function:cubic-bezier(.1,.9,.2,1);animation-timing-function:cubic-bezier(.1,.9,.2,1);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes slideRightIn40{0%{-webkit-transform:translate3d(-40px,0,0)}to{-webkit-transform:translateZ(0)}}@keyframes slideRightIn40{0%{transform:translate3d(-40px,0,0)}to{transform:translateZ(0)}}.ms-u-slideLeftIn10{-webkit-animation-name:fadeIn,slideLeftIn10;-moz-animation-name:fadeIn,slideLeftIn10;-ms-animation-name:fadeIn,slideLeftIn10;-o-animation-name:fadeIn,slideLeftIn10;animation-name:fadeIn,slideLeftIn10;-webkit-animation-duration:.367s;-moz-animation-duration:.367s;-ms-animation-duration:.367s;-o-animation-duration:.367s;-webkit-animation-timing-function:cubic-bezier(.1,.9,.2,1);-moz-animation-timing-function:cubic-bezier(.1,.9,.2,1);-ms-animation-timing-function:cubic-bezier(.1,.9,.2,1);-o-animation-timing-function:cubic-bezier(.1,.9,.2,1);animation-timing-function:cubic-bezier(.1,.9,.2,1);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes slideLeftIn10{0%{-webkit-transform:translate3d(10px,0,0)}to{-webkit-transform:translateZ(0)}}@keyframes slideLeftIn10{0%{transform:translate3d(10px,0,0)}to{transform:translateZ(0)}}.ms-u-slideLeftIn20{-webkit-animation-name:fadeIn,slideLeftIn20;-moz-animation-name:fadeIn,slideLeftIn20;-ms-animation-name:fadeIn,slideLeftIn20;-o-animation-name:fadeIn,slideLeftIn20;animation-name:fadeIn,slideLeftIn20;-webkit-animation-duration:.367s;-moz-animation-duration:.367s;-ms-animation-duration:.367s;-o-animation-duration:.367s;-webkit-animation-timing-function:cubic-bezier(.1,.9,.2,1);-moz-animation-timing-function:cubic-bezier(.1,.9,.2,1);-ms-animation-timing-function:cubic-bezier(.1,.9,.2,1);-o-animation-timing-function:cubic-bezier(.1,.9,.2,1);animation-timing-function:cubic-bezier(.1,.9,.2,1);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes slideLeftIn20{0%{-webkit-transform:translate3d(20px,0,0)}to{-webkit-transform:translateZ(0)}}@keyframes slideLeftIn20{0%{transform:translate3d(20px,0,0)}to{transform:translateZ(0)}}.ms-u-slideLeftIn40{-webkit-animation-name:fadeIn,slideLeftIn40;-moz-animation-name:fadeIn,slideLeftIn40;-ms-animation-name:fadeIn,slideLeftIn40;-o-animation-name:fadeIn,slideLeftIn40;animation-name:fadeIn,slideLeftIn40;-webkit-animation-duration:.367s;-moz-animation-duration:.367s;-ms-animation-duration:.367s;-o-animation-duration:.367s;-webkit-animation-timing-function:cubic-bezier(.1,.9,.2,1);-moz-animation-timing-function:cubic-bezier(.1,.9,.2,1);-ms-animation-timing-function:cubic-bezier(.1,.9,.2,1);-o-animation-timing-function:cubic-bezier(.1,.9,.2,1);animation-timing-function:cubic-bezier(.1,.9,.2,1);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes slideLeftIn40{0%{-webkit-transform:translate3d(40px,0,0)}to{-webkit-transform:translateZ(0)}}@keyframes slideLeftIn40{0%{transform:translate3d(40px,0,0)}to{transform:translateZ(0)}}.ms-u-slideRightIn400{-webkit-animation-name:fadeIn,slideRightIn400;-moz-animation-name:fadeIn,slideRightIn400;-ms-animation-name:fadeIn,slideRightIn400;-o-animation-name:fadeIn,slideRightIn400;animation-name:fadeIn,slideRightIn400;-webkit-animation-duration:.367s;-moz-animation-duration:.367s;-ms-animation-duration:.367s;-o-animation-duration:.367s;-webkit-animation-timing-function:cubic-bezier(.1,.9,.2,1);-moz-animation-timing-function:cubic-bezier(.1,.9,.2,1);-ms-animation-timing-function:cubic-bezier(.1,.9,.2,1);-o-animation-timing-function:cubic-bezier(.1,.9,.2,1);animation-timing-function:cubic-bezier(.1,.9,.2,1);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes slideRightIn400{0%{-webkit-transform:translate3d(-400px,0,0)}to{-webkit-transform:translateZ(0)}}@keyframes slideRightIn400{0%{transform:translate3d(-400px,0,0)}to{transform:translateZ(0)}}.ms-u-slideLeftIn400{-webkit-animation-name:fadeIn,slideLeft400;-moz-animation-name:fadeIn,slideLeft400;-ms-animation-name:fadeIn,slideLeft400;-o-animation-name:fadeIn,slideLeft400;animation-name:fadeIn,slideLeft400;-webkit-animation-duration:.367s;-moz-animation-duration:.367s;-ms-animation-duration:.367s;-o-animation-duration:.367s;-webkit-animation-timing-function:cubic-bezier(.1,.9,.2,1);-moz-animation-timing-function:cubic-bezier(.1,.9,.2,1);-ms-animation-timing-function:cubic-bezier(.1,.9,.2,1);-o-animation-timing-function:cubic-bezier(.1,.9,.2,1);animation-timing-function:cubic-bezier(.1,.9,.2,1);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes slideLeft400{0%{-webkit-transform:translate3d(400px,0,0)}to{-webkit-transform:translateZ(0)}}@keyframes slideLeft400{0%{transform:translate3d(400px,0,0)}to{transform:translateZ(0)}}.ms-u-slideUpIn20{-webkit-animation-name:fadeIn,slideUpIn20;-moz-animation-name:fadeIn,slideUpIn20;-ms-animation-name:fadeIn,slideUpIn20;-o-animation-name:fadeIn,slideUpIn20;animation-name:fadeIn,slideUpIn20;-webkit-animation-duration:.367s;-moz-animation-duration:.367s;-ms-animation-duration:.367s;-o-animation-duration:.367s;-webkit-animation-timing-function:cubic-bezier(.1,.9,.2,1);-moz-animation-timing-function:cubic-bezier(.1,.9,.2,1);-ms-animation-timing-function:cubic-bezier(.1,.9,.2,1);-o-animation-timing-function:cubic-bezier(.1,.9,.2,1);animation-timing-function:cubic-bezier(.1,.9,.2,1);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes slideUpIn20{0%{-webkit-transform:translate3d(0,20px,0)}to{-webkit-transform:translateZ(0)}}@keyframes slideUpIn20{0%{transform:translate3d(0,20px,0)}to{transform:translateZ(0)}}.ms-u-slideUpIn10{-webkit-animation-name:fadeIn,slideUpIn10;-moz-animation-name:fadeIn,slideUpIn10;-ms-animation-name:fadeIn,slideUpIn10;-o-animation-name:fadeIn,slideUpIn10;animation-name:fadeIn,slideUpIn10;-webkit-animation-duration:.167s;-moz-animation-duration:.167s;-ms-animation-duration:.167s;-o-animation-duration:.167s;-webkit-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-moz-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-ms-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-o-animation-timing-function:cubic-bezier(.1,.25,.75,.9);animation-timing-function:cubic-bezier(.1,.25,.75,.9);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes slideUpIn10{0%{-webkit-transform:translate3d(0,10px,0)}to{-webkit-transform:translateZ(0)}}@keyframes slideUpIn10{0%{transform:translate3d(0,10px,0)}to{transform:translateZ(0)}}.ms-u-slideDownIn20{-webkit-animation-name:fadeIn,slideDownIn20;-moz-animation-name:fadeIn,slideDownIn20;-ms-animation-name:fadeIn,slideDownIn20;-o-animation-name:fadeIn,slideDownIn20;animation-name:fadeIn,slideDownIn20;-webkit-animation-duration:.367s;-moz-animation-duration:.367s;-ms-animation-duration:.367s;-o-animation-duration:.367s;-webkit-animation-timing-function:cubic-bezier(.1,.9,.2,1);-moz-animation-timing-function:cubic-bezier(.1,.9,.2,1);-ms-animation-timing-function:cubic-bezier(.1,.9,.2,1);-o-animation-timing-function:cubic-bezier(.1,.9,.2,1);animation-timing-function:cubic-bezier(.1,.9,.2,1);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes slideDownIn20{0%{-webkit-transform:translate3d(0,-20px,0)}to{-webkit-transform:translateZ(0)}}@keyframes slideDownIn20{0%{transform:translate3d(0,-20px,0)}to{transform:translateZ(0)}}.ms-u-slideDownIn10{-webkit-animation-name:fadeIn,slideDownIn10;-moz-animation-name:fadeIn,slideDownIn10;-ms-animation-name:fadeIn,slideDownIn10;-o-animation-name:fadeIn,slideDownIn10;animation-name:fadeIn,slideDownIn10;-webkit-animation-duration:.167s;-moz-animation-duration:.167s;-ms-animation-duration:.167s;-o-animation-duration:.167s;-webkit-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-moz-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-ms-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-o-animation-timing-function:cubic-bezier(.1,.25,.75,.9);animation-timing-function:cubic-bezier(.1,.25,.75,.9);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes slideDownIn10{0%{-webkit-transform:translate3d(0,-10px,0)}to{-webkit-transform:translateZ(0)}}@keyframes slideDownIn10{0%{transform:translate3d(0,-10px,0)}to{transform:translateZ(0)}}.ms-u-slideRightOut40{-webkit-animation-name:fadeOut,slideRightOut40;-moz-animation-name:fadeOut,slideRightOut40;-ms-animation-name:fadeOut,slideRightOut40;-o-animation-name:fadeOut,slideRightOut40;animation-name:fadeOut,slideRightOut40;-webkit-animation-duration:.167s;-moz-animation-duration:.167s;-ms-animation-duration:.167s;-o-animation-duration:.167s;-webkit-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-moz-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-ms-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-o-animation-timing-function:cubic-bezier(.1,.25,.75,.9);animation-timing-function:cubic-bezier(.1,.25,.75,.9);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes slideRightOut40{0%{-webkit-transform:translateZ(0)}to{-webkit-transform:translate3d(40px,0,0)}}@keyframes slideRightOut40{0%{transform:translateZ(0)}to{transform:translate3d(40px,0,0)}}.ms-u-slideLeftOut40{-webkit-animation-name:fadeOut,slideLeftOut40;-moz-animation-name:fadeOut,slideLeftOut40;-ms-animation-name:fadeOut,slideLeftOut40;-o-animation-name:fadeOut,slideLeftOut40;animation-name:fadeOut,slideLeftOut40;-webkit-animation-duration:.167s;-moz-animation-duration:.167s;-ms-animation-duration:.167s;-o-animation-duration:.167s;-webkit-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-moz-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-ms-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-o-animation-timing-function:cubic-bezier(.1,.25,.75,.9);animation-timing-function:cubic-bezier(.1,.25,.75,.9);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes slideLeftOut40{0%{-webkit-transform:translateZ(0)}to{-webkit-transform:translate3d(-40px,0,0)}}@keyframes slideLeftOut40{0%{transform:translateZ(0)}to{transform:translate3d(-40px,0,0)}}.ms-u-slideRightOut400{-webkit-animation-name:fadeOut,slideRightOut400;-moz-animation-name:fadeOut,slideRightOut400;-ms-animation-name:fadeOut,slideRightOut400;-o-animation-name:fadeOut,slideRightOut400;animation-name:fadeOut,slideRightOut400;-webkit-animation-duration:.167s;-moz-animation-duration:.167s;-ms-animation-duration:.167s;-o-animation-duration:.167s;-webkit-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-moz-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-ms-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-o-animation-timing-function:cubic-bezier(.1,.25,.75,.9);animation-timing-function:cubic-bezier(.1,.25,.75,.9);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes slideRightOut400{0%{-webkit-transform:translateZ(0)}to{-webkit-transform:translate3d(400px,0,0)}}@keyframes slideRightOut400{0%{transform:translateZ(0)}to{transform:translate3d(400px,0,0)}}.ms-u-slideLeftOut400{-webkit-animation-name:fadeOut,slideLeftOut400;-moz-animation-name:fadeOut,slideLeftOut400;-ms-animation-name:fadeOut,slideLeftOut400;-o-animation-name:fadeOut,slideLeftOut400;animation-name:fadeOut,slideLeftOut400;-webkit-animation-duration:.167s;-moz-animation-duration:.167s;-ms-animation-duration:.167s;-o-animation-duration:.167s;-webkit-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-moz-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-ms-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-o-animation-timing-function:cubic-bezier(.1,.25,.75,.9);animation-timing-function:cubic-bezier(.1,.25,.75,.9);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes slideLeftOut400{0%{-webkit-transform:translateZ(0)}to{-webkit-transform:translate3d(-400px,0,0)}}@keyframes slideLeftOut400{0%{transform:translateZ(0)}to{transform:translate3d(-400px,0,0)}}.ms-u-slideUpOut20{-webkit-animation-name:fadeOut,slideUpOut20;-moz-animation-name:fadeOut,slideUpOut20;-ms-animation-name:fadeOut,slideUpOut20;-o-animation-name:fadeOut,slideUpOut20;animation-name:fadeOut,slideUpOut20;-webkit-animation-duration:.167s;-moz-animation-duration:.167s;-ms-animation-duration:.167s;-o-animation-duration:.167s;-webkit-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-moz-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-ms-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-o-animation-timing-function:cubic-bezier(.1,.25,.75,.9);animation-timing-function:cubic-bezier(.1,.25,.75,.9);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes slideUpOut20{0%{-webkit-transform:translateZ(0)}to{-webkit-transform:translate3d(0,-20px,0)}}@keyframes slideUpOut20{0%{transform:translateZ(0)}to{transform:translate3d(0,-20px,0)}}.ms-u-slideUpOut10{-webkit-animation-name:fadeOut,slideUpOut10;-moz-animation-name:fadeOut,slideUpOut10;-ms-animation-name:fadeOut,slideUpOut10;-o-animation-name:fadeOut,slideUpOut10;animation-name:fadeOut,slideUpOut10;-webkit-animation-duration:.167s;-moz-animation-duration:.167s;-ms-animation-duration:.167s;-o-animation-duration:.167s;-webkit-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-moz-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-ms-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-o-animation-timing-function:cubic-bezier(.1,.25,.75,.9);animation-timing-function:cubic-bezier(.1,.25,.75,.9);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes slideUpOut10{0%{-webkit-transform:translateZ(0)}to{-webkit-transform:translate3d(0,-10px,0)}}@keyframes slideUpOut10{0%{transform:translateZ(0)}to{transform:translate3d(0,-10px,0)}}.ms-u-slideDownOut20{-webkit-animation-name:fadeOut,slideDownOut20;-moz-animation-name:fadeOut,slideDownOut20;-ms-animation-name:fadeOut,slideDownOut20;-o-animation-name:fadeOut,slideDownOut20;animation-name:fadeOut,slideDownOut20;-webkit-animation-duration:.167s;-moz-animation-duration:.167s;-ms-animation-duration:.167s;-o-animation-duration:.167s;-webkit-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-moz-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-ms-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-o-animation-timing-function:cubic-bezier(.1,.25,.75,.9);animation-timing-function:cubic-bezier(.1,.25,.75,.9);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes slideDownOut20{0%{-webkit-transform:translateZ(0)}to{-webkit-transform:translate3d(0,20px,0)}}@keyframes slideDownOut20{0%{transform:translateZ(0)}to{transform:translate3d(0,20px,0)}}.ms-u-slideDownOut10{-webkit-animation-name:fadeOut,slideDownOut10;-moz-animation-name:fadeOut,slideDownOut10;-ms-animation-name:fadeOut,slideDownOut10;-o-animation-name:fadeOut,slideDownOut10;animation-name:fadeOut,slideDownOut10;-webkit-animation-duration:.167s;-moz-animation-duration:.167s;-ms-animation-duration:.167s;-o-animation-duration:.167s;-webkit-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-moz-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-ms-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-o-animation-timing-function:cubic-bezier(.1,.25,.75,.9);animation-timing-function:cubic-bezier(.1,.25,.75,.9);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes slideDownOut10{0%{-webkit-transform:translateZ(0)}to{-webkit-transform:translate3d(0,10px,0)}}@keyframes slideDownOut10{0%{transform:translateZ(0)}to{transform:translate3d(0,10px,0)}}.ms-u-scaleUpIn100{-webkit-animation-name:fadeIn,scaleUp100;-moz-animation-name:fadeIn,scaleUp100;-ms-animation-name:fadeIn,scaleUp100;-o-animation-name:fadeIn,scaleUp100;animation-name:fadeIn,scaleUp100;-webkit-animation-duration:.367s;-moz-animation-duration:.367s;-ms-animation-duration:.367s;-o-animation-duration:.367s;-webkit-animation-timing-function:cubic-bezier(.1,.9,.2,1);-moz-animation-timing-function:cubic-bezier(.1,.9,.2,1);-ms-animation-timing-function:cubic-bezier(.1,.9,.2,1);-o-animation-timing-function:cubic-bezier(.1,.9,.2,1);animation-timing-function:cubic-bezier(.1,.9,.2,1);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes scaleUp100{0%{-webkit-transform:scale3d(.98,.98,1)}to{-webkit-transform:scaleX(1)}}@keyframes scaleUp100{0%{transform:scale3d(.98,.98,1)}to{transform:scaleX(1)}}.ms-u-scaleDownIn100{-webkit-animation-name:fadeIn,scaleDown100;-moz-animation-name:fadeIn,scaleDown100;-ms-animation-name:fadeIn,scaleDown100;-o-animation-name:fadeIn,scaleDown100;animation-name:fadeIn,scaleDown100;-webkit-animation-duration:.367s;-moz-animation-duration:.367s;-ms-animation-duration:.367s;-o-animation-duration:.367s;-webkit-animation-timing-function:cubic-bezier(.1,.9,.2,1);-moz-animation-timing-function:cubic-bezier(.1,.9,.2,1);-ms-animation-timing-function:cubic-bezier(.1,.9,.2,1);-o-animation-timing-function:cubic-bezier(.1,.9,.2,1);animation-timing-function:cubic-bezier(.1,.9,.2,1);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes scaleDown100{0%{-webkit-transform:scale3d(1.03,1.03,1)}to{-webkit-transform:scaleX(1)}}@keyframes scaleDown100{0%{transform:scale3d(1.03,1.03,1)}to{transform:scaleX(1)}}.ms-u-scaleUpOut103{-webkit-animation-name:fadeOut,scaleUp103;-moz-animation-name:fadeOut,scaleUp103;-ms-animation-name:fadeOut,scaleUp103;-o-animation-name:fadeOut,scaleUp103;animation-name:fadeOut,scaleUp103;-webkit-animation-duration:.167s;-moz-animation-duration:.167s;-ms-animation-duration:.167s;-o-animation-duration:.167s;-webkit-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-moz-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-ms-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-o-animation-timing-function:cubic-bezier(.1,.25,.75,.9);animation-timing-function:cubic-bezier(.1,.25,.75,.9);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes scaleUp103{0%{-webkit-transform:scaleX(1)}to{-webkit-transform:scale3d(1.03,1.03,1)}}@keyframes scaleUp103{0%{transform:scaleX(1)}to{transform:scale3d(1.03,1.03,1)}}.ms-u-scaleDownOut98{-webkit-animation-name:fadeOut,scaleDown98;-moz-animation-name:fadeOut,scaleDown98;-ms-animation-name:fadeOut,scaleDown98;-o-animation-name:fadeOut,scaleDown98;animation-name:fadeOut,scaleDown98;-webkit-animation-duration:.167s;-moz-animation-duration:.167s;-ms-animation-duration:.167s;-o-animation-duration:.167s;-webkit-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-moz-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-ms-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-o-animation-timing-function:cubic-bezier(.1,.25,.75,.9);animation-timing-function:cubic-bezier(.1,.25,.75,.9);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes scaleDown98{0%{-webkit-transform:scaleX(1)}to{-webkit-transform:scale3d(.98,.98,1)}}@keyframes scaleDown98{0%{transform:scaleX(1)}to{transform:scale3d(.98,.98,1)}}.ms-u-fadeIn100,.ms-u-fadeIn400{-webkit-animation-duration:.367s;-webkit-animation-name:fadeIn;-webkit-animation-fill-mode:both;animation-duration:.367s;animation-name:fadeIn;animation-fill-mode:both}.ms-u-fadeIn100{-webkit-animation-duration:.167s;animation-duration:.167s}.ms-u-fadeIn200{-webkit-animation-duration:.367s;-webkit-animation-name:fadeIn;-webkit-animation-fill-mode:both;animation-duration:.367s;animation-name:fadeIn;animation-fill-mode:both;-webkit-animation-duration:.267s;animation-duration:.267s}.ms-u-fadeIn500{-webkit-animation-duration:.367s;-webkit-animation-name:fadeIn;-webkit-animation-fill-mode:both;animation-duration:.367s;animation-name:fadeIn;animation-fill-mode:both;-webkit-animation-duration:.467s;animation-duration:.467s}@-webkit-keyframes fadeIn{0%{opacity:0;-webkit-animation-timing-function:cubic-bezier(.1,.25,.75,.9)}to{opacity:1}}@keyframes fadeIn{0%{opacity:0;animation-timing-function:cubic-bezier(.1,.25,.75,.9)}to{opacity:1}}.ms-u-fadeOut100,.ms-u-fadeOut400{-webkit-animation-duration:.367s;-webkit-animation-name:fadeOut;-webkit-animation-fill-mode:both;animation-duration:.367s;animation-name:fadeOut;animation-fill-mode:both}.ms-u-fadeOut100{-webkit-animation-duration:.1s;animation-duration:.1s}.ms-u-fadeOut200{-webkit-animation-duration:.367s;-webkit-animation-name:fadeOut;-webkit-animation-fill-mode:both;animation-duration:.367s;animation-name:fadeOut;animation-fill-mode:both;-webkit-animation-duration:.167s;animation-duration:.167s}.ms-u-fadeOut500{-webkit-animation-duration:.367s;-webkit-animation-name:fadeOut;-webkit-animation-fill-mode:both;animation-duration:.367s;animation-name:fadeOut;animation-fill-mode:both;-webkit-animation-duration:.467s;animation-duration:.467s}@-webkit-keyframes fadeOut{0%{opacity:1;-webkit-animation-timing-function:cubic-bezier(.1,.25,.75,.9)}to{opacity:0}}@keyframes fadeOut{0%{opacity:1;animation-timing-function:cubic-bezier(.1,.25,.75,.9)}to{opacity:0}}.ms-u-rotate90deg{-webkit-animation-name:rotate90;-moz-animation-name:rotate90;-ms-animation-name:rotate90;-o-animation-name:rotate90;animation-name:rotate90;-webkit-animation-duration:.1s;-moz-animation-duration:.1s;-ms-animation-duration:.1s;-o-animation-duration:.1s;-webkit-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-moz-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-ms-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-o-animation-timing-function:cubic-bezier(.1,.25,.75,.9);animation-timing-function:cubic-bezier(.1,.25,.75,.9);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes rotate90{0%{-webkit-transform:rotate(0deg)}to{-webkit-transform:rotate(90deg)}}@keyframes rotate90{0%{transform:rotate(0deg)}to{transform:rotate(90deg)}}.ms-u-rotateN90deg{-webkit-animation-name:rotateN90;-moz-animation-name:rotateN90;-ms-animation-name:rotateN90;-o-animation-name:rotateN90;animation-name:rotateN90;-webkit-animation-duration:.1s;-moz-animation-duration:.1s;-ms-animation-duration:.1s;-o-animation-duration:.1s;-webkit-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-moz-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-ms-animation-timing-function:cubic-bezier(.1,.25,.75,.9);-o-animation-timing-function:cubic-bezier(.1,.25,.75,.9);animation-timing-function:cubic-bezier(.1,.25,.75,.9);-webkit-animation-fill-mode:both;-moz-animation-fill-mode:both;-ms-animation-fill-mode:both;-o-animation-fill-mode:both;animation-fill-mode:both}@-webkit-keyframes rotateN90{0%{-webkit-transform:rotate(90deg)}to{-webkit-transform:rotate(0deg)}}@keyframes rotateN90{0%{transform:rotate(90deg)}to{transform:rotate(0deg)}}.ms-u-expandCollapse400{-webkit-transition:height .367s cubic-bezier(.1,.25,.75,.9);transition:height .367s cubic-bezier(.1,.25,.75,.9)}.ms-u-expandCollapse200{-webkit-transition:height .167s cubic-bezier(.1,.25,.75,.9);transition:height .167s cubic-bezier(.1,.25,.75,.9)}.ms-u-expandCollapse100{-webkit-transition:height .1s cubic-bezier(.1,.25,.75,.9);transition:height .1s cubic-bezier(.1,.25,.75,.9)}.ms-u-delay100{-webkit-animation-delay:.167s;animation-delay:.167s}.ms-u-delay200{-webkit-animation-delay:.267s;animation-delay:.267s}@media (max-width:479px){.ms-u-hiddenLgDown,.ms-u-hiddenMdDown,.ms-u-hiddenSm,.ms-u-hiddenXlDown,.ms-u-hiddenXxlDown{display:none!important}}@media (min-width:480px) and (max-width:639px){.ms-u-hiddenLgDown,.ms-u-hiddenMd,.ms-u-hiddenMdDown,.ms-u-hiddenMdUp,.ms-u-hiddenXlDown,.ms-u-hiddenXxlDown{display:none!important}}@media (min-width:640px) and (max-width:1023px){.ms-u-hiddenLg,.ms-u-hiddenLgDown,.ms-u-hiddenLgUp,.ms-u-hiddenMdUp,.ms-u-hiddenXlDown,.ms-u-hiddenXxlDown{display:none!important}}@media (min-width:1024px) and (max-width:1365px){.ms-u-hiddenLgUp,.ms-u-hiddenMdUp,.ms-u-hiddenXl,.ms-u-hiddenXlDown,.ms-u-hiddenXlUp,.ms-u-hiddenXxlDown{display:none!important}}@media (min-width:1366px) and (max-width:1919px){.ms-u-hiddenLgUp,.ms-u-hiddenMdUp,.ms-u-hiddenXlUp,.ms-u-hiddenXxl,.ms-u-hiddenXxlDown,.ms-u-hiddenXxlUp{display:none!important}}@media (min-width:1920px){.ms-u-hiddenLgUp,.ms-u-hiddenMdUp,.ms-u-hiddenXlUp,.ms-u-hiddenXxlUp,.ms-u-hiddenXxxl{display:none!important}}.ms-u-sm12{width:100%}.ms-u-sm11{width:91.66666666666666%}.ms-u-sm10{width:83.33333333333334%}.ms-u-sm9{width:75%}.ms-u-sm8{width:66.66666666666666%}.ms-u-sm7{width:58.333333333333336%}.ms-u-sm6{width:50%}.ms-u-sm5{width:41.66666666666667%}.ms-u-sm4{width:33.33333333333333%}.ms-u-sm3{width:25%}.ms-u-sm2{width:16.666666666666664%}.ms-u-sm1{width:8.333333333333332%}.ms-u-smPull12{right:100%}.ms-u-smPull11{right:91.66666666666666%}.ms-u-smPull10{right:83.33333333333334%}.ms-u-smPull9{right:75%}.ms-u-smPull8{right:66.66666666666666%}.ms-u-smPull7{right:58.333333333333336%}.ms-u-smPull6{right:50%}.ms-u-smPull5{right:41.66666666666667%}.ms-u-smPull4{right:33.33333333333333%}.ms-u-smPull3{right:25%}.ms-u-smPull2{right:16.666666666666664%}.ms-u-smPull1{right:8.333333333333332%}.ms-u-smPull0{right:auto}.ms-u-smPush12{left:100%}.ms-u-smPush11{left:91.66666666666666%}.ms-u-smPush10{left:83.33333333333334%}.ms-u-smPush9{left:75%}.ms-u-smPush8{left:66.66666666666666%}.ms-u-smPush7{left:58.333333333333336%}.ms-u-smPush6{left:50%}.ms-u-smPush5{left:41.66666666666667%}.ms-u-smPush4{left:33.33333333333333%}.ms-u-smPush3{left:25%}.ms-u-smPush2{left:16.666666666666664%}.ms-u-smPush1{left:8.333333333333332%}.ms-u-smPush0{left:auto}.ms-u-smOffset11{margin-left:91.66666666666666%}.ms-u-smOffset10{margin-left:83.33333333333334%}.ms-u-smOffset9{margin-left:75%}.ms-u-smOffset8{margin-left:66.66666666666666%}.ms-u-smOffset7{margin-left:58.333333333333336%}.ms-u-smOffset6{margin-left:50%}.ms-u-smOffset5{margin-left:41.66666666666667%}.ms-u-smOffset4{margin-left:33.33333333333333%}.ms-u-smOffset3{margin-left:25%}.ms-u-smOffset2{margin-left:16.666666666666664%}.ms-u-smOffset1{margin-left:8.333333333333332%}.ms-u-smOffset0{margin-left:0}@media (min-width:480px){.ms-u-md12{width:100%}}@media (min-width:480px){.ms-u-md11{width:91.66666666666666%}}@media (min-width:480px){.ms-u-md10{width:83.33333333333334%}}@media (min-width:480px){.ms-u-md9{width:75%}}@media (min-width:480px){.ms-u-md8{width:66.66666666666666%}}@media (min-width:480px){.ms-u-md7{width:58.333333333333336%}}@media (min-width:480px){.ms-u-md6{width:50%}}@media (min-width:480px){.ms-u-md5{width:41.66666666666667%}}@media (min-width:480px){.ms-u-md4{width:33.33333333333333%}}@media (min-width:480px){.ms-u-md3{width:25%}}@media (min-width:480px){.ms-u-md2{width:16.666666666666664%}}@media (min-width:480px){.ms-u-md1{width:8.333333333333332%}}@media (min-width:480px){.ms-u-mdPull12{right:100%}}@media (min-width:480px){.ms-u-mdPull11{right:91.66666666666666%}}@media (min-width:480px){.ms-u-mdPull10{right:83.33333333333334%}}@media (min-width:480px){.ms-u-mdPull9{right:75%}}@media (min-width:480px){.ms-u-mdPull8{right:66.66666666666666%}}@media (min-width:480px){.ms-u-mdPull7{right:58.333333333333336%}}@media (min-width:480px){.ms-u-mdPull6{right:50%}}@media (min-width:480px){.ms-u-mdPull5{right:41.66666666666667%}}@media (min-width:480px){.ms-u-mdPull4{right:33.33333333333333%}}@media (min-width:480px){.ms-u-mdPull3{right:25%}}@media (min-width:480px){.ms-u-mdPull2{right:16.666666666666664%}}@media (min-width:480px){.ms-u-mdPull1{right:8.333333333333332%}}@media (min-width:480px){.ms-u-mdPull0{right:auto}}@media (min-width:480px){.ms-u-mdPush12{left:100%}}@media (min-width:480px){.ms-u-mdPush11{left:91.66666666666666%}}@media (min-width:480px){.ms-u-mdPush10{left:83.33333333333334%}}@media (min-width:480px){.ms-u-mdPush9{left:75%}}@media (min-width:480px){.ms-u-mdPush8{left:66.66666666666666%}}@media (min-width:480px){.ms-u-mdPush7{left:58.333333333333336%}}@media (min-width:480px){.ms-u-mdPush6{left:50%}}@media (min-width:480px){.ms-u-mdPush5{left:41.66666666666667%}}@media (min-width:480px){.ms-u-mdPush4{left:33.33333333333333%}}@media (min-width:480px){.ms-u-mdPush3{left:25%}}@media (min-width:480px){.ms-u-mdPush2{left:16.666666666666664%}}@media (min-width:480px){.ms-u-mdPush1{left:8.333333333333332%}}@media (min-width:480px){.ms-u-mdPush0{left:auto}}@media (min-width:480px){.ms-u-mdOffset11{margin-left:91.66666666666666%}}@media (min-width:480px){.ms-u-mdOffset10{margin-left:83.33333333333334%}}@media (min-width:480px){.ms-u-mdOffset9{margin-left:75%}}@media (min-width:480px){.ms-u-mdOffset8{margin-left:66.66666666666666%}}@media (min-width:480px){.ms-u-mdOffset7{margin-left:58.333333333333336%}}@media (min-width:480px){.ms-u-mdOffset6{margin-left:50%}}@media (min-width:480px){.ms-u-mdOffset5{margin-left:41.66666666666667%}}@media (min-width:480px){.ms-u-mdOffset4{margin-left:33.33333333333333%}}@media (min-width:480px){.ms-u-mdOffset3{margin-left:25%}}@media (min-width:480px){.ms-u-mdOffset2{margin-left:16.666666666666664%}}@media (min-width:480px){.ms-u-mdOffset1{margin-left:8.333333333333332%}}@media (min-width:480px){.ms-u-mdOffset0{margin-left:0}}@media (min-width:640px){.ms-u-lg12{width:100%}}@media (min-width:640px){.ms-u-lg11{width:91.66666666666666%}}@media (min-width:640px){.ms-u-lg10{width:83.33333333333334%}}@media (min-width:640px){.ms-u-lg9{width:75%}}@media (min-width:640px){.ms-u-lg8{width:66.66666666666666%}}@media (min-width:640px){.ms-u-lg7{width:58.333333333333336%}}@media (min-width:640px){.ms-u-lg6{width:50%}}@media (min-width:640px){.ms-u-lg5{width:41.66666666666667%}}@media (min-width:640px){.ms-u-lg4{width:33.33333333333333%}}@media (min-width:640px){.ms-u-lg3{width:25%}}@media (min-width:640px){.ms-u-lg2{width:16.666666666666664%}}@media (min-width:640px){.ms-u-lg1{width:8.333333333333332%}}@media (min-width:640px){.ms-u-lgPull12{right:100%}}@media (min-width:640px){.ms-u-lgPull11{right:91.66666666666666%}}@media (min-width:640px){.ms-u-lgPull10{right:83.33333333333334%}}@media (min-width:640px){.ms-u-lgPull9{right:75%}}@media (min-width:640px){.ms-u-lgPull8{right:66.66666666666666%}}@media (min-width:640px){.ms-u-lgPull7{right:58.333333333333336%}}@media (min-width:640px){.ms-u-lgPull6{right:50%}}@media (min-width:640px){.ms-u-lgPull5{right:41.66666666666667%}}@media (min-width:640px){.ms-u-lgPull4{right:33.33333333333333%}}@media (min-width:640px){.ms-u-lgPull3{right:25%}}@media (min-width:640px){.ms-u-lgPull2{right:16.666666666666664%}}@media (min-width:640px){.ms-u-lgPull1{right:8.333333333333332%}}@media (min-width:640px){.ms-u-lgPull0{right:auto}}@media (min-width:640px){.ms-u-lgPush12{left:100%}}@media (min-width:640px){.ms-u-lgPush11{left:91.66666666666666%}}@media (min-width:640px){.ms-u-lgPush10{left:83.33333333333334%}}@media (min-width:640px){.ms-u-lgPush9{left:75%}}@media (min-width:640px){.ms-u-lgPush8{left:66.66666666666666%}}@media (min-width:640px){.ms-u-lgPush7{left:58.333333333333336%}}@media (min-width:640px){.ms-u-lgPush6{left:50%}}@media (min-width:640px){.ms-u-lgPush5{left:41.66666666666667%}}@media (min-width:640px){.ms-u-lgPush4{left:33.33333333333333%}}@media (min-width:640px){.ms-u-lgPush3{left:25%}}@media (min-width:640px){.ms-u-lgPush2{left:16.666666666666664%}}@media (min-width:640px){.ms-u-lgPush1{left:8.333333333333332%}}@media (min-width:640px){.ms-u-lgPush0{left:auto}}@media (min-width:640px){.ms-u-lgOffset11{margin-left:91.66666666666666%}}@media (min-width:640px){.ms-u-lgOffset10{margin-left:83.33333333333334%}}@media (min-width:640px){.ms-u-lgOffset9{margin-left:75%}}@media (min-width:640px){.ms-u-lgOffset8{margin-left:66.66666666666666%}}@media (min-width:640px){.ms-u-lgOffset7{margin-left:58.333333333333336%}}@media (min-width:640px){.ms-u-lgOffset6{margin-left:50%}}@media (min-width:640px){.ms-u-lgOffset5{margin-left:41.66666666666667%}}@media (min-width:640px){.ms-u-lgOffset4{margin-left:33.33333333333333%}}@media (min-width:640px){.ms-u-lgOffset3{margin-left:25%}}@media (min-width:640px){.ms-u-lgOffset2{margin-left:16.666666666666664%}}@media (min-width:640px){.ms-u-lgOffset1{margin-left:8.333333333333332%}}@media (min-width:640px){.ms-u-lgOffset0{margin-left:0}}@media (min-width:1024px){.ms-u-xl12{width:100%}}@media (min-width:1024px){.ms-u-xl11{width:91.66666666666666%}}@media (min-width:1024px){.ms-u-xl10{width:83.33333333333334%}}@media (min-width:1024px){.ms-u-xl9{width:75%}}@media (min-width:1024px){.ms-u-xl8{width:66.66666666666666%}}@media (min-width:1024px){.ms-u-xl7{width:58.333333333333336%}}@media (min-width:1024px){.ms-u-xl6{width:50%}}@media (min-width:1024px){.ms-u-xl5{width:41.66666666666667%}}@media (min-width:1024px){.ms-u-xl4{width:33.33333333333333%}}@media (min-width:1024px){.ms-u-xl3{width:25%}}@media (min-width:1024px){.ms-u-xl2{width:16.666666666666664%}}@media (min-width:1024px){.ms-u-xl1{width:8.333333333333332%}}@media (min-width:1024px){.ms-u-xlPull12{right:100%}}@media (min-width:1024px){.ms-u-xlPull11{right:91.66666666666666%}}@media (min-width:1024px){.ms-u-xlPull10{right:83.33333333333334%}}@media (min-width:1024px){.ms-u-xlPull9{right:75%}}@media (min-width:1024px){.ms-u-xlPull8{right:66.66666666666666%}}@media (min-width:1024px){.ms-u-xlPull7{right:58.333333333333336%}}@media (min-width:1024px){.ms-u-xlPull6{right:50%}}@media (min-width:1024px){.ms-u-xlPull5{right:41.66666666666667%}}@media (min-width:1024px){.ms-u-xlPull4{right:33.33333333333333%}}@media (min-width:1024px){.ms-u-xlPull3{right:25%}}@media (min-width:1024px){.ms-u-xlPull2{right:16.666666666666664%}}@media (min-width:1024px){.ms-u-xlPull1{right:8.333333333333332%}}@media (min-width:1024px){.ms-u-xlPull0{right:auto}}@media (min-width:1024px){.ms-u-xlPush12{left:100%}}@media (min-width:1024px){.ms-u-xlPush11{left:91.66666666666666%}}@media (min-width:1024px){.ms-u-xlPush10{left:83.33333333333334%}}@media (min-width:1024px){.ms-u-xlPush9{left:75%}}@media (min-width:1024px){.ms-u-xlPush8{left:66.66666666666666%}}@media (min-width:1024px){.ms-u-xlPush7{left:58.333333333333336%}}@media (min-width:1024px){.ms-u-xlPush6{left:50%}}@media (min-width:1024px){.ms-u-xlPush5{left:41.66666666666667%}}@media (min-width:1024px){.ms-u-xlPush4{left:33.33333333333333%}}@media (min-width:1024px){.ms-u-xlPush3{left:25%}}@media (min-width:1024px){.ms-u-xlPush2{left:16.666666666666664%}}@media (min-width:1024px){.ms-u-xlPush1{left:8.333333333333332%}}@media (min-width:1024px){.ms-u-xlPush0{left:auto}}@media (min-width:1024px){.ms-u-xlOffset11{margin-left:91.66666666666666%}}@media (min-width:1024px){.ms-u-xlOffset10{margin-left:83.33333333333334%}}@media (min-width:1024px){.ms-u-xlOffset9{margin-left:75%}}@media (min-width:1024px){.ms-u-xlOffset8{margin-left:66.66666666666666%}}@media (min-width:1024px){.ms-u-xlOffset7{margin-left:58.333333333333336%}}@media (min-width:1024px){.ms-u-xlOffset6{margin-left:50%}}@media (min-width:1024px){.ms-u-xlOffset5{margin-left:41.66666666666667%}}@media (min-width:1024px){.ms-u-xlOffset4{margin-left:33.33333333333333%}}@media (min-width:1024px){.ms-u-xlOffset3{margin-left:25%}}@media (min-width:1024px){.ms-u-xlOffset2{margin-left:16.666666666666664%}}@media (min-width:1024px){.ms-u-xlOffset1{margin-left:8.333333333333332%}}@media (min-width:1024px){.ms-u-xlOffset0{margin-left:0}}@media (min-width:1366px){.ms-u-xxl12{width:100%}}@media (min-width:1366px){.ms-u-xxl11{width:91.66666666666666%}}@media (min-width:1366px){.ms-u-xxl10{width:83.33333333333334%}}@media (min-width:1366px){.ms-u-xxl9{width:75%}}@media (min-width:1366px){.ms-u-xxl8{width:66.66666666666666%}}@media (min-width:1366px){.ms-u-xxl7{width:58.333333333333336%}}@media (min-width:1366px){.ms-u-xxl6{width:50%}}@media (min-width:1366px){.ms-u-xxl5{width:41.66666666666667%}}@media (min-width:1366px){.ms-u-xxl4{width:33.33333333333333%}}@media (min-width:1366px){.ms-u-xxl3{width:25%}}@media (min-width:1366px){.ms-u-xxl2{width:16.666666666666664%}}@media (min-width:1366px){.ms-u-xxl1{width:8.333333333333332%}}@media (min-width:1366px){.ms-u-xxlPull12{right:100%}}@media (min-width:1366px){.ms-u-xxlPull11{right:91.66666666666666%}}@media (min-width:1366px){.ms-u-xxlPull10{right:83.33333333333334%}}@media (min-width:1366px){.ms-u-xxlPull9{right:75%}}@media (min-width:1366px){.ms-u-xxlPull8{right:66.66666666666666%}}@media (min-width:1366px){.ms-u-xxlPull7{right:58.333333333333336%}}@media (min-width:1366px){.ms-u-xxlPull6{right:50%}}@media (min-width:1366px){.ms-u-xxlPull5{right:41.66666666666667%}}@media (min-width:1366px){.ms-u-xxlPull4{right:33.33333333333333%}}@media (min-width:1366px){.ms-u-xxlPull3{right:25%}}@media (min-width:1366px){.ms-u-xxlPull2{right:16.666666666666664%}}@media (min-width:1366px){.ms-u-xxlPull1{right:8.333333333333332%}}@media (min-width:1366px){.ms-u-xxlPull0{right:auto}}@media (min-width:1366px){.ms-u-xxlPush12{left:100%}}@media (min-width:1366px){.ms-u-xxlPush11{left:91.66666666666666%}}@media (min-width:1366px){.ms-u-xxlPush10{left:83.33333333333334%}}@media (min-width:1366px){.ms-u-xxlPush9{left:75%}}@media (min-width:1366px){.ms-u-xxlPush8{left:66.66666666666666%}}@media (min-width:1366px){.ms-u-xxlPush7{left:58.333333333333336%}}@media (min-width:1366px){.ms-u-xxlPush6{left:50%}}@media (min-width:1366px){.ms-u-xxlPush5{left:41.66666666666667%}}@media (min-width:1366px){.ms-u-xxlPush4{left:33.33333333333333%}}@media (min-width:1366px){.ms-u-xxlPush3{left:25%}}@media (min-width:1366px){.ms-u-xxlPush2{left:16.666666666666664%}}@media (min-width:1366px){.ms-u-xxlPush1{left:8.333333333333332%}}@media (min-width:1366px){.ms-u-xxlPush0{left:auto}}@media (min-width:1366px){.ms-u-xxlOffset11{margin-left:91.66666666666666%}}@media (min-width:1366px){.ms-u-xxlOffset10{margin-left:83.33333333333334%}}@media (min-width:1366px){.ms-u-xxlOffset9{margin-left:75%}}@media (min-width:1366px){.ms-u-xxlOffset8{margin-left:66.66666666666666%}}@media (min-width:1366px){.ms-u-xxlOffset7{margin-left:58.333333333333336%}}@media (min-width:1366px){.ms-u-xxlOffset6{margin-left:50%}}@media (min-width:1366px){.ms-u-xxlOffset5{margin-left:41.66666666666667%}}@media (min-width:1366px){.ms-u-xxlOffset4{margin-left:33.33333333333333%}}@media (min-width:1366px){.ms-u-xxlOffset3{margin-left:25%}}@media (min-width:1366px){.ms-u-xxlOffset2{margin-left:16.666666666666664%}}@media (min-width:1366px){.ms-u-xxlOffset1{margin-left:8.333333333333332%}}@media (min-width:1366px){.ms-u-xxlOffset0{margin-left:0}}@media (min-width:1920px){.ms-u-xxxl12{width:100%}}@media (min-width:1920px){.ms-u-xxxl11{width:91.66666666666666%}}@media (min-width:1920px){.ms-u-xxxl10{width:83.33333333333334%}}@media (min-width:1920px){.ms-u-xxxl9{width:75%}}@media (min-width:1920px){.ms-u-xxxl8{width:66.66666666666666%}}@media (min-width:1920px){.ms-u-xxxl7{width:58.333333333333336%}}@media (min-width:1920px){.ms-u-xxxl6{width:50%}}@media (min-width:1920px){.ms-u-xxxl5{width:41.66666666666667%}}@media (min-width:1920px){.ms-u-xxxl4{width:33.33333333333333%}}@media (min-width:1920px){.ms-u-xxxl3{width:25%}}@media (min-width:1920px){.ms-u-xxxl2{width:16.666666666666664%}}@media (min-width:1920px){.ms-u-xxxl1{width:8.333333333333332%}}@media (min-width:1920px){.ms-u-xxxlPull12{right:100%}}@media (min-width:1920px){.ms-u-xxxlPull11{right:91.66666666666666%}}@media (min-width:1920px){.ms-u-xxxlPull10{right:83.33333333333334%}}@media (min-width:1920px){.ms-u-xxxlPull9{right:75%}}@media (min-width:1920px){.ms-u-xxxlPull8{right:66.66666666666666%}}@media (min-width:1920px){.ms-u-xxxlPull7{right:58.333333333333336%}}@media (min-width:1920px){.ms-u-xxxlPull6{right:50%}}@media (min-width:1920px){.ms-u-xxxlPull5{right:41.66666666666667%}}@media (min-width:1920px){.ms-u-xxxlPull4{right:33.33333333333333%}}@media (min-width:1920px){.ms-u-xxxlPull3{right:25%}}@media (min-width:1920px){.ms-u-xxxlPull2{right:16.666666666666664%}}@media (min-width:1920px){.ms-u-xxxlPull1{right:8.333333333333332%}}@media (min-width:1920px){.ms-u-xxxlPull0{right:auto}}@media (min-width:1920px){.ms-u-xxxlPush12{left:100%}}@media (min-width:1920px){.ms-u-xxxlPush11{left:91.66666666666666%}}@media (min-width:1920px){.ms-u-xxxlPush10{left:83.33333333333334%}}@media (min-width:1920px){.ms-u-xxxlPush9{left:75%}}@media (min-width:1920px){.ms-u-xxxlPush8{left:66.66666666666666%}}@media (min-width:1920px){.ms-u-xxxlPush7{left:58.333333333333336%}}@media (min-width:1920px){.ms-u-xxxlPush6{left:50%}}@media (min-width:1920px){.ms-u-xxxlPush5{left:41.66666666666667%}}@media (min-width:1920px){.ms-u-xxxlPush4{left:33.33333333333333%}}@media (min-width:1920px){.ms-u-xxxlPush3{left:25%}}@media (min-width:1920px){.ms-u-xxxlPush2{left:16.666666666666664%}}@media (min-width:1920px){.ms-u-xxxlPush1{left:8.333333333333332%}}@media (min-width:1920px){.ms-u-xxxlPush0{left:auto}}@media (min-width:1920px){.ms-u-xxxlOffset11{margin-left:91.66666666666666%}}@media (min-width:1920px){.ms-u-xxxlOffset10{margin-left:83.33333333333334%}}@media (min-width:1920px){.ms-u-xxxlOffset9{margin-left:75%}}@media (min-width:1920px){.ms-u-xxxlOffset8{margin-left:66.66666666666666%}}@media (min-width:1920px){.ms-u-xxxlOffset7{margin-left:58.333333333333336%}}@media (min-width:1920px){.ms-u-xxxlOffset6{margin-left:50%}}@media (min-width:1920px){.ms-u-xxxlOffset5{margin-left:41.66666666666667%}}@media (min-width:1920px){.ms-u-xxxlOffset4{margin-left:33.33333333333333%}}@media (min-width:1920px){.ms-u-xxxlOffset3{margin-left:25%}}@media (min-width:1920px){.ms-u-xxxlOffset2{margin-left:16.666666666666664%}}@media (min-width:1920px){.ms-u-xxxlOffset1{margin-left:8.333333333333332%}}@media (min-width:1920px){.ms-u-xxxlOffset0{margin-left:0}}.ms-Grid{box-sizing:border-box;*zoom:1;padding:0 8px}.ms-Grid:after,.ms-Grid:before{display:table;content:"";line-height:0}.ms-Grid:after{clear:both}.ms-Grid-row{margin:0 -8px;box-sizing:border-box;*zoom:1}.ms-Grid-row:after,.ms-Grid-row:before{display:table;content:"";line-height:0}.ms-Grid-row:after{clear:both}.ms-Grid-col{position:relative;min-height:1px;padding-left:8px;padding-right:8px;box-sizing:border-box;float:left}.ms-Grid-col .ms-Grid{padding:0}.ms-Fabric{color:#333}.ms-ListGridExample .ms-List-page{overflow:hidden;font-size:0}.ms-ListGridExample .ms-List-surface{position:relative}.ms-ListGridExample-tile{text-align:center;outline:none;position:relative;float:left;background:#f4f4f4}.ms-ListGridExample-sizer{padding-bottom:100%}.msListGridExample-padder{position:absolute;left:2px;top:2px;right:2px;bottom:2px}.ms-Fabric.is-focusVisible .ms-ListGridExample-tile:focus:after{content:"";position:absolute;left:2px;right:2px;top:2px;bottom:2px;box-sizing:border-box;border:1px solid #fff}.ms-ListGridExample-label{background:rgba(0,0,0,.3);color:#fff;padding:10px;position:absolute;bottom:0;left:0;width:100%;font-size:12px;box-sizing:border-box}.ms-ListGridExample-image{width:100%;position:absolute;left:0;top:0}.ms-ListBasicExample-itemCell{min-height:90px;padding:10px;box-sizing:border-box;border-bottom:1px solid #eaeaea;display:flex}.ms-ListBasicExample-itemCell::-moz-focus-inner{border:0}.ms-ListBasicExample-itemCell{outline:transparent;position:relative}.ms-Fabric.is-focusVisible .ms-ListBasicExample-itemCell:focus:after{content:"";position:absolute;top:0;right:0;bottom:0;left:0;pointer-events:none;border:1px solid #666}.ms-ListBasicExample-itemCell:hover{background:#eee}.ms-ListBasicExample-itemImage{flex-shrink:0}.ms-ListBasicExample-itemContent{flex-grow:1;white-space:nowrap;overflow:hidden;text-overflow:ellipsis}[dir=ltr] .ms-ListBasicExample-itemContent{margin-left:10px}[dir=rtl] .ms-ListBasicExample-itemContent{margin-right:10px}.ms-ListBasicExample-itemName{white-space:nowrap;overflow:hidden;text-overflow:ellipsis}.ms-ListBasicExample-itemIndex{font-size:12px;color:#a6a6a6;margin-bottom:10px}.ms-ListBasicExample-chevron{align-self:center;color:#a6a6a6;font-size:17px;flex-shrink:0}[dir=ltr] .ms-ListBasicExample-chevron{margin-left:10px}[dir=rtl] .ms-ListBasicExample-chevron{margin-right:10px}.action-container{overflow-y:auto;overflow-x:hidden;height:90%}.action-container .filters-container{margin-top:10px}.action-container .ms-Button{display:block;font-size:large;margin:5px}.action-container .ms-Button:hover .ms-Icon--Edit{color:#ffb900}.action-container .ms-Button:hover .ms-Icon--Delete{color:#e81123}.action-container .ms-Button:hover .ms-Icon--Save{color:#107c10}.action-container .ms-Button:hover .ms-Icon--Cancel{color:#e81123}.action-container.sp-siteContent .checkBoxes-container{text-align:right;margin-top:6.5px}.action-container.sp-siteContent .checkBoxes-container>div{display:inline-block}.action-container.sp-siteContent .checkBoxes-container>div:first-child{margin-right:20px}.chrome-sp-dev-tool-wrapper{width:100%;position:absolute;background-color:rgba(0,0,0,.498039);top:0;bottom:0;z-index:1500}.chrome-sp-dev-tool-wrapper>.sp-dev-too-modal{background:#fff;width:700px;height:94%;margin:10px auto;position:relative;padding:10px}.chrome-sp-dev-tool-wrapper>.sp-dev-too-modal>.sp-dev-tool-modal-header>hr{margin-bottom:0}.chrome-sp-dev-tool-wrapper>.sp-dev-too-modal>.sp-dev-tool-modal-header>a.sp-dev-tool-close-btn{position:absolute;right:10px}.chrome-sp-dev-tool-wrapper a.ms-Button.ms-Button--icon{height:25px}.chrome-sp-dev-tool-wrapper .ms-Button[disabled]{background:transparent}.chrome-sp-dev-tool-wrapper .ms-Button[disabled] .ms-Icon{color:#b1b1b1!important}.chrome-sp-dev-tool-wrapper .ms-Button .ms-Button-label{vertical-align:top}.chrome-sp-dev-tool-wrapper .ms-Button .ms-Button-label i{margin-left:25px}.working-on-it-wrapper{overflow:auto;height:90%;width:100%;text-align:center;vertical-align:middle;margin-top:6.5px}.working-on-it-wrapper .ms-Spinner>.ms-Spinner-circle.ms-Spinner--large{width:60px;height:60px;border-width:10px}.sp-peropertyBags .ms-TextField>label{color:#0078d7}.sp-peropertyBags .ms-TextField.is-disabled .ms-TextField-field{background-color:transparent;border:none;color:#000}.sp-peropertyBags h2{margin-top:10px;margin-bottom:10px}.sp-peropertyBags .spProp-create-button{padding-left:17px}.sp-peropertyBags .action-buttons{display:inline-flex;top:-5px;right:-10px;position:absolute}.sp-peropertyBags .action-buttons>a{margin-top:0!important;padding-top:0!important}.sp-siteContent .ms-List-cell{width:50%;display:inline-block}.sp-siteContent .ms-List-cell .ms-ListBasicExample-itemCell{min-height:90px}.sp-siteContent .ms-List-cell .ms-ListBasicExample-itemCell:hover{background-color:transparent!important}.sp-siteContent .ms-List-cell .ms-ListBasicExample-itemCell .ms-ListItem-actions{width:30px}.sp-siteContent .ms-List-cell .ms-ListBasicExample-itemCell .ms-ListBasicExample-itemContent{width:50%}.sp-siteContent .ms-List-cell:nth-child(odd) .ms-ListBasicExample-itemCell{margin-right:5px}.sp-siteContent .ms-List-cell:nth-child(2n) .ms-ListBasicExample-itemCell{margin-left:5px}.sp-siteContent .ms-List-cell .hidden-spList{opacity:.5}.sp-siteContent a.ms-ListItem-action{display:block}.sp-siteContent .sp-siteContent-contextMenu .ms-Button--icon{min-width:35px}.sp-siteContent .sp-siteContent-contextMenu .ms-Button--icon:hover{background-color:#d3d3d3!important}.sp-customActions .ms-TextField>label{color:#0078d7}.sp-customActions .ms-TextField.is-disabled .ms-TextField-field{background-color:transparent;border:none;color:#000}.sp-customActions .ms-ChoiceFieldGroup .ms-ChoiceFieldGroup-title>label{color:#0078d7;font-size:14px;font-weight:400}.sp-customActions .ms-ChoiceFieldGroup .ms-ChoiceField{display:inline-block}.sp-customActions .ms-Dropdown{margin-bottom:0}.sp-customActions .edit-form-title{margin:10px}.sp-customActions #ContextualMenuButton{width:100%;height:30px;font-size:14px!important}.sp-customActions #ContextualMenuButton i{vertical-align:middle;padding-left:20px}.ms-ContextualMenu-link{margin-left:0;text-decoration:none!important}.sp-features{overflow-x:hidden;overflow-y:auto;height:90%}.sp-features .ms-ListBasicExample-featureName{white-space:normal;overflow:visible;margin-right:10px}.sp-features .ms-ListBasicExample-featureContent{flex-grow:1;overflow:hidden;text-overflow:ellipsis}[dir=ltr] .sp-features .ms-ListBasicExample-featureContent{margin-left:10px}[dir=rtl] .sp-features .ms-ListBasicExample-featureContent{margin-right:10px}.sp-features .ms-ListFeature-toggle{margin-top:-5px}.sp-features .ms-ListBasicExample-itemCell{min-height:60px}.sp-features .site-feature-table,.sp-features .web-feature-table{margin-top:6.5px;display:inline-block;width:49%;vertical-align:top}.sp-features .site-feature-table{margin-left:5px} /*# sourceMappingURL=bundle.css.map*/ \ No newline at end of file diff --git a/package.json b/package.json index 9afb1d0..0f7c80e 100644 --- a/package.json +++ b/package.json @@ -1,75 +1,76 @@ { - "name": "chromesppropertiesadmin", - "version": "0.0.1", - "description": "Google Chrome extension that opens a Property bag Modal dialog administration", - "scripts": { - "start": "set NODE_ENV=development && node server.js", - "bundleActions": "set NODE_ENV=production && webpack --progress --config ./webpack/webpack.config.actions.prod.js", - "bundleChromeExtension": "set NODE_ENV=production && gulp build-chromeExt", - "generate": "set NODE_ENV=production && gulp generate-chrome-dev", - "generateZip": "set NODE_ENV=production && gulp generate-chrome-package" - }, - "dependencies": { - "axios": "^0.15.3", - "office-ui-fabric-react": "^1.5.0", - "react": "^15.3.2", - "react-dom": "^15.3.2", - "react-router": "^3.0.2", - "redux-thunk": "^2.1.0" - }, - "devDependencies": { - "@types/axios": "^0.9.35", - "@types/chrome": "0.0.35", - "@types/core-js": "^0.9.34", - "@types/microsoft-ajax": "0.0.31", - "@types/react": "^0.14.46", - "@types/react-dom": "^0.14.18", - "@types/react-redux": "^4.4.35", - "@types/react-router": "2.0.29", - "@types/redux-immutable-state-invariant": "^1.2.29", - "@types/redux-thunk": "^2.1.32", - "@types/sharepoint": "^2013.1.2", - "awesome-typescript-loader": "^3.0.0-beta.18", - "css-loader": "^0.26.1", - "es6-promise": "4.0.5", - "extract-text-webpack-plugin": "^2.0.0-rc.2", - "gulp": "^3.9.1", - "gulp-util": "^3.0.8", - "gulp-zip": "^3.2.0", - "http-server": "^0.9.0", - "immutable": "^3.8.1", - "node-sass": "^4.4.0", - "opener": "^1.4.2", - "path": "^0.12.7", - "react-redux": "^5.0.1", - "redux": "^3.6.0", - "redux-immutable-state-invariant": "^1.2.4", - "sass-loader": "^4.1.1", - "source-map-loader": "^0.1.6", - "style-loader": "^0.13.1", - "tslint": "^4.4.2", - "tslint-react": "^2.3.0", - "typescript": "2.3.4", - "webpack": "^2.2.1", - "webpack-dev-server": "^2.2.1", - "whatwg-fetch": "1.0.0" - }, - "repository": { - "type": "git", - "url": "https://github.com/DariuS231/ChromeSPPropertiesAdmin.git" - }, - "keywords": [ - "SharePoint", - "PropertyBag", - "CSOM", - "JavaScript", - "Google Chrome", - "Chrome Extension" - ], - "author": "Darius231", - "license": "MIT", - "bugs": { - "url": "https://github.com/DariuS231/ChromeSPPropertiesAdmin/issues" - }, - "homepage": "https://github.com/DariuS231/ChromeSPPropertiesAdmin#readme" -} \ No newline at end of file + "name": "chromesppropertiesadmin", + "version": "0.0.1", + "description": "Google Chrome extension that opens a Property bag Modal dialog administration", + "scripts": { + "start": "set NODE_ENV=development && node server.js", + "bundleActions": "set NODE_ENV=production && webpack --progress --config ./webpack/webpack.config.actions.prod.js", + "bundleChromeExtension": "set NODE_ENV=production && gulp build-chromeExt", + "generate": "set NODE_ENV=production && gulp generate-chrome-dev", + "generateZip": "set NODE_ENV=production && gulp generate-chrome-package" + }, + "dependencies": { + "axios": "^0.15.3", + "office-ui-fabric-react": "^1.5.0", + "react": "^15.3.2", + "react-dom": "^15.3.2", + "react-router": "^3.0.2", + "redux-thunk": "^2.1.0", + "sp-pnp-js": "^3.0.1" + }, + "devDependencies": { + "@types/axios": "^0.9.35", + "@types/chrome": "0.0.35", + "@types/core-js": "^0.9.34", + "@types/microsoft-ajax": "0.0.31", + "@types/react": "^0.14.46", + "@types/react-dom": "^0.14.18", + "@types/react-redux": "^4.4.35", + "@types/react-router": "2.0.29", + "@types/redux-immutable-state-invariant": "^1.2.29", + "@types/redux-thunk": "^2.1.32", + "@types/sharepoint": "^2013.1.2", + "awesome-typescript-loader": "^3.0.0-beta.18", + "css-loader": "^0.26.1", + "es6-promise": "4.0.5", + "extract-text-webpack-plugin": "^2.0.0-rc.2", + "gulp": "^3.9.1", + "gulp-util": "^3.0.8", + "gulp-zip": "^3.2.0", + "http-server": "^0.9.0", + "immutable": "^3.8.1", + "node-sass": "^4.4.0", + "opener": "^1.4.2", + "path": "^0.12.7", + "react-redux": "^5.0.1", + "redux": "^3.6.0", + "redux-immutable-state-invariant": "^1.2.4", + "sass-loader": "^4.1.1", + "source-map-loader": "^0.1.6", + "style-loader": "^0.13.1", + "tslint": "^4.4.2", + "tslint-react": "^2.3.0", + "typescript": "2.3.4", + "webpack": "^2.2.1", + "webpack-dev-server": "^2.2.1", + "whatwg-fetch": "1.0.0" + }, + "repository": { + "type": "git", + "url": "https://github.com/DariuS231/ChromeSPPropertiesAdmin.git" + }, + "keywords": [ + "SharePoint", + "PropertyBag", + "CSOM", + "JavaScript", + "Google Chrome", + "Chrome Extension" + ], + "author": "Darius231", + "license": "MIT", + "bugs": { + "url": "https://github.com/DariuS231/ChromeSPPropertiesAdmin/issues" + }, + "homepage": "https://github.com/DariuS231/ChromeSPPropertiesAdmin#readme" +} diff --git a/src/scripts/actions/common/AppBase.ts b/src/scripts/actions/common/AppBase.ts index 54bca97..595ace0 100644 --- a/src/scripts/actions/common/AppBase.ts +++ b/src/scripts/actions/common/AppBase.ts @@ -12,10 +12,7 @@ export class AppBase { if (!baseDiv) { baseDiv = document.createElement(constants.HTML_TAG_DIV); baseDiv.setAttribute(constants.HTML_ATTR_ID, this.baseDivId); - let parentEl = document.querySelector(constants.HTML_TAG_FORM) as HTMLElement; - if (!parentEl) { // There is no Form element on modern pages, so the content gets add to the body instead - parentEl = document.querySelector(constants.HTML_TAG_BODY) as HTMLElement; - } + let parentEl = document.querySelector(constants.HTML_TAG_BODY) as HTMLElement; parentEl.appendChild(baseDiv); } } diff --git a/src/scripts/actions/common/apiBase.ts b/src/scripts/actions/common/apiBase.ts index 1ba5081..2124b12 100644 --- a/src/scripts/actions/common/apiBase.ts +++ b/src/scripts/actions/common/apiBase.ts @@ -1,12 +1,34 @@ import * as axios from "axios"; import { constants } from "./constants"; +import { AppCache } from "./cache"; export default class ApiBase { - protected getErroResolver(reject: (reason?: any) => void, actionText: string): (sender: any, err: SP.ClientRequestFailedEventArgs) => void { + + public getWebUrl(): Promise { + return new Promise((resolve: (value?: string | PromiseLike) => void, reject: (reason?: any) => void) => { + const cacheKey: string = `${window.location.href}_ChromeSPDevTools_url`; + let url: string = AppCache.get(cacheKey); + if (!!url) { + resolve(url); + } else { + const ctx: SP.ClientContext = SP.ClientContext.get_current(); + const web: SP.Web = ctx.get_web(); + ctx.load(web); + + ctx.executeQueryAsync(function () { + url = web.get_url(); + AppCache.set(cacheKey, url); + resolve(url); + }, this.getErrorResolver(reject, constants.MESSAGE_GETTING_WEB_URL)); + } + }); + } + + protected getErrorResolver(reject: (reason?: any) => void, actionText: string): (sender: any, err: SP.ClientRequestFailedEventArgs) => void { return (sender: any, err: SP.ClientRequestFailedEventArgs): void => { const errorMsg: string = err.get_message(); const errorTrace: string = err.get_stackTrace(); - console.log("An error occured while " + actionText + "\nMessage: " + errorMsg + "\nError Trace: " + errorTrace); + console.log("An error occurred while " + actionText + "\nMessage: " + errorMsg + "\nError Trace: " + errorTrace); reject(errorMsg); } } @@ -32,7 +54,7 @@ export default class ApiBase { const onSuccess = (sender: any, args: SP.ClientRequestSucceededEventArgs) => { resolve(per.get_value()); }; - ctx.executeQueryAsync(onSuccess, this.getErroResolver(reject, constants.MESSAGE_CHECKING_CURRENT_USER_PERMISSIONS)); + ctx.executeQueryAsync(onSuccess, this.getErrorResolver(reject, constants.MESSAGE_CHECKING_CURRENT_USER_PERMISSIONS)); } }); diff --git a/src/scripts/actions/common/cache.ts b/src/scripts/actions/common/cache.ts index 2290e86..c8a8c9a 100644 --- a/src/scripts/actions/common/cache.ts +++ b/src/scripts/actions/common/cache.ts @@ -1,11 +1,13 @@ +import { constants } from "./constants"; + class Cache { private _keyPrefix: string = "spChromeDevTool_"; private _isSupportedStorage: boolean = null; public get isSupportedStorage(): boolean { if (this._isSupportedStorage === null) { - this._isSupportedStorage = this.checkIfStorageisSupported(); + this._isSupportedStorage = this.checkIfStorageIsSupported(); } return this._isSupportedStorage; } @@ -19,7 +21,7 @@ class Cache { if (this.isSupportedStorage) { const cachedDataStr = this.CacheObject.getItem(completeKey); - if (typeof cachedDataStr === "string") { + if (typeof cachedDataStr === constants.TYPE_OF_STRING) { const cacheDataObj = JSON.parse(cachedDataStr); if (cacheDataObj.expiryTime > (new Date())) { return cacheDataObj.data; @@ -34,7 +36,7 @@ class Cache { let didSetInCache = false; if (this.isSupportedStorage && valueObj !== undefined) { const nowDt = new Date(); - const expiryTime: number = (typeof expireMinutes !== "undefined") + const expiryTime: number = (typeof expireMinutes !== constants.TYPE_OF_UNDEFINED) ? nowDt.setMinutes(nowDt.getMinutes() + expireMinutes) : 8640000000000000; const cacheDataObj: any = { data: valueObj, expiryTime }; @@ -47,18 +49,17 @@ class Cache { } private addKeyPrefix(key: string): string { - const undrscr = "_"; - return this._keyPrefix + _spPageContextInfo.webAbsoluteUrl.replace(/:\/\/|\/|\./g, undrscr) + undrscr + key; + return this._keyPrefix + window.location.href.replace(/:\/\/|\/|\./g, "_") + "_" + key; } private get CacheObject(): Storage { return window.localStorage; } - private checkIfStorageisSupported() { + private checkIfStorageIsSupported() { const cacheObj = this.CacheObject; const supportsStorage = cacheObj && JSON - && typeof JSON.parse === "function" - && typeof JSON.stringify === "function"; + && typeof JSON.parse === constants.TYPE_OF_FUNCTION + && typeof JSON.stringify === constants.TYPE_OF_FUNCTION; if (supportsStorage) { try { const testKey = this._keyPrefix + "testingCache"; diff --git a/src/scripts/actions/common/constants.ts b/src/scripts/actions/common/constants.ts index 2066e11..d420158 100644 --- a/src/scripts/actions/common/constants.ts +++ b/src/scripts/actions/common/constants.ts @@ -13,6 +13,7 @@ export const constants = { HTML_TAG_SCRIPT: "script", MESSAGE_CANT_CHECK_PERMISSIONS: "Cannot check permissions against a non-securable object.", MESSAGE_CHECKING_CURRENT_USER_PERMISSIONS: "Checking current's user permission", + MESSAGE_GETTING_WEB_URL: "Getting Web URL", MODAL_WRAPPER_CLOSE_BUTTON_HREF: "javascript:void(0)", MODAL_WRAPPER_CLOSE_BUTTON_TEXT: "Close", SCRIPT_TAG_TYPE: "text/javascript", @@ -22,6 +23,7 @@ export const constants = { STYLE_TAG_ID: "spChromeDevToolStyles", TYPE_OF_FUNCTION: "function", TYPE_OF_UNDEFINED: "undefined", + TYPE_OF_STRING: "string", URL_LAYOUTS: "/_layouts/15/", URL_SLASH: "/", URL_SP: "sp.js", diff --git a/src/scripts/actions/common/utils.ts b/src/scripts/actions/common/utils.ts index a162583..091e47c 100644 --- a/src/scripts/actions/common/utils.ts +++ b/src/scripts/actions/common/utils.ts @@ -8,8 +8,8 @@ export default class Utils { const args: string = Array.prototype.slice.call(arguments, 1); const srt: string = Array.prototype.slice.call(arguments, 0, 1); - return (srt.length <= 0 ) ? "" : srt[0].replace(/{(\d+)}/g, (match: any, number: number) => { - return typeof args[number] !== "undefined" + return (srt.length <= 0) ? "" : srt[0].replace(/{(\d+)}/g, (match: any, number: number) => { + return typeof args[number] !== constants.TYPE_OF_UNDEFINED ? args[number] : match ; @@ -32,14 +32,15 @@ export default class Utils { return new Promise((resolve, reject) => { if (typeof SP === constants.TYPE_OF_UNDEFINED || typeof SP.SOD === constants.TYPE_OF_UNDEFINED || typeof SP.SOD.executeFunc === constants.TYPE_OF_UNDEFINED) { - let baseUrl: string = _spPageContextInfo.webServerRelativeUrl; - if (baseUrl === constants.URL_SLASH) { - baseUrl = location.origin; - } - const scriptbase = baseUrl + constants.URL_LAYOUTS; + let baseUrl: string = ""; + //let baseUrl: string = _spPageContextInfo.webServerRelativeUrl; + //if (baseUrl === constants.URL_SLASH) { + baseUrl = location.origin; + //} + const scriptBase = baseUrl + constants.URL_LAYOUTS; - this.loadScript(scriptbase + constants.URL_SP_RUNTIME).then(() => { - this.loadScript(scriptbase + constants.URL_SP).then(() => { + this.loadScript(scriptBase + constants.URL_SP_RUNTIME).then(() => { + this.loadScript(scriptBase + constants.URL_SP).then(() => { resolve(); }); }); diff --git a/src/scripts/actions/spCustomActions/api/spCustomActionsApi.ts b/src/scripts/actions/spCustomActions/api/spCustomActionsApi.ts index e8c7ab0..1999d4d 100644 --- a/src/scripts/actions/spCustomActions/api/spCustomActionsApi.ts +++ b/src/scripts/actions/spCustomActions/api/spCustomActionsApi.ts @@ -8,47 +8,50 @@ export default class SpCustomActionsApi extends ApiBase { public getCustomActions(caType: CustomActionType): Promise { return new Promise((resolve, reject) => { - // tslint:disable-next-line:max-line-length - const reqUrl = `${_spPageContextInfo.webAbsoluteUrl}/_api/${CustomActionType[caType]}${constants.CUSTOM_ACTION_REST_REQUEST_URL}`; - this.getRequest(reqUrl).then((response: any) => { - let cusctomActions: ICustomAction[] = []; - const filters = customActionLocationHelper.supportedCustomActionsFilter; - const filtersCt = filters.length; - const caArray = response.data.value.filter((item: any) => { - let locAllowed: boolean = false; - let loopCt = 0; - while (!locAllowed && loopCt < filtersCt) { - locAllowed = filters[loopCt](item); - loopCt++; - } - return locAllowed; - }); + this.getWebUrl().then(webUrl => { - const caArrayLength = caArray.length; - for (let i = 0; i < caArrayLength; i++) { - const ca: any = caArray[i]; - const scriptSrc: string = ca.ScriptSrc; - const scriptBlock: string = ca.ScriptBlock; - const url: string = ca.Url; - - cusctomActions = cusctomActions.concat({ - description: ca.Description, - group: ca.Group, - id: ca.Id, - imageUrl: ca.ImageUrl, - location: ca.Location, - name: ca.Name, - registrationType: ca.RegistrationType, - sequence: ca.Sequence, - scriptBlock, - scriptSrc, - title: ca.Title, - url + // tslint:disable-next-line:max-line-length + const reqUrl = `${webUrl}/_api/${CustomActionType[caType]}${constants.CUSTOM_ACTION_REST_REQUEST_URL}`; + this.getRequest(reqUrl).then((response: any) => { + let customActions: ICustomAction[] = []; + const filters = customActionLocationHelper.supportedCustomActionsFilter; + const filtersCt = filters.length; + const caArray = response.data.value.filter((item: any) => { + let locAllowed: boolean = false; + let loopCt = 0; + while (!locAllowed && loopCt < filtersCt) { + locAllowed = filters[loopCt](item); + loopCt++; + } + return locAllowed; }); - } - resolve(cusctomActions); - }).catch((error: any) => { - reject(error); + + const caArrayLength = caArray.length; + for (let i = 0; i < caArrayLength; i++) { + const ca: any = caArray[i]; + const scriptSrc: string = ca.ScriptSrc; + const scriptBlock: string = ca.ScriptBlock; + const url: string = ca.Url; + + customActions = customActions.concat({ + description: ca.Description, + group: ca.Group, + id: ca.Id, + imageUrl: ca.ImageUrl, + location: ca.Location, + name: ca.Name, + registrationType: ca.RegistrationType, + sequence: ca.Sequence, + scriptBlock, + scriptSrc, + title: ca.Title, + url + }); + } + resolve(customActions); + }).catch((error: any) => { + reject(error); + }); }); }); } @@ -64,7 +67,7 @@ export default class SpCustomActionsApi extends ApiBase { ca.deleteObject(); ctx.executeQueryAsync((sender: any, err: any) => { resolve(caObj); - }, this.getErroResolver(reject, constants.ERROR_MESSAGE_DELETING_CUSTOM_ACTION)); + }, this.getErrorResolver(reject, constants.ERROR_MESSAGE_DELETING_CUSTOM_ACTION)); }); } @@ -79,16 +82,16 @@ export default class SpCustomActionsApi extends ApiBase { private setCustomAction(caObj: ICustomAction, caType: CustomActionType, isNewCa: boolean): Promise { return new Promise((resolve, reject) => { const ctx: SP.ClientContext = SP.ClientContext.get_current(); - const partenObj = (caType === CustomActionType.Web) + const parentObj = (caType === CustomActionType.Web) ? ctx.get_web() : ctx.get_site(); let ca: SP.UserCustomAction; if (isNewCa) { - ca = partenObj.get_userCustomActions().add(); + ca = parentObj.get_userCustomActions().add(); } else { const caGuid: SP.Guid = new SP.Guid(caObj.id); - ca = partenObj.get_userCustomActions().getById(caGuid); + ca = parentObj.get_userCustomActions().getById(caGuid); } ca.set_title(caObj.title); @@ -106,7 +109,7 @@ export default class SpCustomActionsApi extends ApiBase { ctx.load(ca); ctx.executeQueryAsync((sender: any, err: any) => { resolve({ ...caObj, id: ca.get_id().toString() }); - }, this.getErroResolver(reject, constants.ERROR_MESSAGE_SETTING_CUSTOM_ACTION)); + }, this.getErrorResolver(reject, constants.ERROR_MESSAGE_SETTING_CUSTOM_ACTION)); }); } } diff --git a/src/scripts/actions/spCustomActions/constants/constants.ts b/src/scripts/actions/spCustomActions/constants/constants.ts index 9afa412..3cca1d3 100644 --- a/src/scripts/actions/spCustomActions/constants/constants.ts +++ b/src/scripts/actions/spCustomActions/constants/constants.ts @@ -12,8 +12,8 @@ export const ActionsId = { export const constants = { CANCEL_TEXT: "Cancel", - COMPONENT_SITE_CA_DIV_ID: "spSiteCuastomActionsBaseDiv", - COMPONENT_WEB_CA_DIV_ID: "spWebCuastomActionsBaseDiv", + COMPONENT_SITE_CA_DIV_ID: "spSiteCustomActionsBaseDiv", + COMPONENT_WEB_CA_DIV_ID: "spWebCustomActionsBaseDiv", CONFIRM_DELETE_CUSTOM_ACTION: "Are you sure you want to remove this custom action?", CREATE_TEXT: "Create", CUSTOM_ACTION_REST_REQUEST_URL: "/usercustomactions", @@ -26,7 +26,7 @@ export const constants = { ERROR_MESSAGE_CHECK_USER_PERMISSIONS: "An error occurred checking current user's permissions", ERROR_MESSAGE_CREATE_CUSTOM_ACTION: "An error occurred creating a new web custom action", ERROR_MESSAGE_DELETE_CUSTOM_ACTION: "An error occurred deleting the selected custom action", - ERROR_MESSAGE_GET_ALL_CUSTOM_ACTIONS: "An error occurred gettin all custom actions", + ERROR_MESSAGE_GET_ALL_CUSTOM_ACTIONS: "An error occurred getting all custom actions", ERROR_MESSAGE_UPDATE_CUSTOM_ACTION: "An error occurred updating the selected custom action", MESSAGE_CUSTOM_ACTION_CREATED: "A new custom action has been created.", MESSAGE_CUSTOM_ACTION_DELETED: "The selected custom action has been deleted.", diff --git a/src/scripts/actions/spFeatures/api/spFeaturesApi.ts b/src/scripts/actions/spFeatures/api/spFeaturesApi.ts index 57e56c4..b7c7f9c 100644 --- a/src/scripts/actions/spFeatures/api/spFeaturesApi.ts +++ b/src/scripts/actions/spFeatures/api/spFeaturesApi.ts @@ -7,34 +7,36 @@ export default class SpFeaturesApi extends ApiBase { public getFeatures(scope: FeatureScope): Promise { return new Promise((resolve, reject) => { - const url = _spPageContextInfo.webAbsoluteUrl - + "/_layouts/ManageFeatures.aspx" - + (scope === FeatureScope.Site ? "?Scope=Site" : ""); + this.getWebUrl().then(webUrl => { + const url = webUrl + "/_layouts/ManageFeatures.aspx" + + (scope === FeatureScope.Site ? "?Scope=Site" : ""); - this.getRequest(url).then((response: any) => { - const items: IFeature[] = []; + this.getRequest(url).then((response: any) => { + const items: IFeature[] = []; + + const parser = new DOMParser(); + const xmlDoc = parser.parseFromString(response.data, "text/xml"); + const featuresElements = xmlDoc.querySelectorAll(".ms-ButtonHeightWidth"); + const featuresCt = featuresElements.length; + for (let i = 0; i < featuresCt; i++) { + const container = featuresElements[i].parentElement.parentElement.parentElement; + const activateBtn = container.querySelectorAll("input.ms-ButtonHeightWidth")[0]; + const activated = activateBtn.getAttribute("value") === "Deactivate"; + items.push({ + activated, + description: container.querySelectorAll(".ms-vb2")[1].textContent, + id: container.querySelectorAll(".ms-vb2[id]")[0].getAttribute("id"), + logo: container.querySelectorAll("img")[0].getAttribute("src"), + name: container.querySelector("h3").textContent, + scope + }); + } + resolve(items); + }).catch((error: any) => { + reject(error); + }); + }) - const parser = new DOMParser(); - const xmlDoc = parser.parseFromString(response.data, "text/xml"); - const featuresElements = xmlDoc.querySelectorAll(".ms-ButtonHeightWidth"); - const featuresCt = featuresElements.length; - for (let i = 0; i < featuresCt; i++) { - const container = featuresElements[i].parentElement.parentElement.parentElement; - const activateBtn = container.querySelectorAll("input.ms-ButtonHeightWidth")[0]; - const activated = activateBtn.getAttribute("value") === "Deactivate"; - items.push({ - activated, - description: container.querySelectorAll(".ms-vb2")[1].textContent, - id: container.querySelectorAll(".ms-vb2[id]")[0].getAttribute("id"), - logo: container.querySelectorAll("img")[0].getAttribute("src"), - name: container.querySelector("h3").textContent, - scope - }); - } - resolve(items); - }).catch((error: any) => { - reject(error); - }); }); } @@ -55,7 +57,7 @@ export default class SpFeaturesApi extends ApiBase { } else { ctx.get_web().get_features().add(new SP.Guid(feature.id), true, SP.FeatureDefinitionScope.site); } - ctx.executeQueryAsync(onSuccess, this.getErroResolver(reject, constants.ERROR_MESSAGE_RESOLVER_ACTIVATING_FEATURE)); + ctx.executeQueryAsync(onSuccess, this.getErrorResolver(reject, constants.ERROR_MESSAGE_RESOLVER_ACTIVATING_FEATURE)); }; ctx.executeQueryAsync(onSuccess, onError); }); @@ -73,7 +75,7 @@ export default class SpFeaturesApi extends ApiBase { ctx.executeQueryAsync((sender: any, err: any) => { resolve({ ...feature, activated: false }); - }, this.getErroResolver(reject, constants.ERROR_MESSAGE_RESOLVER_DEACTIVATING_FEATURE)); + }, this.getErrorResolver(reject, constants.ERROR_MESSAGE_RESOLVER_DEACTIVATING_FEATURE)); }); } } diff --git a/src/scripts/actions/spFeatures/reducers/spFeaturesReducer.ts b/src/scripts/actions/spFeatures/reducers/spFeaturesReducer.ts index b1d12f1..7baf7e3 100644 --- a/src/scripts/actions/spFeatures/reducers/spFeaturesReducer.ts +++ b/src/scripts/actions/spFeatures/reducers/spFeaturesReducer.ts @@ -18,37 +18,37 @@ const initialState: IInitialState = { }; export const spFeaturesReducer = (state: IInitialState = initialState, action: IAction): IInitialState => { - const getFeatureUpdatedMessgae = (feature: IFeature): string => { - return "The web fueature " + feature.name + " has been " + (!feature.activated ? "Activated" : "Deactivated"); + const getFeatureUpdatedMessage = (feature: IFeature): string => { + return "The web feature " + feature.name + " has been " + (!feature.activated ? "Activated" : "Deactivated"); }; switch (action.type) { case actions.SET_SITE_FEATURES_AFTER_UPDATE: - const fsiteFatures: IFeature[] = action.payload.features; - const fsiteFature: IFeature = action.payload.feature; + const fSiteFeatures: IFeature[] = action.payload.features; + const fSiteFeature: IFeature = action.payload.feature; return { ...state, isWorkingOnIt: false, messageData: { - message: getFeatureUpdatedMessgae(fsiteFature), + message: getFeatureUpdatedMessage(fSiteFeature), showMessage: true, type: MessageBarType.success }, - siteFeatures: fsiteFatures + siteFeatures: fSiteFeatures }; case actions.SET_WEB_FEATURES_AFTER_UPDATE: - const fwebFatures: IFeature[] = action.payload.features; - const fwebFature: IFeature = action.payload.feature; + const fWebFeatures: IFeature[] = action.payload.features; + const fWebFeature: IFeature = action.payload.feature; return { ...state, isWorkingOnIt: false, messageData: { - message: getFeatureUpdatedMessgae(fwebFature), + message: getFeatureUpdatedMessage(fWebFeature), showMessage: true, type: MessageBarType.success }, - webFeatures: fwebFatures + webFeatures: fWebFeatures }; case actions.SET_ALL_FEATURES: const webFeatures: IFeature[] = action.payload.webFeatures; diff --git a/src/scripts/actions/spPropertyBag/actions/spPropertyBagActions.ts b/src/scripts/actions/spPropertyBag/actions/spPropertyBagActions.ts index 1427047..2310aa8 100644 --- a/src/scripts/actions/spPropertyBag/actions/spPropertyBagActions.ts +++ b/src/scripts/actions/spPropertyBag/actions/spPropertyBagActions.ts @@ -60,7 +60,7 @@ const setMessageData: ActionCreator> = (messageData: IMess }; }; -const setFavoirute = (property: IProperty) => { +const setFavourite = (property: IProperty) => { const newFav: boolean = !property.isFavourite; newFav ? Favourites.addToFavourites(property.key) : Favourites.removeFromFavourites(property.key); return { @@ -152,7 +152,7 @@ const spPropertyBagActionsCreatorMap: ISpPropertyBagActionCreatorsMapObject = { deleteProperty, getAllProperties, checkUserPermissions, - setFavoirute, + setFavourite, setFilterText, setWorkingOnIt, setUserHasPermissions, diff --git a/src/scripts/actions/spPropertyBag/api/spPropertyBagApi.ts b/src/scripts/actions/spPropertyBag/api/spPropertyBagApi.ts index 6d5b333..98e64ab 100644 --- a/src/scripts/actions/spPropertyBag/api/spPropertyBagApi.ts +++ b/src/scripts/actions/spPropertyBag/api/spPropertyBagApi.ts @@ -20,28 +20,31 @@ export default class SpPropertyBagApi extends ApiBase { } public getProperties(): Promise { return new Promise((resolve, reject) => { - const reqUrl = `${_spPageContextInfo.webAbsoluteUrl}${constants.PROPERTY_REST_REQUEST_URL}`; - this.getRequest(reqUrl).then((response: any) => { - const props: IProperty[] = []; - const rawData = response.data; - for (const prop in rawData) { - if (rawData.hasOwnProperty(prop)) { - const propVal = rawData[prop]; - if (typeof (propVal) === constants.STRING_STRING) { - // tslint:disable-next-line:max-line-length - const value: string = propVal.replace(constants.PROPERTY_REST_DOUBLEQUOTES_REGEX, constants.PROPERTY_REST_DOUBLEQUOTES); - const key: string = this.decodeSpCharacters(prop); - props.push({ - isFavourite: Favourites.Favourites.indexOf(key) >= 0, - key, - value - }); + this.getWebUrl().then(webUrl => { + + const reqUrl = `${webUrl}${constants.PROPERTY_REST_REQUEST_URL}`; + this.getRequest(reqUrl).then((response: any) => { + const props: IProperty[] = []; + const rawData = response.data; + for (const prop in rawData) { + if (rawData.hasOwnProperty(prop)) { + const propVal = rawData[prop]; + if (typeof (propVal) === constants.STRING_STRING) { + // tslint:disable-next-line:max-line-length + const value: string = propVal.replace(constants.PROPERTY_REST_DOUBLEQUOTES_REGEX, constants.PROPERTY_REST_DOUBLEQUOTES); + const key: string = this.decodeSpCharacters(prop); + props.push({ + isFavourite: Favourites.Favourites.indexOf(key) >= 0, + key, + value + }); + } } } - } - resolve(props); - }).catch((error: any) => { - reject(error); + resolve(props); + }).catch((error: any) => { + reject(error); + }); }); }); } @@ -70,7 +73,7 @@ export default class SpPropertyBagApi extends ApiBase { ctx.executeQueryAsync((sender: any, err: any) => { resolve(property); - }, this.getErroResolver(reject, constants.ERROR_MESSAGE_RESOLVER_SETTING_PROPERTY)); + }, this.getErrorResolver(reject, constants.ERROR_MESSAGE_RESOLVER_SETTING_PROPERTY)); }); } } diff --git a/src/scripts/actions/spPropertyBag/components/spPropertyBagItem.tsx b/src/scripts/actions/spPropertyBag/components/spPropertyBagItem.tsx index 06f7c7b..80e4bc2 100644 --- a/src/scripts/actions/spPropertyBag/components/spPropertyBagItem.tsx +++ b/src/scripts/actions/spPropertyBag/components/spPropertyBagItem.tsx @@ -10,7 +10,7 @@ import { SpPropertyBagItemForm } from "./spPropertyBagItemForm"; interface ISpPropertyBagItemActions { updateProperty: Function; deleteProperty: Function; - setFavoirute: (props: IProperty) => void; + setFavourite: (props: IProperty) => void; } interface ISpPropertyBagItemProps { @@ -18,7 +18,7 @@ interface ISpPropertyBagItemProps { itemIndex: number; updateProperty: Function; deleteProperty: Function; - setFavoirute: (props: IProperty) => void; + setFavourite: (props: IProperty) => void; } interface ISpPropertyBagItemState { @@ -52,7 +52,7 @@ class SpPropertyBagItem extends React.Component; } protected componentDidUpdate() { @@ -111,8 +111,8 @@ const mapDispatchToProps = (dispatch: Dispatch): ISpPropertyBagItemActions deleteProperty: (property: IProperty) => { dispatch(propertyActionsCreatorsMap.deleteProperty(property)); }, - setFavoirute: (props: IProperty) => { - dispatch(propertyActionsCreatorsMap.setFavoirute(props)); + setFavourite: (props: IProperty) => { + dispatch(propertyActionsCreatorsMap.setFavourite(props)); }, updateProperty: (property: IProperty) => { dispatch(propertyActionsCreatorsMap.updateProperty(property)); diff --git a/src/scripts/actions/spPropertyBag/components/spPropertyBagItemForm.tsx b/src/scripts/actions/spPropertyBag/components/spPropertyBagItemForm.tsx index 6d2e966..f275972 100644 --- a/src/scripts/actions/spPropertyBag/components/spPropertyBagItemForm.tsx +++ b/src/scripts/actions/spPropertyBag/components/spPropertyBagItemForm.tsx @@ -14,7 +14,7 @@ interface ISpPropertyBagItemFormProps { onInputValueChange: (newValue: any) => void; topBtnClick: React.EventHandler>; bottomBtnClick: React.EventHandler>; - setFavoirute: (rops: IProperty) => void; + setFavourite: (props: IProperty) => void; } export const SpPropertyBagItemForm: React.StatelessComponent = @@ -22,7 +22,7 @@ export const SpPropertyBagItemForm: React.StatelessComponent { - props.setFavoirute({ + props.setFavourite({ key: props.item.key, value: props.item.value, isFavourite: props.item.isFavourite @@ -38,7 +38,7 @@ export const SpPropertyBagItemForm: React.StatelessComponent - +
diff --git a/src/scripts/actions/spPropertyBag/helpers/spPropertyBagfavourites.ts b/src/scripts/actions/spPropertyBag/helpers/spPropertyBagfavourites.ts index 0d19a80..e36b809 100644 --- a/src/scripts/actions/spPropertyBag/helpers/spPropertyBagfavourites.ts +++ b/src/scripts/actions/spPropertyBag/helpers/spPropertyBagfavourites.ts @@ -3,7 +3,7 @@ import { FavouritesBase } from "../../common/favouriteBase"; class FavouritesClass extends FavouritesBase { constructor() { - super("favourtites_SP_PropertyBag"); + super("favourites_SP_PropertyBag"); } } diff --git a/src/scripts/actions/spPropertyBag/interfaces/spPropertyBagInterfaces.ts b/src/scripts/actions/spPropertyBag/interfaces/spPropertyBagInterfaces.ts index d1ab580..bdc2945 100644 --- a/src/scripts/actions/spPropertyBag/interfaces/spPropertyBagInterfaces.ts +++ b/src/scripts/actions/spPropertyBag/interfaces/spPropertyBagInterfaces.ts @@ -22,7 +22,7 @@ export interface ISpPropertyBagActionCreatorsMapObject extends ActionCreatorsMap getAllProperties: () => (dispatch: Dispatch>) => Promise; checkUserPermissions: (permissionKing: SP.PermissionKind) => (dispatch: Dispatch>) => Promise; - setFavoirute: ActionCreator>; + setFavourite: ActionCreator>; setFilterText: ActionCreator>; setWorkingOnIt: ActionCreator>; setUserHasPermissions: ActionCreator>; diff --git a/src/scripts/actions/spPropertyBag/reducers/spPropertyBagReducer.ts b/src/scripts/actions/spPropertyBag/reducers/spPropertyBagReducer.ts index 60c5e98..1346e50 100644 --- a/src/scripts/actions/spPropertyBag/reducers/spPropertyBagReducer.ts +++ b/src/scripts/actions/spPropertyBag/reducers/spPropertyBagReducer.ts @@ -18,7 +18,7 @@ const initialState: IInitialState = { export const spPropertyBagReducer = (state: IInitialState = initialState, action: IAction): IInitialState => { switch (action.type) { case actions.CREATE_PROPERTY: - const newPropperty: IProperty = action.payload; + const newProperty: IProperty = action.payload; return { ...state, isWorkingOnIt: false, messageData: { @@ -26,10 +26,10 @@ export const spPropertyBagReducer = (state: IInitialState = initialState, action showMessage: true, type: MessageBarType.success }, - webProperties: [...state.webProperties, newPropperty] + webProperties: [...state.webProperties, newProperty] }; case actions.DELETE_PROPERTY: - const delPropperty: IProperty = action.payload; + const delProperty: IProperty = action.payload; return { ...state, isWorkingOnIt: false, messageData: { @@ -37,13 +37,13 @@ export const spPropertyBagReducer = (state: IInitialState = initialState, action showMessage: true, type: MessageBarType.success }, - webProperties: [...state.webProperties.filter((prop: IProperty) => prop.key !== delPropperty.key)] + webProperties: [...state.webProperties.filter((prop: IProperty) => prop.key !== delProperty.key)] }; case actions.UPDATE_PROPERTY: - const updtdPropperty: IProperty = action.payload; + const updtdProperty: IProperty = action.payload; const filtered = state.webProperties.map((prop: IProperty) => { - if (prop.key === updtdPropperty.key) { - return updtdPropperty; + if (prop.key === updtdProperty.key) { + return updtdProperty; } else { return prop; } diff --git a/src/scripts/actions/spSiteContent/actions/spSiteContentActions.ts b/src/scripts/actions/spSiteContent/actions/spSiteContentActions.ts index b7c92c8..50b7205 100644 --- a/src/scripts/actions/spSiteContent/actions/spSiteContentActions.ts +++ b/src/scripts/actions/spSiteContent/actions/spSiteContentActions.ts @@ -59,7 +59,7 @@ const getAllSiteContent = (messageData?: IMessageData) => { }); }; }; -const setFavoirute = (item: ISiteContent) => { +const setFavourite = (item: ISiteContent) => { const { isFavourite, id } = item; !isFavourite ? Favourites.addToFavourites(id) : Favourites.removeFromFavourites(id); @@ -74,12 +74,12 @@ const setListVisibility = (item: ISiteContent) => { dispatch(setWorkingOnIt(true)); return api.setListVisibility(item).then(() => { const msg = "The List " + item.title + " is now " + (!item.hidden ? "Hidden" : "visible") + "."; - const messagaeData = { + const messageData = { message: msg, showMessage: true, type: MessageBarType.success } as IMessageData; - dispatch(getAllSiteContent(messagaeData)); + dispatch(getAllSiteContent(messageData)); }).catch((reason: any) => { dispatch(handleAsyncError(constants.ERROR_MESSAGE_SET_LIST_VISIBILITY, reason)); }); @@ -92,12 +92,12 @@ const setListAttachments = (item: ISiteContent) => { return api.setAttachments(item).then(() => { // tslint:disable-next-line:max-line-length const msg = "Users " + (!item.enableAttachments ? "CAN" : "CAN NOT") + " attach files to items in this list " + item.title + "."; - const messagaeData = { + const messageData = { message: msg, showMessage: true, type: MessageBarType.success } as IMessageData; - dispatch(getAllSiteContent(messagaeData)); + dispatch(getAllSiteContent(messageData)); }).catch((reason: any) => { dispatch(handleAsyncError(constants.ERROR_MESSAGE_SET_LIST_ATTACHMENTS_ENABLE, reason)); }); @@ -109,12 +109,12 @@ const recycleList = (item: ISiteContent) => { dispatch(setWorkingOnIt(true)); return api.recycleList(item).then(() => { const msg = "The List " + item.title + " has been deleted."; - const messagaeData = { + const messageData = { message: msg, showMessage: true, type: MessageBarType.success } as IMessageData; - dispatch(getAllSiteContent(messagaeData)); + dispatch(getAllSiteContent(messageData)); }).catch((reason: any) => { dispatch(handleAsyncError(constants.ERROR_MESSAGE_SET_LIST_NO_CRAWL, reason)); }); @@ -127,12 +127,12 @@ const setListNoCrawl = (item: ISiteContent) => { return api.setNoCrawl(item).then(() => { // tslint:disable-next-line:max-line-length const msg = "The items in " + item.title + " will " + (!item.noCrawl ? "NOT" : "NOW") + " be visible in search results."; - const messagaeData = { + const messageData = { message: msg, showMessage: true, type: MessageBarType.success } as IMessageData; - dispatch(getAllSiteContent(messagaeData)); + dispatch(getAllSiteContent(messageData)); }).catch((reason: any) => { dispatch(handleAsyncError(constants.ERROR_MESSAGE_SET_LIST_NO_CRAWL, reason)); }); @@ -144,7 +144,7 @@ const reIndexList = (item: ISiteContent) => { return api.reIndex(item).then((dialogResult: SP.UI.DialogResult) => { if (dialogResult === SP.UI.DialogResult.OK) { dispatch(setMessageData({ - message: "The requeste has been sent, patience my young padawan...", + message: "The request has been sent, patience my young padawan...", showMessage: true, type: MessageBarType.success } as IMessageData)); @@ -194,7 +194,7 @@ const spSiteContentActionsCreatorMap: ISpSiteContentActionCreatorsMapObject = { getAllSiteContent, setShowAll, setOpenInNewWindow, - setFavoirute, + setFavourite, setFilter, setListVisibility, setMessageData, diff --git a/src/scripts/actions/spSiteContent/api/spSiteContentApi.ts b/src/scripts/actions/spSiteContent/api/spSiteContentApi.ts index fe2a31c..558094b 100644 --- a/src/scripts/actions/spSiteContent/api/spSiteContentApi.ts +++ b/src/scripts/actions/spSiteContent/api/spSiteContentApi.ts @@ -8,23 +8,23 @@ export default class SpSiteContentApi extends ApiBase { return new Promise((resolve, reject) => { const ctx = SP.ClientContext.get_current(); const web = ctx.get_web(); - const siteConetent = web.get_lists(); + const siteContent = web.get_lists(); ctx.load(web); - ctx.load(siteConetent, `Include(${constants.selectFields.join(",")})`); + ctx.load(siteContent, `Include(${constants.selectFields.join(",")})`); const onSuccess = (sender: any, args: SP.ClientRequestSucceededEventArgs) => { let items: ISiteContent[] = []; - const listEnumerator: any = siteConetent.getEnumerator(); + const listEnumerator: any = siteContent.getEnumerator(); while (listEnumerator.moveNext()) { const oList: SP.List = listEnumerator.get_current(); const listId: any = oList.get_id().toString(); - let paretnUrl = oList.get_parentWebUrl(); - if (paretnUrl === "/") { - paretnUrl = location.origin; + let parentUrl = oList.get_parentWebUrl(); + if (parentUrl === "/") { + parentUrl = location.origin; } - const reindexUrl = paretnUrl + "/_layouts/15/ReindexListDialog.aspx?List={" + listId + "}"; - const permissionPageUrl = paretnUrl + + const reindexUrl = parentUrl + "/_layouts/15/ReindexListDialog.aspx?List={" + listId + "}"; + const permissionPageUrl = parentUrl + constants.permissionsPageUrlOpen + listId + constants.permissionsPageUrlMiddle + @@ -47,7 +47,7 @@ export default class SpSiteContentApi extends ApiBase { noCrawl: oList.get_noCrawl(), permissionsPageUrl: permissionPageUrl, reIndexUrl: reindexUrl, - settingsUrl: paretnUrl + constants.settingsRelativeUrl + listId, + settingsUrl: parentUrl + constants.settingsRelativeUrl + listId, title: oList.get_title(), userCanAddItems: oList.get_effectiveBasePermissions().has(SP.PermissionKind.addListItems), userCanManageList: oList.get_effectiveBasePermissions().has(SP.PermissionKind.manageLists) @@ -59,7 +59,7 @@ export default class SpSiteContentApi extends ApiBase { }); resolve(items); }; - ctx.executeQueryAsync(onSuccess, this.getErroResolver(reject, constants.ERROR_MESSAGE_RESOLVER_GETTING_LISTS)); + ctx.executeQueryAsync(onSuccess, this.getErrorResolver(reject, constants.ERROR_MESSAGE_RESOLVER_GETTING_LISTS)); }); } public setListVisibility(item: ISiteContent): Promise { @@ -78,7 +78,7 @@ export default class SpSiteContentApi extends ApiBase { const onSuccess = (sender: any, args: SP.ClientRequestSucceededEventArgs) => { resolve(true); }; - ctx.executeQueryAsync(onSuccess, this.getErroResolver(reject, constants.ERROR_MESSAGE_RESOLVER_SETTING_VISIBILITY)); + ctx.executeQueryAsync(onSuccess, this.getErrorResolver(reject, constants.ERROR_MESSAGE_RESOLVER_SETTING_VISIBILITY)); }); } @@ -98,7 +98,7 @@ export default class SpSiteContentApi extends ApiBase { const onSuccess = (sender: any, args: SP.ClientRequestSucceededEventArgs) => { resolve(true); }; - ctx.executeQueryAsync(onSuccess, this.getErroResolver(reject, constants.ERROR_MESSAGE_RESOLVER_SETTING_ATTACHMENTS)); + ctx.executeQueryAsync(onSuccess, this.getErrorResolver(reject, constants.ERROR_MESSAGE_RESOLVER_SETTING_ATTACHMENTS)); }); } @@ -118,7 +118,7 @@ export default class SpSiteContentApi extends ApiBase { const onSuccess = (sender: any, args: SP.ClientRequestSucceededEventArgs) => { resolve(true); }; - ctx.executeQueryAsync(onSuccess, this.getErroResolver(reject, constants.ERROR_MESSAGE_RESOLVER_SETTING_NO_CRAWL)); + ctx.executeQueryAsync(onSuccess, this.getErrorResolver(reject, constants.ERROR_MESSAGE_RESOLVER_SETTING_NO_CRAWL)); }); } @@ -133,14 +133,14 @@ export default class SpSiteContentApi extends ApiBase { const onSuccess = (sender: any, args: SP.ClientRequestSucceededEventArgs) => { resolve(true); }; - ctx.executeQueryAsync(onSuccess, this.getErroResolver(reject, constants.ERROR_MESSAGE_RESOLVER_DELETING_LIST)); + ctx.executeQueryAsync(onSuccess, this.getErrorResolver(reject, constants.ERROR_MESSAGE_RESOLVER_DELETING_LIST)); }); } public reIndex(item: ISiteContent): Promise { return new Promise((resolve, reject) => { SP.SOD.execute("sp.ui.dialog.js", "SP.UI.ModalDialog.showModalDialog", { - dialogReturnValueCallback: (dialogRedult: SP.UI.DialogResult) => { - resolve(dialogRedult); + dialogReturnValueCallback: (dialogResult: SP.UI.DialogResult) => { + resolve(dialogResult); }, title: "Reindex List", url: item.reIndexUrl diff --git a/src/scripts/actions/spSiteContent/components/spSiteContent.tsx b/src/scripts/actions/spSiteContent/components/spSiteContent.tsx index 6e12762..f4f64a2 100644 --- a/src/scripts/actions/spSiteContent/components/spSiteContent.tsx +++ b/src/scripts/actions/spSiteContent/components/spSiteContent.tsx @@ -43,12 +43,12 @@ class SpSiteContent extends React.Component {
@@ -58,7 +58,7 @@ class SpSiteContent extends React.Component { linkTarget={this.props.openInNewTab ? "_blank" : "_self"} filterString={this.props.filterText} showAll={this.props.showAll} - setFavourite={this.props.actions.setFavoirute} + setFavourite={this.props.actions.setFavourite} />
); diff --git a/src/scripts/actions/spSiteContent/components/spSiteContentCheckBox.tsx b/src/scripts/actions/spSiteContent/components/spSiteContentCheckBox.tsx index 5968c40..312ac94 100644 --- a/src/scripts/actions/spSiteContent/components/spSiteContentCheckBox.tsx +++ b/src/scripts/actions/spSiteContent/components/spSiteContentCheckBox.tsx @@ -7,7 +7,7 @@ import { IAction } from "./../../common/interfaces"; interface ISpSiteContentCheckBoxProps { checkLabel: string; - isCkecked: boolean; + isChecked: boolean; onCheckBoxChange: (checked: boolean) => IAction; } @@ -18,6 +18,6 @@ export const SpSiteContentCheckBox: React.StatelessComponent - +
; }; diff --git a/src/scripts/actions/spSiteContent/helpers/favourites.ts b/src/scripts/actions/spSiteContent/helpers/favourites.ts index 4d68adb..44bd783 100644 --- a/src/scripts/actions/spSiteContent/helpers/favourites.ts +++ b/src/scripts/actions/spSiteContent/helpers/favourites.ts @@ -3,7 +3,7 @@ import { FavouritesBase } from "../../common/favouriteBase"; class FavouritesClass extends FavouritesBase { constructor() { - super("favourtites_SP_SiteContent"); + super("favourites_SP_SiteContent"); } } diff --git a/src/scripts/actions/spSiteContent/interfaces/spSiteContentInterfaces.ts b/src/scripts/actions/spSiteContent/interfaces/spSiteContentInterfaces.ts index 851dd74..37b4b6e 100644 --- a/src/scripts/actions/spSiteContent/interfaces/spSiteContentInterfaces.ts +++ b/src/scripts/actions/spSiteContent/interfaces/spSiteContentInterfaces.ts @@ -37,7 +37,7 @@ export interface ISpSiteContentActionCreatorsMapObject extends ActionCreatorsMap getAllSiteContent: () => (dispatch: Dispatch>) => Promise; setShowAll: ActionCreator>; setOpenInNewWindow: ActionCreator>; - setFavoirute: ActionCreator>; + setFavourite: ActionCreator>; setFilter: ActionCreator>; // tslint:disable-next-line:max-line-length setListVisibility: (item: ISiteContent) => (dispatch: Dispatch>) => Promise; diff --git a/src/scripts/chromeExtension/main.tsx b/src/scripts/chromeExtension/main.tsx index a014987..a4674c7 100644 --- a/src/scripts/chromeExtension/main.tsx +++ b/src/scripts/chromeExtension/main.tsx @@ -4,4 +4,4 @@ import PopUp from "./popUp"; const manifestData = chrome.runtime.getManifest(); -ReactDOM.render(, document.getElementById("popUpContent")); +ReactDOM.render(, document.getElementById("popUpContent")); diff --git a/src/scripts/chromeExtension/popUp.tsx b/src/scripts/chromeExtension/popUp.tsx index 55ca763..1b473b5 100644 --- a/src/scripts/chromeExtension/popUp.tsx +++ b/src/scripts/chromeExtension/popUp.tsx @@ -5,13 +5,13 @@ import "./styles/chromeExtePopUp.scss"; interface IActionData { title: string; - descriptio: string; + description: string; image: string; scriptUrl: string; }; interface IPopUpProps { - currentVerion: string; + currentVersion: string; } interface IPopUpState { actions: IActionData[]; @@ -30,7 +30,7 @@ export default class PopUp extends React.Component {
- Version {this.props.currentVerion} + Version {this.props.currentVersion}
; }